Welcome to the Recurrent Neural Network Project in the Artificial Intelligence Nanodegree! In this notebook, some template code has already been provided for you, and you will need to implement additional functionality to successfully complete this project. You will not need to modify the included code beyond what is requested. Sections that begin with 'Implementation' in the header indicate that the following block of code will require additional functionality which you must provide. Instructions will be provided for each section and the specifics of the implementation are marked in the code block with a 'TODO' statement. Please be sure to read the instructions carefully!
In addition to implementing code, there will be questions that you must answer which relate to the project and your implementation. Each section where you will answer a question is preceded by a 'Question X' header. Carefully read each question and provide thorough answers in the following text boxes that begin with 'Answer:'. Your project submission will be evaluated based on your answers to each of the questions and the implementation you provide.
Note: Code and Markdown cells can be executed using the Shift + Enter keyboard shortcut. In addition, Markdown cells can be edited by typically double-clicking the cell to enter edit mode.
This notebook contains two problems, cut into a variety of TODOs. Make sure to complete each section containing a TODO marker throughout the notebook. For convenience we provide links to each of these sections below.
TODO #1: Implement a function to window time series
TODO #2: Create a simple RNN model using keras to perform regression
TODO #3: Finish cleaning a large text corpus
TODO #4: Implement a function to window a large text corpus
TODO #5: Create a simple RNN model using keras to perform multiclass classification
TODO #6: Generate text using a fully trained RNN model and a variety of input sequences
In this project you will perform time series prediction using a Recurrent Neural Network regressor. In particular you will re-create the figure shown in the notes - where the stock price of Apple was forecasted (or predicted) 7 days in advance. In completing this exercise you will learn how to construct RNNs using Keras, which will also aid in completing the second project in this notebook.
The particular network architecture we will employ for our RNN is known as Long Term Short Memory (LTSM), which helps significantly avoid technical problems with optimization of RNNs.
First we must load in our time series - a history of around 140 days of Apple's stock price. Then we need to perform a number of pre-processing steps to prepare it for use with an RNN model. First off, it is good practice to normalize time series - by normalizing its range. This helps us avoid serious numerical issues associated how common activation functions (like tanh) transform very large (positive or negative) numbers, as well as helping us to avoid related issues when computing derivatives.
Here we normalize the series to lie in the range [0,1] using this scikit function, but it is also commonplace to normalize by a series standard deviation.
### Load in necessary libraries for data input and normalization
%matplotlib inline
import numpy as np
import matplotlib.pyplot as plt
### load in and normalize the dataset
dataset = np.loadtxt('datasets/normalized_apple_prices.csv')
Lets take a quick look at the (normalized) time series we'll be performing predictions on.
# lets take a look at our time series
plt.plot(dataset)
plt.xlabel('time period')
plt.ylabel('normalized series value')
<matplotlib.text.Text at 0x106391400>
Remember, our time series is a sequence of numbers that we can represent in general mathematically as
$$s_{0},s_{1},s_{2},...,s_{P}$$where $s_{p}$ is the numerical value of the time series at time period $p$ and where $P$ is the total length of the series. In order to apply our RNN we treat the time series prediction problem as a regression problem, and so need to use a sliding window to construct a set of associated input/output pairs to regress on. This process is animated in the gif below.

For example - using a window of size T = 5 (as illustrated in the gif above) we produce a set of input/output pairs like the one shown in the table below
$$\begin{array}{c|c} \text{Input} & \text{Output}\\ \hline \color{CornflowerBlue} {\langle s_{1},s_{2},s_{3},s_{4},s_{5}\rangle} & \color{Goldenrod}{ s_{6}} \\ \ \color{CornflowerBlue} {\langle s_{2},s_{3},s_{4},s_{5},s_{6} \rangle } & \color{Goldenrod} {s_{7} } \\ \color{CornflowerBlue} {\vdots} & \color{Goldenrod} {\vdots}\\ \color{CornflowerBlue} { \langle s_{P-5},s_{P-4},s_{P-3},s_{P-2},s_{P-1} \rangle } & \color{Goldenrod} {s_{P}} \end{array}$$Notice here that each input is a sequence (or vector) of length 4 (and in general has length equal to the window size T) while each corresponding output is a scalar value. Notice also how given a time series of length P and window size T = 5 as shown above, we created P - 5 input/output pairs. More generally, for a window size T we create P - T such pairs.
Now its time for you to window the input time series as described above!
TODO: Fill in the function below - called window_transform_series - that runs a sliding window along the input series and creates associated input/output pairs. Note that this function should input a) the series and b) the window length, and return the input/output subsequences. Make sure to format returned input/output as generally shown in table above (where window_size = 5), and make sure your returned input is a numpy array.
You can test your function on the list of odd numbers given below
# odd numbers sequence to be transformed into input/output pairs
# with window_transform_series for use in the RNN model
odd_nums = np.array([1,3,5,7,9,11,13])
To window this sequence with a window_size = 2 using the window_transform_series you should get the following input/output pairs
Again - you can check that your completed window_transform_series function works correctly by trying it on the odd_nums sequence - you should get the above output.
(remember to copy your completed function into the script my_answers.py function titled window_transform_series before submitting your project)
### DONE: fill out the function below that transforms the input series
### and window-size into a set of input/output pairs for use with our RNN model
def window_transform_series(series,window_size):
# containers for input/output pairs
X = []
y = []
# iteratively slide the window-size over the input series to generate input/output pairs
for i in range(0, len(series) - window_size):
X.append(series[i : i + window_size])
y.append(series[i + window_size])
# reshape input and output (i.e. change y from (131,) to (131, 1))
X = np.asarray(X)
X.shape = (np.shape(X)[0:2])
y = np.asarray(y)
y.shape = (len(y),1)
return X,y
# run a window of size 2 over the odd number sequence and display the results
window_size = 2
X,y = window_transform_series(odd_nums,window_size)
# print out input/output pairs --> here input = X, corresponding output = y
print ('--- the input X will look like ----')
print (X)
print ('--- the associated output y will look like ----')
print (y)
print ('the shape of X is ' + str(np.shape(X)))
print ('the shape of y is ' + str(np.shape(y)))
print('the type of X is ' + str(type(X)))
print('the type of y is ' + str(type(y)))
--- the input X will look like ---- [[ 1 3] [ 3 5] [ 5 7] [ 7 9] [ 9 11]] --- the associated output y will look like ---- [[ 5] [ 7] [ 9] [11] [13]] the shape of X is (5, 2) the shape of y is (5, 1) the type of X is <class 'numpy.ndarray'> the type of y is <class 'numpy.ndarray'>
# Validate window_transform_series works with odd_nums
# using window_size of 2 since this is simpler to visually comprehend
odd_nums = np.array([1,3,5,7,9,11,13])
print ('Shape dataset: ' + str(np.shape(dataset)))
# call the window_transform_series function passing the sequence of odd numbers
# and the window_size as parameters
window_size_odd_nums = 2
X_odd_nums,y_odd_nums = window_transform_series(series = odd_nums,
window_size = window_size_odd_nums)
# Input/output pairs where output y for input X
print ('--- Input X_odd_nums ----')
print (X_odd_nums)
print ('--- Output y_odd_nums ----')
print (y_odd_nums)
print ('Shape X: ' + str(np.shape(X_odd_nums)))
print ('Shape y: ' + str(np.shape(y_odd_nums)))
print('Type X: ' + str(type(X_odd_nums)))
print('Type y: ' + str(type(y_odd_nums)))
Shape dataset: (138,) --- Input X_odd_nums ---- [[ 1 3] [ 3 5] [ 5 7] [ 7 9] [ 9 11]] --- Output y_odd_nums ---- [[ 5] [ 7] [ 9] [11] [13]] Shape X: (5, 2) Shape y: (5, 1) Type X: <class 'numpy.ndarray'> Type y: <class 'numpy.ndarray'>
With this function in place apply it to the series in the Python cell below. We use a window_size = 7 for these experiments.
# Implement window_transform_series with actual dataset
# using window_size of 7
# reshape dataset (i.e. change dataset from (138,) to (138, 1))
dataset = np.asarray(dataset)
dataset.shape = (len(dataset),1)
print ('Shape dataset: ' + str(np.shape(dataset)))
# Window the data using your windowing function
window_size = 7
X,y = window_transform_series(series = dataset,
window_size = window_size)
# input/output pairs where output y for input X
print ('--- Input X ----')
print (X)
print ('--- Output y ----')
print (y)
print ('Shape X: ' + str(np.shape(X)))
print ('Shape y: ' + str(np.shape(y)))
print('Type X: ' + str(type(X)))
print('Type y: ' + str(type(y)))
Shape dataset: (138, 1) --- Input X ---- [[-0.70062339 -0.82088484 -0.93938305 -0.9471652 -0.68785527 -0.84325902 -0.80532018] [-0.82088484 -0.93938305 -0.9471652 -0.68785527 -0.84325902 -0.80532018 -0.82058073] [-0.93938305 -0.9471652 -0.68785527 -0.84325902 -0.80532018 -0.82058073 -0.92023124] [-0.9471652 -0.68785527 -0.84325902 -0.80532018 -0.82058073 -0.92023124 -1. ] [-0.68785527 -0.84325902 -0.80532018 -0.82058073 -0.92023124 -1. -0.98814438] [-0.84325902 -0.80532018 -0.82058073 -0.92023124 -1. -0.98814438 -0.85961411] [-0.80532018 -0.82058073 -0.92023124 -1. -0.98814438 -0.85961411 -0.8706188 ] [-0.82058073 -0.92023124 -1. -0.98814438 -0.85961411 -0.8706188 -0.92661512] [-0.92023124 -1. -0.98814438 -0.85961411 -0.8706188 -0.92661512 -0.80118585] [-1. -0.98814438 -0.85961411 -0.8706188 -0.92661512 -0.80118585 -0.76288204] [-0.98814438 -0.85961411 -0.8706188 -0.92661512 -0.80118585 -0.76288204 -0.66499478] [-0.85961411 -0.8706188 -0.92661512 -0.80118585 -0.76288204 -0.66499478 -0.67289882] [-0.8706188 -0.92661512 -0.80118585 -0.76288204 -0.66499478 -0.67289882 -0.68220115] [-0.92661512 -0.80118585 -0.76288204 -0.66499478 -0.67289882 -0.68220115 -0.542119 ] [-0.80118585 -0.76288204 -0.66499478 -0.67289882 -0.68220115 -0.542119 -0.46508592] [-0.76288204 -0.66499478 -0.67289882 -0.68220115 -0.542119 -0.46508592 -0.21489592] [-0.66499478 -0.67289882 -0.68220115 -0.542119 -0.46508592 -0.21489592 -0.17020823] [-0.67289882 -0.68220115 -0.542119 -0.46508592 -0.21489592 -0.17020823 -0.08247456] [-0.68220115 -0.542119 -0.46508592 -0.21489592 -0.17020823 -0.08247456 0.06411336] [-0.542119 -0.46508592 -0.21489592 -0.17020823 -0.08247456 0.06411336 0.0857576 ] [-0.46508592 -0.21489592 -0.17020823 -0.08247456 0.06411336 0.0857576 0.38604654] [-0.21489592 -0.17020823 -0.08247456 0.06411336 0.0857576 0.38604654 0.39468034] [-0.17020823 -0.08247456 0.06411336 0.0857576 0.38604654 0.39468034 0.40708331] [-0.08247456 0.06411336 0.0857576 0.38604654 0.39468034 0.40708331 0.55482607] [ 0.06411336 0.0857576 0.38604654 0.39468034 0.40708331 0.55482607 0.4571212 ] [ 0.0857576 0.38604654 0.39468034 0.40708331 0.55482607 0.4571212 0.217267 ] [ 0.38604654 0.39468034 0.40708331 0.55482607 0.4571212 0.217267 0.38258092] [ 0.39468034 0.40708331 0.55482607 0.4571212 0.217267 0.38258092 0.16187873] [ 0.40708331 0.55482607 0.4571212 0.217267 0.38258092 0.16187873 0.16838432] [ 0.55482607 0.4571212 0.217267 0.38258092 0.16187873 0.16838432 -0.00227998] [ 0.4571212 0.217267 0.38258092 0.16187873 0.16838432 -0.00227998 0.21903043] [ 0.217267 0.38258092 0.16187873 0.16838432 -0.00227998 0.21903043 0.16187873] [ 0.38258092 0.16187873 0.16838432 -0.00227998 0.21903043 0.16187873 0.3212949 ] [ 0.16187873 0.16838432 -0.00227998 0.21903043 0.16187873 0.3212949 0.21939484] [ 0.16838432 -0.00227998 0.21903043 0.16187873 0.3212949 0.21939484 0.2579419 ] [-0.00227998 0.21903043 0.16187873 0.3212949 0.21939484 0.2579419 0.30311627] [ 0.21903043 0.16187873 0.3212949 0.21939484 0.2579419 0.30311627 0.42818056] [ 0.16187873 0.3212949 0.21939484 0.2579419 0.30311627 0.42818056 0.42708622] [ 0.3212949 0.21939484 0.2579419 0.30311627 0.42818056 0.42708622 0.36190893] [ 0.21939484 0.2579419 0.30311627 0.42818056 0.42708622 0.36190893 0.34075119] [ 0.2579419 0.30311627 0.42818056 0.42708622 0.36190893 0.34075119 0.5010795 ] [ 0.30311627 0.42818056 0.42708622 0.36190893 0.34075119 0.5010795 0.53816706] [ 0.42818056 0.42708622 0.36190893 0.34075119 0.5010795 0.53816706 0.70001536] [ 0.42708622 0.36190893 0.34075119 0.5010795 0.53816706 0.70001536 0.88229221] [ 0.36190893 0.34075119 0.5010795 0.53816706 0.70001536 0.88229221 0.79577461] [ 0.34075119 0.5010795 0.53816706 0.70001536 0.88229221 0.79577461 0.88508912] [ 0.5010795 0.53816706 0.70001536 0.88229221 0.79577461 0.88508912 1. ] [ 0.53816706 0.70001536 0.88229221 0.79577461 0.88508912 1. 0.92406145] [ 0.70001536 0.88229221 0.79577461 0.88508912 1. 0.92406145 0.82860613] [ 0.88229221 0.79577461 0.88508912 1. 0.92406145 0.82860613 0.68098508] [ 0.79577461 0.88508912 1. 0.92406145 0.82860613 0.68098508 0.59264357] [ 0.88508912 1. 0.92406145 0.82860613 0.68098508 0.59264357 0.47146979] [ 1. 0.92406145 0.82860613 0.68098508 0.59264357 0.47146979 0.36482757] [ 0.92406145 0.82860613 0.68098508 0.59264357 0.47146979 0.36482757 0.2957594 ] [ 0.82860613 0.68098508 0.59264357 0.47146979 0.36482757 0.2957594 0.11719085] [ 0.68098508 0.59264357 0.47146979 0.36482757 0.2957594 0.11719085 0.03547666] [ 0.59264357 0.47146979 0.36482757 0.2957594 0.11719085 0.03547666 0.24943019] [ 0.47146979 0.36482757 0.2957594 0.11719085 0.03547666 0.24943019 0.35734934] [ 0.36482757 0.2957594 0.11719085 0.03547666 0.24943019 0.35734934 -0.06003953] [ 0.2957594 0.11719085 0.03547666 0.24943019 0.35734934 -0.06003953 -0.1577444 ] [ 0.11719085 0.03547666 0.24943019 0.35734934 -0.06003953 -0.1577444 -0.08831108] [ 0.03547666 0.24943019 0.35734934 -0.06003953 -0.1577444 -0.08831108 -0.14801663] [ 0.24943019 0.35734934 -0.06003953 -0.1577444 -0.08831108 -0.14801663 -0.07827939] [ 0.35734934 -0.06003953 -0.1577444 -0.08831108 -0.14801663 -0.07827939 -0.19574392] [-0.06003953 -0.1577444 -0.08831108 -0.14801663 -0.07827939 -0.19574392 -0.18431376] [-0.1577444 -0.08831108 -0.14801663 -0.07827939 -0.19574392 -0.18431376 -0.59002904] [-0.08831108 -0.14801663 -0.07827939 -0.19574392 -0.18431376 -0.59002904 -0.4922635 ] [-0.14801663 -0.07827939 -0.19574392 -0.18431376 -0.59002904 -0.4922635 -0.35491721] [-0.07827939 -0.19574392 -0.18431376 -0.59002904 -0.4922635 -0.35491721 -0.44854844] [-0.19574392 -0.18431376 -0.59002904 -0.4922635 -0.35491721 -0.44854844 -0.49262809] [-0.18431376 -0.59002904 -0.4922635 -0.35491721 -0.44854844 -0.49262809 -0.65101096] [-0.59002904 -0.4922635 -0.35491721 -0.44854844 -0.49262809 -0.65101096 -0.63915498] [-0.4922635 -0.35491721 -0.44854844 -0.49262809 -0.65101096 -0.63915498 -0.56801947] [-0.35491721 -0.44854844 -0.49262809 -0.65101096 -0.63915498 -0.56801947 -0.42672144] [-0.44854844 -0.49262809 -0.65101096 -0.63915498 -0.56801947 -0.42672144 -0.5652836 ] [-0.49262809 -0.65101096 -0.63915498 -0.56801947 -0.42672144 -0.5652836 -0.66894689] [-0.65101096 -0.63915498 -0.56801947 -0.42672144 -0.5652836 -0.66894689 -0.65587485] [-0.63915498 -0.56801947 -0.42672144 -0.5652836 -0.66894689 -0.65587485 -0.86478211] [-0.56801947 -0.42672144 -0.5652836 -0.66894689 -0.65587485 -0.86478211 -0.69569846] [-0.42672144 -0.5652836 -0.66894689 -0.65587485 -0.86478211 -0.69569846 -0.48131966] [-0.5652836 -0.66894689 -0.65587485 -0.86478211 -0.69569846 -0.48131966 -0.50685535] [-0.66894689 -0.65587485 -0.86478211 -0.69569846 -0.48131966 -0.50685535 -0.62602226] [-0.65587485 -0.86478211 -0.69569846 -0.48131966 -0.50685535 -0.62602226 -0.5166438 ] [-0.86478211 -0.69569846 -0.48131966 -0.50685535 -0.62602226 -0.5166438 -0.5115977 ] [-0.69569846 -0.48131966 -0.50685535 -0.62602226 -0.5166438 -0.5115977 -0.54807742] [-0.48131966 -0.50685535 -0.62602226 -0.5166438 -0.5115977 -0.54807742 -0.62887985] [-0.50685535 -0.62602226 -0.5166438 -0.5115977 -0.54807742 -0.62887985 -0.77504195] [-0.62602226 -0.5166438 -0.5115977 -0.54807742 -0.62887985 -0.77504195 -0.80367848] [-0.5166438 -0.5115977 -0.54807742 -0.62887985 -0.77504195 -0.80367848 -0.69776581] [-0.5115977 -0.54807742 -0.62887985 -0.77504195 -0.80367848 -0.69776581 -0.66797389] [-0.54807742 -0.62887985 -0.77504195 -0.80367848 -0.69776581 -0.66797389 -0.64091822] [-0.62887985 -0.77504195 -0.80367848 -0.69776581 -0.66797389 -0.64091822 -0.57197158] [-0.77504195 -0.80367848 -0.69776581 -0.66797389 -0.64091822 -0.57197158 -0.42672144] [-0.80367848 -0.69776581 -0.66797389 -0.64091822 -0.57197158 -0.42672144 -0.47432738] [-0.69776581 -0.66797389 -0.64091822 -0.57197158 -0.42672144 -0.47432738 -0.18565155] [-0.66797389 -0.64091822 -0.57197158 -0.42672144 -0.47432738 -0.18565155 -0.20747837] [-0.64091822 -0.57197158 -0.42672144 -0.47432738 -0.18565155 -0.20747837 -0.25399015] [-0.57197158 -0.42672144 -0.47432738 -0.18565155 -0.20747837 -0.25399015 -0.18163838] [-0.42672144 -0.47432738 -0.18565155 -0.20747837 -0.25399015 -0.18163838 -0.44915666] [-0.47432738 -0.18565155 -0.20747837 -0.25399015 -0.18163838 -0.44915666 -0.23575011] [-0.18565155 -0.20747837 -0.25399015 -0.18163838 -0.44915666 -0.23575011 -0.35035725] [-0.20747837 -0.25399015 -0.18163838 -0.44915666 -0.23575011 -0.35035725 -0.29375309] [-0.25399015 -0.18163838 -0.44915666 -0.23575011 -0.35035725 -0.29375309 -0.27387135] [-0.18163838 -0.44915666 -0.23575011 -0.35035725 -0.29375309 -0.27387135 -0.14047718] [-0.44915666 -0.23575011 -0.35035725 -0.29375309 -0.27387135 -0.14047718 -0.03547666] [-0.23575011 -0.35035725 -0.29375309 -0.27387135 -0.14047718 -0.03547666 -0.08375149] [-0.35035725 -0.29375309 -0.27387135 -0.14047718 -0.03547666 -0.08375149 -0.09050015] [-0.29375309 -0.27387135 -0.14047718 -0.03547666 -0.08375149 -0.09050015 -0.06010039] [-0.27387135 -0.14047718 -0.03547666 -0.08375149 -0.09050015 -0.06010039 -0.08423762] [-0.14047718 -0.03547666 -0.08375149 -0.09050015 -0.06010039 -0.08423762 0.1405989 ] [-0.03547666 -0.08375149 -0.09050015 -0.06010039 -0.08423762 0.1405989 0.1582309 ] [-0.08375149 -0.09050015 -0.06010039 -0.08423762 0.1405989 0.1582309 0.12248076] [-0.09050015 -0.06010039 -0.08423762 0.1405989 0.1582309 0.12248076 0.20139842] [-0.06010039 -0.08423762 0.1405989 0.1582309 0.12248076 0.20139842 0.13731586] [-0.08423762 0.1405989 0.1582309 0.12248076 0.20139842 0.13731586 0.01565595] [ 0.1405989 0.1582309 0.12248076 0.20139842 0.13731586 0.01565595 -0.03018676] [ 0.1582309 0.12248076 0.20139842 0.13731586 0.01565595 -0.03018676 0.03717885] [ 0.12248076 0.20139842 0.13731586 0.01565595 -0.03018676 0.03717885 0.09238492] [ 0.20139842 0.13731586 0.01565595 -0.03018676 0.03717885 0.09238492 -0.19616956] [ 0.13731586 0.01565595 -0.03018676 0.03717885 0.09238492 -0.19616956 -0.09858659] [ 0.01565595 -0.03018676 0.03717885 0.09238492 -0.19616956 -0.09858659 0.06763947] [-0.03018676 0.03717885 0.09238492 -0.19616956 -0.09858659 0.06763947 -0.07128729] [ 0.03717885 0.09238492 -0.19616956 -0.09858659 0.06763947 -0.07128729 -0.06964596] [ 0.09238492 -0.19616956 -0.09858659 0.06763947 -0.07128729 -0.06964596 -0.03961061] [-0.19616956 -0.09858659 0.06763947 -0.07128729 -0.06964596 -0.03961061 -0.04362396] [-0.09858659 0.06763947 -0.07128729 -0.06964596 -0.03961061 -0.04362396 0.0215537 ] [ 0.06763947 -0.07128729 -0.06964596 -0.03961061 -0.04362396 0.0215537 0.02647845] [-0.07128729 -0.06964596 -0.03961061 -0.04362396 0.0215537 0.02647845 -0.04167795] [-0.06964596 -0.03961061 -0.04362396 0.0215537 0.02647845 -0.04167795 -0.07888723] [-0.03961061 -0.04362396 0.0215537 0.02647845 -0.04167795 -0.07888723 -0.05797255] [-0.04362396 0.0215537 0.02647845 -0.04167795 -0.07888723 -0.05797255 0.23058249]] --- Output y ---- [[-0.82058073] [-0.92023124] [-1. ] [-0.98814438] [-0.85961411] [-0.8706188 ] [-0.92661512] [-0.80118585] [-0.76288204] [-0.66499478] [-0.67289882] [-0.68220115] [-0.542119 ] [-0.46508592] [-0.21489592] [-0.17020823] [-0.08247456] [ 0.06411336] [ 0.0857576 ] [ 0.38604654] [ 0.39468034] [ 0.40708331] [ 0.55482607] [ 0.4571212 ] [ 0.217267 ] [ 0.38258092] [ 0.16187873] [ 0.16838432] [-0.00227998] [ 0.21903043] [ 0.16187873] [ 0.3212949 ] [ 0.21939484] [ 0.2579419 ] [ 0.30311627] [ 0.42818056] [ 0.42708622] [ 0.36190893] [ 0.34075119] [ 0.5010795 ] [ 0.53816706] [ 0.70001536] [ 0.88229221] [ 0.79577461] [ 0.88508912] [ 1. ] [ 0.92406145] [ 0.82860613] [ 0.68098508] [ 0.59264357] [ 0.47146979] [ 0.36482757] [ 0.2957594 ] [ 0.11719085] [ 0.03547666] [ 0.24943019] [ 0.35734934] [-0.06003953] [-0.1577444 ] [-0.08831108] [-0.14801663] [-0.07827939] [-0.19574392] [-0.18431376] [-0.59002904] [-0.4922635 ] [-0.35491721] [-0.44854844] [-0.49262809] [-0.65101096] [-0.63915498] [-0.56801947] [-0.42672144] [-0.5652836 ] [-0.66894689] [-0.65587485] [-0.86478211] [-0.69569846] [-0.48131966] [-0.50685535] [-0.62602226] [-0.5166438 ] [-0.5115977 ] [-0.54807742] [-0.62887985] [-0.77504195] [-0.80367848] [-0.69776581] [-0.66797389] [-0.64091822] [-0.57197158] [-0.42672144] [-0.47432738] [-0.18565155] [-0.20747837] [-0.25399015] [-0.18163838] [-0.44915666] [-0.23575011] [-0.35035725] [-0.29375309] [-0.27387135] [-0.14047718] [-0.03547666] [-0.08375149] [-0.09050015] [-0.06010039] [-0.08423762] [ 0.1405989 ] [ 0.1582309 ] [ 0.12248076] [ 0.20139842] [ 0.13731586] [ 0.01565595] [-0.03018676] [ 0.03717885] [ 0.09238492] [-0.19616956] [-0.09858659] [ 0.06763947] [-0.07128729] [-0.06964596] [-0.03961061] [-0.04362396] [ 0.0215537 ] [ 0.02647845] [-0.04167795] [-0.07888723] [-0.05797255] [ 0.23058249] [ 0.33600865]] Shape X: (131, 7) Shape y: (131, 1) Type X: <class 'numpy.ndarray'> Type y: <class 'numpy.ndarray'>
In order to perform proper testing on our dataset we will lop off the last 1/3 of it for validation (or testing). This is that once we train our model we have something to test it on (like any regression problem!). This splitting into training/testing sets is done in the cell below.
Note how here we are not splitting the dataset randomly as one typically would do when validating a regression model. This is because our input/output pairs are related temporally. We don't want to validate our model by training on a random subset of the series and then testing on another random subset, as this simulates the scenario that we receive new points within the timeframe of our training set.
We want to train on one solid chunk of the series (in our case, the first full 2/3 of it), and validate on a later chunk (the last 1/3) as this simulates how we would predict future values of a time series.
# Train/Set Split for Odd Numbers Dataset
print('y_odd_nums: ', y_odd_nums)
# split our dataset into training / testing sets
train_test_split_odd_nums = int(np.ceil(2*len(y_odd_nums)/float(3))) # set the split point
# partition the training set
X_train_odd_nums = X_odd_nums[:train_test_split_odd_nums,:]
y_train_odd_nums = y_odd_nums[:train_test_split_odd_nums]
# keep the last chunk for testing
X_test_odd_nums = X_odd_nums[train_test_split_odd_nums:,:]
y_test_odd_nums = y_odd_nums[train_test_split_odd_nums:]
# NOTE: to use Keras's RNN LSTM module our input must be reshaped to
# [samples, window size, stepsize]
X_train_odd_nums = np.asarray(np.reshape(X_train_odd_nums, (X_train_odd_nums.shape[0], window_size_odd_nums, 1)))
X_test_odd_nums = np.asarray(np.reshape(X_test_odd_nums, (X_test_odd_nums.shape[0], window_size_odd_nums, 1)))
print ('Shape X_train_odd_nums: ' + str(np.shape(X_train_odd_nums)))
print ('Shape y_train_odd_nums: ' + str(np.shape(y_train_odd_nums)))
print('Type X_train_odd_nums: ' + str(type(X_train_odd_nums)))
print('Type y_train_odd_nums: ' + str(type(y_train_odd_nums)))
print ('Shape X_test_odd_nums: ' + str(np.shape(X_test_odd_nums)))
print ('Shape y_test_odd_nums: ' + str(np.shape(y_test_odd_nums)))
print('Type X_test_odd_nums: ' + str(type(X_test_odd_nums)))
print('Type y_test_odd_nums: ' + str(type(y_test_odd_nums)))
print ('--- X_train_odd_nums ----')
print (X_train_odd_nums)
print ('--- X_test_odd_nums ----')
print (X_test_odd_nums)
print ('--- Y_train_odd_nums ----')
print (X_train_odd_nums)
print ('--- y_test_odd_nums ----')
print (X_test_odd_nums)
y_odd_nums: [[ 5] [ 7] [ 9] [11] [13]] Shape X_train_odd_nums: (4, 2, 1) Shape y_train_odd_nums: (4, 1) Type X_train_odd_nums: <class 'numpy.ndarray'> Type y_train_odd_nums: <class 'numpy.ndarray'> Shape X_test_odd_nums: (1, 2, 1) Shape y_test_odd_nums: (1, 1) Type X_test_odd_nums: <class 'numpy.ndarray'> Type y_test_odd_nums: <class 'numpy.ndarray'> --- X_train_odd_nums ---- [[[1] [3]] [[3] [5]] [[5] [7]] [[7] [9]]] --- X_test_odd_nums ---- [[[ 9] [11]]] --- Y_train_odd_nums ---- [[[1] [3]] [[3] [5]] [[5] [7]] [[7] [9]]] --- y_test_odd_nums ---- [[[ 9] [11]]]
# Train/Set Split for Financial Stocks Dataset
print('y', y)
# split our dataset into training / testing sets
train_test_split = int(np.ceil(2*len(y)/float(3))) # set the split point
# partition the training set
X_train = X[:train_test_split,:]
y_train = y[:train_test_split]
# keep the last chunk for testing
X_test = X[train_test_split:,:]
y_test = y[train_test_split:]
# NOTE: to use Keras's RNN LSTM module our input must be reshaped to
# [samples, window size, stepsize]
X_train = np.asarray(np.reshape(X_train, (X_train.shape[0], window_size, 1)))
X_test = np.asarray(np.reshape(X_test, (X_test.shape[0], window_size, 1)))
print ('Shape X_train: ' + str(np.shape(X_train)))
print ('Shape y_train: ' + str(np.shape(y_train)))
print('Type X_train: ' + str(type(X_train)))
print('Type y_train: ' + str(type(y_train)))
print ('Shape X_test: ' + str(np.shape(X_test)))
print ('Shape y_test: ' + str(np.shape(y_test)))
print('Type X_test: ' + str(type(X_test)))
print('Type y_test: ' + str(type(y_test)))
y [[-0.82058073] [-0.92023124] [-1. ] [-0.98814438] [-0.85961411] [-0.8706188 ] [-0.92661512] [-0.80118585] [-0.76288204] [-0.66499478] [-0.67289882] [-0.68220115] [-0.542119 ] [-0.46508592] [-0.21489592] [-0.17020823] [-0.08247456] [ 0.06411336] [ 0.0857576 ] [ 0.38604654] [ 0.39468034] [ 0.40708331] [ 0.55482607] [ 0.4571212 ] [ 0.217267 ] [ 0.38258092] [ 0.16187873] [ 0.16838432] [-0.00227998] [ 0.21903043] [ 0.16187873] [ 0.3212949 ] [ 0.21939484] [ 0.2579419 ] [ 0.30311627] [ 0.42818056] [ 0.42708622] [ 0.36190893] [ 0.34075119] [ 0.5010795 ] [ 0.53816706] [ 0.70001536] [ 0.88229221] [ 0.79577461] [ 0.88508912] [ 1. ] [ 0.92406145] [ 0.82860613] [ 0.68098508] [ 0.59264357] [ 0.47146979] [ 0.36482757] [ 0.2957594 ] [ 0.11719085] [ 0.03547666] [ 0.24943019] [ 0.35734934] [-0.06003953] [-0.1577444 ] [-0.08831108] [-0.14801663] [-0.07827939] [-0.19574392] [-0.18431376] [-0.59002904] [-0.4922635 ] [-0.35491721] [-0.44854844] [-0.49262809] [-0.65101096] [-0.63915498] [-0.56801947] [-0.42672144] [-0.5652836 ] [-0.66894689] [-0.65587485] [-0.86478211] [-0.69569846] [-0.48131966] [-0.50685535] [-0.62602226] [-0.5166438 ] [-0.5115977 ] [-0.54807742] [-0.62887985] [-0.77504195] [-0.80367848] [-0.69776581] [-0.66797389] [-0.64091822] [-0.57197158] [-0.42672144] [-0.47432738] [-0.18565155] [-0.20747837] [-0.25399015] [-0.18163838] [-0.44915666] [-0.23575011] [-0.35035725] [-0.29375309] [-0.27387135] [-0.14047718] [-0.03547666] [-0.08375149] [-0.09050015] [-0.06010039] [-0.08423762] [ 0.1405989 ] [ 0.1582309 ] [ 0.12248076] [ 0.20139842] [ 0.13731586] [ 0.01565595] [-0.03018676] [ 0.03717885] [ 0.09238492] [-0.19616956] [-0.09858659] [ 0.06763947] [-0.07128729] [-0.06964596] [-0.03961061] [-0.04362396] [ 0.0215537 ] [ 0.02647845] [-0.04167795] [-0.07888723] [-0.05797255] [ 0.23058249] [ 0.33600865]] Shape X_train: (88, 7, 1) Shape y_train: (88, 1) Type X_train: <class 'numpy.ndarray'> Type y_train: <class 'numpy.ndarray'> Shape X_test: (43, 7, 1) Shape y_test: (43, 1) Type X_test: <class 'numpy.ndarray'> Type y_test: <class 'numpy.ndarray'>
Having created input/output pairs out of our time series and cut this into training/testing sets, we can now begin setting up our RNN. We use Keras to quickly build a two hidden layer RNN of the following specifications
This can be constructed using just a few lines - see e.g., the general Keras documentation and the LTSM documentation in particular for examples of how to quickly use Keras to build neural network models. Make sure you are initializing your optimizer given the keras-recommended approach for RNNs
(given in the cell below). (remember to copy your completed function into the script my_answers.py function titled build_part1_RNN before submitting your project)
### DONE: create required RNN model
# import keras network libraries
!pip3 install keras
from keras.models import Sequential
from keras.layers import Dense
from keras.layers import LSTM
import keras
# given - fix random seed - so we can all reproduce the same results on our default time series
np.random.seed(0)
# DONE: build an RNN to perform regression on our time series input/output data
# layer 1 of Sequential model is defined using a LSTM module with:
# - 5 hidden units
# - input_shape = (window_size,1))
# - input_shape must be specified in the first layer, inferred by remainder
model = Sequential()
model.add(LSTM(5, input_shape=(window_size, 1)))
# layer 2 uses a fully connected module with one unit
model.add(Dense(1))
# build model using keras documentation recommended optimizer initialization
optimizer = keras.optimizers.RMSprop(lr=0.001,
rho=0.9,
epsilon=1e-08,
decay=0.0)
# compile the model using mean_squared_error loss function for regression
model.compile(loss='mean_squared_error',
optimizer=optimizer)
Requirement already satisfied: keras in /Library/Frameworks/Python.framework/Versions/3.6/lib/python3.6/site-packages Requirement already satisfied: six in /Library/Frameworks/Python.framework/Versions/3.6/lib/python3.6/site-packages (from keras) Requirement already satisfied: pyyaml in /Library/Frameworks/Python.framework/Versions/3.6/lib/python3.6/site-packages (from keras) Requirement already satisfied: theano in /Library/Frameworks/Python.framework/Versions/3.6/lib/python3.6/site-packages (from keras) Requirement already satisfied: scipy>=0.14 in /Library/Frameworks/Python.framework/Versions/3.6/lib/python3.6/site-packages (from theano->keras) Requirement already satisfied: numpy>=1.9.1 in /Library/Frameworks/Python.framework/Versions/3.6/lib/python3.6/site-packages (from theano->keras)
Using TensorFlow backend.
With your model built you can now fit the model by activating the cell below! Note: the number of epochs (np_epochs) and batch_size are preset (so we can all produce the same results). You can choose to toggle the verbose parameter - which gives you regular updates on the progress of the algorithm - on and off by setting it to 1 or 0 respectively.
# run your model!
model.fit(X_train,
y_train,
epochs=1000,
batch_size=50,
verbose=0)
<keras.callbacks.History at 0x11541bd68>
With your model fit we can now make predictions on both our training and testing sets.
# generate predictions for training
train_predict = model.predict(X_train)
test_predict = model.predict(X_test)
In the next cell we compute training and testing errors using our trained model - you should be able to achieve at least
training_error < 0.02
and
testing_error < 0.02
with your fully trained model.
If either or both of your accuracies are larger than 0.02 re-train your model - increasing the number of epochs you take (a maximum of around 1,000 should do the job) and/or adjusting your batch_size.
# print out training and testing errors
training_error = model.evaluate(X_train, y_train, verbose=0)
print('training error = ' + str(training_error))
testing_error = model.evaluate(X_test, y_test, verbose=0)
print('testing error = ' + str(testing_error))
training error = 0.0159961723469 testing error = 0.013991975832
Activating the next cell plots the original data, as well as both predictions on the training and testing sets.
### Plot everything - the original series as well as predictions on training and testing sets
import matplotlib.pyplot as plt
%matplotlib inline
# plot original series
plt.plot(dataset,color = 'k')
# plot training set prediction
split_pt = train_test_split + window_size
plt.plot(np.arange(window_size,split_pt,1),train_predict,color = 'b')
# plot testing set prediction
plt.plot(np.arange(split_pt,split_pt + len(test_predict),1),test_predict,color = 'r')
# pretty up graph
plt.xlabel('day')
plt.ylabel('(normalized) price of Apple stock')
plt.legend(['original series','training fit','testing fit'],loc='center left', bbox_to_anchor=(1, 0.5))
plt.show()
Note: you can try out any time series for this exercise! If you would like to try another see e.g., this site containing thousands of time series and pick another one!
In this project you will implement a popular Recurrent Neural Network (RNN) architecture to create an English language sequence generator capable of building semi-coherent English sentences from scratch by building them up character-by-character. This will require a substantial amount amount of parameter tuning on a large training corpus (at least 100,000 characters long). In particular for this project we will be using a complete version of Sir Arthur Conan Doyle's classic book The Adventures of Sherlock Holmes.
How can we train a machine learning model to generate text automatically, character-by-character? By showing the model many training examples so it can learn a pattern between input and output. With this type of text generation each input is a string of valid characters like this one
dogs are grea
whlie the corresponding output is the next character in the sentence - which here is 't' (since the complete sentence is 'dogs are great'). We need to show a model many such examples in order for it to make reasonable predictions.
Fun note: For those interested in how text generation is being used check out some of the following fun resources:
Generate wacky sentences with this academic RNN text generator
Various twitter bots that tweet automatically generated text likethis one.
the NanoGenMo annual contest to automatically produce a 50,000+ novel automatically
Robot Shakespeare a text generator that automatically produces Shakespear-esk sentences
Our first task is to get a large text corpus for use in training, and on it we perform a several light pre-processing tasks. The default corpus we will use is the classic book Sherlock Holmes, but you can use a variety of others as well - so long as they are fairly large (around 100,000 characters or more).
# read in the text, transforming everything to lower case
text = open('datasets/holmes.txt').read().lower()
print('our original text has ' + str(len(text)) + ' characters')
our original text has 581864 characters
Next, lets examine a bit of the raw text. Because we are interested in creating sentences of English words automatically by building up each word character-by-character, we only want to train on valid English words. In other words - we need to remove all of the other junk characters that aren't words!
### print out the first 1000 characters of the raw text to get a sense of what we need to throw out
text[:2000]
"\ufeffproject gutenberg's the adventures of sherlock holmes, by arthur conan doyle\n\nthis ebook is for the use of anyone anywhere at no cost and with\nalmost no restrictions whatsoever. you may copy it, give it away or\nre-use it under the terms of the project gutenberg license included\nwith this ebook or online at www.gutenberg.net\n\n\ntitle: the adventures of sherlock holmes\n\nauthor: arthur conan doyle\n\nposting date: april 18, 2011 [ebook #1661]\nfirst posted: november 29, 2002\n\nlanguage: english\n\n\n*** start of this project gutenberg ebook the adventures of sherlock holmes ***\n\n\n\n\nproduced by an anonymous project gutenberg volunteer and jose menendez\n\n\n\n\n\n\n\n\n\nthe adventures of sherlock holmes\n\nby\n\nsir arthur conan doyle\n\n\n\n i. a scandal in bohemia\n ii. the red-headed league\n iii. a case of identity\n iv. the boscombe valley mystery\n v. the five orange pips\n vi. the man with the twisted lip\n vii. the adventure of the blue carbuncle\nviii. the adventure of the speckled band\n ix. the adventure of the engineer's thumb\n x. the adventure of the noble bachelor\n xi. the adventure of the beryl coronet\n xii. the adventure of the copper beeches\n\n\n\n\nadventure i. a scandal in bohemia\n\ni.\n\nto sherlock holmes she is always the woman. i have seldom heard\nhim mention her under any other name. in his eyes she eclipses\nand predominates the whole of her sex. it was not that he felt\nany emotion akin to love for irene adler. all emotions, and that\none particularly, were abhorrent to his cold, precise but\nadmirably balanced mind. he was, i take it, the most perfect\nreasoning and observing machine that the world has seen, but as a\nlover he would have placed himself in a false position. he never\nspoke of the softer passions, save with a gibe and a sneer. they\nwere admirable things for the observer--excellent for drawing the\nveil from men's motives and actions. but for the trained reasoner\nto admit such intrusions into his own delicate and finely\nadjusted temperament was to introduce a dist"
Wow - there's a lot of junk here (i.e., weird uncommon character combinations - as this first character chunk contains the title and author page, as well as table of contents)! e.g., all the carriage return and newline sequences '\n' and '\r' sequences. We want to train our RNN on a large chunk of real english sentences - we don't want it to start thinking non-english words or strange characters are valid! - so lets clean up the data a bit.
First, since the dataset is so large and the first few hundred characters contain a lot of junk, lets cut it out. Lets also find-and-replace those newline tags with empty spaces.
### find and replace '\n' and '\r' symbols - replacing them
text = text[1302:]
text = text.replace('\n',' ') # replacing '\n' with '' simply removes the sequence
text = text.replace('\r',' ')
Lets see how the first 1000 characters of our text looks now!
### print out the first 1000 characters of the raw text to get a sense of what we need to throw out
text[:10000]
'is eyes she eclipses and predominates the whole of her sex. it was not that he felt any emotion akin to love for irene adler. all emotions, and that one particularly, were abhorrent to his cold, precise but admirably balanced mind. he was, i take it, the most perfect reasoning and observing machine that the world has seen, but as a lover he would have placed himself in a false position. he never spoke of the softer passions, save with a gibe and a sneer. they were admirable things for the observer--excellent for drawing the veil from men\'s motives and actions. but for the trained reasoner to admit such intrusions into his own delicate and finely adjusted temperament was to introduce a distracting factor which might throw a doubt upon all his mental results. grit in a sensitive instrument, or a crack in one of his own high-power lenses, would not be more disturbing than a strong emotion in a nature such as his. and yet there was but one woman to him, and that woman was the late irene adler, of dubious and questionable memory. i had seen little of holmes lately. my marriage had drifted us away from each other. my own complete happiness, and the home-centred interests which rise up around the man who first finds himself master of his own establishment, were sufficient to absorb all my attention, while holmes, who loathed every form of society with his whole bohemian soul, remained in our lodgings in baker street, buried among his old books, and alternating from week to week between cocaine and ambition, the drowsiness of the drug, and the fierce energy of his own keen nature. he was still, as ever, deeply attracted by the study of crime, and occupied his immense faculties and extraordinary powers of observation in following out those clues, and clearing up those mysteries which had been abandoned as hopeless by the official police. from time to time i heard some vague account of his doings: of his summons to odessa in the case of the trepoff murder, of his clearing up of the singular tragedy of the atkinson brothers at trincomalee, and finally of the mission which he had accomplished so delicately and successfully for the reigning family of holland. beyond these signs of his activity, however, which i merely shared with all the readers of the daily press, i knew little of my former friend and companion. one night--it was on the twentieth of march, 1888--i was returning from a journey to a patient (for i had now returned to civil practice), when my way led me through baker street. as i passed the well-remembered door, which must always be associated in my mind with my wooing, and with the dark incidents of the study in scarlet, i was seized with a keen desire to see holmes again, and to know how he was employing his extraordinary powers. his rooms were brilliantly lit, and, even as i looked up, i saw his tall, spare figure pass twice in a dark silhouette against the blind. he was pacing the room swiftly, eagerly, with his head sunk upon his chest and his hands clasped behind him. to me, who knew his every mood and habit, his attitude and manner told their own story. he was at work again. he had risen out of his drug-created dreams and was hot upon the scent of some new problem. i rang the bell and was shown up to the chamber which had formerly been in part my own. his manner was not effusive. it seldom was; but he was glad, i think, to see me. with hardly a word spoken, but with a kindly eye, he waved me to an armchair, threw across his case of cigars, and indicated a spirit case and a gasogene in the corner. then he stood before the fire and looked me over in his singular introspective fashion. "wedlock suits you," he remarked. "i think, watson, that you have put on seven and a half pounds since i saw you." "seven!" i answered. "indeed, i should have thought a little more. just a trifle more, i fancy, watson. and in practice again, i observe. you did not tell me that you intended to go into harness." "then, how do you know?" "i see it, i deduce it. how do i know that you have been getting yourself very wet lately, and that you have a most clumsy and careless servant girl?" "my dear holmes," said i, "this is too much. you would certainly have been burned, had you lived a few centuries ago. it is true that i had a country walk on thursday and came home in a dreadful mess, but as i have changed my clothes i can\'t imagine how you deduce it. as to mary jane, she is incorrigible, and my wife has given her notice, but there, again, i fail to see how you work it out." he chuckled to himself and rubbed his long, nervous hands together. "it is simplicity itself," said he; "my eyes tell me that on the inside of your left shoe, just where the firelight strikes it, the leather is scored by six almost parallel cuts. obviously they have been caused by someone who has very carelessly scraped round the edges of the sole in order to remove crusted mud from it. hence, you see, my double deduction that you had been out in vile weather, and that you had a particularly malignant boot-slitting specimen of the london slavey. as to your practice, if a gentleman walks into my rooms smelling of iodoform, with a black mark of nitrate of silver upon his right forefinger, and a bulge on the right side of his top-hat to show where he has secreted his stethoscope, i must be dull, indeed, if i do not pronounce him to be an active member of the medical profession." i could not help laughing at the ease with which he explained his process of deduction. "when i hear you give your reasons," i remarked, "the thing always appears to me to be so ridiculously simple that i could easily do it myself, though at each successive instance of your reasoning i am baffled until you explain your process. and yet i believe that my eyes are as good as yours." "quite so," he answered, lighting a cigarette, and throwing himself down into an armchair. "you see, but you do not observe. the distinction is clear. for example, you have frequently seen the steps which lead up from the hall to this room." "frequently." "how often?" "well, some hundreds of times." "then how many are there?" "how many? i don\'t know." "quite so! you have not observed. and yet you have seen. that is just my point. now, i know that there are seventeen steps, because i have both seen and observed. by-the-way, since you are interested in these little problems, and since you are good enough to chronicle one or two of my trifling experiences, you may be interested in this." he threw over a sheet of thick, pink-tinted note-paper which had been lying open upon the table. "it came by the last post," said he. "read it aloud." the note was undated, and without either signature or address. "there will call upon you to-night, at a quarter to eight o\'clock," it said, "a gentleman who desires to consult you upon a matter of the very deepest moment. your recent services to one of the royal houses of europe have shown that you are one who may safely be trusted with matters which are of an importance which can hardly be exaggerated. this account of you we have from all quarters received. be in your chamber then at that hour, and do not take it amiss if your visitor wear a mask." "this is indeed a mystery," i remarked. "what do you imagine that it means?" "i have no data yet. it is a capital mistake to theorize before one has data. insensibly one begins to twist facts to suit theories, instead of theories to suit facts. but the note itself. what do you deduce from it?" i carefully examined the writing, and the paper upon which it was written. "the man who wrote it was presumably well to do," i remarked, endeavouring to imitate my companion\'s processes. "such paper could not be bought under half a crown a packet. it is peculiarly strong and stiff." "peculiar--that is the very word," said holmes. "it is not an english paper at all. hold it up to the light." i did so, and saw a large "e" with a small "g," a "p," and a large "g" with a small "t" woven into the texture of the paper. "what do you make of that?" asked holmes. "the name of the maker, no doubt; or his monogram, rather." "not at all. the \'g\' with the small \'t\' stands for \'gesellschaft,\' which is the german for \'company.\' it is a customary contraction like our \'co.\' \'p,\' of course, stands for \'papier.\' now for the \'eg.\' let us glance at our continental gazetteer." he took down a heavy brown volume from his shelves. "eglow, eglonitz--here we are, egria. it is in a german-speaking country--in bohemia, not far from carlsbad. \'remarkable as being the scene of the death of wallenstein, and for its numerous glass-factories and paper-mills.\' ha, ha, my boy, what do you make of that?" his eyes sparkled, and he sent up a great blue triumphant cloud from his cigarette. "the paper was made in bohemia," i said. "precisely. and the man who wrote the note is a german. do you note the peculiar construction of the sentence--\'this account of you we have from all quarters received.\' a frenchman or russian could not have written that. it is the german who is so uncourteous to his verbs. it only remains, therefore, to discover what is wanted by this german who writes upon bohemian paper and prefers wearing a mask to showing his face. and here he comes, if i am not mistaken, to resolve all our doubts." as he spoke there was the sharp sound of horses\' hoofs and grating wheels against the curb, followed by a sharp pull at the bell. holmes whistled. "a pair, by the sound," said he. "yes," he continued, glancing out of the window. "a nice little brougham and a pair of beauties. a hundred and fifty guineas apiece. there\'s money in this case, watson, if there is nothing else." "i think that i had better go, holmes." "not a bit, doctor. stay where you are. i am lost without my boswell. and this promises to be interesting. it would be a pity to miss it." "but your client--" "never mind him. i may want your help, and so may he. here he comes. sit'
Lets make sure we haven't left any other non-English/proper punctuation (commas, periods, etc., are ok) characters lurking around in the depths of the text. You can do this by ennumerating all the text's unique characters, examining them, and then replacing any unwanted (non-english) characters with empty spaces! Once we find all of the text's unique characters, we can remove all of the non-English/proper punctuation ones in the next cell. Note: don't remove necessary punctuation marks! (given in the cell below).
(remember to copy your completed function into the script my_answers.py function titled clean_text before submitting your project)
### DONE: list all unique characters in the text and remove any non-english ones
# find all unique characters in the text
# import regular expressions library
import re
# retrieve all unique characters by applying the set function
# and then converting from list to string
unique = ''.join(list(set(text)))
print('unique before cleanse: ', unique)
# remove as many non-english characters and character
# sequences as you can, with the exception of
# necessary punctuation marks
# test string used to check regex
# text = 'èéà&%$*@â\'[](){}⟨⟩:,-!.‹›«»?‘’“”\'\'";\\/ -- \"test;\" test. test? \'test\'"'
# remove non-english chars i.e.: èéà&%$*@â\/ but
# and replace punctuation i.e.: “ --> ", and ‘ --> '
# and remove undesired punctuation i.e.: [](){}⟨⟩--‹›«»
# but do not remove characters including (where \ is the
# escape prefix):
# .?\-,:;\"\'
text = text.replace("“", "\"").replace("”", "\"")
text = text.replace("‘", "\'").replace("’", "\'")
text = re.sub(r'[^a-zA-Z!.?\-,:;\"\']', ' ', text)
# remove double dashes
text = text.replace("--", "")
# remove fullstops just infront of a word
text = re.sub(r'!.\b(?!\w)', ' ', text)
# remove other fullstops not immediately before/after word
text = re.sub(r'!.(?!\w)', ' ', text)
# shorten any extra dead space created above
text = text.replace(' ',' ')
unique = ''.join(list(set(text)))
print('unique after cleanse: ', unique)
unique before cleanse: g8c.9p, z-eèjnd(")yf3$l14v&bs/6%@ux:iawt7m;k05âàh!éq'2?*ro
unique after cleanse: gc.p, z-ejnd"yflvbsux:iawtm;kh!q'?ro
With your chosen characters removed print out the first few hundred lines again just to double check that everything looks good.
### print out the first 2000 characters of the raw text to get a sense of what we need to throw out
text[:2000]
"is eyes she eclipses and predominates the whole of her sex. it was not that he felt any emotion akin to love for irene adler. all emotions, and that one particularly, were abhorrent to his cold, precise but admirably balanced mind. he was, i take it, the most perfect reasoning and observing machine that the world has seen, but as a lover he would have placed himself in a false position. he never spoke of the softer passions, save with a gibe and a sneer. they were admirable things for the observerexcellent for drawing the veil from men's motives and actions. but for the trained reasoner to admit such intrusions into his own delicate and finely adjusted temperament was to introduce a distracting factor which might throw a doubt upon all his mental results. grit in a sensitive instrument, or a crack in one of his own high-power lenses, would not be more disturbing than a strong emotion in a nature such as his. and yet there was but one woman to him, and that woman was the late irene adler, of dubious and questionable memory. i had seen little of holmes lately. my marriage had drifted us away from each other. my own complete happiness, and the home-centred interests which rise up around the man who first finds himself master of his own establishment, were sufficient to absorb all my attention, while holmes, who loathed every form of society with his whole bohemian soul, remained in our lodgings in baker street, buried among his old books, and alternating from week to week between cocaine and ambition, the drowsiness of the drug, and the fierce energy of his own keen nature. he was still, as ever, deeply attracted by the study of crime, and occupied his immense faculties and extraordinary powers of observation in following out those clues, and clearing up those mysteries which had been abandoned as hopeless by the official police. from time to time i heard some vague account of his doings: of his summons to odessa in the case of the trepoff murder, of his clearing up of"
Now that we have thrown out a good number of non-English characters/character sequences lets print out some statistics about the dataset - including number of total characters and number of unique characters.
# count the number of unique characters in the text
chars = sorted(list(set(text)))
# print some of the text, as well as statistics
print ("this corpus has " + str(len(text)) + " total number of characters")
print ("this corpus has " + str(len(chars)) + " unique characters")
this corpus has 576629 total number of characters this corpus has 36 unique characters
Now that we have our text all cleaned up, how can we use it to train a model to generate sentences automatically? First we need to train a machine learning model - and in order to do that we need a set of input/output pairs for a model to train on. How can we create a set of input/output pairs from our text to train on?
Remember in part 1 of this notebook how we used a sliding window to extract input/output pairs from a time series? We do the same thing here! We slide a window of length $T$ along our giant text corpus - everything in the window becomes one input while the character following becomes its corresponding output. This process of extracting input/output pairs is illustrated in the gif below on a small example text using a window size of T = 5.

Notice one aspect of the sliding window in this gif that does not mirror the analaogous gif for time series shown in part 1 of the notebook - we do not need to slide the window along one character at a time but can move by a fixed step size $M$ greater than 1 (in the gif indeed $M = 1$). This is done with large input texts (like ours which has over 500,000 characters!) when sliding the window along one character at a time we would create far too many input/output pairs to be able to reasonably compute with.
More formally lets denote our text corpus - which is one long string of characters - as follows
$$s_{0},s_{1},s_{2},...,s_{P}$$where $P$ is the length of the text (again for our text $P \approx 500,000!$). Sliding a window of size T = 5 with a step length of M = 1 (these are the parameters shown in the gif above) over this sequence produces the following list of input/output pairs
$$\begin{array}{c|c} \text{Input} & \text{Output}\\ \hline \color{CornflowerBlue} {\langle s_{1},s_{2},s_{3},s_{4},s_{5}\rangle} & \color{Goldenrod}{ s_{6}} \\ \ \color{CornflowerBlue} {\langle s_{2},s_{3},s_{4},s_{5},s_{6} \rangle } & \color{Goldenrod} {s_{7} } \\ \color{CornflowerBlue} {\vdots} & \color{Goldenrod} {\vdots}\\ \color{CornflowerBlue} { \langle s_{P-5},s_{P-4},s_{P-3},s_{P-2},s_{P-1} \rangle } & \color{Goldenrod} {s_{P}} \end{array}$$Notice here that each input is a sequence (or vector) of 4 characters (and in general has length equal to the window size T) while each corresponding output is a single character. We created around P total number of input/output pairs (for general step size M we create around ceil(P/M) pairs).
Now its time for you to window the input time series as described above!
TODO: Create a function that runs a sliding window along the input text and creates associated input/output pairs. A skeleton function has been provided for you. Note that this function should input a) the text b) the window size and c) the step size, and return the input/output sequences. Note: the return items should be lists - not numpy arrays.
(remember to copy your completed function into the script my_answers.py function titled window_transform_text before submitting your project)
### DONE: fill out the function below that transforms the input
### text and window-size into a set of input/output pairs for use
### with our RNN model
def window_transform_text(text,window_size,step_size):
# containers for input/output pairs
inputs = []
outputs = []
# iteratively slide the window-size over the input series
# to generate input/output pairs with each move being of
# length step_size
for i in range(0, len(text) - window_size, step_size):
inputs.append(text[i : i + window_size])
outputs.append(text[i + window_size])
return inputs,outputs
With our function complete we can now use it to produce input/output pairs! We employ the function in the next cell, where the window_size = 50 and step_size = 5.
# run your text window-ing function
window_size = 100
step_size = 5
inputs, outputs = window_transform_text(text,window_size,step_size)
Lets print out a few input/output pairs to verify that we have made the right sort of stuff!
# print out a few of the input/output pairs to verify that we've made the right kind of stuff to learn from
print('input = ' + inputs[2])
print('output = ' + outputs[2])
print('--------------')
print('input = ' + inputs[100])
print('output = ' + outputs[100])
input = e eclipses and predominates the whole of her sex. it was not that he felt any emotion akin to love f output = o -------------- input = erexcellent for drawing the veil from men's motives and actions. but for the trained reasoner to adm output = i
Looks good!
In part 1 of this notebook we used the same pre-processing technique - the sliding window - to produce a set of training input/output pairs to tackle the problem of time series prediction by treating the problem as one of regression. So what sort of problem do we have here now, with text generation? Well, the time series prediction was a regression problem because the output (one value of the time series) was a continuous value. Here - for character-by-character text generation - each output is a single character. This isn't a continuous value - but a distinct class - therefore character-by-character text generation is a classification problem.
How many classes are there in the data? Well, the number of classes is equal to the number of unique characters we have to predict! How many of those were there in our dataset again? Lets print out the value again.
# print out the number of unique characters in the dataset
chars = sorted(list(set(text)))
print ("this corpus has " + str(len(chars)) + " unique characters")
print ('and these characters are ')
print (chars)
this corpus has 36 unique characters and these characters are [' ', '!', '"', "'", ',', '-', '.', ':', ';', '?', 'a', 'b', 'c', 'd', 'e', 'f', 'g', 'h', 'i', 'j', 'k', 'l', 'm', 'n', 'o', 'p', 'q', 'r', 's', 't', 'u', 'v', 'w', 'x', 'y', 'z']
Rockin' - so we have a multi-class classification problem on our hands!
There's just one last issue we have to deal with before tackle: machine learning algorithm deal with numerical data and all of our input/output pairs are characters. So we just need to transform our characters into equivalent numerical values. The most common way of doing this is via a 'one-hot encoding' scheme. Here's how it works.
We transform each character in our inputs/outputs into a vector with length equal to the number of unique characters in our text. This vector is all zeros except one location where we place a 1 - and this location is unique to each character type. e.g., we transform 'a', 'b', and 'c' as follows
$$a\longleftarrow\left[\begin{array}{c} 1\\ 0\\ 0\\ \vdots\\ 0\\ 0 \end{array}\right]\,\,\,\,\,\,\,b\longleftarrow\left[\begin{array}{c} 0\\ 1\\ 0\\ \vdots\\ 0\\ 0 \end{array}\right]\,\,\,\,\,c\longleftarrow\left[\begin{array}{c} 0\\ 0\\ 1\\ \vdots\\ 0\\ 0 \end{array}\right]\cdots$$where each vector has 32 entries (or in general: number of entries = number of unique characters in text).
The first practical step towards doing this one-hot encoding is to form a dictionary mapping each unique character to a unique integer, and one dictionary to do the reverse mapping. We can then use these dictionaries to quickly make our one-hot encodings, as well as re-translate (from integers to characters) the results of our trained RNN classification model.
# this dictionary is a function mapping each unique character to a unique integer
chars_to_indices = dict((c, i) for i, c in enumerate(chars)) # map each unique character to unique integer
# this dictionary is a function mapping each unique integer back to a unique character
indices_to_chars = dict((i, c) for i, c in enumerate(chars)) # map each unique integer back to unique character
print('chars_to_indices: ', chars_to_indices)
print('indices_to_chars:', indices_to_chars)
chars_to_indices: {' ': 0, '!': 1, '"': 2, "'": 3, ',': 4, '-': 5, '.': 6, ':': 7, ';': 8, '?': 9, 'a': 10, 'b': 11, 'c': 12, 'd': 13, 'e': 14, 'f': 15, 'g': 16, 'h': 17, 'i': 18, 'j': 19, 'k': 20, 'l': 21, 'm': 22, 'n': 23, 'o': 24, 'p': 25, 'q': 26, 'r': 27, 's': 28, 't': 29, 'u': 30, 'v': 31, 'w': 32, 'x': 33, 'y': 34, 'z': 35}
indices_to_chars: {0: ' ', 1: '!', 2: '"', 3: "'", 4: ',', 5: '-', 6: '.', 7: ':', 8: ';', 9: '?', 10: 'a', 11: 'b', 12: 'c', 13: 'd', 14: 'e', 15: 'f', 16: 'g', 17: 'h', 18: 'i', 19: 'j', 20: 'k', 21: 'l', 22: 'm', 23: 'n', 24: 'o', 25: 'p', 26: 'q', 27: 'r', 28: 's', 29: 't', 30: 'u', 31: 'v', 32: 'w', 33: 'x', 34: 'y', 35: 'z'}
Now we can transform our input/output pairs - consisting of characters - to equivalent input/output pairs made up of one-hot encoded vectors. In the next cell we provide a function for doing just this: it takes in the raw character input/outputs and returns their numerical versions. In particular the numerical input is given as $\bf{X}$, and numerical output is given as the $\bf{y}$
# transform character-based input/output into equivalent numerical versions
def encode_io_pairs(text,window_size,step_size):
# number of unique chars
chars = sorted(list(set(text)))
print('unique chars: ', chars)
num_chars = len(chars)
print('num_chars: ', num_chars)
# cut up text into character input/output pairs
inputs, outputs = window_transform_text(text,window_size,step_size)
print('inputs: ', inputs)
print('outputs: ', outputs)
# create empty vessels for one-hot encoded input/output
X = np.zeros((len(inputs), window_size, num_chars), dtype=np.bool)
y = np.zeros((len(inputs), num_chars), dtype=np.bool)
print('X: ', X)
print('y: ', y)
# loop over inputs/outputs and tranform and store in X/y
for i, sentence in enumerate(inputs):
for t, char in enumerate(sentence):
X[i, t, chars_to_indices[char]] = 1
y[i, chars_to_indices[outputs[i]]] = 1
print('Output X: ', X)
print('Output y: ', y)
return X,y
Now run the one-hot encoding function by activating the cell below and transform our input/output pairs!
# use your function
window_size = 100
step_size = 5
X,y = encode_io_pairs(text,window_size,step_size)
unique chars: [' ', '!', '"', "'", ',', '-', '.', ':', ';', '?', 'a', 'b', 'c', 'd', 'e', 'f', 'g', 'h', 'i', 'j', 'k', 'l', 'm', 'n', 'o', 'p', 'q', 'r', 's', 't', 'u', 'v', 'w', 'x', 'y', 'z'] num_chars: 36 inputs: ['is eyes she eclipses and predominates the whole of her sex. it was not that he felt any emotion akin', 'es she eclipses and predominates the whole of her sex. it was not that he felt any emotion akin to l', 'e eclipses and predominates the whole of her sex. it was not that he felt any emotion akin to love f', 'ipses and predominates the whole of her sex. it was not that he felt any emotion akin to love for ir', ' and predominates the whole of her sex. it was not that he felt any emotion akin to love for irene a', 'predominates the whole of her sex. it was not that he felt any emotion akin to love for irene adler.', 'minates the whole of her sex. it was not that he felt any emotion akin to love for irene adler. all ', 'es the whole of her sex. it was not that he felt any emotion akin to love for irene adler. all emoti', 'e whole of her sex. it was not that he felt any emotion akin to love for irene adler. all emotions, ', 'le of her sex. it was not that he felt any emotion akin to love for irene adler. all emotions, and t', ' her sex. it was not that he felt any emotion akin to love for irene adler. all emotions, and that o', 'sex. it was not that he felt any emotion akin to love for irene adler. all emotions, and that one pa', 'it was not that he felt any emotion akin to love for irene adler. all emotions, and that one particu', 's not that he felt any emotion akin to love for irene adler. all emotions, and that one particularly', ' that he felt any emotion akin to love for irene adler. all emotions, and that one particularly, wer', ' he felt any emotion akin to love for irene adler. all emotions, and that one particularly, were abh', 'elt any emotion akin to love for irene adler. all emotions, and that one particularly, were abhorren', 'ny emotion akin to love for irene adler. all emotions, and that one particularly, were abhorrent to ', 'otion akin to love for irene adler. all emotions, and that one particularly, were abhorrent to his c', ' akin to love for irene adler. all emotions, and that one particularly, were abhorrent to his cold, ', ' to love for irene adler. all emotions, and that one particularly, were abhorrent to his cold, preci', 'ove for irene adler. all emotions, and that one particularly, were abhorrent to his cold, precise bu', 'or irene adler. all emotions, and that one particularly, were abhorrent to his cold, precise but adm', 'ene adler. all emotions, and that one particularly, were abhorrent to his cold, precise but admirabl', 'dler. all emotions, and that one particularly, were abhorrent to his cold, precise but admirably bal', ' all emotions, and that one particularly, were abhorrent to his cold, precise but admirably balanced', 'emotions, and that one particularly, were abhorrent to his cold, precise but admirably balanced mind', 'ons, and that one particularly, were abhorrent to his cold, precise but admirably balanced mind. he ', 'and that one particularly, were abhorrent to his cold, precise but admirably balanced mind. he was, ', 'hat one particularly, were abhorrent to his cold, precise but admirably balanced mind. he was, i tak', 'ne particularly, were abhorrent to his cold, precise but admirably balanced mind. he was, i take it,', 'rticularly, were abhorrent to his cold, precise but admirably balanced mind. he was, i take it, the ', 'larly, were abhorrent to his cold, precise but admirably balanced mind. he was, i take it, the most ', ', were abhorrent to his cold, precise but admirably balanced mind. he was, i take it, the most perfe', 'e abhorrent to his cold, precise but admirably balanced mind. he was, i take it, the most perfect re', 'orrent to his cold, precise but admirably balanced mind. he was, i take it, the most perfect reasoni', 't to his cold, precise but admirably balanced mind. he was, i take it, the most perfect reasoning an', 'his cold, precise but admirably balanced mind. he was, i take it, the most perfect reasoning and obs', 'old, precise but admirably balanced mind. he was, i take it, the most perfect reasoning and observin', 'precise but admirably balanced mind. he was, i take it, the most perfect reasoning and observing mac', 'se but admirably balanced mind. he was, i take it, the most perfect reasoning and observing machine ', 't admirably balanced mind. he was, i take it, the most perfect reasoning and observing machine that ', 'irably balanced mind. he was, i take it, the most perfect reasoning and observing machine that the w', 'y balanced mind. he was, i take it, the most perfect reasoning and observing machine that the world ', 'anced mind. he was, i take it, the most perfect reasoning and observing machine that the world has s', ' mind. he was, i take it, the most perfect reasoning and observing machine that the world has seen, ', '. he was, i take it, the most perfect reasoning and observing machine that the world has seen, but a', 'was, i take it, the most perfect reasoning and observing machine that the world has seen, but as a l', 'i take it, the most perfect reasoning and observing machine that the world has seen, but as a lover ', 'e it, the most perfect reasoning and observing machine that the world has seen, but as a lover he wo', ' the most perfect reasoning and observing machine that the world has seen, but as a lover he would h', 'most perfect reasoning and observing machine that the world has seen, but as a lover he would have p', 'perfect reasoning and observing machine that the world has seen, but as a lover he would have placed', 'ct reasoning and observing machine that the world has seen, but as a lover he would have placed hims', 'asoning and observing machine that the world has seen, but as a lover he would have placed himself i', 'ng and observing machine that the world has seen, but as a lover he would have placed himself in a f', 'd observing machine that the world has seen, but as a lover he would have placed himself in a false ', 'erving machine that the world has seen, but as a lover he would have placed himself in a false posit', 'g machine that the world has seen, but as a lover he would have placed himself in a false position. ', 'hine that the world has seen, but as a lover he would have placed himself in a false position. he ne', 'that the world has seen, but as a lover he would have placed himself in a false position. he never s', 'the world has seen, but as a lover he would have placed himself in a false position. he never spoke ', 'orld has seen, but as a lover he would have placed himself in a false position. he never spoke of th', 'has seen, but as a lover he would have placed himself in a false position. he never spoke of the sof', 'een, but as a lover he would have placed himself in a false position. he never spoke of the softer p', 'but as a lover he would have placed himself in a false position. he never spoke of the softer passio', 's a lover he would have placed himself in a false position. he never spoke of the softer passions, s', 'over he would have placed himself in a false position. he never spoke of the softer passions, save w', 'he would have placed himself in a false position. he never spoke of the softer passions, save with a', 'uld have placed himself in a false position. he never spoke of the softer passions, save with a gibe', 'ave placed himself in a false position. he never spoke of the softer passions, save with a gibe and ', 'laced himself in a false position. he never spoke of the softer passions, save with a gibe and a sne', ' himself in a false position. he never spoke of the softer passions, save with a gibe and a sneer. t', 'elf in a false position. he never spoke of the softer passions, save with a gibe and a sneer. they w', 'n a false position. he never spoke of the softer passions, save with a gibe and a sneer. they were a', 'alse position. he never spoke of the softer passions, save with a gibe and a sneer. they were admira', 'position. he never spoke of the softer passions, save with a gibe and a sneer. they were admirable t', 'ion. he never spoke of the softer passions, save with a gibe and a sneer. they were admirable things', 'he never spoke of the softer passions, save with a gibe and a sneer. they were admirable things for ', 'ver spoke of the softer passions, save with a gibe and a sneer. they were admirable things for the o', 'poke of the softer passions, save with a gibe and a sneer. they were admirable things for the observ', 'of the softer passions, save with a gibe and a sneer. they were admirable things for the observerexc', 'e softer passions, save with a gibe and a sneer. they were admirable things for the observerexcellen', 'ter passions, save with a gibe and a sneer. they were admirable things for the observerexcellent for', 'assions, save with a gibe and a sneer. they were admirable things for the observerexcellent for draw', 'ns, save with a gibe and a sneer. they were admirable things for the observerexcellent for drawing t', 'ave with a gibe and a sneer. they were admirable things for the observerexcellent for drawing the ve', 'ith a gibe and a sneer. they were admirable things for the observerexcellent for drawing the veil fr', ' gibe and a sneer. they were admirable things for the observerexcellent for drawing the veil from me', " and a sneer. they were admirable things for the observerexcellent for drawing the veil from men's m", "a sneer. they were admirable things for the observerexcellent for drawing the veil from men's motive", "er. they were admirable things for the observerexcellent for drawing the veil from men's motives and", "hey were admirable things for the observerexcellent for drawing the veil from men's motives and acti", "ere admirable things for the observerexcellent for drawing the veil from men's motives and actions. ", "dmirable things for the observerexcellent for drawing the veil from men's motives and actions. but f", "ble things for the observerexcellent for drawing the veil from men's motives and actions. but for th", "hings for the observerexcellent for drawing the veil from men's motives and actions. but for the tra", " for the observerexcellent for drawing the veil from men's motives and actions. but for the trained ", "the observerexcellent for drawing the veil from men's motives and actions. but for the trained reaso", "bserverexcellent for drawing the veil from men's motives and actions. but for the trained reasoner t", "erexcellent for drawing the veil from men's motives and actions. but for the trained reasoner to adm", "ellent for drawing the veil from men's motives and actions. but for the trained reasoner to admit su", "t for drawing the veil from men's motives and actions. but for the trained reasoner to admit such in", " drawing the veil from men's motives and actions. but for the trained reasoner to admit such intrusi", "ing the veil from men's motives and actions. but for the trained reasoner to admit such intrusions i", "he veil from men's motives and actions. but for the trained reasoner to admit such intrusions into h", "il from men's motives and actions. but for the trained reasoner to admit such intrusions into his ow", "om men's motives and actions. but for the trained reasoner to admit such intrusions into his own del", "n's motives and actions. but for the trained reasoner to admit such intrusions into his own delicate", 'otives and actions. but for the trained reasoner to admit such intrusions into his own delicate and ', 's and actions. but for the trained reasoner to admit such intrusions into his own delicate and finel', ' actions. but for the trained reasoner to admit such intrusions into his own delicate and finely adj', 'ons. but for the trained reasoner to admit such intrusions into his own delicate and finely adjusted', 'but for the trained reasoner to admit such intrusions into his own delicate and finely adjusted temp', 'or the trained reasoner to admit such intrusions into his own delicate and finely adjusted temperame', 'e trained reasoner to admit such intrusions into his own delicate and finely adjusted temperament wa', 'ined reasoner to admit such intrusions into his own delicate and finely adjusted temperament was to ', 'reasoner to admit such intrusions into his own delicate and finely adjusted temperament was to intro', 'ner to admit such intrusions into his own delicate and finely adjusted temperament was to introduce ', 'o admit such intrusions into his own delicate and finely adjusted temperament was to introduce a dis', 'it such intrusions into his own delicate and finely adjusted temperament was to introduce a distract', 'ch intrusions into his own delicate and finely adjusted temperament was to introduce a distracting f', 'trusions into his own delicate and finely adjusted temperament was to introduce a distracting factor', 'ons into his own delicate and finely adjusted temperament was to introduce a distracting factor whic', 'nto his own delicate and finely adjusted temperament was to introduce a distracting factor which mig', 'is own delicate and finely adjusted temperament was to introduce a distracting factor which might th', 'n delicate and finely adjusted temperament was to introduce a distracting factor which might throw a', 'icate and finely adjusted temperament was to introduce a distracting factor which might throw a doub', ' and finely adjusted temperament was to introduce a distracting factor which might throw a doubt upo', 'finely adjusted temperament was to introduce a distracting factor which might throw a doubt upon all', 'y adjusted temperament was to introduce a distracting factor which might throw a doubt upon all his ', 'usted temperament was to introduce a distracting factor which might throw a doubt upon all his menta', ' temperament was to introduce a distracting factor which might throw a doubt upon all his mental res', 'erament was to introduce a distracting factor which might throw a doubt upon all his mental results.', 'nt was to introduce a distracting factor which might throw a doubt upon all his mental results. grit', 's to introduce a distracting factor which might throw a doubt upon all his mental results. grit in a', 'introduce a distracting factor which might throw a doubt upon all his mental results. grit in a sens', 'duce a distracting factor which might throw a doubt upon all his mental results. grit in a sensitive', 'a distracting factor which might throw a doubt upon all his mental results. grit in a sensitive inst', 'tracting factor which might throw a doubt upon all his mental results. grit in a sensitive instrumen', 'ing factor which might throw a doubt upon all his mental results. grit in a sensitive instrument, or', 'actor which might throw a doubt upon all his mental results. grit in a sensitive instrument, or a cr', ' which might throw a doubt upon all his mental results. grit in a sensitive instrument, or a crack i', 'h might throw a doubt upon all his mental results. grit in a sensitive instrument, or a crack in one', 'ht throw a doubt upon all his mental results. grit in a sensitive instrument, or a crack in one of h', 'row a doubt upon all his mental results. grit in a sensitive instrument, or a crack in one of his ow', ' doubt upon all his mental results. grit in a sensitive instrument, or a crack in one of his own hig', 't upon all his mental results. grit in a sensitive instrument, or a crack in one of his own high-pow', 'n all his mental results. grit in a sensitive instrument, or a crack in one of his own high-power le', ' his mental results. grit in a sensitive instrument, or a crack in one of his own high-power lenses,', 'mental results. grit in a sensitive instrument, or a crack in one of his own high-power lenses, woul', 'l results. grit in a sensitive instrument, or a crack in one of his own high-power lenses, would not', 'ults. grit in a sensitive instrument, or a crack in one of his own high-power lenses, would not be m', ' grit in a sensitive instrument, or a crack in one of his own high-power lenses, would not be more d', ' in a sensitive instrument, or a crack in one of his own high-power lenses, would not be more distur', ' sensitive instrument, or a crack in one of his own high-power lenses, would not be more disturbing ', 'itive instrument, or a crack in one of his own high-power lenses, would not be more disturbing than ', ' instrument, or a crack in one of his own high-power lenses, would not be more disturbing than a str', 'rument, or a crack in one of his own high-power lenses, would not be more disturbing than a strong e', 't, or a crack in one of his own high-power lenses, would not be more disturbing than a strong emotio', ' a crack in one of his own high-power lenses, would not be more disturbing than a strong emotion in ', 'ack in one of his own high-power lenses, would not be more disturbing than a strong emotion in a nat', 'n one of his own high-power lenses, would not be more disturbing than a strong emotion in a nature s', ' of his own high-power lenses, would not be more disturbing than a strong emotion in a nature such a', 'is own high-power lenses, would not be more disturbing than a strong emotion in a nature such as his', 'n high-power lenses, would not be more disturbing than a strong emotion in a nature such as his. and', 'h-power lenses, would not be more disturbing than a strong emotion in a nature such as his. and yet ', 'er lenses, would not be more disturbing than a strong emotion in a nature such as his. and yet there', 'nses, would not be more disturbing than a strong emotion in a nature such as his. and yet there was ', ' would not be more disturbing than a strong emotion in a nature such as his. and yet there was but o', 'd not be more disturbing than a strong emotion in a nature such as his. and yet there was but one wo', ' be more disturbing than a strong emotion in a nature such as his. and yet there was but one woman t', 'ore disturbing than a strong emotion in a nature such as his. and yet there was but one woman to him', 'isturbing than a strong emotion in a nature such as his. and yet there was but one woman to him, and', 'bing than a strong emotion in a nature such as his. and yet there was but one woman to him, and that', 'than a strong emotion in a nature such as his. and yet there was but one woman to him, and that woma', 'a strong emotion in a nature such as his. and yet there was but one woman to him, and that woman was', 'ong emotion in a nature such as his. and yet there was but one woman to him, and that woman was the ', 'motion in a nature such as his. and yet there was but one woman to him, and that woman was the late ', 'n in a nature such as his. and yet there was but one woman to him, and that woman was the late irene', 'a nature such as his. and yet there was but one woman to him, and that woman was the late irene adle', 'ure such as his. and yet there was but one woman to him, and that woman was the late irene adler, of', 'uch as his. and yet there was but one woman to him, and that woman was the late irene adler, of dubi', 's his. and yet there was but one woman to him, and that woman was the late irene adler, of dubious a', '. and yet there was but one woman to him, and that woman was the late irene adler, of dubious and qu', ' yet there was but one woman to him, and that woman was the late irene adler, of dubious and questio', 'there was but one woman to him, and that woman was the late irene adler, of dubious and questionable', ' was but one woman to him, and that woman was the late irene adler, of dubious and questionable memo', 'but one woman to him, and that woman was the late irene adler, of dubious and questionable memory. i', 'ne woman to him, and that woman was the late irene adler, of dubious and questionable memory. i had ', 'man to him, and that woman was the late irene adler, of dubious and questionable memory. i had seen ', 'o him, and that woman was the late irene adler, of dubious and questionable memory. i had seen littl', ', and that woman was the late irene adler, of dubious and questionable memory. i had seen little of ', ' that woman was the late irene adler, of dubious and questionable memory. i had seen little of holme', ' woman was the late irene adler, of dubious and questionable memory. i had seen little of holmes lat', 'n was the late irene adler, of dubious and questionable memory. i had seen little of holmes lately. ', ' the late irene adler, of dubious and questionable memory. i had seen little of holmes lately. my ma', 'late irene adler, of dubious and questionable memory. i had seen little of holmes lately. my marriag', 'irene adler, of dubious and questionable memory. i had seen little of holmes lately. my marriage had', ' adler, of dubious and questionable memory. i had seen little of holmes lately. my marriage had drif', 'r, of dubious and questionable memory. i had seen little of holmes lately. my marriage had drifted u', ' dubious and questionable memory. i had seen little of holmes lately. my marriage had drifted us awa', 'ous and questionable memory. i had seen little of holmes lately. my marriage had drifted us away fro', 'nd questionable memory. i had seen little of holmes lately. my marriage had drifted us away from eac', 'estionable memory. i had seen little of holmes lately. my marriage had drifted us away from each oth', 'nable memory. i had seen little of holmes lately. my marriage had drifted us away from each other. m', ' memory. i had seen little of holmes lately. my marriage had drifted us away from each other. my own', 'ry. i had seen little of holmes lately. my marriage had drifted us away from each other. my own comp', ' had seen little of holmes lately. my marriage had drifted us away from each other. my own complete ', 'seen little of holmes lately. my marriage had drifted us away from each other. my own complete happi', 'little of holmes lately. my marriage had drifted us away from each other. my own complete happiness,', 'e of holmes lately. my marriage had drifted us away from each other. my own complete happiness, and ', 'holmes lately. my marriage had drifted us away from each other. my own complete happiness, and the h', 's lately. my marriage had drifted us away from each other. my own complete happiness, and the home-c', 'ely. my marriage had drifted us away from each other. my own complete happiness, and the home-centre', 'my marriage had drifted us away from each other. my own complete happiness, and the home-centred int', 'rriage had drifted us away from each other. my own complete happiness, and the home-centred interest', 'e had drifted us away from each other. my own complete happiness, and the home-centred interests whi', ' drifted us away from each other. my own complete happiness, and the home-centred interests which ri', 'ted us away from each other. my own complete happiness, and the home-centred interests which rise up', 's away from each other. my own complete happiness, and the home-centred interests which rise up arou', 'y from each other. my own complete happiness, and the home-centred interests which rise up around th', 'm each other. my own complete happiness, and the home-centred interests which rise up around the man', 'h other. my own complete happiness, and the home-centred interests which rise up around the man who ', 'er. my own complete happiness, and the home-centred interests which rise up around the man who first', 'y own complete happiness, and the home-centred interests which rise up around the man who first find', ' complete happiness, and the home-centred interests which rise up around the man who first finds him', 'lete happiness, and the home-centred interests which rise up around the man who first finds himself ', 'happiness, and the home-centred interests which rise up around the man who first finds himself maste', 'ness, and the home-centred interests which rise up around the man who first finds himself master of ', ' and the home-centred interests which rise up around the man who first finds himself master of his o', 'the home-centred interests which rise up around the man who first finds himself master of his own es', 'ome-centred interests which rise up around the man who first finds himself master of his own establi', 'entred interests which rise up around the man who first finds himself master of his own establishmen', 'd interests which rise up around the man who first finds himself master of his own establishment, we', 'erests which rise up around the man who first finds himself master of his own establishment, were su', 's which rise up around the man who first finds himself master of his own establishment, were suffici', 'ch rise up around the man who first finds himself master of his own establishment, were sufficient t', 'se up around the man who first finds himself master of his own establishment, were sufficient to abs', ' around the man who first finds himself master of his own establishment, were sufficient to absorb a', 'nd the man who first finds himself master of his own establishment, were sufficient to absorb all my', 'e man who first finds himself master of his own establishment, were sufficient to absorb all my atte', ' who first finds himself master of his own establishment, were sufficient to absorb all my attention', 'first finds himself master of his own establishment, were sufficient to absorb all my attention, whi', ' finds himself master of his own establishment, were sufficient to absorb all my attention, while ho', 's himself master of his own establishment, were sufficient to absorb all my attention, while holmes,', 'self master of his own establishment, were sufficient to absorb all my attention, while holmes, who ', 'master of his own establishment, were sufficient to absorb all my attention, while holmes, who loath', 'r of his own establishment, were sufficient to absorb all my attention, while holmes, who loathed ev', 'his own establishment, were sufficient to absorb all my attention, while holmes, who loathed every f', 'wn establishment, were sufficient to absorb all my attention, while holmes, who loathed every form o', 'tablishment, were sufficient to absorb all my attention, while holmes, who loathed every form of soc', 'shment, were sufficient to absorb all my attention, while holmes, who loathed every form of society ', 't, were sufficient to absorb all my attention, while holmes, who loathed every form of society with ', 're sufficient to absorb all my attention, while holmes, who loathed every form of society with his w', 'fficient to absorb all my attention, while holmes, who loathed every form of society with his whole ', 'ent to absorb all my attention, while holmes, who loathed every form of society with his whole bohem', 'o absorb all my attention, while holmes, who loathed every form of society with his whole bohemian s', 'orb all my attention, while holmes, who loathed every form of society with his whole bohemian soul, ', 'll my attention, while holmes, who loathed every form of society with his whole bohemian soul, remai', ' attention, while holmes, who loathed every form of society with his whole bohemian soul, remained i', 'ntion, while holmes, who loathed every form of society with his whole bohemian soul, remained in our', ', while holmes, who loathed every form of society with his whole bohemian soul, remained in our lodg', 'le holmes, who loathed every form of society with his whole bohemian soul, remained in our lodgings ', 'lmes, who loathed every form of society with his whole bohemian soul, remained in our lodgings in ba', ' who loathed every form of society with his whole bohemian soul, remained in our lodgings in baker s', 'loathed every form of society with his whole bohemian soul, remained in our lodgings in baker street', 'ed every form of society with his whole bohemian soul, remained in our lodgings in baker street, bur', 'ery form of society with his whole bohemian soul, remained in our lodgings in baker street, buried a', 'orm of society with his whole bohemian soul, remained in our lodgings in baker street, buried among ', 'f society with his whole bohemian soul, remained in our lodgings in baker street, buried among his o', 'iety with his whole bohemian soul, remained in our lodgings in baker street, buried among his old bo', 'with his whole bohemian soul, remained in our lodgings in baker street, buried among his old books, ', 'his whole bohemian soul, remained in our lodgings in baker street, buried among his old books, and a', 'hole bohemian soul, remained in our lodgings in baker street, buried among his old books, and altern', 'bohemian soul, remained in our lodgings in baker street, buried among his old books, and alternating', 'ian soul, remained in our lodgings in baker street, buried among his old books, and alternating from', 'oul, remained in our lodgings in baker street, buried among his old books, and alternating from week', 'remained in our lodgings in baker street, buried among his old books, and alternating from week to w', 'ned in our lodgings in baker street, buried among his old books, and alternating from week to week b', 'n our lodgings in baker street, buried among his old books, and alternating from week to week betwee', ' lodgings in baker street, buried among his old books, and alternating from week to week between coc', 'ings in baker street, buried among his old books, and alternating from week to week between cocaine ', 'in baker street, buried among his old books, and alternating from week to week between cocaine and a', 'ker street, buried among his old books, and alternating from week to week between cocaine and ambiti', 'treet, buried among his old books, and alternating from week to week between cocaine and ambition, t', ', buried among his old books, and alternating from week to week between cocaine and ambition, the dr', 'ied among his old books, and alternating from week to week between cocaine and ambition, the drowsin', 'mong his old books, and alternating from week to week between cocaine and ambition, the drowsiness o', 'his old books, and alternating from week to week between cocaine and ambition, the drowsiness of the', 'ld books, and alternating from week to week between cocaine and ambition, the drowsiness of the drug', 'oks, and alternating from week to week between cocaine and ambition, the drowsiness of the drug, and', 'and alternating from week to week between cocaine and ambition, the drowsiness of the drug, and the ', 'lternating from week to week between cocaine and ambition, the drowsiness of the drug, and the fierc', 'ating from week to week between cocaine and ambition, the drowsiness of the drug, and the fierce ene', ' from week to week between cocaine and ambition, the drowsiness of the drug, and the fierce energy o', ' week to week between cocaine and ambition, the drowsiness of the drug, and the fierce energy of his', ' to week between cocaine and ambition, the drowsiness of the drug, and the fierce energy of his own ', 'eek between cocaine and ambition, the drowsiness of the drug, and the fierce energy of his own keen ', 'etween cocaine and ambition, the drowsiness of the drug, and the fierce energy of his own keen natur', 'n cocaine and ambition, the drowsiness of the drug, and the fierce energy of his own keen nature. he', 'aine and ambition, the drowsiness of the drug, and the fierce energy of his own keen nature. he was ', 'and ambition, the drowsiness of the drug, and the fierce energy of his own keen nature. he was still', 'mbition, the drowsiness of the drug, and the fierce energy of his own keen nature. he was still, as ', 'on, the drowsiness of the drug, and the fierce energy of his own keen nature. he was still, as ever,', 'he drowsiness of the drug, and the fierce energy of his own keen nature. he was still, as ever, deep', 'owsiness of the drug, and the fierce energy of his own keen nature. he was still, as ever, deeply at', 'ess of the drug, and the fierce energy of his own keen nature. he was still, as ever, deeply attract', 'f the drug, and the fierce energy of his own keen nature. he was still, as ever, deeply attracted by', ' drug, and the fierce energy of his own keen nature. he was still, as ever, deeply attracted by the ', ', and the fierce energy of his own keen nature. he was still, as ever, deeply attracted by the study', ' the fierce energy of his own keen nature. he was still, as ever, deeply attracted by the study of c', 'fierce energy of his own keen nature. he was still, as ever, deeply attracted by the study of crime,', 'e energy of his own keen nature. he was still, as ever, deeply attracted by the study of crime, and ', 'rgy of his own keen nature. he was still, as ever, deeply attracted by the study of crime, and occup', 'f his own keen nature. he was still, as ever, deeply attracted by the study of crime, and occupied h', ' own keen nature. he was still, as ever, deeply attracted by the study of crime, and occupied his im', 'keen nature. he was still, as ever, deeply attracted by the study of crime, and occupied his immense', 'nature. he was still, as ever, deeply attracted by the study of crime, and occupied his immense facu', 'e. he was still, as ever, deeply attracted by the study of crime, and occupied his immense faculties', ' was still, as ever, deeply attracted by the study of crime, and occupied his immense faculties and ', 'still, as ever, deeply attracted by the study of crime, and occupied his immense faculties and extra', ', as ever, deeply attracted by the study of crime, and occupied his immense faculties and extraordin', 'ever, deeply attracted by the study of crime, and occupied his immense faculties and extraordinary p', ' deeply attracted by the study of crime, and occupied his immense faculties and extraordinary powers', 'ly attracted by the study of crime, and occupied his immense faculties and extraordinary powers of o', 'tracted by the study of crime, and occupied his immense faculties and extraordinary powers of observ', 'ed by the study of crime, and occupied his immense faculties and extraordinary powers of observation', ' the study of crime, and occupied his immense faculties and extraordinary powers of observation in f', 'study of crime, and occupied his immense faculties and extraordinary powers of observation in follow', ' of crime, and occupied his immense faculties and extraordinary powers of observation in following o', 'rime, and occupied his immense faculties and extraordinary powers of observation in following out th', ' and occupied his immense faculties and extraordinary powers of observation in following out those c', 'occupied his immense faculties and extraordinary powers of observation in following out those clues,', 'ied his immense faculties and extraordinary powers of observation in following out those clues, and ', 'is immense faculties and extraordinary powers of observation in following out those clues, and clear', 'mense faculties and extraordinary powers of observation in following out those clues, and clearing u', ' faculties and extraordinary powers of observation in following out those clues, and clearing up tho', 'lties and extraordinary powers of observation in following out those clues, and clearing up those my', ' and extraordinary powers of observation in following out those clues, and clearing up those mysteri', 'extraordinary powers of observation in following out those clues, and clearing up those mysteries wh', 'ordinary powers of observation in following out those clues, and clearing up those mysteries which h', 'ary powers of observation in following out those clues, and clearing up those mysteries which had be', 'owers of observation in following out those clues, and clearing up those mysteries which had been ab', ' of observation in following out those clues, and clearing up those mysteries which had been abandon', 'bservation in following out those clues, and clearing up those mysteries which had been abandoned as', 'ation in following out those clues, and clearing up those mysteries which had been abandoned as hope', ' in following out those clues, and clearing up those mysteries which had been abandoned as hopeless ', 'ollowing out those clues, and clearing up those mysteries which had been abandoned as hopeless by th', 'ing out those clues, and clearing up those mysteries which had been abandoned as hopeless by the off', 'ut those clues, and clearing up those mysteries which had been abandoned as hopeless by the official', 'ose clues, and clearing up those mysteries which had been abandoned as hopeless by the official poli', 'lues, and clearing up those mysteries which had been abandoned as hopeless by the official police. f', ' and clearing up those mysteries which had been abandoned as hopeless by the official police. from t', 'clearing up those mysteries which had been abandoned as hopeless by the official police. from time t', 'ing up those mysteries which had been abandoned as hopeless by the official police. from time to tim', 'p those mysteries which had been abandoned as hopeless by the official police. from time to time i h', 'se mysteries which had been abandoned as hopeless by the official police. from time to time i heard ', 'steries which had been abandoned as hopeless by the official police. from time to time i heard some ', 'es which had been abandoned as hopeless by the official police. from time to time i heard some vague', 'ich had been abandoned as hopeless by the official police. from time to time i heard some vague acco', 'ad been abandoned as hopeless by the official police. from time to time i heard some vague account o', 'en abandoned as hopeless by the official police. from time to time i heard some vague account of his', 'andoned as hopeless by the official police. from time to time i heard some vague account of his doin', 'ed as hopeless by the official police. from time to time i heard some vague account of his doings: o', ' hopeless by the official police. from time to time i heard some vague account of his doings: of his', 'less by the official police. from time to time i heard some vague account of his doings: of his summ', 'by the official police. from time to time i heard some vague account of his doings: of his summons t', 'e official police. from time to time i heard some vague account of his doings: of his summons to ode', 'icial police. from time to time i heard some vague account of his doings: of his summons to odessa i', ' police. from time to time i heard some vague account of his doings: of his summons to odessa in the', 'ce. from time to time i heard some vague account of his doings: of his summons to odessa in the case', 'rom time to time i heard some vague account of his doings: of his summons to odessa in the case of t', 'ime to time i heard some vague account of his doings: of his summons to odessa in the case of the tr', 'o time i heard some vague account of his doings: of his summons to odessa in the case of the trepoff', 'e i heard some vague account of his doings: of his summons to odessa in the case of the trepoff murd', 'eard some vague account of his doings: of his summons to odessa in the case of the trepoff murder, o', 'some vague account of his doings: of his summons to odessa in the case of the trepoff murder, of his', 'vague account of his doings: of his summons to odessa in the case of the trepoff murder, of his clea', ' account of his doings: of his summons to odessa in the case of the trepoff murder, of his clearing ', 'unt of his doings: of his summons to odessa in the case of the trepoff murder, of his clearing up of', 'f his doings: of his summons to odessa in the case of the trepoff murder, of his clearing up of the ', ' doings: of his summons to odessa in the case of the trepoff murder, of his clearing up of the singu', 'gs: of his summons to odessa in the case of the trepoff murder, of his clearing up of the singular t', 'f his summons to odessa in the case of the trepoff murder, of his clearing up of the singular traged', ' summons to odessa in the case of the trepoff murder, of his clearing up of the singular tragedy of ', 'ons to odessa in the case of the trepoff murder, of his clearing up of the singular tragedy of the a', 'o odessa in the case of the trepoff murder, of his clearing up of the singular tragedy of the atkins', 'ssa in the case of the trepoff murder, of his clearing up of the singular tragedy of the atkinson br', 'n the case of the trepoff murder, of his clearing up of the singular tragedy of the atkinson brother', ' case of the trepoff murder, of his clearing up of the singular tragedy of the atkinson brothers at ', ' of the trepoff murder, of his clearing up of the singular tragedy of the atkinson brothers at trinc', 'he trepoff murder, of his clearing up of the singular tragedy of the atkinson brothers at trincomale', 'epoff murder, of his clearing up of the singular tragedy of the atkinson brothers at trincomalee, an', ' murder, of his clearing up of the singular tragedy of the atkinson brothers at trincomalee, and fin', 'er, of his clearing up of the singular tragedy of the atkinson brothers at trincomalee, and finally ', 'f his clearing up of the singular tragedy of the atkinson brothers at trincomalee, and finally of th', ' clearing up of the singular tragedy of the atkinson brothers at trincomalee, and finally of the mis', 'ring up of the singular tragedy of the atkinson brothers at trincomalee, and finally of the mission ', 'up of the singular tragedy of the atkinson brothers at trincomalee, and finally of the mission which', ' the singular tragedy of the atkinson brothers at trincomalee, and finally of the mission which he h', 'singular tragedy of the atkinson brothers at trincomalee, and finally of the mission which he had ac', 'lar tragedy of the atkinson brothers at trincomalee, and finally of the mission which he had accompl', 'ragedy of the atkinson brothers at trincomalee, and finally of the mission which he had accomplished', 'y of the atkinson brothers at trincomalee, and finally of the mission which he had accomplished so d', 'the atkinson brothers at trincomalee, and finally of the mission which he had accomplished so delica', 'tkinson brothers at trincomalee, and finally of the mission which he had accomplished so delicately ', 'on brothers at trincomalee, and finally of the mission which he had accomplished so delicately and s', 'others at trincomalee, and finally of the mission which he had accomplished so delicately and succes', 's at trincomalee, and finally of the mission which he had accomplished so delicately and successfull', 'trincomalee, and finally of the mission which he had accomplished so delicately and successfully for', 'omalee, and finally of the mission which he had accomplished so delicately and successfully for the ', 'e, and finally of the mission which he had accomplished so delicately and successfully for the reign', 'd finally of the mission which he had accomplished so delicately and successfully for the reigning f', 'ally of the mission which he had accomplished so delicately and successfully for the reigning family', 'of the mission which he had accomplished so delicately and successfully for the reigning family of h', 'e mission which he had accomplished so delicately and successfully for the reigning family of hollan', 'sion which he had accomplished so delicately and successfully for the reigning family of holland. be', 'which he had accomplished so delicately and successfully for the reigning family of holland. beyond ', ' he had accomplished so delicately and successfully for the reigning family of holland. beyond these', 'ad accomplished so delicately and successfully for the reigning family of holland. beyond these sign', 'complished so delicately and successfully for the reigning family of holland. beyond these signs of ', 'ished so delicately and successfully for the reigning family of holland. beyond these signs of his a', ' so delicately and successfully for the reigning family of holland. beyond these signs of his activi', 'elicately and successfully for the reigning family of holland. beyond these signs of his activity, h', 'tely and successfully for the reigning family of holland. beyond these signs of his activity, howeve', 'and successfully for the reigning family of holland. beyond these signs of his activity, however, wh', 'uccessfully for the reigning family of holland. beyond these signs of his activity, however, which i', 'sfully for the reigning family of holland. beyond these signs of his activity, however, which i mere', 'y for the reigning family of holland. beyond these signs of his activity, however, which i merely sh', ' the reigning family of holland. beyond these signs of his activity, however, which i merely shared ', 'reigning family of holland. beyond these signs of his activity, however, which i merely shared with ', 'ing family of holland. beyond these signs of his activity, however, which i merely shared with all t', 'amily of holland. beyond these signs of his activity, however, which i merely shared with all the re', ' of holland. beyond these signs of his activity, however, which i merely shared with all the readers', 'olland. beyond these signs of his activity, however, which i merely shared with all the readers of t', 'd. beyond these signs of his activity, however, which i merely shared with all the readers of the da', 'yond these signs of his activity, however, which i merely shared with all the readers of the daily p', 'these signs of his activity, however, which i merely shared with all the readers of the daily press,', ' signs of his activity, however, which i merely shared with all the readers of the daily press, i kn', 's of his activity, however, which i merely shared with all the readers of the daily press, i knew li', 'his activity, however, which i merely shared with all the readers of the daily press, i knew little ', 'ctivity, however, which i merely shared with all the readers of the daily press, i knew little of my', 'ty, however, which i merely shared with all the readers of the daily press, i knew little of my form', 'owever, which i merely shared with all the readers of the daily press, i knew little of my former fr', 'r, which i merely shared with all the readers of the daily press, i knew little of my former friend ', 'ich i merely shared with all the readers of the daily press, i knew little of my former friend and c', ' merely shared with all the readers of the daily press, i knew little of my former friend and compan', 'ly shared with all the readers of the daily press, i knew little of my former friend and companion. ', 'ared with all the readers of the daily press, i knew little of my former friend and companion. one n', 'with all the readers of the daily press, i knew little of my former friend and companion. one nighti', 'all the readers of the daily press, i knew little of my former friend and companion. one nightit was', 'he readers of the daily press, i knew little of my former friend and companion. one nightit was on t', 'aders of the daily press, i knew little of my former friend and companion. one nightit was on the tw', ' of the daily press, i knew little of my former friend and companion. one nightit was on the twentie', 'he daily press, i knew little of my former friend and companion. one nightit was on the twentieth of', 'ily press, i knew little of my former friend and companion. one nightit was on the twentieth of marc', 'ress, i knew little of my former friend and companion. one nightit was on the twentieth of march, ', ' i knew little of my former friend and companion. one nightit was on the twentieth of march, i was', 'ew little of my former friend and companion. one nightit was on the twentieth of march, i was retu', 'ttle of my former friend and companion. one nightit was on the twentieth of march, i was returning', 'of my former friend and companion. one nightit was on the twentieth of march, i was returning from', ' former friend and companion. one nightit was on the twentieth of march, i was returning from a jo', 'er friend and companion. one nightit was on the twentieth of march, i was returning from a journey', 'iend and companion. one nightit was on the twentieth of march, i was returning from a journey to a', 'and companion. one nightit was on the twentieth of march, i was returning from a journey to a pati', 'ompanion. one nightit was on the twentieth of march, i was returning from a journey to a patient f', 'ion. one nightit was on the twentieth of march, i was returning from a journey to a patient for i ', 'one nightit was on the twentieth of march, i was returning from a journey to a patient for i had n', 'ightit was on the twentieth of march, i was returning from a journey to a patient for i had now re', 't was on the twentieth of march, i was returning from a journey to a patient for i had now returne', ' on the twentieth of march, i was returning from a journey to a patient for i had now returned to ', 'he twentieth of march, i was returning from a journey to a patient for i had now returned to civil', 'entieth of march, i was returning from a journey to a patient for i had now returned to civil prac', 'th of march, i was returning from a journey to a patient for i had now returned to civil practice ', ' march, i was returning from a journey to a patient for i had now returned to civil practice , whe', 'h, i was returning from a journey to a patient for i had now returned to civil practice , when my ', 'i was returning from a journey to a patient for i had now returned to civil practice , when my way l', ' returning from a journey to a patient for i had now returned to civil practice , when my way led me', 'rning from a journey to a patient for i had now returned to civil practice , when my way led me thro', ' from a journey to a patient for i had now returned to civil practice , when my way led me through b', ' a journey to a patient for i had now returned to civil practice , when my way led me through baker ', 'urney to a patient for i had now returned to civil practice , when my way led me through baker stree', ' to a patient for i had now returned to civil practice , when my way led me through baker street. as', ' patient for i had now returned to civil practice , when my way led me through baker street. as i pa', 'ent for i had now returned to civil practice , when my way led me through baker street. as i passed ', 'or i had now returned to civil practice , when my way led me through baker street. as i passed the w', 'had now returned to civil practice , when my way led me through baker street. as i passed the well-r', 'ow returned to civil practice , when my way led me through baker street. as i passed the well-rememb', 'turned to civil practice , when my way led me through baker street. as i passed the well-remembered ', 'd to civil practice , when my way led me through baker street. as i passed the well-remembered door,', 'civil practice , when my way led me through baker street. as i passed the well-remembered door, whic', ' practice , when my way led me through baker street. as i passed the well-remembered door, which mus', 'tice , when my way led me through baker street. as i passed the well-remembered door, which must alw', ', when my way led me through baker street. as i passed the well-remembered door, which must always b', 'n my way led me through baker street. as i passed the well-remembered door, which must always be ass', 'way led me through baker street. as i passed the well-remembered door, which must always be associat', 'ed me through baker street. as i passed the well-remembered door, which must always be associated in', ' through baker street. as i passed the well-remembered door, which must always be associated in my m', 'ugh baker street. as i passed the well-remembered door, which must always be associated in my mind w', 'aker street. as i passed the well-remembered door, which must always be associated in my mind with m', 'street. as i passed the well-remembered door, which must always be associated in my mind with my woo', 't. as i passed the well-remembered door, which must always be associated in my mind with my wooing, ', ' i passed the well-remembered door, which must always be associated in my mind with my wooing, and w', 'ssed the well-remembered door, which must always be associated in my mind with my wooing, and with t', 'the well-remembered door, which must always be associated in my mind with my wooing, and with the da', 'ell-remembered door, which must always be associated in my mind with my wooing, and with the dark in', 'emembered door, which must always be associated in my mind with my wooing, and with the dark inciden', 'ered door, which must always be associated in my mind with my wooing, and with the dark incidents of', 'door, which must always be associated in my mind with my wooing, and with the dark incidents of the ', ' which must always be associated in my mind with my wooing, and with the dark incidents of the study', 'h must always be associated in my mind with my wooing, and with the dark incidents of the study in s', 't always be associated in my mind with my wooing, and with the dark incidents of the study in scarle', 'ays be associated in my mind with my wooing, and with the dark incidents of the study in scarlet, i ', 'e associated in my mind with my wooing, and with the dark incidents of the study in scarlet, i was s', 'ociated in my mind with my wooing, and with the dark incidents of the study in scarlet, i was seized', 'ed in my mind with my wooing, and with the dark incidents of the study in scarlet, i was seized with', ' my mind with my wooing, and with the dark incidents of the study in scarlet, i was seized with a ke', 'ind with my wooing, and with the dark incidents of the study in scarlet, i was seized with a keen de', 'ith my wooing, and with the dark incidents of the study in scarlet, i was seized with a keen desire ', 'y wooing, and with the dark incidents of the study in scarlet, i was seized with a keen desire to se', 'ing, and with the dark incidents of the study in scarlet, i was seized with a keen desire to see hol', 'and with the dark incidents of the study in scarlet, i was seized with a keen desire to see holmes a', 'ith the dark incidents of the study in scarlet, i was seized with a keen desire to see holmes again,', 'he dark incidents of the study in scarlet, i was seized with a keen desire to see holmes again, and ', 'rk incidents of the study in scarlet, i was seized with a keen desire to see holmes again, and to kn', 'cidents of the study in scarlet, i was seized with a keen desire to see holmes again, and to know ho', 'ts of the study in scarlet, i was seized with a keen desire to see holmes again, and to know how he ', ' the study in scarlet, i was seized with a keen desire to see holmes again, and to know how he was e', 'study in scarlet, i was seized with a keen desire to see holmes again, and to know how he was employ', ' in scarlet, i was seized with a keen desire to see holmes again, and to know how he was employing h', 'carlet, i was seized with a keen desire to see holmes again, and to know how he was employing his ex', 't, i was seized with a keen desire to see holmes again, and to know how he was employing his extraor', 'was seized with a keen desire to see holmes again, and to know how he was employing his extraordinar', 'eized with a keen desire to see holmes again, and to know how he was employing his extraordinary pow', ' with a keen desire to see holmes again, and to know how he was employing his extraordinary powers. ', ' a keen desire to see holmes again, and to know how he was employing his extraordinary powers. his r', 'en desire to see holmes again, and to know how he was employing his extraordinary powers. his rooms ', 'sire to see holmes again, and to know how he was employing his extraordinary powers. his rooms were ', 'to see holmes again, and to know how he was employing his extraordinary powers. his rooms were brill', 'e holmes again, and to know how he was employing his extraordinary powers. his rooms were brilliantl', 'mes again, and to know how he was employing his extraordinary powers. his rooms were brilliantly lit', 'gain, and to know how he was employing his extraordinary powers. his rooms were brilliantly lit, and', ' and to know how he was employing his extraordinary powers. his rooms were brilliantly lit, and, eve', 'to know how he was employing his extraordinary powers. his rooms were brilliantly lit, and, even as ', 'ow how he was employing his extraordinary powers. his rooms were brilliantly lit, and, even as i loo', 'w he was employing his extraordinary powers. his rooms were brilliantly lit, and, even as i looked u', 'was employing his extraordinary powers. his rooms were brilliantly lit, and, even as i looked up, i ', 'mploying his extraordinary powers. his rooms were brilliantly lit, and, even as i looked up, i saw h', 'ing his extraordinary powers. his rooms were brilliantly lit, and, even as i looked up, i saw his ta', 'is extraordinary powers. his rooms were brilliantly lit, and, even as i looked up, i saw his tall, s', 'traordinary powers. his rooms were brilliantly lit, and, even as i looked up, i saw his tall, spare ', 'dinary powers. his rooms were brilliantly lit, and, even as i looked up, i saw his tall, spare figur', 'y powers. his rooms were brilliantly lit, and, even as i looked up, i saw his tall, spare figure pas', 'ers. his rooms were brilliantly lit, and, even as i looked up, i saw his tall, spare figure pass twi', 'his rooms were brilliantly lit, and, even as i looked up, i saw his tall, spare figure pass twice in', 'ooms were brilliantly lit, and, even as i looked up, i saw his tall, spare figure pass twice in a da', 'were brilliantly lit, and, even as i looked up, i saw his tall, spare figure pass twice in a dark si', 'brilliantly lit, and, even as i looked up, i saw his tall, spare figure pass twice in a dark silhoue', 'iantly lit, and, even as i looked up, i saw his tall, spare figure pass twice in a dark silhouette a', 'y lit, and, even as i looked up, i saw his tall, spare figure pass twice in a dark silhouette agains', ', and, even as i looked up, i saw his tall, spare figure pass twice in a dark silhouette against the', ', even as i looked up, i saw his tall, spare figure pass twice in a dark silhouette against the blin', 'n as i looked up, i saw his tall, spare figure pass twice in a dark silhouette against the blind. he', 'i looked up, i saw his tall, spare figure pass twice in a dark silhouette against the blind. he was ', 'ked up, i saw his tall, spare figure pass twice in a dark silhouette against the blind. he was pacin', 'p, i saw his tall, spare figure pass twice in a dark silhouette against the blind. he was pacing the', 'saw his tall, spare figure pass twice in a dark silhouette against the blind. he was pacing the room', 'is tall, spare figure pass twice in a dark silhouette against the blind. he was pacing the room swif', 'll, spare figure pass twice in a dark silhouette against the blind. he was pacing the room swiftly, ', 'pare figure pass twice in a dark silhouette against the blind. he was pacing the room swiftly, eager', 'figure pass twice in a dark silhouette against the blind. he was pacing the room swiftly, eagerly, w', 'e pass twice in a dark silhouette against the blind. he was pacing the room swiftly, eagerly, with h', 's twice in a dark silhouette against the blind. he was pacing the room swiftly, eagerly, with his he', 'ce in a dark silhouette against the blind. he was pacing the room swiftly, eagerly, with his head su', ' a dark silhouette against the blind. he was pacing the room swiftly, eagerly, with his head sunk up', 'rk silhouette against the blind. he was pacing the room swiftly, eagerly, with his head sunk upon hi', 'lhouette against the blind. he was pacing the room swiftly, eagerly, with his head sunk upon his che', 'tte against the blind. he was pacing the room swiftly, eagerly, with his head sunk upon his chest an', 'gainst the blind. he was pacing the room swiftly, eagerly, with his head sunk upon his chest and his', 't the blind. he was pacing the room swiftly, eagerly, with his head sunk upon his chest and his hand', ' blind. he was pacing the room swiftly, eagerly, with his head sunk upon his chest and his hands cla', 'd. he was pacing the room swiftly, eagerly, with his head sunk upon his chest and his hands clasped ', ' was pacing the room swiftly, eagerly, with his head sunk upon his chest and his hands clasped behin', 'pacing the room swiftly, eagerly, with his head sunk upon his chest and his hands clasped behind him', 'g the room swiftly, eagerly, with his head sunk upon his chest and his hands clasped behind him. to ', ' room swiftly, eagerly, with his head sunk upon his chest and his hands clasped behind him. to me, w', ' swiftly, eagerly, with his head sunk upon his chest and his hands clasped behind him. to me, who kn', 'tly, eagerly, with his head sunk upon his chest and his hands clasped behind him. to me, who knew hi', 'eagerly, with his head sunk upon his chest and his hands clasped behind him. to me, who knew his eve', 'ly, with his head sunk upon his chest and his hands clasped behind him. to me, who knew his every mo', 'ith his head sunk upon his chest and his hands clasped behind him. to me, who knew his every mood an', 'is head sunk upon his chest and his hands clasped behind him. to me, who knew his every mood and hab', 'ad sunk upon his chest and his hands clasped behind him. to me, who knew his every mood and habit, h', 'nk upon his chest and his hands clasped behind him. to me, who knew his every mood and habit, his at', 'on his chest and his hands clasped behind him. to me, who knew his every mood and habit, his attitud', 's chest and his hands clasped behind him. to me, who knew his every mood and habit, his attitude and', 'st and his hands clasped behind him. to me, who knew his every mood and habit, his attitude and mann', 'd his hands clasped behind him. to me, who knew his every mood and habit, his attitude and manner to', ' hands clasped behind him. to me, who knew his every mood and habit, his attitude and manner told th', 's clasped behind him. to me, who knew his every mood and habit, his attitude and manner told their o', 'sped behind him. to me, who knew his every mood and habit, his attitude and manner told their own st', 'behind him. to me, who knew his every mood and habit, his attitude and manner told their own story. ', 'd him. to me, who knew his every mood and habit, his attitude and manner told their own story. he wa', '. to me, who knew his every mood and habit, his attitude and manner told their own story. he was at ', 'me, who knew his every mood and habit, his attitude and manner told their own story. he was at work ', 'ho knew his every mood and habit, his attitude and manner told their own story. he was at work again', 'ew his every mood and habit, his attitude and manner told their own story. he was at work again. he ', 's every mood and habit, his attitude and manner told their own story. he was at work again. he had r', 'ry mood and habit, his attitude and manner told their own story. he was at work again. he had risen ', 'od and habit, his attitude and manner told their own story. he was at work again. he had risen out o', 'd habit, his attitude and manner told their own story. he was at work again. he had risen out of his', 'it, his attitude and manner told their own story. he was at work again. he had risen out of his drug', 'is attitude and manner told their own story. he was at work again. he had risen out of his drug-crea', 'titude and manner told their own story. he was at work again. he had risen out of his drug-created d', 'e and manner told their own story. he was at work again. he had risen out of his drug-created dreams', ' manner told their own story. he was at work again. he had risen out of his drug-created dreams and ', 'er told their own story. he was at work again. he had risen out of his drug-created dreams and was h', 'ld their own story. he was at work again. he had risen out of his drug-created dreams and was hot up', 'eir own story. he was at work again. he had risen out of his drug-created dreams and was hot upon th', 'wn story. he was at work again. he had risen out of his drug-created dreams and was hot upon the sce', 'ory. he was at work again. he had risen out of his drug-created dreams and was hot upon the scent of', 'he was at work again. he had risen out of his drug-created dreams and was hot upon the scent of some', 's at work again. he had risen out of his drug-created dreams and was hot upon the scent of some new ', 'work again. he had risen out of his drug-created dreams and was hot upon the scent of some new probl', 'again. he had risen out of his drug-created dreams and was hot upon the scent of some new problem. i', '. he had risen out of his drug-created dreams and was hot upon the scent of some new problem. i rang', 'had risen out of his drug-created dreams and was hot upon the scent of some new problem. i rang the ', 'isen out of his drug-created dreams and was hot upon the scent of some new problem. i rang the bell ', 'out of his drug-created dreams and was hot upon the scent of some new problem. i rang the bell and w', 'f his drug-created dreams and was hot upon the scent of some new problem. i rang the bell and was sh', ' drug-created dreams and was hot upon the scent of some new problem. i rang the bell and was shown u', '-created dreams and was hot upon the scent of some new problem. i rang the bell and was shown up to ', 'ted dreams and was hot upon the scent of some new problem. i rang the bell and was shown up to the c', 'reams and was hot upon the scent of some new problem. i rang the bell and was shown up to the chambe', ' and was hot upon the scent of some new problem. i rang the bell and was shown up to the chamber whi', 'was hot upon the scent of some new problem. i rang the bell and was shown up to the chamber which ha', 'ot upon the scent of some new problem. i rang the bell and was shown up to the chamber which had for', 'on the scent of some new problem. i rang the bell and was shown up to the chamber which had formerly', 'e scent of some new problem. i rang the bell and was shown up to the chamber which had formerly been', 'nt of some new problem. i rang the bell and was shown up to the chamber which had formerly been in p', ' some new problem. i rang the bell and was shown up to the chamber which had formerly been in part m', ' new problem. i rang the bell and was shown up to the chamber which had formerly been in part my own', 'problem. i rang the bell and was shown up to the chamber which had formerly been in part my own. his', 'em. i rang the bell and was shown up to the chamber which had formerly been in part my own. his mann', ' rang the bell and was shown up to the chamber which had formerly been in part my own. his manner wa', ' the bell and was shown up to the chamber which had formerly been in part my own. his manner was not', 'bell and was shown up to the chamber which had formerly been in part my own. his manner was not effu', 'and was shown up to the chamber which had formerly been in part my own. his manner was not effusive.', 'as shown up to the chamber which had formerly been in part my own. his manner was not effusive. it s', 'own up to the chamber which had formerly been in part my own. his manner was not effusive. it seldom', 'p to the chamber which had formerly been in part my own. his manner was not effusive. it seldom was;', 'the chamber which had formerly been in part my own. his manner was not effusive. it seldom was; but ', 'hamber which had formerly been in part my own. his manner was not effusive. it seldom was; but he wa', 'r which had formerly been in part my own. his manner was not effusive. it seldom was; but he was gla', 'ch had formerly been in part my own. his manner was not effusive. it seldom was; but he was glad, i ', 'd formerly been in part my own. his manner was not effusive. it seldom was; but he was glad, i think', 'merly been in part my own. his manner was not effusive. it seldom was; but he was glad, i think, to ', ' been in part my own. his manner was not effusive. it seldom was; but he was glad, i think, to see m', ' in part my own. his manner was not effusive. it seldom was; but he was glad, i think, to see me. wi', 'art my own. his manner was not effusive. it seldom was; but he was glad, i think, to see me. with ha', 'y own. his manner was not effusive. it seldom was; but he was glad, i think, to see me. with hardly ', '. his manner was not effusive. it seldom was; but he was glad, i think, to see me. with hardly a wor', ' manner was not effusive. it seldom was; but he was glad, i think, to see me. with hardly a word spo', 'er was not effusive. it seldom was; but he was glad, i think, to see me. with hardly a word spoken, ', 's not effusive. it seldom was; but he was glad, i think, to see me. with hardly a word spoken, but w', ' effusive. it seldom was; but he was glad, i think, to see me. with hardly a word spoken, but with a', 'sive. it seldom was; but he was glad, i think, to see me. with hardly a word spoken, but with a kind', ' it seldom was; but he was glad, i think, to see me. with hardly a word spoken, but with a kindly ey', 'eldom was; but he was glad, i think, to see me. with hardly a word spoken, but with a kindly eye, he', ' was; but he was glad, i think, to see me. with hardly a word spoken, but with a kindly eye, he wave', ' but he was glad, i think, to see me. with hardly a word spoken, but with a kindly eye, he waved me ', 'he was glad, i think, to see me. with hardly a word spoken, but with a kindly eye, he waved me to an', 's glad, i think, to see me. with hardly a word spoken, but with a kindly eye, he waved me to an armc', 'd, i think, to see me. with hardly a word spoken, but with a kindly eye, he waved me to an armchair,', 'think, to see me. with hardly a word spoken, but with a kindly eye, he waved me to an armchair, thre', ', to see me. with hardly a word spoken, but with a kindly eye, he waved me to an armchair, threw acr', 'see me. with hardly a word spoken, but with a kindly eye, he waved me to an armchair, threw across h', 'e. with hardly a word spoken, but with a kindly eye, he waved me to an armchair, threw across his ca', 'th hardly a word spoken, but with a kindly eye, he waved me to an armchair, threw across his case of', 'rdly a word spoken, but with a kindly eye, he waved me to an armchair, threw across his case of ciga', 'a word spoken, but with a kindly eye, he waved me to an armchair, threw across his case of cigars, a', 'd spoken, but with a kindly eye, he waved me to an armchair, threw across his case of cigars, and in', 'ken, but with a kindly eye, he waved me to an armchair, threw across his case of cigars, and indicat', 'but with a kindly eye, he waved me to an armchair, threw across his case of cigars, and indicated a ', 'ith a kindly eye, he waved me to an armchair, threw across his case of cigars, and indicated a spiri', ' kindly eye, he waved me to an armchair, threw across his case of cigars, and indicated a spirit cas', 'ly eye, he waved me to an armchair, threw across his case of cigars, and indicated a spirit case and', 'e, he waved me to an armchair, threw across his case of cigars, and indicated a spirit case and a ga', ' waved me to an armchair, threw across his case of cigars, and indicated a spirit case and a gasogen', 'd me to an armchair, threw across his case of cigars, and indicated a spirit case and a gasogene in ', 'to an armchair, threw across his case of cigars, and indicated a spirit case and a gasogene in the c', ' armchair, threw across his case of cigars, and indicated a spirit case and a gasogene in the corner', 'hair, threw across his case of cigars, and indicated a spirit case and a gasogene in the corner. the', ' threw across his case of cigars, and indicated a spirit case and a gasogene in the corner. then he ', 'w across his case of cigars, and indicated a spirit case and a gasogene in the corner. then he stood', 'oss his case of cigars, and indicated a spirit case and a gasogene in the corner. then he stood befo', 'is case of cigars, and indicated a spirit case and a gasogene in the corner. then he stood before th', 'se of cigars, and indicated a spirit case and a gasogene in the corner. then he stood before the fir', ' cigars, and indicated a spirit case and a gasogene in the corner. then he stood before the fire and', 'rs, and indicated a spirit case and a gasogene in the corner. then he stood before the fire and look', 'nd indicated a spirit case and a gasogene in the corner. then he stood before the fire and looked me', 'dicated a spirit case and a gasogene in the corner. then he stood before the fire and looked me over', 'ed a spirit case and a gasogene in the corner. then he stood before the fire and looked me over in h', 'spirit case and a gasogene in the corner. then he stood before the fire and looked me over in his si', 't case and a gasogene in the corner. then he stood before the fire and looked me over in his singula', 'e and a gasogene in the corner. then he stood before the fire and looked me over in his singular int', ' a gasogene in the corner. then he stood before the fire and looked me over in his singular introspe', 'sogene in the corner. then he stood before the fire and looked me over in his singular introspective', 'e in the corner. then he stood before the fire and looked me over in his singular introspective fash', 'the corner. then he stood before the fire and looked me over in his singular introspective fashion. ', 'orner. then he stood before the fire and looked me over in his singular introspective fashion. "wedl', '. then he stood before the fire and looked me over in his singular introspective fashion. "wedlock s', 'n he stood before the fire and looked me over in his singular introspective fashion. "wedlock suits ', 'stood before the fire and looked me over in his singular introspective fashion. "wedlock suits you,"', ' before the fire and looked me over in his singular introspective fashion. "wedlock suits you," he r', 're the fire and looked me over in his singular introspective fashion. "wedlock suits you," he remark', 'e fire and looked me over in his singular introspective fashion. "wedlock suits you," he remarked. "', 'e and looked me over in his singular introspective fashion. "wedlock suits you," he remarked. "i thi', ' looked me over in his singular introspective fashion. "wedlock suits you," he remarked. "i think, w', 'ed me over in his singular introspective fashion. "wedlock suits you," he remarked. "i think, watson', ' over in his singular introspective fashion. "wedlock suits you," he remarked. "i think, watson, tha', ' in his singular introspective fashion. "wedlock suits you," he remarked. "i think, watson, that you', 'is singular introspective fashion. "wedlock suits you," he remarked. "i think, watson, that you have', 'ngular introspective fashion. "wedlock suits you," he remarked. "i think, watson, that you have put ', 'r introspective fashion. "wedlock suits you," he remarked. "i think, watson, that you have put on se', 'rospective fashion. "wedlock suits you," he remarked. "i think, watson, that you have put on seven a', 'ctive fashion. "wedlock suits you," he remarked. "i think, watson, that you have put on seven and a ', ' fashion. "wedlock suits you," he remarked. "i think, watson, that you have put on seven and a half ', 'ion. "wedlock suits you," he remarked. "i think, watson, that you have put on seven and a half pound', '"wedlock suits you," he remarked. "i think, watson, that you have put on seven and a half pounds sin', 'ock suits you," he remarked. "i think, watson, that you have put on seven and a half pounds since i ', 'uits you," he remarked. "i think, watson, that you have put on seven and a half pounds since i saw y', 'you," he remarked. "i think, watson, that you have put on seven and a half pounds since i saw you." ', ' he remarked. "i think, watson, that you have put on seven and a half pounds since i saw you." "seve', 'emarked. "i think, watson, that you have put on seven and a half pounds since i saw you." "seven i a', 'ed. "i think, watson, that you have put on seven and a half pounds since i saw you." "seven i answer', 'i think, watson, that you have put on seven and a half pounds since i saw you." "seven i answered. "', 'nk, watson, that you have put on seven and a half pounds since i saw you." "seven i answered. "indee', 'atson, that you have put on seven and a half pounds since i saw you." "seven i answered. "indeed, i ', ', that you have put on seven and a half pounds since i saw you." "seven i answered. "indeed, i shoul', 't you have put on seven and a half pounds since i saw you." "seven i answered. "indeed, i should hav', ' have put on seven and a half pounds since i saw you." "seven i answered. "indeed, i should have tho', ' put on seven and a half pounds since i saw you." "seven i answered. "indeed, i should have thought ', 'on seven and a half pounds since i saw you." "seven i answered. "indeed, i should have thought a lit', 'ven and a half pounds since i saw you." "seven i answered. "indeed, i should have thought a little m', 'nd a half pounds since i saw you." "seven i answered. "indeed, i should have thought a little more. ', 'half pounds since i saw you." "seven i answered. "indeed, i should have thought a little more. just ', 'pounds since i saw you." "seven i answered. "indeed, i should have thought a little more. just a tri', 's since i saw you." "seven i answered. "indeed, i should have thought a little more. just a trifle m', 'ce i saw you." "seven i answered. "indeed, i should have thought a little more. just a trifle more, ', 'saw you." "seven i answered. "indeed, i should have thought a little more. just a trifle more, i fan', 'ou." "seven i answered. "indeed, i should have thought a little more. just a trifle more, i fancy, w', '"seven i answered. "indeed, i should have thought a little more. just a trifle more, i fancy, watson', 'n i answered. "indeed, i should have thought a little more. just a trifle more, i fancy, watson. and', 'nswered. "indeed, i should have thought a little more. just a trifle more, i fancy, watson. and in p', 'ed. "indeed, i should have thought a little more. just a trifle more, i fancy, watson. and in practi', 'indeed, i should have thought a little more. just a trifle more, i fancy, watson. and in practice ag', 'd, i should have thought a little more. just a trifle more, i fancy, watson. and in practice again, ', 'should have thought a little more. just a trifle more, i fancy, watson. and in practice again, i obs', 'd have thought a little more. just a trifle more, i fancy, watson. and in practice again, i observe.', 'e thought a little more. just a trifle more, i fancy, watson. and in practice again, i observe. you ', 'ught a little more. just a trifle more, i fancy, watson. and in practice again, i observe. you did n', 'a little more. just a trifle more, i fancy, watson. and in practice again, i observe. you did not te', 'tle more. just a trifle more, i fancy, watson. and in practice again, i observe. you did not tell me', 'ore. just a trifle more, i fancy, watson. and in practice again, i observe. you did not tell me that', 'just a trifle more, i fancy, watson. and in practice again, i observe. you did not tell me that you ', 'a trifle more, i fancy, watson. and in practice again, i observe. you did not tell me that you inten', 'fle more, i fancy, watson. and in practice again, i observe. you did not tell me that you intended t', 'ore, i fancy, watson. and in practice again, i observe. you did not tell me that you intended to go ', 'i fancy, watson. and in practice again, i observe. you did not tell me that you intended to go into ', 'cy, watson. and in practice again, i observe. you did not tell me that you intended to go into harne', 'atson. and in practice again, i observe. you did not tell me that you intended to go into harness." ', '. and in practice again, i observe. you did not tell me that you intended to go into harness." "then', ' in practice again, i observe. you did not tell me that you intended to go into harness." "then, how', 'ractice again, i observe. you did not tell me that you intended to go into harness." "then, how do y', 'ce again, i observe. you did not tell me that you intended to go into harness." "then, how do you kn', 'ain, i observe. you did not tell me that you intended to go into harness." "then, how do you know?" ', 'i observe. you did not tell me that you intended to go into harness." "then, how do you know?" "i se', 'erve. you did not tell me that you intended to go into harness." "then, how do you know?" "i see it,', ' you did not tell me that you intended to go into harness." "then, how do you know?" "i see it, i de', 'did not tell me that you intended to go into harness." "then, how do you know?" "i see it, i deduce ', 'ot tell me that you intended to go into harness." "then, how do you know?" "i see it, i deduce it. h', 'll me that you intended to go into harness." "then, how do you know?" "i see it, i deduce it. how do', ' that you intended to go into harness." "then, how do you know?" "i see it, i deduce it. how do i kn', ' you intended to go into harness." "then, how do you know?" "i see it, i deduce it. how do i know th', 'intended to go into harness." "then, how do you know?" "i see it, i deduce it. how do i know that yo', 'ded to go into harness." "then, how do you know?" "i see it, i deduce it. how do i know that you hav', 'o go into harness." "then, how do you know?" "i see it, i deduce it. how do i know that you have bee', 'into harness." "then, how do you know?" "i see it, i deduce it. how do i know that you have been get', 'harness." "then, how do you know?" "i see it, i deduce it. how do i know that you have been getting ', 'ss." "then, how do you know?" "i see it, i deduce it. how do i know that you have been getting yours', '"then, how do you know?" "i see it, i deduce it. how do i know that you have been getting yourself v', ', how do you know?" "i see it, i deduce it. how do i know that you have been getting yourself very w', ' do you know?" "i see it, i deduce it. how do i know that you have been getting yourself very wet la', 'ou know?" "i see it, i deduce it. how do i know that you have been getting yourself very wet lately,', 'ow?" "i see it, i deduce it. how do i know that you have been getting yourself very wet lately, and ', '"i see it, i deduce it. how do i know that you have been getting yourself very wet lately, and that ', 'e it, i deduce it. how do i know that you have been getting yourself very wet lately, and that you h', ' i deduce it. how do i know that you have been getting yourself very wet lately, and that you have a', 'duce it. how do i know that you have been getting yourself very wet lately, and that you have a most', 'it. how do i know that you have been getting yourself very wet lately, and that you have a most clum', 'ow do i know that you have been getting yourself very wet lately, and that you have a most clumsy an', ' i know that you have been getting yourself very wet lately, and that you have a most clumsy and car', 'ow that you have been getting yourself very wet lately, and that you have a most clumsy and careless', 'at you have been getting yourself very wet lately, and that you have a most clumsy and careless serv', 'u have been getting yourself very wet lately, and that you have a most clumsy and careless servant g', 'e been getting yourself very wet lately, and that you have a most clumsy and careless servant girl?"', 'n getting yourself very wet lately, and that you have a most clumsy and careless servant girl?" "my ', 'ting yourself very wet lately, and that you have a most clumsy and careless servant girl?" "my dear ', 'yourself very wet lately, and that you have a most clumsy and careless servant girl?" "my dear holme', 'elf very wet lately, and that you have a most clumsy and careless servant girl?" "my dear holmes," s', 'ery wet lately, and that you have a most clumsy and careless servant girl?" "my dear holmes," said i', 'et lately, and that you have a most clumsy and careless servant girl?" "my dear holmes," said i, "th', 'tely, and that you have a most clumsy and careless servant girl?" "my dear holmes," said i, "this is', ' and that you have a most clumsy and careless servant girl?" "my dear holmes," said i, "this is too ', 'that you have a most clumsy and careless servant girl?" "my dear holmes," said i, "this is too much.', 'you have a most clumsy and careless servant girl?" "my dear holmes," said i, "this is too much. you ', 'ave a most clumsy and careless servant girl?" "my dear holmes," said i, "this is too much. you would', ' most clumsy and careless servant girl?" "my dear holmes," said i, "this is too much. you would cert', ' clumsy and careless servant girl?" "my dear holmes," said i, "this is too much. you would certainly', 'sy and careless servant girl?" "my dear holmes," said i, "this is too much. you would certainly have', 'd careless servant girl?" "my dear holmes," said i, "this is too much. you would certainly have been', 'eless servant girl?" "my dear holmes," said i, "this is too much. you would certainly have been burn', ' servant girl?" "my dear holmes," said i, "this is too much. you would certainly have been burned, h', 'ant girl?" "my dear holmes," said i, "this is too much. you would certainly have been burned, had yo', 'irl?" "my dear holmes," said i, "this is too much. you would certainly have been burned, had you liv', ' "my dear holmes," said i, "this is too much. you would certainly have been burned, had you lived a ', 'dear holmes," said i, "this is too much. you would certainly have been burned, had you lived a few c', 'holmes," said i, "this is too much. you would certainly have been burned, had you lived a few centur', 's," said i, "this is too much. you would certainly have been burned, had you lived a few centuries a', 'aid i, "this is too much. you would certainly have been burned, had you lived a few centuries ago. i', ', "this is too much. you would certainly have been burned, had you lived a few centuries ago. it is ', 'is is too much. you would certainly have been burned, had you lived a few centuries ago. it is true ', ' too much. you would certainly have been burned, had you lived a few centuries ago. it is true that ', 'much. you would certainly have been burned, had you lived a few centuries ago. it is true that i had', ' you would certainly have been burned, had you lived a few centuries ago. it is true that i had a co', 'would certainly have been burned, had you lived a few centuries ago. it is true that i had a country', ' certainly have been burned, had you lived a few centuries ago. it is true that i had a country walk', 'ainly have been burned, had you lived a few centuries ago. it is true that i had a country walk on t', ' have been burned, had you lived a few centuries ago. it is true that i had a country walk on thursd', ' been burned, had you lived a few centuries ago. it is true that i had a country walk on thursday an', ' burned, had you lived a few centuries ago. it is true that i had a country walk on thursday and cam', 'ed, had you lived a few centuries ago. it is true that i had a country walk on thursday and came hom', 'ad you lived a few centuries ago. it is true that i had a country walk on thursday and came home in ', 'u lived a few centuries ago. it is true that i had a country walk on thursday and came home in a dre', 'ed a few centuries ago. it is true that i had a country walk on thursday and came home in a dreadful', 'few centuries ago. it is true that i had a country walk on thursday and came home in a dreadful mess', 'enturies ago. it is true that i had a country walk on thursday and came home in a dreadful mess, but', 'ies ago. it is true that i had a country walk on thursday and came home in a dreadful mess, but as i', 'go. it is true that i had a country walk on thursday and came home in a dreadful mess, but as i have', 't is true that i had a country walk on thursday and came home in a dreadful mess, but as i have chan', 'true that i had a country walk on thursday and came home in a dreadful mess, but as i have changed m', 'that i had a country walk on thursday and came home in a dreadful mess, but as i have changed my clo', 'i had a country walk on thursday and came home in a dreadful mess, but as i have changed my clothes ', ' a country walk on thursday and came home in a dreadful mess, but as i have changed my clothes i can', "untry walk on thursday and came home in a dreadful mess, but as i have changed my clothes i can't im", " walk on thursday and came home in a dreadful mess, but as i have changed my clothes i can't imagine", " on thursday and came home in a dreadful mess, but as i have changed my clothes i can't imagine how ", "hursday and came home in a dreadful mess, but as i have changed my clothes i can't imagine how you d", "ay and came home in a dreadful mess, but as i have changed my clothes i can't imagine how you deduce", "d came home in a dreadful mess, but as i have changed my clothes i can't imagine how you deduce it. ", "e home in a dreadful mess, but as i have changed my clothes i can't imagine how you deduce it. as to", "e in a dreadful mess, but as i have changed my clothes i can't imagine how you deduce it. as to mary", "a dreadful mess, but as i have changed my clothes i can't imagine how you deduce it. as to mary jane", "adful mess, but as i have changed my clothes i can't imagine how you deduce it. as to mary jane, she", " mess, but as i have changed my clothes i can't imagine how you deduce it. as to mary jane, she is i", ", but as i have changed my clothes i can't imagine how you deduce it. as to mary jane, she is incorr", " as i have changed my clothes i can't imagine how you deduce it. as to mary jane, she is incorrigibl", " have changed my clothes i can't imagine how you deduce it. as to mary jane, she is incorrigible, an", " changed my clothes i can't imagine how you deduce it. as to mary jane, she is incorrigible, and my ", "ged my clothes i can't imagine how you deduce it. as to mary jane, she is incorrigible, and my wife ", "y clothes i can't imagine how you deduce it. as to mary jane, she is incorrigible, and my wife has g", "thes i can't imagine how you deduce it. as to mary jane, she is incorrigible, and my wife has given ", "i can't imagine how you deduce it. as to mary jane, she is incorrigible, and my wife has given her n", "'t imagine how you deduce it. as to mary jane, she is incorrigible, and my wife has given her notice", 'agine how you deduce it. as to mary jane, she is incorrigible, and my wife has given her notice, but', ' how you deduce it. as to mary jane, she is incorrigible, and my wife has given her notice, but ther', 'you deduce it. as to mary jane, she is incorrigible, and my wife has given her notice, but there, ag', 'educe it. as to mary jane, she is incorrigible, and my wife has given her notice, but there, again, ', ' it. as to mary jane, she is incorrigible, and my wife has given her notice, but there, again, i fai', 'as to mary jane, she is incorrigible, and my wife has given her notice, but there, again, i fail to ', ' mary jane, she is incorrigible, and my wife has given her notice, but there, again, i fail to see h', ' jane, she is incorrigible, and my wife has given her notice, but there, again, i fail to see how yo', ', she is incorrigible, and my wife has given her notice, but there, again, i fail to see how you wor', ' is incorrigible, and my wife has given her notice, but there, again, i fail to see how you work it ', 'ncorrigible, and my wife has given her notice, but there, again, i fail to see how you work it out."', 'igible, and my wife has given her notice, but there, again, i fail to see how you work it out." he c', 'e, and my wife has given her notice, but there, again, i fail to see how you work it out." he chuckl', 'd my wife has given her notice, but there, again, i fail to see how you work it out." he chuckled to', 'wife has given her notice, but there, again, i fail to see how you work it out." he chuckled to hims', 'has given her notice, but there, again, i fail to see how you work it out." he chuckled to himself a', 'iven her notice, but there, again, i fail to see how you work it out." he chuckled to himself and ru', 'her notice, but there, again, i fail to see how you work it out." he chuckled to himself and rubbed ', 'otice, but there, again, i fail to see how you work it out." he chuckled to himself and rubbed his l', ', but there, again, i fail to see how you work it out." he chuckled to himself and rubbed his long, ', ' there, again, i fail to see how you work it out." he chuckled to himself and rubbed his long, nervo', 'e, again, i fail to see how you work it out." he chuckled to himself and rubbed his long, nervous ha', 'ain, i fail to see how you work it out." he chuckled to himself and rubbed his long, nervous hands t', 'i fail to see how you work it out." he chuckled to himself and rubbed his long, nervous hands togeth', 'l to see how you work it out." he chuckled to himself and rubbed his long, nervous hands together. "', 'see how you work it out." he chuckled to himself and rubbed his long, nervous hands together. "it is', 'ow you work it out." he chuckled to himself and rubbed his long, nervous hands together. "it is simp', 'u work it out." he chuckled to himself and rubbed his long, nervous hands together. "it is simplicit', 'k it out." he chuckled to himself and rubbed his long, nervous hands together. "it is simplicity its', 'out." he chuckled to himself and rubbed his long, nervous hands together. "it is simplicity itself,"', ' he chuckled to himself and rubbed his long, nervous hands together. "it is simplicity itself," said', 'huckled to himself and rubbed his long, nervous hands together. "it is simplicity itself," said he; ', 'ed to himself and rubbed his long, nervous hands together. "it is simplicity itself," said he; "my e', ' himself and rubbed his long, nervous hands together. "it is simplicity itself," said he; "my eyes t', 'elf and rubbed his long, nervous hands together. "it is simplicity itself," said he; "my eyes tell m', 'nd rubbed his long, nervous hands together. "it is simplicity itself," said he; "my eyes tell me tha', 'bbed his long, nervous hands together. "it is simplicity itself," said he; "my eyes tell me that on ', 'his long, nervous hands together. "it is simplicity itself," said he; "my eyes tell me that on the i', 'ong, nervous hands together. "it is simplicity itself," said he; "my eyes tell me that on the inside', 'nervous hands together. "it is simplicity itself," said he; "my eyes tell me that on the inside of y', 'us hands together. "it is simplicity itself," said he; "my eyes tell me that on the inside of your l', 'nds together. "it is simplicity itself," said he; "my eyes tell me that on the inside of your left s', 'ogether. "it is simplicity itself," said he; "my eyes tell me that on the inside of your left shoe, ', 'er. "it is simplicity itself," said he; "my eyes tell me that on the inside of your left shoe, just ', 'it is simplicity itself," said he; "my eyes tell me that on the inside of your left shoe, just where', ' simplicity itself," said he; "my eyes tell me that on the inside of your left shoe, just where the ', 'licity itself," said he; "my eyes tell me that on the inside of your left shoe, just where the firel', 'y itself," said he; "my eyes tell me that on the inside of your left shoe, just where the firelight ', 'elf," said he; "my eyes tell me that on the inside of your left shoe, just where the firelight strik', ' said he; "my eyes tell me that on the inside of your left shoe, just where the firelight strikes it', ' he; "my eyes tell me that on the inside of your left shoe, just where the firelight strikes it, the', '"my eyes tell me that on the inside of your left shoe, just where the firelight strikes it, the leat', 'yes tell me that on the inside of your left shoe, just where the firelight strikes it, the leather i', 'ell me that on the inside of your left shoe, just where the firelight strikes it, the leather is sco', 'e that on the inside of your left shoe, just where the firelight strikes it, the leather is scored b', 't on the inside of your left shoe, just where the firelight strikes it, the leather is scored by six', 'the inside of your left shoe, just where the firelight strikes it, the leather is scored by six almo', 'nside of your left shoe, just where the firelight strikes it, the leather is scored by six almost pa', ' of your left shoe, just where the firelight strikes it, the leather is scored by six almost paralle', 'our left shoe, just where the firelight strikes it, the leather is scored by six almost parallel cut', 'eft shoe, just where the firelight strikes it, the leather is scored by six almost parallel cuts. ob', 'hoe, just where the firelight strikes it, the leather is scored by six almost parallel cuts. obvious', 'just where the firelight strikes it, the leather is scored by six almost parallel cuts. obviously th', 'where the firelight strikes it, the leather is scored by six almost parallel cuts. obviously they ha', ' the firelight strikes it, the leather is scored by six almost parallel cuts. obviously they have be', 'firelight strikes it, the leather is scored by six almost parallel cuts. obviously they have been ca', 'ight strikes it, the leather is scored by six almost parallel cuts. obviously they have been caused ', 'strikes it, the leather is scored by six almost parallel cuts. obviously they have been caused by so', 'es it, the leather is scored by six almost parallel cuts. obviously they have been caused by someone', ', the leather is scored by six almost parallel cuts. obviously they have been caused by someone who ', ' leather is scored by six almost parallel cuts. obviously they have been caused by someone who has v', 'her is scored by six almost parallel cuts. obviously they have been caused by someone who has very c', 's scored by six almost parallel cuts. obviously they have been caused by someone who has very carele', 'red by six almost parallel cuts. obviously they have been caused by someone who has very carelessly ', 'y six almost parallel cuts. obviously they have been caused by someone who has very carelessly scrap', ' almost parallel cuts. obviously they have been caused by someone who has very carelessly scraped ro', 'st parallel cuts. obviously they have been caused by someone who has very carelessly scraped round t', 'rallel cuts. obviously they have been caused by someone who has very carelessly scraped round the ed', 'l cuts. obviously they have been caused by someone who has very carelessly scraped round the edges o', 's. obviously they have been caused by someone who has very carelessly scraped round the edges of the', 'viously they have been caused by someone who has very carelessly scraped round the edges of the sole', 'ly they have been caused by someone who has very carelessly scraped round the edges of the sole in o', 'ey have been caused by someone who has very carelessly scraped round the edges of the sole in order ', 've been caused by someone who has very carelessly scraped round the edges of the sole in order to re', 'en caused by someone who has very carelessly scraped round the edges of the sole in order to remove ', 'used by someone who has very carelessly scraped round the edges of the sole in order to remove crust', 'by someone who has very carelessly scraped round the edges of the sole in order to remove crusted mu', 'meone who has very carelessly scraped round the edges of the sole in order to remove crusted mud fro', ' who has very carelessly scraped round the edges of the sole in order to remove crusted mud from it.', 'has very carelessly scraped round the edges of the sole in order to remove crusted mud from it. henc', 'ery carelessly scraped round the edges of the sole in order to remove crusted mud from it. hence, yo', 'arelessly scraped round the edges of the sole in order to remove crusted mud from it. hence, you see', 'ssly scraped round the edges of the sole in order to remove crusted mud from it. hence, you see, my ', 'scraped round the edges of the sole in order to remove crusted mud from it. hence, you see, my doubl', 'ed round the edges of the sole in order to remove crusted mud from it. hence, you see, my double ded', 'und the edges of the sole in order to remove crusted mud from it. hence, you see, my double deductio', 'he edges of the sole in order to remove crusted mud from it. hence, you see, my double deduction tha', 'ges of the sole in order to remove crusted mud from it. hence, you see, my double deduction that you', 'f the sole in order to remove crusted mud from it. hence, you see, my double deduction that you had ', ' sole in order to remove crusted mud from it. hence, you see, my double deduction that you had been ', ' in order to remove crusted mud from it. hence, you see, my double deduction that you had been out i', 'rder to remove crusted mud from it. hence, you see, my double deduction that you had been out in vil', 'to remove crusted mud from it. hence, you see, my double deduction that you had been out in vile wea', 'move crusted mud from it. hence, you see, my double deduction that you had been out in vile weather,', 'crusted mud from it. hence, you see, my double deduction that you had been out in vile weather, and ', 'ed mud from it. hence, you see, my double deduction that you had been out in vile weather, and that ', 'd from it. hence, you see, my double deduction that you had been out in vile weather, and that you h', 'm it. hence, you see, my double deduction that you had been out in vile weather, and that you had a ', ' hence, you see, my double deduction that you had been out in vile weather, and that you had a parti', 'e, you see, my double deduction that you had been out in vile weather, and that you had a particular', 'u see, my double deduction that you had been out in vile weather, and that you had a particularly ma', ', my double deduction that you had been out in vile weather, and that you had a particularly maligna', 'double deduction that you had been out in vile weather, and that you had a particularly malignant bo', 'e deduction that you had been out in vile weather, and that you had a particularly malignant boot-sl', 'uction that you had been out in vile weather, and that you had a particularly malignant boot-slittin', 'n that you had been out in vile weather, and that you had a particularly malignant boot-slitting spe', 't you had been out in vile weather, and that you had a particularly malignant boot-slitting specimen', ' had been out in vile weather, and that you had a particularly malignant boot-slitting specimen of t', 'been out in vile weather, and that you had a particularly malignant boot-slitting specimen of the lo', 'out in vile weather, and that you had a particularly malignant boot-slitting specimen of the london ', 'n vile weather, and that you had a particularly malignant boot-slitting specimen of the london slave', 'e weather, and that you had a particularly malignant boot-slitting specimen of the london slavey. as', 'ther, and that you had a particularly malignant boot-slitting specimen of the london slavey. as to y', ' and that you had a particularly malignant boot-slitting specimen of the london slavey. as to your p', 'that you had a particularly malignant boot-slitting specimen of the london slavey. as to your practi', 'you had a particularly malignant boot-slitting specimen of the london slavey. as to your practice, i', 'ad a particularly malignant boot-slitting specimen of the london slavey. as to your practice, if a g', 'particularly malignant boot-slitting specimen of the london slavey. as to your practice, if a gentle', 'cularly malignant boot-slitting specimen of the london slavey. as to your practice, if a gentleman w', 'ly malignant boot-slitting specimen of the london slavey. as to your practice, if a gentleman walks ', 'lignant boot-slitting specimen of the london slavey. as to your practice, if a gentleman walks into ', 'nt boot-slitting specimen of the london slavey. as to your practice, if a gentleman walks into my ro', 'ot-slitting specimen of the london slavey. as to your practice, if a gentleman walks into my rooms s', 'itting specimen of the london slavey. as to your practice, if a gentleman walks into my rooms smelli', 'g specimen of the london slavey. as to your practice, if a gentleman walks into my rooms smelling of', 'cimen of the london slavey. as to your practice, if a gentleman walks into my rooms smelling of iodo', ' of the london slavey. as to your practice, if a gentleman walks into my rooms smelling of iodoform,', 'he london slavey. as to your practice, if a gentleman walks into my rooms smelling of iodoform, with', 'ndon slavey. as to your practice, if a gentleman walks into my rooms smelling of iodoform, with a bl', 'slavey. as to your practice, if a gentleman walks into my rooms smelling of iodoform, with a black m', 'y. as to your practice, if a gentleman walks into my rooms smelling of iodoform, with a black mark o', ' to your practice, if a gentleman walks into my rooms smelling of iodoform, with a black mark of nit', 'our practice, if a gentleman walks into my rooms smelling of iodoform, with a black mark of nitrate ', 'ractice, if a gentleman walks into my rooms smelling of iodoform, with a black mark of nitrate of si', 'ce, if a gentleman walks into my rooms smelling of iodoform, with a black mark of nitrate of silver ', 'f a gentleman walks into my rooms smelling of iodoform, with a black mark of nitrate of silver upon ', 'entleman walks into my rooms smelling of iodoform, with a black mark of nitrate of silver upon his r', 'man walks into my rooms smelling of iodoform, with a black mark of nitrate of silver upon his right ', 'alks into my rooms smelling of iodoform, with a black mark of nitrate of silver upon his right foref', 'into my rooms smelling of iodoform, with a black mark of nitrate of silver upon his right forefinger', 'my rooms smelling of iodoform, with a black mark of nitrate of silver upon his right forefinger, and', 'oms smelling of iodoform, with a black mark of nitrate of silver upon his right forefinger, and a bu', 'melling of iodoform, with a black mark of nitrate of silver upon his right forefinger, and a bulge o', 'ng of iodoform, with a black mark of nitrate of silver upon his right forefinger, and a bulge on the', ' iodoform, with a black mark of nitrate of silver upon his right forefinger, and a bulge on the righ', 'form, with a black mark of nitrate of silver upon his right forefinger, and a bulge on the right sid', ' with a black mark of nitrate of silver upon his right forefinger, and a bulge on the right side of ', ' a black mark of nitrate of silver upon his right forefinger, and a bulge on the right side of his t', 'ack mark of nitrate of silver upon his right forefinger, and a bulge on the right side of his top-ha', 'ark of nitrate of silver upon his right forefinger, and a bulge on the right side of his top-hat to ', 'f nitrate of silver upon his right forefinger, and a bulge on the right side of his top-hat to show ', 'rate of silver upon his right forefinger, and a bulge on the right side of his top-hat to show where', 'of silver upon his right forefinger, and a bulge on the right side of his top-hat to show where he h', 'lver upon his right forefinger, and a bulge on the right side of his top-hat to show where he has se', 'upon his right forefinger, and a bulge on the right side of his top-hat to show where he has secrete', 'his right forefinger, and a bulge on the right side of his top-hat to show where he has secreted his', 'ight forefinger, and a bulge on the right side of his top-hat to show where he has secreted his stet', 'forefinger, and a bulge on the right side of his top-hat to show where he has secreted his stethosco', 'inger, and a bulge on the right side of his top-hat to show where he has secreted his stethoscope, i', ', and a bulge on the right side of his top-hat to show where he has secreted his stethoscope, i must', ' a bulge on the right side of his top-hat to show where he has secreted his stethoscope, i must be d', 'lge on the right side of his top-hat to show where he has secreted his stethoscope, i must be dull, ', 'n the right side of his top-hat to show where he has secreted his stethoscope, i must be dull, indee', ' right side of his top-hat to show where he has secreted his stethoscope, i must be dull, indeed, if', 't side of his top-hat to show where he has secreted his stethoscope, i must be dull, indeed, if i do', 'e of his top-hat to show where he has secreted his stethoscope, i must be dull, indeed, if i do not ', 'his top-hat to show where he has secreted his stethoscope, i must be dull, indeed, if i do not prono', 'op-hat to show where he has secreted his stethoscope, i must be dull, indeed, if i do not pronounce ', 't to show where he has secreted his stethoscope, i must be dull, indeed, if i do not pronounce him t', 'show where he has secreted his stethoscope, i must be dull, indeed, if i do not pronounce him to be ', 'where he has secreted his stethoscope, i must be dull, indeed, if i do not pronounce him to be an ac', ' he has secreted his stethoscope, i must be dull, indeed, if i do not pronounce him to be an active ', 'as secreted his stethoscope, i must be dull, indeed, if i do not pronounce him to be an active membe', 'creted his stethoscope, i must be dull, indeed, if i do not pronounce him to be an active member of ', 'd his stethoscope, i must be dull, indeed, if i do not pronounce him to be an active member of the m', ' stethoscope, i must be dull, indeed, if i do not pronounce him to be an active member of the medica', 'hoscope, i must be dull, indeed, if i do not pronounce him to be an active member of the medical pro', 'pe, i must be dull, indeed, if i do not pronounce him to be an active member of the medical professi', ' must be dull, indeed, if i do not pronounce him to be an active member of the medical profession." ', ' be dull, indeed, if i do not pronounce him to be an active member of the medical profession." i cou', 'ull, indeed, if i do not pronounce him to be an active member of the medical profession." i could no', 'indeed, if i do not pronounce him to be an active member of the medical profession." i could not hel', 'd, if i do not pronounce him to be an active member of the medical profession." i could not help lau', ' i do not pronounce him to be an active member of the medical profession." i could not help laughing', ' not pronounce him to be an active member of the medical profession." i could not help laughing at t', 'pronounce him to be an active member of the medical profession." i could not help laughing at the ea', 'unce him to be an active member of the medical profession." i could not help laughing at the ease wi', 'him to be an active member of the medical profession." i could not help laughing at the ease with wh', 'o be an active member of the medical profession." i could not help laughing at the ease with which h', 'an active member of the medical profession." i could not help laughing at the ease with which he exp', 'tive member of the medical profession." i could not help laughing at the ease with which he explaine', 'member of the medical profession." i could not help laughing at the ease with which he explained his', 'r of the medical profession." i could not help laughing at the ease with which he explained his proc', 'the medical profession." i could not help laughing at the ease with which he explained his process o', 'edical profession." i could not help laughing at the ease with which he explained his process of ded', 'l profession." i could not help laughing at the ease with which he explained his process of deductio', 'fession." i could not help laughing at the ease with which he explained his process of deduction. "w', 'on." i could not help laughing at the ease with which he explained his process of deduction. "when i', 'i could not help laughing at the ease with which he explained his process of deduction. "when i hear', 'ld not help laughing at the ease with which he explained his process of deduction. "when i hear you ', 't help laughing at the ease with which he explained his process of deduction. "when i hear you give ', 'p laughing at the ease with which he explained his process of deduction. "when i hear you give your ', 'ghing at the ease with which he explained his process of deduction. "when i hear you give your reaso', ' at the ease with which he explained his process of deduction. "when i hear you give your reasons," ', 'he ease with which he explained his process of deduction. "when i hear you give your reasons," i rem', 'se with which he explained his process of deduction. "when i hear you give your reasons," i remarked', 'th which he explained his process of deduction. "when i hear you give your reasons," i remarked, "th', 'ich he explained his process of deduction. "when i hear you give your reasons," i remarked, "the thi', 'e explained his process of deduction. "when i hear you give your reasons," i remarked, "the thing al', 'lained his process of deduction. "when i hear you give your reasons," i remarked, "the thing always ', 'd his process of deduction. "when i hear you give your reasons," i remarked, "the thing always appea', ' process of deduction. "when i hear you give your reasons," i remarked, "the thing always appears to', 'ess of deduction. "when i hear you give your reasons," i remarked, "the thing always appears to me t', 'f deduction. "when i hear you give your reasons," i remarked, "the thing always appears to me to be ', 'uction. "when i hear you give your reasons," i remarked, "the thing always appears to me to be so ri', 'n. "when i hear you give your reasons," i remarked, "the thing always appears to me to be so ridicul', 'hen i hear you give your reasons," i remarked, "the thing always appears to me to be so ridiculously', ' hear you give your reasons," i remarked, "the thing always appears to me to be so ridiculously simp', ' you give your reasons," i remarked, "the thing always appears to me to be so ridiculously simple th', 'give your reasons," i remarked, "the thing always appears to me to be so ridiculously simple that i ', 'your reasons," i remarked, "the thing always appears to me to be so ridiculously simple that i could', 'reasons," i remarked, "the thing always appears to me to be so ridiculously simple that i could easi', 'ns," i remarked, "the thing always appears to me to be so ridiculously simple that i could easily do', 'i remarked, "the thing always appears to me to be so ridiculously simple that i could easily do it m', 'arked, "the thing always appears to me to be so ridiculously simple that i could easily do it myself', ', "the thing always appears to me to be so ridiculously simple that i could easily do it myself, tho', 'e thing always appears to me to be so ridiculously simple that i could easily do it myself, though a', 'ng always appears to me to be so ridiculously simple that i could easily do it myself, though at eac', 'ways appears to me to be so ridiculously simple that i could easily do it myself, though at each suc', 'appears to me to be so ridiculously simple that i could easily do it myself, though at each successi', 'rs to me to be so ridiculously simple that i could easily do it myself, though at each successive in', ' me to be so ridiculously simple that i could easily do it myself, though at each successive instanc', 'o be so ridiculously simple that i could easily do it myself, though at each successive instance of ', 'so ridiculously simple that i could easily do it myself, though at each successive instance of your ', 'diculously simple that i could easily do it myself, though at each successive instance of your reaso', 'ously simple that i could easily do it myself, though at each successive instance of your reasoning ', ' simple that i could easily do it myself, though at each successive instance of your reasoning i am ', 'le that i could easily do it myself, though at each successive instance of your reasoning i am baffl', 'at i could easily do it myself, though at each successive instance of your reasoning i am baffled un', 'could easily do it myself, though at each successive instance of your reasoning i am baffled until y', ' easily do it myself, though at each successive instance of your reasoning i am baffled until you ex', 'ly do it myself, though at each successive instance of your reasoning i am baffled until you explain', ' it myself, though at each successive instance of your reasoning i am baffled until you explain your', 'yself, though at each successive instance of your reasoning i am baffled until you explain your proc', ', though at each successive instance of your reasoning i am baffled until you explain your process. ', 'ugh at each successive instance of your reasoning i am baffled until you explain your process. and y', 't each successive instance of your reasoning i am baffled until you explain your process. and yet i ', 'h successive instance of your reasoning i am baffled until you explain your process. and yet i belie', 'cessive instance of your reasoning i am baffled until you explain your process. and yet i believe th', 've instance of your reasoning i am baffled until you explain your process. and yet i believe that my', 'stance of your reasoning i am baffled until you explain your process. and yet i believe that my eyes', 'e of your reasoning i am baffled until you explain your process. and yet i believe that my eyes are ', 'your reasoning i am baffled until you explain your process. and yet i believe that my eyes are as go', 'reasoning i am baffled until you explain your process. and yet i believe that my eyes are as good as', 'ning i am baffled until you explain your process. and yet i believe that my eyes are as good as your', 'i am baffled until you explain your process. and yet i believe that my eyes are as good as yours." "', 'baffled until you explain your process. and yet i believe that my eyes are as good as yours." "quite', 'ed until you explain your process. and yet i believe that my eyes are as good as yours." "quite so,"', 'til you explain your process. and yet i believe that my eyes are as good as yours." "quite so," he a', 'ou explain your process. and yet i believe that my eyes are as good as yours." "quite so," he answer', 'plain your process. and yet i believe that my eyes are as good as yours." "quite so," he answered, l', ' your process. and yet i believe that my eyes are as good as yours." "quite so," he answered, lighti', ' process. and yet i believe that my eyes are as good as yours." "quite so," he answered, lighting a ', 'ess. and yet i believe that my eyes are as good as yours." "quite so," he answered, lighting a cigar', 'and yet i believe that my eyes are as good as yours." "quite so," he answered, lighting a cigarette,', 'et i believe that my eyes are as good as yours." "quite so," he answered, lighting a cigarette, and ', 'believe that my eyes are as good as yours." "quite so," he answered, lighting a cigarette, and throw', 've that my eyes are as good as yours." "quite so," he answered, lighting a cigarette, and throwing h', 'at my eyes are as good as yours." "quite so," he answered, lighting a cigarette, and throwing himsel', ' eyes are as good as yours." "quite so," he answered, lighting a cigarette, and throwing himself dow', ' are as good as yours." "quite so," he answered, lighting a cigarette, and throwing himself down int', 'as good as yours." "quite so," he answered, lighting a cigarette, and throwing himself down into an ', 'od as yours." "quite so," he answered, lighting a cigarette, and throwing himself down into an armch', ' yours." "quite so," he answered, lighting a cigarette, and throwing himself down into an armchair. ', 's." "quite so," he answered, lighting a cigarette, and throwing himself down into an armchair. "you ', 'quite so," he answered, lighting a cigarette, and throwing himself down into an armchair. "you see, ', ' so," he answered, lighting a cigarette, and throwing himself down into an armchair. "you see, but y', ' he answered, lighting a cigarette, and throwing himself down into an armchair. "you see, but you do', 'nswered, lighting a cigarette, and throwing himself down into an armchair. "you see, but you do not ', 'ed, lighting a cigarette, and throwing himself down into an armchair. "you see, but you do not obser', 'ighting a cigarette, and throwing himself down into an armchair. "you see, but you do not observe. t', 'ng a cigarette, and throwing himself down into an armchair. "you see, but you do not observe. the di', 'cigarette, and throwing himself down into an armchair. "you see, but you do not observe. the distinc', 'ette, and throwing himself down into an armchair. "you see, but you do not observe. the distinction ', ' and throwing himself down into an armchair. "you see, but you do not observe. the distinction is cl', 'throwing himself down into an armchair. "you see, but you do not observe. the distinction is clear. ', 'ing himself down into an armchair. "you see, but you do not observe. the distinction is clear. for e', 'imself down into an armchair. "you see, but you do not observe. the distinction is clear. for exampl', 'f down into an armchair. "you see, but you do not observe. the distinction is clear. for example, yo', 'n into an armchair. "you see, but you do not observe. the distinction is clear. for example, you hav', 'o an armchair. "you see, but you do not observe. the distinction is clear. for example, you have fre', 'armchair. "you see, but you do not observe. the distinction is clear. for example, you have frequent', 'air. "you see, but you do not observe. the distinction is clear. for example, you have frequently se', '"you see, but you do not observe. the distinction is clear. for example, you have frequently seen th', 'see, but you do not observe. the distinction is clear. for example, you have frequently seen the ste', 'but you do not observe. the distinction is clear. for example, you have frequently seen the steps wh', 'ou do not observe. the distinction is clear. for example, you have frequently seen the steps which l', ' not observe. the distinction is clear. for example, you have frequently seen the steps which lead u', 'observe. the distinction is clear. for example, you have frequently seen the steps which lead up fro', 've. the distinction is clear. for example, you have frequently seen the steps which lead up from the', 'he distinction is clear. for example, you have frequently seen the steps which lead up from the hall', 'stinction is clear. for example, you have frequently seen the steps which lead up from the hall to t', 'tion is clear. for example, you have frequently seen the steps which lead up from the hall to this r', 'is clear. for example, you have frequently seen the steps which lead up from the hall to this room."', 'ear. for example, you have frequently seen the steps which lead up from the hall to this room." "fre', 'for example, you have frequently seen the steps which lead up from the hall to this room." "frequent', 'xample, you have frequently seen the steps which lead up from the hall to this room." "frequently." ', 'e, you have frequently seen the steps which lead up from the hall to this room." "frequently." "how ', 'u have frequently seen the steps which lead up from the hall to this room." "frequently." "how often', 'e frequently seen the steps which lead up from the hall to this room." "frequently." "how often?" "w', 'quently seen the steps which lead up from the hall to this room." "frequently." "how often?" "well, ', 'ly seen the steps which lead up from the hall to this room." "frequently." "how often?" "well, some ', 'en the steps which lead up from the hall to this room." "frequently." "how often?" "well, some hundr', 'e steps which lead up from the hall to this room." "frequently." "how often?" "well, some hundreds o', 'ps which lead up from the hall to this room." "frequently." "how often?" "well, some hundreds of tim', 'ich lead up from the hall to this room." "frequently." "how often?" "well, some hundreds of times." ', 'ead up from the hall to this room." "frequently." "how often?" "well, some hundreds of times." "then', 'p from the hall to this room." "frequently." "how often?" "well, some hundreds of times." "then how ', 'm the hall to this room." "frequently." "how often?" "well, some hundreds of times." "then how many ', ' hall to this room." "frequently." "how often?" "well, some hundreds of times." "then how many are t', ' to this room." "frequently." "how often?" "well, some hundreds of times." "then how many are there?', 'his room." "frequently." "how often?" "well, some hundreds of times." "then how many are there?" "ho', 'oom." "frequently." "how often?" "well, some hundreds of times." "then how many are there?" "how man', ' "frequently." "how often?" "well, some hundreds of times." "then how many are there?" "how many? i ', 'quently." "how often?" "well, some hundreds of times." "then how many are there?" "how many? i don\'t', 'ly." "how often?" "well, some hundreds of times." "then how many are there?" "how many? i don\'t know', '"how often?" "well, some hundreds of times." "then how many are there?" "how many? i don\'t know." "q', 'often?" "well, some hundreds of times." "then how many are there?" "how many? i don\'t know." "quite ', '?" "well, some hundreds of times." "then how many are there?" "how many? i don\'t know." "quite so! y', 'ell, some hundreds of times." "then how many are there?" "how many? i don\'t know." "quite so! you ha', 'some hundreds of times." "then how many are there?" "how many? i don\'t know." "quite so! you have no', 'hundreds of times." "then how many are there?" "how many? i don\'t know." "quite so! you have not obs', 'eds of times." "then how many are there?" "how many? i don\'t know." "quite so! you have not observed', 'f times." "then how many are there?" "how many? i don\'t know." "quite so! you have not observed. and', 'es." "then how many are there?" "how many? i don\'t know." "quite so! you have not observed. and yet ', '"then how many are there?" "how many? i don\'t know." "quite so! you have not observed. and yet you h', ' how many are there?" "how many? i don\'t know." "quite so! you have not observed. and yet you have s', 'many are there?" "how many? i don\'t know." "quite so! you have not observed. and yet you have seen. ', 'are there?" "how many? i don\'t know." "quite so! you have not observed. and yet you have seen. that ', 'here?" "how many? i don\'t know." "quite so! you have not observed. and yet you have seen. that is ju', '" "how many? i don\'t know." "quite so! you have not observed. and yet you have seen. that is just my', 'w many? i don\'t know." "quite so! you have not observed. and yet you have seen. that is just my poin', 'y? i don\'t know." "quite so! you have not observed. and yet you have seen. that is just my point. no', 'don\'t know." "quite so! you have not observed. and yet you have seen. that is just my point. now, i ', ' know." "quite so! you have not observed. and yet you have seen. that is just my point. now, i know ', '." "quite so! you have not observed. and yet you have seen. that is just my point. now, i know that ', 'uite so! you have not observed. and yet you have seen. that is just my point. now, i know that there', 'so! you have not observed. and yet you have seen. that is just my point. now, i know that there are ', 'ou have not observed. and yet you have seen. that is just my point. now, i know that there are seven', 've not observed. and yet you have seen. that is just my point. now, i know that there are seventeen ', 't observed. and yet you have seen. that is just my point. now, i know that there are seventeen steps', 'erved. and yet you have seen. that is just my point. now, i know that there are seventeen steps, bec', '. and yet you have seen. that is just my point. now, i know that there are seventeen steps, because ', ' yet you have seen. that is just my point. now, i know that there are seventeen steps, because i hav', 'you have seen. that is just my point. now, i know that there are seventeen steps, because i have bot', 'ave seen. that is just my point. now, i know that there are seventeen steps, because i have both see', 'een. that is just my point. now, i know that there are seventeen steps, because i have both seen and', 'that is just my point. now, i know that there are seventeen steps, because i have both seen and obse', 'is just my point. now, i know that there are seventeen steps, because i have both seen and observed.', 'st my point. now, i know that there are seventeen steps, because i have both seen and observed. by-t', ' point. now, i know that there are seventeen steps, because i have both seen and observed. by-the-wa', 't. now, i know that there are seventeen steps, because i have both seen and observed. by-the-way, si', 'w, i know that there are seventeen steps, because i have both seen and observed. by-the-way, since y', 'know that there are seventeen steps, because i have both seen and observed. by-the-way, since you ar', 'that there are seventeen steps, because i have both seen and observed. by-the-way, since you are int', 'there are seventeen steps, because i have both seen and observed. by-the-way, since you are interest', ' are seventeen steps, because i have both seen and observed. by-the-way, since you are interested in', 'seventeen steps, because i have both seen and observed. by-the-way, since you are interested in thes', 'teen steps, because i have both seen and observed. by-the-way, since you are interested in these lit', 'steps, because i have both seen and observed. by-the-way, since you are interested in these little p', ', because i have both seen and observed. by-the-way, since you are interested in these little proble', 'ause i have both seen and observed. by-the-way, since you are interested in these little problems, a', 'i have both seen and observed. by-the-way, since you are interested in these little problems, and si', 'e both seen and observed. by-the-way, since you are interested in these little problems, and since y', 'h seen and observed. by-the-way, since you are interested in these little problems, and since you ar', 'n and observed. by-the-way, since you are interested in these little problems, and since you are goo', ' observed. by-the-way, since you are interested in these little problems, and since you are good eno', 'rved. by-the-way, since you are interested in these little problems, and since you are good enough t', ' by-the-way, since you are interested in these little problems, and since you are good enough to chr', 'he-way, since you are interested in these little problems, and since you are good enough to chronicl', 'y, since you are interested in these little problems, and since you are good enough to chronicle one', 'nce you are interested in these little problems, and since you are good enough to chronicle one or t', 'ou are interested in these little problems, and since you are good enough to chronicle one or two of', 'e interested in these little problems, and since you are good enough to chronicle one or two of my t', 'erested in these little problems, and since you are good enough to chronicle one or two of my trifli', 'ed in these little problems, and since you are good enough to chronicle one or two of my trifling ex', ' these little problems, and since you are good enough to chronicle one or two of my trifling experie', 'e little problems, and since you are good enough to chronicle one or two of my trifling experiences,', 'tle problems, and since you are good enough to chronicle one or two of my trifling experiences, you ', 'roblems, and since you are good enough to chronicle one or two of my trifling experiences, you may b', 'ms, and since you are good enough to chronicle one or two of my trifling experiences, you may be int', 'nd since you are good enough to chronicle one or two of my trifling experiences, you may be interest', 'nce you are good enough to chronicle one or two of my trifling experiences, you may be interested in', 'ou are good enough to chronicle one or two of my trifling experiences, you may be interested in this', 'e good enough to chronicle one or two of my trifling experiences, you may be interested in this." he', 'd enough to chronicle one or two of my trifling experiences, you may be interested in this." he thre', 'ugh to chronicle one or two of my trifling experiences, you may be interested in this." he threw ove', 'o chronicle one or two of my trifling experiences, you may be interested in this." he threw over a s', 'onicle one or two of my trifling experiences, you may be interested in this." he threw over a sheet ', 'e one or two of my trifling experiences, you may be interested in this." he threw over a sheet of th', ' or two of my trifling experiences, you may be interested in this." he threw over a sheet of thick, ', 'wo of my trifling experiences, you may be interested in this." he threw over a sheet of thick, pink-', ' my trifling experiences, you may be interested in this." he threw over a sheet of thick, pink-tinte', 'rifling experiences, you may be interested in this." he threw over a sheet of thick, pink-tinted not', 'ng experiences, you may be interested in this." he threw over a sheet of thick, pink-tinted note-pap', 'periences, you may be interested in this." he threw over a sheet of thick, pink-tinted note-paper wh', 'nces, you may be interested in this." he threw over a sheet of thick, pink-tinted note-paper which h', ' you may be interested in this." he threw over a sheet of thick, pink-tinted note-paper which had be', 'may be interested in this." he threw over a sheet of thick, pink-tinted note-paper which had been ly', 'e interested in this." he threw over a sheet of thick, pink-tinted note-paper which had been lying o', 'erested in this." he threw over a sheet of thick, pink-tinted note-paper which had been lying open u', 'ed in this." he threw over a sheet of thick, pink-tinted note-paper which had been lying open upon t', ' this." he threw over a sheet of thick, pink-tinted note-paper which had been lying open upon the ta', '." he threw over a sheet of thick, pink-tinted note-paper which had been lying open upon the table. ', ' threw over a sheet of thick, pink-tinted note-paper which had been lying open upon the table. "it c', 'w over a sheet of thick, pink-tinted note-paper which had been lying open upon the table. "it came b', 'r a sheet of thick, pink-tinted note-paper which had been lying open upon the table. "it came by the', 'heet of thick, pink-tinted note-paper which had been lying open upon the table. "it came by the last', 'of thick, pink-tinted note-paper which had been lying open upon the table. "it came by the last post', 'ick, pink-tinted note-paper which had been lying open upon the table. "it came by the last post," sa', 'pink-tinted note-paper which had been lying open upon the table. "it came by the last post," said he', 'tinted note-paper which had been lying open upon the table. "it came by the last post," said he. "re', 'd note-paper which had been lying open upon the table. "it came by the last post," said he. "read it', 'e-paper which had been lying open upon the table. "it came by the last post," said he. "read it alou', 'er which had been lying open upon the table. "it came by the last post," said he. "read it aloud." t', 'ich had been lying open upon the table. "it came by the last post," said he. "read it aloud." the no', 'ad been lying open upon the table. "it came by the last post," said he. "read it aloud." the note wa', 'en lying open upon the table. "it came by the last post," said he. "read it aloud." the note was und', 'ing open upon the table. "it came by the last post," said he. "read it aloud." the note was undated,', 'pen upon the table. "it came by the last post," said he. "read it aloud." the note was undated, and ', 'pon the table. "it came by the last post," said he. "read it aloud." the note was undated, and witho', 'he table. "it came by the last post," said he. "read it aloud." the note was undated, and without ei', 'ble. "it came by the last post," said he. "read it aloud." the note was undated, and without either ', '"it came by the last post," said he. "read it aloud." the note was undated, and without either signa', 'ame by the last post," said he. "read it aloud." the note was undated, and without either signature ', 'y the last post," said he. "read it aloud." the note was undated, and without either signature or ad', ' last post," said he. "read it aloud." the note was undated, and without either signature or address', ' post," said he. "read it aloud." the note was undated, and without either signature or address. "th', '," said he. "read it aloud." the note was undated, and without either signature or address. "there w', 'id he. "read it aloud." the note was undated, and without either signature or address. "there will c', '. "read it aloud." the note was undated, and without either signature or address. "there will call u', 'ad it aloud." the note was undated, and without either signature or address. "there will call upon y', ' aloud." the note was undated, and without either signature or address. "there will call upon you to', 'd." the note was undated, and without either signature or address. "there will call upon you to-nigh', 'he note was undated, and without either signature or address. "there will call upon you to-night, at', 'te was undated, and without either signature or address. "there will call upon you to-night, at a qu', 's undated, and without either signature or address. "there will call upon you to-night, at a quarter', 'ated, and without either signature or address. "there will call upon you to-night, at a quarter to e', ' and without either signature or address. "there will call upon you to-night, at a quarter to eight ', 'without either signature or address. "there will call upon you to-night, at a quarter to eight o\'clo', 'ut either signature or address. "there will call upon you to-night, at a quarter to eight o\'clock," ', 'ther signature or address. "there will call upon you to-night, at a quarter to eight o\'clock," it sa', 'signature or address. "there will call upon you to-night, at a quarter to eight o\'clock," it said, "', 'ture or address. "there will call upon you to-night, at a quarter to eight o\'clock," it said, "a gen', 'or address. "there will call upon you to-night, at a quarter to eight o\'clock," it said, "a gentlema', 'dress. "there will call upon you to-night, at a quarter to eight o\'clock," it said, "a gentleman who', '. "there will call upon you to-night, at a quarter to eight o\'clock," it said, "a gentleman who desi', 'ere will call upon you to-night, at a quarter to eight o\'clock," it said, "a gentleman who desires t', 'ill call upon you to-night, at a quarter to eight o\'clock," it said, "a gentleman who desires to con', 'all upon you to-night, at a quarter to eight o\'clock," it said, "a gentleman who desires to consult ', 'pon you to-night, at a quarter to eight o\'clock," it said, "a gentleman who desires to consult you u', 'ou to-night, at a quarter to eight o\'clock," it said, "a gentleman who desires to consult you upon a', '-night, at a quarter to eight o\'clock," it said, "a gentleman who desires to consult you upon a matt', 't, at a quarter to eight o\'clock," it said, "a gentleman who desires to consult you upon a matter of', ' a quarter to eight o\'clock," it said, "a gentleman who desires to consult you upon a matter of the ', 'arter to eight o\'clock," it said, "a gentleman who desires to consult you upon a matter of the very ', ' to eight o\'clock," it said, "a gentleman who desires to consult you upon a matter of the very deepe', 'ight o\'clock," it said, "a gentleman who desires to consult you upon a matter of the very deepest mo', 'o\'clock," it said, "a gentleman who desires to consult you upon a matter of the very deepest moment.', 'ck," it said, "a gentleman who desires to consult you upon a matter of the very deepest moment. your', 'it said, "a gentleman who desires to consult you upon a matter of the very deepest moment. your rece', 'id, "a gentleman who desires to consult you upon a matter of the very deepest moment. your recent se', 'a gentleman who desires to consult you upon a matter of the very deepest moment. your recent service', 'tleman who desires to consult you upon a matter of the very deepest moment. your recent services to ', 'n who desires to consult you upon a matter of the very deepest moment. your recent services to one o', ' desires to consult you upon a matter of the very deepest moment. your recent services to one of the', 'res to consult you upon a matter of the very deepest moment. your recent services to one of the roya', 'o consult you upon a matter of the very deepest moment. your recent services to one of the royal hou', 'sult you upon a matter of the very deepest moment. your recent services to one of the royal houses o', 'you upon a matter of the very deepest moment. your recent services to one of the royal houses of eur', 'pon a matter of the very deepest moment. your recent services to one of the royal houses of europe h', ' matter of the very deepest moment. your recent services to one of the royal houses of europe have s', 'er of the very deepest moment. your recent services to one of the royal houses of europe have shown ', ' the very deepest moment. your recent services to one of the royal houses of europe have shown that ', 'very deepest moment. your recent services to one of the royal houses of europe have shown that you a', 'deepest moment. your recent services to one of the royal houses of europe have shown that you are on', 'st moment. your recent services to one of the royal houses of europe have shown that you are one who', 'ment. your recent services to one of the royal houses of europe have shown that you are one who may ', ' your recent services to one of the royal houses of europe have shown that you are one who may safel', ' recent services to one of the royal houses of europe have shown that you are one who may safely be ', 'nt services to one of the royal houses of europe have shown that you are one who may safely be trust', 'rvices to one of the royal houses of europe have shown that you are one who may safely be trusted wi', 's to one of the royal houses of europe have shown that you are one who may safely be trusted with ma', 'one of the royal houses of europe have shown that you are one who may safely be trusted with matters', 'f the royal houses of europe have shown that you are one who may safely be trusted with matters whic', ' royal houses of europe have shown that you are one who may safely be trusted with matters which are', 'l houses of europe have shown that you are one who may safely be trusted with matters which are of a', 'ses of europe have shown that you are one who may safely be trusted with matters which are of an imp', 'f europe have shown that you are one who may safely be trusted with matters which are of an importan', 'ope have shown that you are one who may safely be trusted with matters which are of an importance wh', 'ave shown that you are one who may safely be trusted with matters which are of an importance which c', 'hown that you are one who may safely be trusted with matters which are of an importance which can ha', 'that you are one who may safely be trusted with matters which are of an importance which can hardly ', 'you are one who may safely be trusted with matters which are of an importance which can hardly be ex', 're one who may safely be trusted with matters which are of an importance which can hardly be exagger', 'e who may safely be trusted with matters which are of an importance which can hardly be exaggerated.', ' may safely be trusted with matters which are of an importance which can hardly be exaggerated. this', 'safely be trusted with matters which are of an importance which can hardly be exaggerated. this acco', 'y be trusted with matters which are of an importance which can hardly be exaggerated. this account o', 'trusted with matters which are of an importance which can hardly be exaggerated. this account of you', 'ed with matters which are of an importance which can hardly be exaggerated. this account of you we h', 'th matters which are of an importance which can hardly be exaggerated. this account of you we have f', 'tters which are of an importance which can hardly be exaggerated. this account of you we have from a', ' which are of an importance which can hardly be exaggerated. this account of you we have from all qu', 'h are of an importance which can hardly be exaggerated. this account of you we have from all quarter', ' of an importance which can hardly be exaggerated. this account of you we have from all quarters rec', 'n importance which can hardly be exaggerated. this account of you we have from all quarters received', 'ortance which can hardly be exaggerated. this account of you we have from all quarters received. be ', 'ce which can hardly be exaggerated. this account of you we have from all quarters received. be in yo', 'ich can hardly be exaggerated. this account of you we have from all quarters received. be in your ch', 'an hardly be exaggerated. this account of you we have from all quarters received. be in your chamber', 'rdly be exaggerated. this account of you we have from all quarters received. be in your chamber then', 'be exaggerated. this account of you we have from all quarters received. be in your chamber then at t', 'aggerated. this account of you we have from all quarters received. be in your chamber then at that h', 'ated. this account of you we have from all quarters received. be in your chamber then at that hour, ', ' this account of you we have from all quarters received. be in your chamber then at that hour, and d', ' account of you we have from all quarters received. be in your chamber then at that hour, and do not', 'unt of you we have from all quarters received. be in your chamber then at that hour, and do not take', 'f you we have from all quarters received. be in your chamber then at that hour, and do not take it a', ' we have from all quarters received. be in your chamber then at that hour, and do not take it amiss ', 'ave from all quarters received. be in your chamber then at that hour, and do not take it amiss if yo', 'rom all quarters received. be in your chamber then at that hour, and do not take it amiss if your vi', 'll quarters received. be in your chamber then at that hour, and do not take it amiss if your visitor', 'arters received. be in your chamber then at that hour, and do not take it amiss if your visitor wear', 's received. be in your chamber then at that hour, and do not take it amiss if your visitor wear a ma', 'eived. be in your chamber then at that hour, and do not take it amiss if your visitor wear a mask." ', '. be in your chamber then at that hour, and do not take it amiss if your visitor wear a mask." "this', 'in your chamber then at that hour, and do not take it amiss if your visitor wear a mask." "this is i', 'ur chamber then at that hour, and do not take it amiss if your visitor wear a mask." "this is indeed', 'amber then at that hour, and do not take it amiss if your visitor wear a mask." "this is indeed a my', ' then at that hour, and do not take it amiss if your visitor wear a mask." "this is indeed a mystery', ' at that hour, and do not take it amiss if your visitor wear a mask." "this is indeed a mystery," i ', 'hat hour, and do not take it amiss if your visitor wear a mask." "this is indeed a mystery," i remar', 'our, and do not take it amiss if your visitor wear a mask." "this is indeed a mystery," i remarked. ', 'and do not take it amiss if your visitor wear a mask." "this is indeed a mystery," i remarked. "what', 'o not take it amiss if your visitor wear a mask." "this is indeed a mystery," i remarked. "what do y', ' take it amiss if your visitor wear a mask." "this is indeed a mystery," i remarked. "what do you im', ' it amiss if your visitor wear a mask." "this is indeed a mystery," i remarked. "what do you imagine', 'miss if your visitor wear a mask." "this is indeed a mystery," i remarked. "what do you imagine that', 'if your visitor wear a mask." "this is indeed a mystery," i remarked. "what do you imagine that it m', 'ur visitor wear a mask." "this is indeed a mystery," i remarked. "what do you imagine that it means?', 'sitor wear a mask." "this is indeed a mystery," i remarked. "what do you imagine that it means?" "i ', ' wear a mask." "this is indeed a mystery," i remarked. "what do you imagine that it means?" "i have ', ' a mask." "this is indeed a mystery," i remarked. "what do you imagine that it means?" "i have no da', 'sk." "this is indeed a mystery," i remarked. "what do you imagine that it means?" "i have no data ye', '"this is indeed a mystery," i remarked. "what do you imagine that it means?" "i have no data yet. it', ' is indeed a mystery," i remarked. "what do you imagine that it means?" "i have no data yet. it is a', 'ndeed a mystery," i remarked. "what do you imagine that it means?" "i have no data yet. it is a capi', ' a mystery," i remarked. "what do you imagine that it means?" "i have no data yet. it is a capital m', 'stery," i remarked. "what do you imagine that it means?" "i have no data yet. it is a capital mistak', '," i remarked. "what do you imagine that it means?" "i have no data yet. it is a capital mistake to ', 'remarked. "what do you imagine that it means?" "i have no data yet. it is a capital mistake to theor', 'ked. "what do you imagine that it means?" "i have no data yet. it is a capital mistake to theorize b', '"what do you imagine that it means?" "i have no data yet. it is a capital mistake to theorize before', ' do you imagine that it means?" "i have no data yet. it is a capital mistake to theorize before one ', 'ou imagine that it means?" "i have no data yet. it is a capital mistake to theorize before one has d', 'agine that it means?" "i have no data yet. it is a capital mistake to theorize before one has data. ', ' that it means?" "i have no data yet. it is a capital mistake to theorize before one has data. insen', ' it means?" "i have no data yet. it is a capital mistake to theorize before one has data. insensibly', 'eans?" "i have no data yet. it is a capital mistake to theorize before one has data. insensibly one ', '" "i have no data yet. it is a capital mistake to theorize before one has data. insensibly one begin', 'have no data yet. it is a capital mistake to theorize before one has data. insensibly one begins to ', 'no data yet. it is a capital mistake to theorize before one has data. insensibly one begins to twist', 'ta yet. it is a capital mistake to theorize before one has data. insensibly one begins to twist fact', 't. it is a capital mistake to theorize before one has data. insensibly one begins to twist facts to ', ' is a capital mistake to theorize before one has data. insensibly one begins to twist facts to suit ', ' capital mistake to theorize before one has data. insensibly one begins to twist facts to suit theor', 'tal mistake to theorize before one has data. insensibly one begins to twist facts to suit theories, ', 'istake to theorize before one has data. insensibly one begins to twist facts to suit theories, inste', 'e to theorize before one has data. insensibly one begins to twist facts to suit theories, instead of', 'theorize before one has data. insensibly one begins to twist facts to suit theories, instead of theo', 'ize before one has data. insensibly one begins to twist facts to suit theories, instead of theories ', 'efore one has data. insensibly one begins to twist facts to suit theories, instead of theories to su', ' one has data. insensibly one begins to twist facts to suit theories, instead of theories to suit fa', 'has data. insensibly one begins to twist facts to suit theories, instead of theories to suit facts. ', 'ata. insensibly one begins to twist facts to suit theories, instead of theories to suit facts. but t', 'insensibly one begins to twist facts to suit theories, instead of theories to suit facts. but the no', 'sibly one begins to twist facts to suit theories, instead of theories to suit facts. but the note it', ' one begins to twist facts to suit theories, instead of theories to suit facts. but the note itself.', 'begins to twist facts to suit theories, instead of theories to suit facts. but the note itself. what', 's to twist facts to suit theories, instead of theories to suit facts. but the note itself. what do y', 'twist facts to suit theories, instead of theories to suit facts. but the note itself. what do you de', ' facts to suit theories, instead of theories to suit facts. but the note itself. what do you deduce ', 's to suit theories, instead of theories to suit facts. but the note itself. what do you deduce from ', 'suit theories, instead of theories to suit facts. but the note itself. what do you deduce from it?" ', 'theories, instead of theories to suit facts. but the note itself. what do you deduce from it?" i car', 'ies, instead of theories to suit facts. but the note itself. what do you deduce from it?" i carefull', 'instead of theories to suit facts. but the note itself. what do you deduce from it?" i carefully exa', 'ad of theories to suit facts. but the note itself. what do you deduce from it?" i carefully examined', ' theories to suit facts. but the note itself. what do you deduce from it?" i carefully examined the ', 'ries to suit facts. but the note itself. what do you deduce from it?" i carefully examined the writi', 'to suit facts. but the note itself. what do you deduce from it?" i carefully examined the writing, a', 'it facts. but the note itself. what do you deduce from it?" i carefully examined the writing, and th', 'cts. but the note itself. what do you deduce from it?" i carefully examined the writing, and the pap', 'but the note itself. what do you deduce from it?" i carefully examined the writing, and the paper up', 'he note itself. what do you deduce from it?" i carefully examined the writing, and the paper upon wh', 'te itself. what do you deduce from it?" i carefully examined the writing, and the paper upon which i', 'self. what do you deduce from it?" i carefully examined the writing, and the paper upon which it was', ' what do you deduce from it?" i carefully examined the writing, and the paper upon which it was writ', ' do you deduce from it?" i carefully examined the writing, and the paper upon which it was written. ', 'ou deduce from it?" i carefully examined the writing, and the paper upon which it was written. "the ', 'duce from it?" i carefully examined the writing, and the paper upon which it was written. "the man w', 'from it?" i carefully examined the writing, and the paper upon which it was written. "the man who wr', 'it?" i carefully examined the writing, and the paper upon which it was written. "the man who wrote i', 'i carefully examined the writing, and the paper upon which it was written. "the man who wrote it was', 'efully examined the writing, and the paper upon which it was written. "the man who wrote it was pres', 'y examined the writing, and the paper upon which it was written. "the man who wrote it was presumabl', 'mined the writing, and the paper upon which it was written. "the man who wrote it was presumably wel', ' the writing, and the paper upon which it was written. "the man who wrote it was presumably well to ', 'writing, and the paper upon which it was written. "the man who wrote it was presumably well to do," ', 'ng, and the paper upon which it was written. "the man who wrote it was presumably well to do," i rem', 'nd the paper upon which it was written. "the man who wrote it was presumably well to do," i remarked', 'e paper upon which it was written. "the man who wrote it was presumably well to do," i remarked, end', 'er upon which it was written. "the man who wrote it was presumably well to do," i remarked, endeavou', 'on which it was written. "the man who wrote it was presumably well to do," i remarked, endeavouring ', 'ich it was written. "the man who wrote it was presumably well to do," i remarked, endeavouring to im', 't was written. "the man who wrote it was presumably well to do," i remarked, endeavouring to imitate', ' written. "the man who wrote it was presumably well to do," i remarked, endeavouring to imitate my c', 'ten. "the man who wrote it was presumably well to do," i remarked, endeavouring to imitate my compan', '"the man who wrote it was presumably well to do," i remarked, endeavouring to imitate my companion\'s', 'man who wrote it was presumably well to do," i remarked, endeavouring to imitate my companion\'s proc', 'ho wrote it was presumably well to do," i remarked, endeavouring to imitate my companion\'s processes', 'ote it was presumably well to do," i remarked, endeavouring to imitate my companion\'s processes. "su', 't was presumably well to do," i remarked, endeavouring to imitate my companion\'s processes. "such pa', ' presumably well to do," i remarked, endeavouring to imitate my companion\'s processes. "such paper c', 'umably well to do," i remarked, endeavouring to imitate my companion\'s processes. "such paper could ', 'y well to do," i remarked, endeavouring to imitate my companion\'s processes. "such paper could not b', 'l to do," i remarked, endeavouring to imitate my companion\'s processes. "such paper could not be bou', 'do," i remarked, endeavouring to imitate my companion\'s processes. "such paper could not be bought u', 'i remarked, endeavouring to imitate my companion\'s processes. "such paper could not be bought under ', 'arked, endeavouring to imitate my companion\'s processes. "such paper could not be bought under half ', ', endeavouring to imitate my companion\'s processes. "such paper could not be bought under half a cro', 'eavouring to imitate my companion\'s processes. "such paper could not be bought under half a crown a ', 'ring to imitate my companion\'s processes. "such paper could not be bought under half a crown a packe', 'to imitate my companion\'s processes. "such paper could not be bought under half a crown a packet. it', 'itate my companion\'s processes. "such paper could not be bought under half a crown a packet. it is p', ' my companion\'s processes. "such paper could not be bought under half a crown a packet. it is peculi', 'ompanion\'s processes. "such paper could not be bought under half a crown a packet. it is peculiarly ', 'ion\'s processes. "such paper could not be bought under half a crown a packet. it is peculiarly stron', ' processes. "such paper could not be bought under half a crown a packet. it is peculiarly strong and', 'esses. "such paper could not be bought under half a crown a packet. it is peculiarly strong and stif', '. "such paper could not be bought under half a crown a packet. it is peculiarly strong and stiff." "', 'ch paper could not be bought under half a crown a packet. it is peculiarly strong and stiff." "pecul', 'per could not be bought under half a crown a packet. it is peculiarly strong and stiff." "peculiarth', 'ould not be bought under half a crown a packet. it is peculiarly strong and stiff." "peculiarthat is', 'not be bought under half a crown a packet. it is peculiarly strong and stiff." "peculiarthat is the ', 'e bought under half a crown a packet. it is peculiarly strong and stiff." "peculiarthat is the very ', 'ght under half a crown a packet. it is peculiarly strong and stiff." "peculiarthat is the very word,', 'nder half a crown a packet. it is peculiarly strong and stiff." "peculiarthat is the very word," sai', 'half a crown a packet. it is peculiarly strong and stiff." "peculiarthat is the very word," said hol', 'a crown a packet. it is peculiarly strong and stiff." "peculiarthat is the very word," said holmes. ', 'wn a packet. it is peculiarly strong and stiff." "peculiarthat is the very word," said holmes. "it i', 'packet. it is peculiarly strong and stiff." "peculiarthat is the very word," said holmes. "it is not', 't. it is peculiarly strong and stiff." "peculiarthat is the very word," said holmes. "it is not an e', ' is peculiarly strong and stiff." "peculiarthat is the very word," said holmes. "it is not an englis', 'eculiarly strong and stiff." "peculiarthat is the very word," said holmes. "it is not an english pap', 'arly strong and stiff." "peculiarthat is the very word," said holmes. "it is not an english paper at', 'strong and stiff." "peculiarthat is the very word," said holmes. "it is not an english paper at all.', 'g and stiff." "peculiarthat is the very word," said holmes. "it is not an english paper at all. hold', ' stiff." "peculiarthat is the very word," said holmes. "it is not an english paper at all. hold it u', 'f." "peculiarthat is the very word," said holmes. "it is not an english paper at all. hold it up to ', 'peculiarthat is the very word," said holmes. "it is not an english paper at all. hold it up to the l', 'iarthat is the very word," said holmes. "it is not an english paper at all. hold it up to the light.', 'at is the very word," said holmes. "it is not an english paper at all. hold it up to the light." i d', ' the very word," said holmes. "it is not an english paper at all. hold it up to the light." i did so', 'very word," said holmes. "it is not an english paper at all. hold it up to the light." i did so, and', 'word," said holmes. "it is not an english paper at all. hold it up to the light." i did so, and saw ', '" said holmes. "it is not an english paper at all. hold it up to the light." i did so, and saw a lar', 'd holmes. "it is not an english paper at all. hold it up to the light." i did so, and saw a large "e', 'mes. "it is not an english paper at all. hold it up to the light." i did so, and saw a large "e" wit', '"it is not an english paper at all. hold it up to the light." i did so, and saw a large "e" with a s', 's not an english paper at all. hold it up to the light." i did so, and saw a large "e" with a small ', ' an english paper at all. hold it up to the light." i did so, and saw a large "e" with a small "g," ', 'nglish paper at all. hold it up to the light." i did so, and saw a large "e" with a small "g," a "p,', 'h paper at all. hold it up to the light." i did so, and saw a large "e" with a small "g," a "p," and', 'er at all. hold it up to the light." i did so, and saw a large "e" with a small "g," a "p," and a la', ' all. hold it up to the light." i did so, and saw a large "e" with a small "g," a "p," and a large "', ' hold it up to the light." i did so, and saw a large "e" with a small "g," a "p," and a large "g" wi', ' it up to the light." i did so, and saw a large "e" with a small "g," a "p," and a large "g" with a ', 'p to the light." i did so, and saw a large "e" with a small "g," a "p," and a large "g" with a small', 'the light." i did so, and saw a large "e" with a small "g," a "p," and a large "g" with a small "t" ', 'ight." i did so, and saw a large "e" with a small "g," a "p," and a large "g" with a small "t" woven', '" i did so, and saw a large "e" with a small "g," a "p," and a large "g" with a small "t" woven into', 'id so, and saw a large "e" with a small "g," a "p," and a large "g" with a small "t" woven into the ', ', and saw a large "e" with a small "g," a "p," and a large "g" with a small "t" woven into the textu', ' saw a large "e" with a small "g," a "p," and a large "g" with a small "t" woven into the texture of', 'a large "e" with a small "g," a "p," and a large "g" with a small "t" woven into the texture of the ', 'ge "e" with a small "g," a "p," and a large "g" with a small "t" woven into the texture of the paper', '" with a small "g," a "p," and a large "g" with a small "t" woven into the texture of the paper. "wh', 'h a small "g," a "p," and a large "g" with a small "t" woven into the texture of the paper. "what do', 'mall "g," a "p," and a large "g" with a small "t" woven into the texture of the paper. "what do you ', '"g," a "p," and a large "g" with a small "t" woven into the texture of the paper. "what do you make ', 'a "p," and a large "g" with a small "t" woven into the texture of the paper. "what do you make of th', '" and a large "g" with a small "t" woven into the texture of the paper. "what do you make of that?" ', ' a large "g" with a small "t" woven into the texture of the paper. "what do you make of that?" asked', 'rge "g" with a small "t" woven into the texture of the paper. "what do you make of that?" asked holm', 'g" with a small "t" woven into the texture of the paper. "what do you make of that?" asked holmes. "', 'th a small "t" woven into the texture of the paper. "what do you make of that?" asked holmes. "the n', 'small "t" woven into the texture of the paper. "what do you make of that?" asked holmes. "the name o', ' "t" woven into the texture of the paper. "what do you make of that?" asked holmes. "the name of the', 'woven into the texture of the paper. "what do you make of that?" asked holmes. "the name of the make', ' into the texture of the paper. "what do you make of that?" asked holmes. "the name of the maker, no', ' the texture of the paper. "what do you make of that?" asked holmes. "the name of the maker, no doub', 'texture of the paper. "what do you make of that?" asked holmes. "the name of the maker, no doubt; or', 're of the paper. "what do you make of that?" asked holmes. "the name of the maker, no doubt; or his ', ' the paper. "what do you make of that?" asked holmes. "the name of the maker, no doubt; or his monog', 'paper. "what do you make of that?" asked holmes. "the name of the maker, no doubt; or his monogram, ', '. "what do you make of that?" asked holmes. "the name of the maker, no doubt; or his monogram, rathe', 'at do you make of that?" asked holmes. "the name of the maker, no doubt; or his monogram, rather." "', ' you make of that?" asked holmes. "the name of the maker, no doubt; or his monogram, rather." "not a', 'make of that?" asked holmes. "the name of the maker, no doubt; or his monogram, rather." "not at all', 'of that?" asked holmes. "the name of the maker, no doubt; or his monogram, rather." "not at all. the', 'at?" asked holmes. "the name of the maker, no doubt; or his monogram, rather." "not at all. the \'g\' ', 'asked holmes. "the name of the maker, no doubt; or his monogram, rather." "not at all. the \'g\' with ', ' holmes. "the name of the maker, no doubt; or his monogram, rather." "not at all. the \'g\' with the s', 'es. "the name of the maker, no doubt; or his monogram, rather." "not at all. the \'g\' with the small ', 'the name of the maker, no doubt; or his monogram, rather." "not at all. the \'g\' with the small \'t\' s', 'ame of the maker, no doubt; or his monogram, rather." "not at all. the \'g\' with the small \'t\' stands', 'f the maker, no doubt; or his monogram, rather." "not at all. the \'g\' with the small \'t\' stands for ', ' maker, no doubt; or his monogram, rather." "not at all. the \'g\' with the small \'t\' stands for \'gese', 'r, no doubt; or his monogram, rather." "not at all. the \'g\' with the small \'t\' stands for \'gesellsch', ' doubt; or his monogram, rather." "not at all. the \'g\' with the small \'t\' stands for \'gesellschaft,\'', 't; or his monogram, rather." "not at all. the \'g\' with the small \'t\' stands for \'gesellschaft,\' whic', ' his monogram, rather." "not at all. the \'g\' with the small \'t\' stands for \'gesellschaft,\' which is ', 'monogram, rather." "not at all. the \'g\' with the small \'t\' stands for \'gesellschaft,\' which is the g', 'ram, rather." "not at all. the \'g\' with the small \'t\' stands for \'gesellschaft,\' which is the german', 'rather." "not at all. the \'g\' with the small \'t\' stands for \'gesellschaft,\' which is the german for ', 'r." "not at all. the \'g\' with the small \'t\' stands for \'gesellschaft,\' which is the german for \'comp', "not at all. the 'g' with the small 't' stands for 'gesellschaft,' which is the german for 'company.'", "t all. the 'g' with the small 't' stands for 'gesellschaft,' which is the german for 'company.' it i", ". the 'g' with the small 't' stands for 'gesellschaft,' which is the german for 'company.' it is a c", " 'g' with the small 't' stands for 'gesellschaft,' which is the german for 'company.' it is a custom", "with the small 't' stands for 'gesellschaft,' which is the german for 'company.' it is a customary c", "the small 't' stands for 'gesellschaft,' which is the german for 'company.' it is a customary contra", "mall 't' stands for 'gesellschaft,' which is the german for 'company.' it is a customary contraction", "'t' stands for 'gesellschaft,' which is the german for 'company.' it is a customary contraction like", "tands for 'gesellschaft,' which is the german for 'company.' it is a customary contraction like our ", " for 'gesellschaft,' which is the german for 'company.' it is a customary contraction like our 'co.'", "'gesellschaft,' which is the german for 'company.' it is a customary contraction like our 'co.' 'p,'", "llschaft,' which is the german for 'company.' it is a customary contraction like our 'co.' 'p,' of c", "aft,' which is the german for 'company.' it is a customary contraction like our 'co.' 'p,' of course", " which is the german for 'company.' it is a customary contraction like our 'co.' 'p,' of course, sta", "h is the german for 'company.' it is a customary contraction like our 'co.' 'p,' of course, stands f", "the german for 'company.' it is a customary contraction like our 'co.' 'p,' of course, stands for 'p", "erman for 'company.' it is a customary contraction like our 'co.' 'p,' of course, stands for 'papier", " for 'company.' it is a customary contraction like our 'co.' 'p,' of course, stands for 'papier.' no", "'company.' it is a customary contraction like our 'co.' 'p,' of course, stands for 'papier.' now for", "any.' it is a customary contraction like our 'co.' 'p,' of course, stands for 'papier.' now for the ", " it is a customary contraction like our 'co.' 'p,' of course, stands for 'papier.' now for the 'eg.'", "s a customary contraction like our 'co.' 'p,' of course, stands for 'papier.' now for the 'eg.' let ", "ustomary contraction like our 'co.' 'p,' of course, stands for 'papier.' now for the 'eg.' let us gl", "ary contraction like our 'co.' 'p,' of course, stands for 'papier.' now for the 'eg.' let us glance ", "ontraction like our 'co.' 'p,' of course, stands for 'papier.' now for the 'eg.' let us glance at ou", "ction like our 'co.' 'p,' of course, stands for 'papier.' now for the 'eg.' let us glance at our con", " like our 'co.' 'p,' of course, stands for 'papier.' now for the 'eg.' let us glance at our continen", " our 'co.' 'p,' of course, stands for 'papier.' now for the 'eg.' let us glance at our continental g", "'co.' 'p,' of course, stands for 'papier.' now for the 'eg.' let us glance at our continental gazett", ' \'p,\' of course, stands for \'papier.\' now for the \'eg.\' let us glance at our continental gazetteer."', ' of course, stands for \'papier.\' now for the \'eg.\' let us glance at our continental gazetteer." he t', 'ourse, stands for \'papier.\' now for the \'eg.\' let us glance at our continental gazetteer." he took d', ', stands for \'papier.\' now for the \'eg.\' let us glance at our continental gazetteer." he took down a', 'nds for \'papier.\' now for the \'eg.\' let us glance at our continental gazetteer." he took down a heav', 'or \'papier.\' now for the \'eg.\' let us glance at our continental gazetteer." he took down a heavy bro', 'apier.\' now for the \'eg.\' let us glance at our continental gazetteer." he took down a heavy brown vo', '.\' now for the \'eg.\' let us glance at our continental gazetteer." he took down a heavy brown volume ', 'w for the \'eg.\' let us glance at our continental gazetteer." he took down a heavy brown volume from ', ' the \'eg.\' let us glance at our continental gazetteer." he took down a heavy brown volume from his s', '\'eg.\' let us glance at our continental gazetteer." he took down a heavy brown volume from his shelve', ' let us glance at our continental gazetteer." he took down a heavy brown volume from his shelves. "e', 'us glance at our continental gazetteer." he took down a heavy brown volume from his shelves. "eglow,', 'ance at our continental gazetteer." he took down a heavy brown volume from his shelves. "eglow, eglo', 'at our continental gazetteer." he took down a heavy brown volume from his shelves. "eglow, eglonitzh', 'r continental gazetteer." he took down a heavy brown volume from his shelves. "eglow, eglonitzhere w', 'tinental gazetteer." he took down a heavy brown volume from his shelves. "eglow, eglonitzhere we are', 'tal gazetteer." he took down a heavy brown volume from his shelves. "eglow, eglonitzhere we are, egr', 'azetteer." he took down a heavy brown volume from his shelves. "eglow, eglonitzhere we are, egria. i', 'eer." he took down a heavy brown volume from his shelves. "eglow, eglonitzhere we are, egria. it is ', ' he took down a heavy brown volume from his shelves. "eglow, eglonitzhere we are, egria. it is in a ', 'ook down a heavy brown volume from his shelves. "eglow, eglonitzhere we are, egria. it is in a germa', 'own a heavy brown volume from his shelves. "eglow, eglonitzhere we are, egria. it is in a german-spe', ' heavy brown volume from his shelves. "eglow, eglonitzhere we are, egria. it is in a german-speaking', 'y brown volume from his shelves. "eglow, eglonitzhere we are, egria. it is in a german-speaking coun', 'wn volume from his shelves. "eglow, eglonitzhere we are, egria. it is in a german-speaking countryin', 'lume from his shelves. "eglow, eglonitzhere we are, egria. it is in a german-speaking countryin bohe', 'from his shelves. "eglow, eglonitzhere we are, egria. it is in a german-speaking countryin bohemia, ', 'his shelves. "eglow, eglonitzhere we are, egria. it is in a german-speaking countryin bohemia, not f', 'helves. "eglow, eglonitzhere we are, egria. it is in a german-speaking countryin bohemia, not far fr', 's. "eglow, eglonitzhere we are, egria. it is in a german-speaking countryin bohemia, not far from ca', 'glow, eglonitzhere we are, egria. it is in a german-speaking countryin bohemia, not far from carlsba', " eglonitzhere we are, egria. it is in a german-speaking countryin bohemia, not far from carlsbad. 'r", "nitzhere we are, egria. it is in a german-speaking countryin bohemia, not far from carlsbad. 'remark", "ere we are, egria. it is in a german-speaking countryin bohemia, not far from carlsbad. 'remarkable ", "e are, egria. it is in a german-speaking countryin bohemia, not far from carlsbad. 'remarkable as be", ", egria. it is in a german-speaking countryin bohemia, not far from carlsbad. 'remarkable as being t", "ia. it is in a german-speaking countryin bohemia, not far from carlsbad. 'remarkable as being the sc", "t is in a german-speaking countryin bohemia, not far from carlsbad. 'remarkable as being the scene o", "in a german-speaking countryin bohemia, not far from carlsbad. 'remarkable as being the scene of the", "german-speaking countryin bohemia, not far from carlsbad. 'remarkable as being the scene of the deat", "n-speaking countryin bohemia, not far from carlsbad. 'remarkable as being the scene of the death of ", "aking countryin bohemia, not far from carlsbad. 'remarkable as being the scene of the death of walle", " countryin bohemia, not far from carlsbad. 'remarkable as being the scene of the death of wallenstei", "tryin bohemia, not far from carlsbad. 'remarkable as being the scene of the death of wallenstein, an", " bohemia, not far from carlsbad. 'remarkable as being the scene of the death of wallenstein, and for", "mia, not far from carlsbad. 'remarkable as being the scene of the death of wallenstein, and for its ", "not far from carlsbad. 'remarkable as being the scene of the death of wallenstein, and for its numer", "ar from carlsbad. 'remarkable as being the scene of the death of wallenstein, and for its numerous g", "om carlsbad. 'remarkable as being the scene of the death of wallenstein, and for its numerous glass-", "rlsbad. 'remarkable as being the scene of the death of wallenstein, and for its numerous glass-facto", "d. 'remarkable as being the scene of the death of wallenstein, and for its numerous glass-factories ", 'emarkable as being the scene of the death of wallenstein, and for its numerous glass-factories and p', 'able as being the scene of the death of wallenstein, and for its numerous glass-factories and paper-', 'as being the scene of the death of wallenstein, and for its numerous glass-factories and paper-mills', "ing the scene of the death of wallenstein, and for its numerous glass-factories and paper-mills.' ha", "he scene of the death of wallenstein, and for its numerous glass-factories and paper-mills.' ha, ha,", "ene of the death of wallenstein, and for its numerous glass-factories and paper-mills.' ha, ha, my b", "f the death of wallenstein, and for its numerous glass-factories and paper-mills.' ha, ha, my boy, w", " death of wallenstein, and for its numerous glass-factories and paper-mills.' ha, ha, my boy, what d", "h of wallenstein, and for its numerous glass-factories and paper-mills.' ha, ha, my boy, what do you", "wallenstein, and for its numerous glass-factories and paper-mills.' ha, ha, my boy, what do you make", "nstein, and for its numerous glass-factories and paper-mills.' ha, ha, my boy, what do you make of t", 'n, and for its numerous glass-factories and paper-mills.\' ha, ha, my boy, what do you make of that?"', 'd for its numerous glass-factories and paper-mills.\' ha, ha, my boy, what do you make of that?" his ', ' its numerous glass-factories and paper-mills.\' ha, ha, my boy, what do you make of that?" his eyes ', 'numerous glass-factories and paper-mills.\' ha, ha, my boy, what do you make of that?" his eyes spark', 'ous glass-factories and paper-mills.\' ha, ha, my boy, what do you make of that?" his eyes sparkled, ', 'lass-factories and paper-mills.\' ha, ha, my boy, what do you make of that?" his eyes sparkled, and h', 'factories and paper-mills.\' ha, ha, my boy, what do you make of that?" his eyes sparkled, and he sen', 'ries and paper-mills.\' ha, ha, my boy, what do you make of that?" his eyes sparkled, and he sent up ', 'and paper-mills.\' ha, ha, my boy, what do you make of that?" his eyes sparkled, and he sent up a gre', 'aper-mills.\' ha, ha, my boy, what do you make of that?" his eyes sparkled, and he sent up a great bl', 'mills.\' ha, ha, my boy, what do you make of that?" his eyes sparkled, and he sent up a great blue tr', '.\' ha, ha, my boy, what do you make of that?" his eyes sparkled, and he sent up a great blue triumph', ', ha, my boy, what do you make of that?" his eyes sparkled, and he sent up a great blue triumphant c', ' my boy, what do you make of that?" his eyes sparkled, and he sent up a great blue triumphant cloud ', 'oy, what do you make of that?" his eyes sparkled, and he sent up a great blue triumphant cloud from ', 'hat do you make of that?" his eyes sparkled, and he sent up a great blue triumphant cloud from his c', 'o you make of that?" his eyes sparkled, and he sent up a great blue triumphant cloud from his cigare', ' make of that?" his eyes sparkled, and he sent up a great blue triumphant cloud from his cigarette. ', ' of that?" his eyes sparkled, and he sent up a great blue triumphant cloud from his cigarette. "the ', 'hat?" his eyes sparkled, and he sent up a great blue triumphant cloud from his cigarette. "the paper', ' his eyes sparkled, and he sent up a great blue triumphant cloud from his cigarette. "the paper was ', 'eyes sparkled, and he sent up a great blue triumphant cloud from his cigarette. "the paper was made ', 'sparkled, and he sent up a great blue triumphant cloud from his cigarette. "the paper was made in bo', 'led, and he sent up a great blue triumphant cloud from his cigarette. "the paper was made in bohemia', 'and he sent up a great blue triumphant cloud from his cigarette. "the paper was made in bohemia," i ', 'e sent up a great blue triumphant cloud from his cigarette. "the paper was made in bohemia," i said.', 't up a great blue triumphant cloud from his cigarette. "the paper was made in bohemia," i said. "pre', 'a great blue triumphant cloud from his cigarette. "the paper was made in bohemia," i said. "precisel', 'at blue triumphant cloud from his cigarette. "the paper was made in bohemia," i said. "precisely. an', 'ue triumphant cloud from his cigarette. "the paper was made in bohemia," i said. "precisely. and the', 'iumphant cloud from his cigarette. "the paper was made in bohemia," i said. "precisely. and the man ', 'ant cloud from his cigarette. "the paper was made in bohemia," i said. "precisely. and the man who w', 'loud from his cigarette. "the paper was made in bohemia," i said. "precisely. and the man who wrote ', 'from his cigarette. "the paper was made in bohemia," i said. "precisely. and the man who wrote the n', 'his cigarette. "the paper was made in bohemia," i said. "precisely. and the man who wrote the note i', 'igarette. "the paper was made in bohemia," i said. "precisely. and the man who wrote the note is a g', 'tte. "the paper was made in bohemia," i said. "precisely. and the man who wrote the note is a german', '"the paper was made in bohemia," i said. "precisely. and the man who wrote the note is a german. do ', 'paper was made in bohemia," i said. "precisely. and the man who wrote the note is a german. do you n', ' was made in bohemia," i said. "precisely. and the man who wrote the note is a german. do you note t', 'made in bohemia," i said. "precisely. and the man who wrote the note is a german. do you note the pe', 'in bohemia," i said. "precisely. and the man who wrote the note is a german. do you note the peculia', 'hemia," i said. "precisely. and the man who wrote the note is a german. do you note the peculiar con', '," i said. "precisely. and the man who wrote the note is a german. do you note the peculiar construc', 'said. "precisely. and the man who wrote the note is a german. do you note the peculiar construction ', ' "precisely. and the man who wrote the note is a german. do you note the peculiar construction of th', 'cisely. and the man who wrote the note is a german. do you note the peculiar construction of the sen', 'y. and the man who wrote the note is a german. do you note the peculiar construction of the sentence', "d the man who wrote the note is a german. do you note the peculiar construction of the sentence'this", " man who wrote the note is a german. do you note the peculiar construction of the sentence'this acco", "who wrote the note is a german. do you note the peculiar construction of the sentence'this account o", "rote the note is a german. do you note the peculiar construction of the sentence'this account of you", "the note is a german. do you note the peculiar construction of the sentence'this account of you we h", "ote is a german. do you note the peculiar construction of the sentence'this account of you we have f", "s a german. do you note the peculiar construction of the sentence'this account of you we have from a", "erman. do you note the peculiar construction of the sentence'this account of you we have from all qu", ". do you note the peculiar construction of the sentence'this account of you we have from all quarter", "you note the peculiar construction of the sentence'this account of you we have from all quarters rec", "ote the peculiar construction of the sentence'this account of you we have from all quarters received", "he peculiar construction of the sentence'this account of you we have from all quarters received.' a ", "culiar construction of the sentence'this account of you we have from all quarters received.' a frenc", "r construction of the sentence'this account of you we have from all quarters received.' a frenchman ", "struction of the sentence'this account of you we have from all quarters received.' a frenchman or ru", "tion of the sentence'this account of you we have from all quarters received.' a frenchman or russian", "of the sentence'this account of you we have from all quarters received.' a frenchman or russian coul", "e sentence'this account of you we have from all quarters received.' a frenchman or russian could not", "tence'this account of you we have from all quarters received.' a frenchman or russian could not have", "'this account of you we have from all quarters received.' a frenchman or russian could not have writ", " account of you we have from all quarters received.' a frenchman or russian could not have written t", "unt of you we have from all quarters received.' a frenchman or russian could not have written that. ", "f you we have from all quarters received.' a frenchman or russian could not have written that. it is", " we have from all quarters received.' a frenchman or russian could not have written that. it is the ", "ave from all quarters received.' a frenchman or russian could not have written that. it is the germa", "rom all quarters received.' a frenchman or russian could not have written that. it is the german who", "ll quarters received.' a frenchman or russian could not have written that. it is the german who is s", "arters received.' a frenchman or russian could not have written that. it is the german who is so unc", "s received.' a frenchman or russian could not have written that. it is the german who is so uncourte", "eived.' a frenchman or russian could not have written that. it is the german who is so uncourteous t", ".' a frenchman or russian could not have written that. it is the german who is so uncourteous to his", 'frenchman or russian could not have written that. it is the german who is so uncourteous to his verb', 'hman or russian could not have written that. it is the german who is so uncourteous to his verbs. it', 'or russian could not have written that. it is the german who is so uncourteous to his verbs. it only', 'ssian could not have written that. it is the german who is so uncourteous to his verbs. it only rema', ' could not have written that. it is the german who is so uncourteous to his verbs. it only remains, ', 'd not have written that. it is the german who is so uncourteous to his verbs. it only remains, there', ' have written that. it is the german who is so uncourteous to his verbs. it only remains, therefore,', ' written that. it is the german who is so uncourteous to his verbs. it only remains, therefore, to d', 'ten that. it is the german who is so uncourteous to his verbs. it only remains, therefore, to discov', 'hat. it is the german who is so uncourteous to his verbs. it only remains, therefore, to discover wh', 'it is the german who is so uncourteous to his verbs. it only remains, therefore, to discover what is', ' the german who is so uncourteous to his verbs. it only remains, therefore, to discover what is want', 'german who is so uncourteous to his verbs. it only remains, therefore, to discover what is wanted by', 'n who is so uncourteous to his verbs. it only remains, therefore, to discover what is wanted by this', ' is so uncourteous to his verbs. it only remains, therefore, to discover what is wanted by this germ', 'o uncourteous to his verbs. it only remains, therefore, to discover what is wanted by this german wh', 'ourteous to his verbs. it only remains, therefore, to discover what is wanted by this german who wri', 'ous to his verbs. it only remains, therefore, to discover what is wanted by this german who writes u', 'o his verbs. it only remains, therefore, to discover what is wanted by this german who writes upon b', ' verbs. it only remains, therefore, to discover what is wanted by this german who writes upon bohemi', 's. it only remains, therefore, to discover what is wanted by this german who writes upon bohemian pa', ' only remains, therefore, to discover what is wanted by this german who writes upon bohemian paper a', ' remains, therefore, to discover what is wanted by this german who writes upon bohemian paper and pr', 'ins, therefore, to discover what is wanted by this german who writes upon bohemian paper and prefers', 'therefore, to discover what is wanted by this german who writes upon bohemian paper and prefers wear', 'fore, to discover what is wanted by this german who writes upon bohemian paper and prefers wearing a', ' to discover what is wanted by this german who writes upon bohemian paper and prefers wearing a mask', 'iscover what is wanted by this german who writes upon bohemian paper and prefers wearing a mask to s', 'er what is wanted by this german who writes upon bohemian paper and prefers wearing a mask to showin', 'at is wanted by this german who writes upon bohemian paper and prefers wearing a mask to showing his', ' wanted by this german who writes upon bohemian paper and prefers wearing a mask to showing his face', 'ed by this german who writes upon bohemian paper and prefers wearing a mask to showing his face. and', ' this german who writes upon bohemian paper and prefers wearing a mask to showing his face. and here', ' german who writes upon bohemian paper and prefers wearing a mask to showing his face. and here he c', 'an who writes upon bohemian paper and prefers wearing a mask to showing his face. and here he comes,', 'o writes upon bohemian paper and prefers wearing a mask to showing his face. and here he comes, if i', 'tes upon bohemian paper and prefers wearing a mask to showing his face. and here he comes, if i am n', 'pon bohemian paper and prefers wearing a mask to showing his face. and here he comes, if i am not mi', 'ohemian paper and prefers wearing a mask to showing his face. and here he comes, if i am not mistake', 'an paper and prefers wearing a mask to showing his face. and here he comes, if i am not mistaken, to', 'per and prefers wearing a mask to showing his face. and here he comes, if i am not mistaken, to reso', 'nd prefers wearing a mask to showing his face. and here he comes, if i am not mistaken, to resolve a', 'efers wearing a mask to showing his face. and here he comes, if i am not mistaken, to resolve all ou', ' wearing a mask to showing his face. and here he comes, if i am not mistaken, to resolve all our dou', 'ing a mask to showing his face. and here he comes, if i am not mistaken, to resolve all our doubts."', ' mask to showing his face. and here he comes, if i am not mistaken, to resolve all our doubts." as h', ' to showing his face. and here he comes, if i am not mistaken, to resolve all our doubts." as he spo', 'howing his face. and here he comes, if i am not mistaken, to resolve all our doubts." as he spoke th', 'g his face. and here he comes, if i am not mistaken, to resolve all our doubts." as he spoke there w', ' face. and here he comes, if i am not mistaken, to resolve all our doubts." as he spoke there was th', '. and here he comes, if i am not mistaken, to resolve all our doubts." as he spoke there was the sha', ' here he comes, if i am not mistaken, to resolve all our doubts." as he spoke there was the sharp so', ' he comes, if i am not mistaken, to resolve all our doubts." as he spoke there was the sharp sound o', 'omes, if i am not mistaken, to resolve all our doubts." as he spoke there was the sharp sound of hor', ' if i am not mistaken, to resolve all our doubts." as he spoke there was the sharp sound of horses\' ', ' am not mistaken, to resolve all our doubts." as he spoke there was the sharp sound of horses\' hoofs', 'ot mistaken, to resolve all our doubts." as he spoke there was the sharp sound of horses\' hoofs and ', 'staken, to resolve all our doubts." as he spoke there was the sharp sound of horses\' hoofs and grati', 'n, to resolve all our doubts." as he spoke there was the sharp sound of horses\' hoofs and grating wh', ' resolve all our doubts." as he spoke there was the sharp sound of horses\' hoofs and grating wheels ', 'lve all our doubts." as he spoke there was the sharp sound of horses\' hoofs and grating wheels again', 'll our doubts." as he spoke there was the sharp sound of horses\' hoofs and grating wheels against th', 'r doubts." as he spoke there was the sharp sound of horses\' hoofs and grating wheels against the cur', 'bts." as he spoke there was the sharp sound of horses\' hoofs and grating wheels against the curb, fo', " as he spoke there was the sharp sound of horses' hoofs and grating wheels against the curb, followe", "e spoke there was the sharp sound of horses' hoofs and grating wheels against the curb, followed by ", "ke there was the sharp sound of horses' hoofs and grating wheels against the curb, followed by a sha", "ere was the sharp sound of horses' hoofs and grating wheels against the curb, followed by a sharp pu", "as the sharp sound of horses' hoofs and grating wheels against the curb, followed by a sharp pull at", "e sharp sound of horses' hoofs and grating wheels against the curb, followed by a sharp pull at the ", "rp sound of horses' hoofs and grating wheels against the curb, followed by a sharp pull at the bell.", "und of horses' hoofs and grating wheels against the curb, followed by a sharp pull at the bell. holm", "f horses' hoofs and grating wheels against the curb, followed by a sharp pull at the bell. holmes wh", "ses' hoofs and grating wheels against the curb, followed by a sharp pull at the bell. holmes whistle", 'hoofs and grating wheels against the curb, followed by a sharp pull at the bell. holmes whistled. "a', ' and grating wheels against the curb, followed by a sharp pull at the bell. holmes whistled. "a pair', 'grating wheels against the curb, followed by a sharp pull at the bell. holmes whistled. "a pair, by ', 'ng wheels against the curb, followed by a sharp pull at the bell. holmes whistled. "a pair, by the s', 'eels against the curb, followed by a sharp pull at the bell. holmes whistled. "a pair, by the sound,', 'against the curb, followed by a sharp pull at the bell. holmes whistled. "a pair, by the sound," sai', 'st the curb, followed by a sharp pull at the bell. holmes whistled. "a pair, by the sound," said he.', 'e curb, followed by a sharp pull at the bell. holmes whistled. "a pair, by the sound," said he. "yes', 'b, followed by a sharp pull at the bell. holmes whistled. "a pair, by the sound," said he. "yes," he', 'llowed by a sharp pull at the bell. holmes whistled. "a pair, by the sound," said he. "yes," he cont', 'd by a sharp pull at the bell. holmes whistled. "a pair, by the sound," said he. "yes," he continued', 'a sharp pull at the bell. holmes whistled. "a pair, by the sound," said he. "yes," he continued, gla', 'rp pull at the bell. holmes whistled. "a pair, by the sound," said he. "yes," he continued, glancing', 'll at the bell. holmes whistled. "a pair, by the sound," said he. "yes," he continued, glancing out ', ' the bell. holmes whistled. "a pair, by the sound," said he. "yes," he continued, glancing out of th', 'bell. holmes whistled. "a pair, by the sound," said he. "yes," he continued, glancing out of the win', ' holmes whistled. "a pair, by the sound," said he. "yes," he continued, glancing out of the window. ', 'es whistled. "a pair, by the sound," said he. "yes," he continued, glancing out of the window. "a ni', 'istled. "a pair, by the sound," said he. "yes," he continued, glancing out of the window. "a nice li', 'd. "a pair, by the sound," said he. "yes," he continued, glancing out of the window. "a nice little ', ' pair, by the sound," said he. "yes," he continued, glancing out of the window. "a nice little broug', ', by the sound," said he. "yes," he continued, glancing out of the window. "a nice little brougham a', 'the sound," said he. "yes," he continued, glancing out of the window. "a nice little brougham and a ', 'ound," said he. "yes," he continued, glancing out of the window. "a nice little brougham and a pair ', '" said he. "yes," he continued, glancing out of the window. "a nice little brougham and a pair of be', 'd he. "yes," he continued, glancing out of the window. "a nice little brougham and a pair of beautie', ' "yes," he continued, glancing out of the window. "a nice little brougham and a pair of beauties. a ', '," he continued, glancing out of the window. "a nice little brougham and a pair of beauties. a hundr', ' continued, glancing out of the window. "a nice little brougham and a pair of beauties. a hundred an', 'inued, glancing out of the window. "a nice little brougham and a pair of beauties. a hundred and fif', ', glancing out of the window. "a nice little brougham and a pair of beauties. a hundred and fifty gu', 'ncing out of the window. "a nice little brougham and a pair of beauties. a hundred and fifty guineas', ' out of the window. "a nice little brougham and a pair of beauties. a hundred and fifty guineas apie', 'of the window. "a nice little brougham and a pair of beauties. a hundred and fifty guineas apiece. t', 'e window. "a nice little brougham and a pair of beauties. a hundred and fifty guineas apiece. there\'', 'dow. "a nice little brougham and a pair of beauties. a hundred and fifty guineas apiece. there\'s mon', '"a nice little brougham and a pair of beauties. a hundred and fifty guineas apiece. there\'s money in', "ce little brougham and a pair of beauties. a hundred and fifty guineas apiece. there's money in this", "ttle brougham and a pair of beauties. a hundred and fifty guineas apiece. there's money in this case", "brougham and a pair of beauties. a hundred and fifty guineas apiece. there's money in this case, wat", "ham and a pair of beauties. a hundred and fifty guineas apiece. there's money in this case, watson, ", "nd a pair of beauties. a hundred and fifty guineas apiece. there's money in this case, watson, if th", "pair of beauties. a hundred and fifty guineas apiece. there's money in this case, watson, if there i", "of beauties. a hundred and fifty guineas apiece. there's money in this case, watson, if there is not", "auties. a hundred and fifty guineas apiece. there's money in this case, watson, if there is nothing ", "s. a hundred and fifty guineas apiece. there's money in this case, watson, if there is nothing else.", 'hundred and fifty guineas apiece. there\'s money in this case, watson, if there is nothing else." "i ', 'ed and fifty guineas apiece. there\'s money in this case, watson, if there is nothing else." "i think', 'd fifty guineas apiece. there\'s money in this case, watson, if there is nothing else." "i think that', 'ty guineas apiece. there\'s money in this case, watson, if there is nothing else." "i think that i ha', 'ineas apiece. there\'s money in this case, watson, if there is nothing else." "i think that i had bet', ' apiece. there\'s money in this case, watson, if there is nothing else." "i think that i had better g', 'ce. there\'s money in this case, watson, if there is nothing else." "i think that i had better go, ho', 'here\'s money in this case, watson, if there is nothing else." "i think that i had better go, holmes.', 's money in this case, watson, if there is nothing else." "i think that i had better go, holmes." "no', 'ey in this case, watson, if there is nothing else." "i think that i had better go, holmes." "not a b', ' this case, watson, if there is nothing else." "i think that i had better go, holmes." "not a bit, d', ' case, watson, if there is nothing else." "i think that i had better go, holmes." "not a bit, doctor', ', watson, if there is nothing else." "i think that i had better go, holmes." "not a bit, doctor. sta', 'son, if there is nothing else." "i think that i had better go, holmes." "not a bit, doctor. stay whe', 'if there is nothing else." "i think that i had better go, holmes." "not a bit, doctor. stay where yo', 'ere is nothing else." "i think that i had better go, holmes." "not a bit, doctor. stay where you are', 's nothing else." "i think that i had better go, holmes." "not a bit, doctor. stay where you are. i a', 'hing else." "i think that i had better go, holmes." "not a bit, doctor. stay where you are. i am los', 'else." "i think that i had better go, holmes." "not a bit, doctor. stay where you are. i am lost wit', '" "i think that i had better go, holmes." "not a bit, doctor. stay where you are. i am lost without ', 'think that i had better go, holmes." "not a bit, doctor. stay where you are. i am lost without my bo', ' that i had better go, holmes." "not a bit, doctor. stay where you are. i am lost without my boswell', ' i had better go, holmes." "not a bit, doctor. stay where you are. i am lost without my boswell. and', 'd better go, holmes." "not a bit, doctor. stay where you are. i am lost without my boswell. and this', 'ter go, holmes." "not a bit, doctor. stay where you are. i am lost without my boswell. and this prom', 'o, holmes." "not a bit, doctor. stay where you are. i am lost without my boswell. and this promises ', 'lmes." "not a bit, doctor. stay where you are. i am lost without my boswell. and this promises to be', '" "not a bit, doctor. stay where you are. i am lost without my boswell. and this promises to be inte', 't a bit, doctor. stay where you are. i am lost without my boswell. and this promises to be interesti', 'it, doctor. stay where you are. i am lost without my boswell. and this promises to be interesting. i', 'octor. stay where you are. i am lost without my boswell. and this promises to be interesting. it wou', '. stay where you are. i am lost without my boswell. and this promises to be interesting. it would be', 'y where you are. i am lost without my boswell. and this promises to be interesting. it would be a pi', 're you are. i am lost without my boswell. and this promises to be interesting. it would be a pity to', 'u are. i am lost without my boswell. and this promises to be interesting. it would be a pity to miss', '. i am lost without my boswell. and this promises to be interesting. it would be a pity to miss it."', 'm lost without my boswell. and this promises to be interesting. it would be a pity to miss it." "but', 't without my boswell. and this promises to be interesting. it would be a pity to miss it." "but your', 'hout my boswell. and this promises to be interesting. it would be a pity to miss it." "but your clie', 'my boswell. and this promises to be interesting. it would be a pity to miss it." "but your client" "', 'swell. and this promises to be interesting. it would be a pity to miss it." "but your client" "never', '. and this promises to be interesting. it would be a pity to miss it." "but your client" "never mind', ' this promises to be interesting. it would be a pity to miss it." "but your client" "never mind him.', ' promises to be interesting. it would be a pity to miss it." "but your client" "never mind him. i ma', 'ises to be interesting. it would be a pity to miss it." "but your client" "never mind him. i may wan', 'to be interesting. it would be a pity to miss it." "but your client" "never mind him. i may want you', ' interesting. it would be a pity to miss it." "but your client" "never mind him. i may want your hel', 'resting. it would be a pity to miss it." "but your client" "never mind him. i may want your help, an', 'ng. it would be a pity to miss it." "but your client" "never mind him. i may want your help, and so ', 't would be a pity to miss it." "but your client" "never mind him. i may want your help, and so may h', 'ld be a pity to miss it." "but your client" "never mind him. i may want your help, and so may he. he', ' a pity to miss it." "but your client" "never mind him. i may want your help, and so may he. here he', 'ty to miss it." "but your client" "never mind him. i may want your help, and so may he. here he come', ' miss it." "but your client" "never mind him. i may want your help, and so may he. here he comes. si', ' it." "but your client" "never mind him. i may want your help, and so may he. here he comes. sit dow', ' "but your client" "never mind him. i may want your help, and so may he. here he comes. sit down in ', ' your client" "never mind him. i may want your help, and so may he. here he comes. sit down in that ', ' client" "never mind him. i may want your help, and so may he. here he comes. sit down in that armch', 'nt" "never mind him. i may want your help, and so may he. here he comes. sit down in that armchair, ', 'never mind him. i may want your help, and so may he. here he comes. sit down in that armchair, docto', ' mind him. i may want your help, and so may he. here he comes. sit down in that armchair, doctor, an', ' him. i may want your help, and so may he. here he comes. sit down in that armchair, doctor, and giv', ' i may want your help, and so may he. here he comes. sit down in that armchair, doctor, and give us ', 'y want your help, and so may he. here he comes. sit down in that armchair, doctor, and give us your ', 't your help, and so may he. here he comes. sit down in that armchair, doctor, and give us your best ', 'r help, and so may he. here he comes. sit down in that armchair, doctor, and give us your best atten', 'p, and so may he. here he comes. sit down in that armchair, doctor, and give us your best attention.', 'd so may he. here he comes. sit down in that armchair, doctor, and give us your best attention." a s', 'may he. here he comes. sit down in that armchair, doctor, and give us your best attention." a slow a', 'e. here he comes. sit down in that armchair, doctor, and give us your best attention." a slow and he', 're he comes. sit down in that armchair, doctor, and give us your best attention." a slow and heavy s', ' comes. sit down in that armchair, doctor, and give us your best attention." a slow and heavy step, ', 's. sit down in that armchair, doctor, and give us your best attention." a slow and heavy step, which', 't down in that armchair, doctor, and give us your best attention." a slow and heavy step, which had ', 'n in that armchair, doctor, and give us your best attention." a slow and heavy step, which had been ', 'that armchair, doctor, and give us your best attention." a slow and heavy step, which had been heard', 'armchair, doctor, and give us your best attention." a slow and heavy step, which had been heard upon', 'air, doctor, and give us your best attention." a slow and heavy step, which had been heard upon the ', 'doctor, and give us your best attention." a slow and heavy step, which had been heard upon the stair', 'r, and give us your best attention." a slow and heavy step, which had been heard upon the stairs and', 'd give us your best attention." a slow and heavy step, which had been heard upon the stairs and in t', 'e us your best attention." a slow and heavy step, which had been heard upon the stairs and in the pa', 'your best attention." a slow and heavy step, which had been heard upon the stairs and in the passage', 'best attention." a slow and heavy step, which had been heard upon the stairs and in the passage, pau', 'attention." a slow and heavy step, which had been heard upon the stairs and in the passage, paused i', 'tion." a slow and heavy step, which had been heard upon the stairs and in the passage, paused immedi', '" a slow and heavy step, which had been heard upon the stairs and in the passage, paused immediately', 'low and heavy step, which had been heard upon the stairs and in the passage, paused immediately outs', 'nd heavy step, which had been heard upon the stairs and in the passage, paused immediately outside t', 'avy step, which had been heard upon the stairs and in the passage, paused immediately outside the do', 'tep, which had been heard upon the stairs and in the passage, paused immediately outside the door. t', 'which had been heard upon the stairs and in the passage, paused immediately outside the door. then t', ' had been heard upon the stairs and in the passage, paused immediately outside the door. then there ', 'been heard upon the stairs and in the passage, paused immediately outside the door. then there was a', 'heard upon the stairs and in the passage, paused immediately outside the door. then there was a loud', ' upon the stairs and in the passage, paused immediately outside the door. then there was a loud and ', ' the stairs and in the passage, paused immediately outside the door. then there was a loud and autho', 'stairs and in the passage, paused immediately outside the door. then there was a loud and authoritat', 's and in the passage, paused immediately outside the door. then there was a loud and authoritative t', ' in the passage, paused immediately outside the door. then there was a loud and authoritative tap. "', 'he passage, paused immediately outside the door. then there was a loud and authoritative tap. "come ', 'ssage, paused immediately outside the door. then there was a loud and authoritative tap. "come in sa', ', paused immediately outside the door. then there was a loud and authoritative tap. "come in said ho', 'sed immediately outside the door. then there was a loud and authoritative tap. "come in said holmes.', 'mmediately outside the door. then there was a loud and authoritative tap. "come in said holmes. a ma', 'ately outside the door. then there was a loud and authoritative tap. "come in said holmes. a man ent', ' outside the door. then there was a loud and authoritative tap. "come in said holmes. a man entered ', 'ide the door. then there was a loud and authoritative tap. "come in said holmes. a man entered who c', 'he door. then there was a loud and authoritative tap. "come in said holmes. a man entered who could ', 'or. then there was a loud and authoritative tap. "come in said holmes. a man entered who could hardl', 'hen there was a loud and authoritative tap. "come in said holmes. a man entered who could hardly hav', 'here was a loud and authoritative tap. "come in said holmes. a man entered who could hardly have bee', 'was a loud and authoritative tap. "come in said holmes. a man entered who could hardly have been les', ' loud and authoritative tap. "come in said holmes. a man entered who could hardly have been less tha', ' and authoritative tap. "come in said holmes. a man entered who could hardly have been less than six', 'authoritative tap. "come in said holmes. a man entered who could hardly have been less than six feet', 'ritative tap. "come in said holmes. a man entered who could hardly have been less than six feet six ', 'ive tap. "come in said holmes. a man entered who could hardly have been less than six feet six inche', 'ap. "come in said holmes. a man entered who could hardly have been less than six feet six inches in ', 'come in said holmes. a man entered who could hardly have been less than six feet six inches in heigh', 'in said holmes. a man entered who could hardly have been less than six feet six inches in height, wi', 'id holmes. a man entered who could hardly have been less than six feet six inches in height, with th', 'lmes. a man entered who could hardly have been less than six feet six inches in height, with the che', ' a man entered who could hardly have been less than six feet six inches in height, with the chest an', 'n entered who could hardly have been less than six feet six inches in height, with the chest and lim', 'ered who could hardly have been less than six feet six inches in height, with the chest and limbs of', 'who could hardly have been less than six feet six inches in height, with the chest and limbs of a he', 'ould hardly have been less than six feet six inches in height, with the chest and limbs of a hercule', 'hardly have been less than six feet six inches in height, with the chest and limbs of a hercules. hi', 'y have been less than six feet six inches in height, with the chest and limbs of a hercules. his dre', 'e been less than six feet six inches in height, with the chest and limbs of a hercules. his dress wa', 'n less than six feet six inches in height, with the chest and limbs of a hercules. his dress was ric', 's than six feet six inches in height, with the chest and limbs of a hercules. his dress was rich wit', 'n six feet six inches in height, with the chest and limbs of a hercules. his dress was rich with a r', ' feet six inches in height, with the chest and limbs of a hercules. his dress was rich with a richne', ' six inches in height, with the chest and limbs of a hercules. his dress was rich with a richness wh', 'inches in height, with the chest and limbs of a hercules. his dress was rich with a richness which w', 's in height, with the chest and limbs of a hercules. his dress was rich with a richness which would,', 'height, with the chest and limbs of a hercules. his dress was rich with a richness which would, in e', 't, with the chest and limbs of a hercules. his dress was rich with a richness which would, in englan', 'th the chest and limbs of a hercules. his dress was rich with a richness which would, in england, be', 'e chest and limbs of a hercules. his dress was rich with a richness which would, in england, be look', 'st and limbs of a hercules. his dress was rich with a richness which would, in england, be looked up', 'd limbs of a hercules. his dress was rich with a richness which would, in england, be looked upon as', 'bs of a hercules. his dress was rich with a richness which would, in england, be looked upon as akin', ' a hercules. his dress was rich with a richness which would, in england, be looked upon as akin to b', 'rcules. his dress was rich with a richness which would, in england, be looked upon as akin to bad ta', 's. his dress was rich with a richness which would, in england, be looked upon as akin to bad taste. ', 's dress was rich with a richness which would, in england, be looked upon as akin to bad taste. heavy', 'ss was rich with a richness which would, in england, be looked upon as akin to bad taste. heavy band', 's rich with a richness which would, in england, be looked upon as akin to bad taste. heavy bands of ', 'h with a richness which would, in england, be looked upon as akin to bad taste. heavy bands of astra', 'h a richness which would, in england, be looked upon as akin to bad taste. heavy bands of astrakhan ', 'ichness which would, in england, be looked upon as akin to bad taste. heavy bands of astrakhan were ', 'ss which would, in england, be looked upon as akin to bad taste. heavy bands of astrakhan were slash', 'ich would, in england, be looked upon as akin to bad taste. heavy bands of astrakhan were slashed ac', 'ould, in england, be looked upon as akin to bad taste. heavy bands of astrakhan were slashed across ', ' in england, be looked upon as akin to bad taste. heavy bands of astrakhan were slashed across the s', 'ngland, be looked upon as akin to bad taste. heavy bands of astrakhan were slashed across the sleeve', 'd, be looked upon as akin to bad taste. heavy bands of astrakhan were slashed across the sleeves and', ' looked upon as akin to bad taste. heavy bands of astrakhan were slashed across the sleeves and fron', 'ed upon as akin to bad taste. heavy bands of astrakhan were slashed across the sleeves and fronts of', 'on as akin to bad taste. heavy bands of astrakhan were slashed across the sleeves and fronts of his ', ' akin to bad taste. heavy bands of astrakhan were slashed across the sleeves and fronts of his doubl', ' to bad taste. heavy bands of astrakhan were slashed across the sleeves and fronts of his double-bre', 'ad taste. heavy bands of astrakhan were slashed across the sleeves and fronts of his double-breasted', 'ste. heavy bands of astrakhan were slashed across the sleeves and fronts of his double-breasted coat', 'heavy bands of astrakhan were slashed across the sleeves and fronts of his double-breasted coat, whi', ' bands of astrakhan were slashed across the sleeves and fronts of his double-breasted coat, while th', 's of astrakhan were slashed across the sleeves and fronts of his double-breasted coat, while the dee', 'astrakhan were slashed across the sleeves and fronts of his double-breasted coat, while the deep blu', 'khan were slashed across the sleeves and fronts of his double-breasted coat, while the deep blue clo', 'were slashed across the sleeves and fronts of his double-breasted coat, while the deep blue cloak wh', 'slashed across the sleeves and fronts of his double-breasted coat, while the deep blue cloak which w', 'ed across the sleeves and fronts of his double-breasted coat, while the deep blue cloak which was th', 'ross the sleeves and fronts of his double-breasted coat, while the deep blue cloak which was thrown ', 'the sleeves and fronts of his double-breasted coat, while the deep blue cloak which was thrown over ', 'leeves and fronts of his double-breasted coat, while the deep blue cloak which was thrown over his s', 's and fronts of his double-breasted coat, while the deep blue cloak which was thrown over his should', ' fronts of his double-breasted coat, while the deep blue cloak which was thrown over his shoulders w', 'ts of his double-breasted coat, while the deep blue cloak which was thrown over his shoulders was li', ' his double-breasted coat, while the deep blue cloak which was thrown over his shoulders was lined w', 'double-breasted coat, while the deep blue cloak which was thrown over his shoulders was lined with f', 'e-breasted coat, while the deep blue cloak which was thrown over his shoulders was lined with flame-', 'asted coat, while the deep blue cloak which was thrown over his shoulders was lined with flame-colou', ' coat, while the deep blue cloak which was thrown over his shoulders was lined with flame-coloured s', ', while the deep blue cloak which was thrown over his shoulders was lined with flame-coloured silk a', 'le the deep blue cloak which was thrown over his shoulders was lined with flame-coloured silk and se', 'e deep blue cloak which was thrown over his shoulders was lined with flame-coloured silk and secured', 'p blue cloak which was thrown over his shoulders was lined with flame-coloured silk and secured at t', 'e cloak which was thrown over his shoulders was lined with flame-coloured silk and secured at the ne', 'ak which was thrown over his shoulders was lined with flame-coloured silk and secured at the neck wi', 'ich was thrown over his shoulders was lined with flame-coloured silk and secured at the neck with a ', 'as thrown over his shoulders was lined with flame-coloured silk and secured at the neck with a brooc', 'rown over his shoulders was lined with flame-coloured silk and secured at the neck with a brooch whi', 'over his shoulders was lined with flame-coloured silk and secured at the neck with a brooch which co', 'his shoulders was lined with flame-coloured silk and secured at the neck with a brooch which consist', 'houlders was lined with flame-coloured silk and secured at the neck with a brooch which consisted of', 'ers was lined with flame-coloured silk and secured at the neck with a brooch which consisted of a si', 'as lined with flame-coloured silk and secured at the neck with a brooch which consisted of a single ', 'ned with flame-coloured silk and secured at the neck with a brooch which consisted of a single flami', 'ith flame-coloured silk and secured at the neck with a brooch which consisted of a single flaming be', 'lame-coloured silk and secured at the neck with a brooch which consisted of a single flaming beryl. ', 'coloured silk and secured at the neck with a brooch which consisted of a single flaming beryl. boots', 'red silk and secured at the neck with a brooch which consisted of a single flaming beryl. boots whic', 'ilk and secured at the neck with a brooch which consisted of a single flaming beryl. boots which ext', 'nd secured at the neck with a brooch which consisted of a single flaming beryl. boots which extended', 'cured at the neck with a brooch which consisted of a single flaming beryl. boots which extended half', ' at the neck with a brooch which consisted of a single flaming beryl. boots which extended halfway u', 'he neck with a brooch which consisted of a single flaming beryl. boots which extended halfway up his', 'ck with a brooch which consisted of a single flaming beryl. boots which extended halfway up his calv', 'th a brooch which consisted of a single flaming beryl. boots which extended halfway up his calves, a', 'brooch which consisted of a single flaming beryl. boots which extended halfway up his calves, and wh', 'h which consisted of a single flaming beryl. boots which extended halfway up his calves, and which w', 'ch consisted of a single flaming beryl. boots which extended halfway up his calves, and which were t', 'nsisted of a single flaming beryl. boots which extended halfway up his calves, and which were trimme', 'ed of a single flaming beryl. boots which extended halfway up his calves, and which were trimmed at ', ' a single flaming beryl. boots which extended halfway up his calves, and which were trimmed at the t', 'ngle flaming beryl. boots which extended halfway up his calves, and which were trimmed at the tops w', 'flaming beryl. boots which extended halfway up his calves, and which were trimmed at the tops with r', 'ng beryl. boots which extended halfway up his calves, and which were trimmed at the tops with rich b', 'ryl. boots which extended halfway up his calves, and which were trimmed at the tops with rich brown ', 'boots which extended halfway up his calves, and which were trimmed at the tops with rich brown fur, ', ' which extended halfway up his calves, and which were trimmed at the tops with rich brown fur, compl', 'h extended halfway up his calves, and which were trimmed at the tops with rich brown fur, completed ', 'ended halfway up his calves, and which were trimmed at the tops with rich brown fur, completed the i', ' halfway up his calves, and which were trimmed at the tops with rich brown fur, completed the impres', 'way up his calves, and which were trimmed at the tops with rich brown fur, completed the impression ', 'p his calves, and which were trimmed at the tops with rich brown fur, completed the impression of ba', ' calves, and which were trimmed at the tops with rich brown fur, completed the impression of barbari', 'es, and which were trimmed at the tops with rich brown fur, completed the impression of barbaric opu', 'nd which were trimmed at the tops with rich brown fur, completed the impression of barbaric opulence', 'ich were trimmed at the tops with rich brown fur, completed the impression of barbaric opulence whic', 'ere trimmed at the tops with rich brown fur, completed the impression of barbaric opulence which was', 'rimmed at the tops with rich brown fur, completed the impression of barbaric opulence which was sugg', 'd at the tops with rich brown fur, completed the impression of barbaric opulence which was suggested', 'the tops with rich brown fur, completed the impression of barbaric opulence which was suggested by h', 'ops with rich brown fur, completed the impression of barbaric opulence which was suggested by his wh', 'ith rich brown fur, completed the impression of barbaric opulence which was suggested by his whole a', 'ich brown fur, completed the impression of barbaric opulence which was suggested by his whole appear', 'rown fur, completed the impression of barbaric opulence which was suggested by his whole appearance.', 'fur, completed the impression of barbaric opulence which was suggested by his whole appearance. he c', 'completed the impression of barbaric opulence which was suggested by his whole appearance. he carrie', 'eted the impression of barbaric opulence which was suggested by his whole appearance. he carried a b', 'the impression of barbaric opulence which was suggested by his whole appearance. he carried a broad-', 'mpression of barbaric opulence which was suggested by his whole appearance. he carried a broad-brimm', 'sion of barbaric opulence which was suggested by his whole appearance. he carried a broad-brimmed ha', 'of barbaric opulence which was suggested by his whole appearance. he carried a broad-brimmed hat in ', 'rbaric opulence which was suggested by his whole appearance. he carried a broad-brimmed hat in his h', 'c opulence which was suggested by his whole appearance. he carried a broad-brimmed hat in his hand, ', 'lence which was suggested by his whole appearance. he carried a broad-brimmed hat in his hand, while', ' which was suggested by his whole appearance. he carried a broad-brimmed hat in his hand, while he w', 'h was suggested by his whole appearance. he carried a broad-brimmed hat in his hand, while he wore a', ' suggested by his whole appearance. he carried a broad-brimmed hat in his hand, while he wore across', 'ested by his whole appearance. he carried a broad-brimmed hat in his hand, while he wore across the ', ' by his whole appearance. he carried a broad-brimmed hat in his hand, while he wore across the upper', 'is whole appearance. he carried a broad-brimmed hat in his hand, while he wore across the upper part', 'ole appearance. he carried a broad-brimmed hat in his hand, while he wore across the upper part of h', 'ppearance. he carried a broad-brimmed hat in his hand, while he wore across the upper part of his fa', 'ance. he carried a broad-brimmed hat in his hand, while he wore across the upper part of his face, e', ' he carried a broad-brimmed hat in his hand, while he wore across the upper part of his face, extend', 'arried a broad-brimmed hat in his hand, while he wore across the upper part of his face, extending d', 'd a broad-brimmed hat in his hand, while he wore across the upper part of his face, extending down p', 'road-brimmed hat in his hand, while he wore across the upper part of his face, extending down past t', 'brimmed hat in his hand, while he wore across the upper part of his face, extending down past the ch', 'ed hat in his hand, while he wore across the upper part of his face, extending down past the cheekbo', 't in his hand, while he wore across the upper part of his face, extending down past the cheekbones, ', 'his hand, while he wore across the upper part of his face, extending down past the cheekbones, a bla', 'and, while he wore across the upper part of his face, extending down past the cheekbones, a black vi', 'while he wore across the upper part of his face, extending down past the cheekbones, a black vizard ', ' he wore across the upper part of his face, extending down past the cheekbones, a black vizard mask,', 'ore across the upper part of his face, extending down past the cheekbones, a black vizard mask, whic', 'cross the upper part of his face, extending down past the cheekbones, a black vizard mask, which he ', ' the upper part of his face, extending down past the cheekbones, a black vizard mask, which he had a', 'upper part of his face, extending down past the cheekbones, a black vizard mask, which he had appare', ' part of his face, extending down past the cheekbones, a black vizard mask, which he had apparently ', ' of his face, extending down past the cheekbones, a black vizard mask, which he had apparently adjus', 'is face, extending down past the cheekbones, a black vizard mask, which he had apparently adjusted t', 'ce, extending down past the cheekbones, a black vizard mask, which he had apparently adjusted that v', 'xtending down past the cheekbones, a black vizard mask, which he had apparently adjusted that very m', 'ing down past the cheekbones, a black vizard mask, which he had apparently adjusted that very moment', 'own past the cheekbones, a black vizard mask, which he had apparently adjusted that very moment, for', 'ast the cheekbones, a black vizard mask, which he had apparently adjusted that very moment, for his ', 'he cheekbones, a black vizard mask, which he had apparently adjusted that very moment, for his hand ', 'eekbones, a black vizard mask, which he had apparently adjusted that very moment, for his hand was s', 'nes, a black vizard mask, which he had apparently adjusted that very moment, for his hand was still ', 'a black vizard mask, which he had apparently adjusted that very moment, for his hand was still raise', 'ck vizard mask, which he had apparently adjusted that very moment, for his hand was still raised to ', 'zard mask, which he had apparently adjusted that very moment, for his hand was still raised to it as', 'mask, which he had apparently adjusted that very moment, for his hand was still raised to it as he e', ' which he had apparently adjusted that very moment, for his hand was still raised to it as he entere', 'h he had apparently adjusted that very moment, for his hand was still raised to it as he entered. fr', 'had apparently adjusted that very moment, for his hand was still raised to it as he entered. from th', 'pparently adjusted that very moment, for his hand was still raised to it as he entered. from the low', 'ntly adjusted that very moment, for his hand was still raised to it as he entered. from the lower pa', 'adjusted that very moment, for his hand was still raised to it as he entered. from the lower part of', 'ted that very moment, for his hand was still raised to it as he entered. from the lower part of the ', 'hat very moment, for his hand was still raised to it as he entered. from the lower part of the face ', 'ery moment, for his hand was still raised to it as he entered. from the lower part of the face he ap', 'oment, for his hand was still raised to it as he entered. from the lower part of the face he appeare', ', for his hand was still raised to it as he entered. from the lower part of the face he appeared to ', ' his hand was still raised to it as he entered. from the lower part of the face he appeared to be a ', 'hand was still raised to it as he entered. from the lower part of the face he appeared to be a man o', 'was still raised to it as he entered. from the lower part of the face he appeared to be a man of str', 'till raised to it as he entered. from the lower part of the face he appeared to be a man of strong c', 'raised to it as he entered. from the lower part of the face he appeared to be a man of strong charac', 'd to it as he entered. from the lower part of the face he appeared to be a man of strong character, ', 'it as he entered. from the lower part of the face he appeared to be a man of strong character, with ', ' he entered. from the lower part of the face he appeared to be a man of strong character, with a thi', 'ntered. from the lower part of the face he appeared to be a man of strong character, with a thick, h', 'd. from the lower part of the face he appeared to be a man of strong character, with a thick, hangin', 'om the lower part of the face he appeared to be a man of strong character, with a thick, hanging lip', 'e lower part of the face he appeared to be a man of strong character, with a thick, hanging lip, and', 'er part of the face he appeared to be a man of strong character, with a thick, hanging lip, and a lo', 'rt of the face he appeared to be a man of strong character, with a thick, hanging lip, and a long, s', ' the face he appeared to be a man of strong character, with a thick, hanging lip, and a long, straig', 'face he appeared to be a man of strong character, with a thick, hanging lip, and a long, straight ch', 'he appeared to be a man of strong character, with a thick, hanging lip, and a long, straight chin su', 'peared to be a man of strong character, with a thick, hanging lip, and a long, straight chin suggest', 'd to be a man of strong character, with a thick, hanging lip, and a long, straight chin suggestive o', 'be a man of strong character, with a thick, hanging lip, and a long, straight chin suggestive of res', 'man of strong character, with a thick, hanging lip, and a long, straight chin suggestive of resoluti', 'f strong character, with a thick, hanging lip, and a long, straight chin suggestive of resolution pu', 'ong character, with a thick, hanging lip, and a long, straight chin suggestive of resolution pushed ', 'haracter, with a thick, hanging lip, and a long, straight chin suggestive of resolution pushed to th', 'ter, with a thick, hanging lip, and a long, straight chin suggestive of resolution pushed to the len', 'with a thick, hanging lip, and a long, straight chin suggestive of resolution pushed to the length o', 'a thick, hanging lip, and a long, straight chin suggestive of resolution pushed to the length of obs', 'ck, hanging lip, and a long, straight chin suggestive of resolution pushed to the length of obstinac', 'anging lip, and a long, straight chin suggestive of resolution pushed to the length of obstinacy. "y', 'g lip, and a long, straight chin suggestive of resolution pushed to the length of obstinacy. "you ha', ', and a long, straight chin suggestive of resolution pushed to the length of obstinacy. "you had my ', ' a long, straight chin suggestive of resolution pushed to the length of obstinacy. "you had my note?', 'ng, straight chin suggestive of resolution pushed to the length of obstinacy. "you had my note?" he ', 'traight chin suggestive of resolution pushed to the length of obstinacy. "you had my note?" he asked', 'ht chin suggestive of resolution pushed to the length of obstinacy. "you had my note?" he asked with', 'in suggestive of resolution pushed to the length of obstinacy. "you had my note?" he asked with a de', 'ggestive of resolution pushed to the length of obstinacy. "you had my note?" he asked with a deep ha', 'ive of resolution pushed to the length of obstinacy. "you had my note?" he asked with a deep harsh v', 'f resolution pushed to the length of obstinacy. "you had my note?" he asked with a deep harsh voice ', 'olution pushed to the length of obstinacy. "you had my note?" he asked with a deep harsh voice and a', 'on pushed to the length of obstinacy. "you had my note?" he asked with a deep harsh voice and a stro', 'shed to the length of obstinacy. "you had my note?" he asked with a deep harsh voice and a strongly ', 'to the length of obstinacy. "you had my note?" he asked with a deep harsh voice and a strongly marke', 'e length of obstinacy. "you had my note?" he asked with a deep harsh voice and a strongly marked ger', 'gth of obstinacy. "you had my note?" he asked with a deep harsh voice and a strongly marked german a', 'f obstinacy. "you had my note?" he asked with a deep harsh voice and a strongly marked german accent', 'tinacy. "you had my note?" he asked with a deep harsh voice and a strongly marked german accent. "i ', 'y. "you had my note?" he asked with a deep harsh voice and a strongly marked german accent. "i told ', 'ou had my note?" he asked with a deep harsh voice and a strongly marked german accent. "i told you t', 'd my note?" he asked with a deep harsh voice and a strongly marked german accent. "i told you that i', 'note?" he asked with a deep harsh voice and a strongly marked german accent. "i told you that i woul', '" he asked with a deep harsh voice and a strongly marked german accent. "i told you that i would cal', 'asked with a deep harsh voice and a strongly marked german accent. "i told you that i would call." h', ' with a deep harsh voice and a strongly marked german accent. "i told you that i would call." he loo', ' a deep harsh voice and a strongly marked german accent. "i told you that i would call." he looked f', 'ep harsh voice and a strongly marked german accent. "i told you that i would call." he looked from o', 'rsh voice and a strongly marked german accent. "i told you that i would call." he looked from one to', 'oice and a strongly marked german accent. "i told you that i would call." he looked from one to the ', 'and a strongly marked german accent. "i told you that i would call." he looked from one to the other', ' strongly marked german accent. "i told you that i would call." he looked from one to the other of u', 'ngly marked german accent. "i told you that i would call." he looked from one to the other of us, as', 'marked german accent. "i told you that i would call." he looked from one to the other of us, as if u', 'd german accent. "i told you that i would call." he looked from one to the other of us, as if uncert', 'man accent. "i told you that i would call." he looked from one to the other of us, as if uncertain w', 'ccent. "i told you that i would call." he looked from one to the other of us, as if uncertain which ', '. "i told you that i would call." he looked from one to the other of us, as if uncertain which to ad', 'told you that i would call." he looked from one to the other of us, as if uncertain which to address', 'you that i would call." he looked from one to the other of us, as if uncertain which to address. "pr', 'hat i would call." he looked from one to the other of us, as if uncertain which to address. "pray ta', ' would call." he looked from one to the other of us, as if uncertain which to address. "pray take a ', 'd call." he looked from one to the other of us, as if uncertain which to address. "pray take a seat,', 'l." he looked from one to the other of us, as if uncertain which to address. "pray take a seat," sai', 'e looked from one to the other of us, as if uncertain which to address. "pray take a seat," said hol', 'ked from one to the other of us, as if uncertain which to address. "pray take a seat," said holmes. ', 'rom one to the other of us, as if uncertain which to address. "pray take a seat," said holmes. "this', 'ne to the other of us, as if uncertain which to address. "pray take a seat," said holmes. "this is m', ' the other of us, as if uncertain which to address. "pray take a seat," said holmes. "this is my fri', 'other of us, as if uncertain which to address. "pray take a seat," said holmes. "this is my friend a', ' of us, as if uncertain which to address. "pray take a seat," said holmes. "this is my friend and co', 's, as if uncertain which to address. "pray take a seat," said holmes. "this is my friend and colleag', ' if uncertain which to address. "pray take a seat," said holmes. "this is my friend and colleague, d', 'ncertain which to address. "pray take a seat," said holmes. "this is my friend and colleague, dr. wa', 'ain which to address. "pray take a seat," said holmes. "this is my friend and colleague, dr. watson,', 'hich to address. "pray take a seat," said holmes. "this is my friend and colleague, dr. watson, who ', 'to address. "pray take a seat," said holmes. "this is my friend and colleague, dr. watson, who is oc', 'dress. "pray take a seat," said holmes. "this is my friend and colleague, dr. watson, who is occasio', '. "pray take a seat," said holmes. "this is my friend and colleague, dr. watson, who is occasionally', 'ay take a seat," said holmes. "this is my friend and colleague, dr. watson, who is occasionally good', 'ke a seat," said holmes. "this is my friend and colleague, dr. watson, who is occasionally good enou', 'seat," said holmes. "this is my friend and colleague, dr. watson, who is occasionally good enough to', '" said holmes. "this is my friend and colleague, dr. watson, who is occasionally good enough to help', 'd holmes. "this is my friend and colleague, dr. watson, who is occasionally good enough to help me i', 'mes. "this is my friend and colleague, dr. watson, who is occasionally good enough to help me in my ', '"this is my friend and colleague, dr. watson, who is occasionally good enough to help me in my cases', ' is my friend and colleague, dr. watson, who is occasionally good enough to help me in my cases. who', 'y friend and colleague, dr. watson, who is occasionally good enough to help me in my cases. whom hav', 'end and colleague, dr. watson, who is occasionally good enough to help me in my cases. whom have i t', 'nd colleague, dr. watson, who is occasionally good enough to help me in my cases. whom have i the ho', 'lleague, dr. watson, who is occasionally good enough to help me in my cases. whom have i the honour ', 'ue, dr. watson, who is occasionally good enough to help me in my cases. whom have i the honour to ad', 'r. watson, who is occasionally good enough to help me in my cases. whom have i the honour to address', 'tson, who is occasionally good enough to help me in my cases. whom have i the honour to address?" "y', ' who is occasionally good enough to help me in my cases. whom have i the honour to address?" "you ma', 'is occasionally good enough to help me in my cases. whom have i the honour to address?" "you may add', 'casionally good enough to help me in my cases. whom have i the honour to address?" "you may address ', 'nally good enough to help me in my cases. whom have i the honour to address?" "you may address me as', ' good enough to help me in my cases. whom have i the honour to address?" "you may address me as the ', ' enough to help me in my cases. whom have i the honour to address?" "you may address me as the count', 'gh to help me in my cases. whom have i the honour to address?" "you may address me as the count von ', ' help me in my cases. whom have i the honour to address?" "you may address me as the count von kramm', ' me in my cases. whom have i the honour to address?" "you may address me as the count von kramm, a b', 'n my cases. whom have i the honour to address?" "you may address me as the count von kramm, a bohemi', 'cases. whom have i the honour to address?" "you may address me as the count von kramm, a bohemian no', '. whom have i the honour to address?" "you may address me as the count von kramm, a bohemian noblema', 'm have i the honour to address?" "you may address me as the count von kramm, a bohemian nobleman. i ', 'e i the honour to address?" "you may address me as the count von kramm, a bohemian nobleman. i under', 'he honour to address?" "you may address me as the count von kramm, a bohemian nobleman. i understand', 'nour to address?" "you may address me as the count von kramm, a bohemian nobleman. i understand that', 'to address?" "you may address me as the count von kramm, a bohemian nobleman. i understand that this', 'dress?" "you may address me as the count von kramm, a bohemian nobleman. i understand that this gent', '?" "you may address me as the count von kramm, a bohemian nobleman. i understand that this gentleman', 'ou may address me as the count von kramm, a bohemian nobleman. i understand that this gentleman, you', 'y address me as the count von kramm, a bohemian nobleman. i understand that this gentleman, your fri', 'ress me as the count von kramm, a bohemian nobleman. i understand that this gentleman, your friend, ', 'me as the count von kramm, a bohemian nobleman. i understand that this gentleman, your friend, is a ', ' the count von kramm, a bohemian nobleman. i understand that this gentleman, your friend, is a man o', 'count von kramm, a bohemian nobleman. i understand that this gentleman, your friend, is a man of hon', ' von kramm, a bohemian nobleman. i understand that this gentleman, your friend, is a man of honour a', 'kramm, a bohemian nobleman. i understand that this gentleman, your friend, is a man of honour and di', ', a bohemian nobleman. i understand that this gentleman, your friend, is a man of honour and discret', 'ohemian nobleman. i understand that this gentleman, your friend, is a man of honour and discretion, ', 'an nobleman. i understand that this gentleman, your friend, is a man of honour and discretion, whom ', 'bleman. i understand that this gentleman, your friend, is a man of honour and discretion, whom i may', 'n. i understand that this gentleman, your friend, is a man of honour and discretion, whom i may trus', 'understand that this gentleman, your friend, is a man of honour and discretion, whom i may trust wit', 'stand that this gentleman, your friend, is a man of honour and discretion, whom i may trust with a m', ' that this gentleman, your friend, is a man of honour and discretion, whom i may trust with a matter', ' this gentleman, your friend, is a man of honour and discretion, whom i may trust with a matter of t', ' gentleman, your friend, is a man of honour and discretion, whom i may trust with a matter of the mo', 'leman, your friend, is a man of honour and discretion, whom i may trust with a matter of the most ex', ', your friend, is a man of honour and discretion, whom i may trust with a matter of the most extreme', 'r friend, is a man of honour and discretion, whom i may trust with a matter of the most extreme impo', 'end, is a man of honour and discretion, whom i may trust with a matter of the most extreme importanc', 'is a man of honour and discretion, whom i may trust with a matter of the most extreme importance. if', 'man of honour and discretion, whom i may trust with a matter of the most extreme importance. if not,', 'f honour and discretion, whom i may trust with a matter of the most extreme importance. if not, i sh', 'our and discretion, whom i may trust with a matter of the most extreme importance. if not, i should ', 'nd discretion, whom i may trust with a matter of the most extreme importance. if not, i should much ', 'scretion, whom i may trust with a matter of the most extreme importance. if not, i should much prefe', 'ion, whom i may trust with a matter of the most extreme importance. if not, i should much prefer to ', 'whom i may trust with a matter of the most extreme importance. if not, i should much prefer to commu', 'i may trust with a matter of the most extreme importance. if not, i should much prefer to communicat', ' trust with a matter of the most extreme importance. if not, i should much prefer to communicate wit', 't with a matter of the most extreme importance. if not, i should much prefer to communicate with you', 'h a matter of the most extreme importance. if not, i should much prefer to communicate with you alon', 'atter of the most extreme importance. if not, i should much prefer to communicate with you alone." i', ' of the most extreme importance. if not, i should much prefer to communicate with you alone." i rose', 'he most extreme importance. if not, i should much prefer to communicate with you alone." i rose to g', 'st extreme importance. if not, i should much prefer to communicate with you alone." i rose to go, bu', 'treme importance. if not, i should much prefer to communicate with you alone." i rose to go, but hol', ' importance. if not, i should much prefer to communicate with you alone." i rose to go, but holmes c', 'rtance. if not, i should much prefer to communicate with you alone." i rose to go, but holmes caught', 'e. if not, i should much prefer to communicate with you alone." i rose to go, but holmes caught me b', ' not, i should much prefer to communicate with you alone." i rose to go, but holmes caught me by the', ' i should much prefer to communicate with you alone." i rose to go, but holmes caught me by the wris', 'ould much prefer to communicate with you alone." i rose to go, but holmes caught me by the wrist and', 'much prefer to communicate with you alone." i rose to go, but holmes caught me by the wrist and push', 'prefer to communicate with you alone." i rose to go, but holmes caught me by the wrist and pushed me', 'r to communicate with you alone." i rose to go, but holmes caught me by the wrist and pushed me back', 'communicate with you alone." i rose to go, but holmes caught me by the wrist and pushed me back into', 'nicate with you alone." i rose to go, but holmes caught me by the wrist and pushed me back into my c', 'e with you alone." i rose to go, but holmes caught me by the wrist and pushed me back into my chair.', 'h you alone." i rose to go, but holmes caught me by the wrist and pushed me back into my chair. "it ', ' alone." i rose to go, but holmes caught me by the wrist and pushed me back into my chair. "it is bo', 'e." i rose to go, but holmes caught me by the wrist and pushed me back into my chair. "it is both, o', ' rose to go, but holmes caught me by the wrist and pushed me back into my chair. "it is both, or non', ' to go, but holmes caught me by the wrist and pushed me back into my chair. "it is both, or none," s', 'o, but holmes caught me by the wrist and pushed me back into my chair. "it is both, or none," said h', 't holmes caught me by the wrist and pushed me back into my chair. "it is both, or none," said he. "y', 'mes caught me by the wrist and pushed me back into my chair. "it is both, or none," said he. "you ma', 'aught me by the wrist and pushed me back into my chair. "it is both, or none," said he. "you may say', ' me by the wrist and pushed me back into my chair. "it is both, or none," said he. "you may say befo', 'y the wrist and pushed me back into my chair. "it is both, or none," said he. "you may say before th', ' wrist and pushed me back into my chair. "it is both, or none," said he. "you may say before this ge', 't and pushed me back into my chair. "it is both, or none," said he. "you may say before this gentlem', ' pushed me back into my chair. "it is both, or none," said he. "you may say before this gentleman an', 'ed me back into my chair. "it is both, or none," said he. "you may say before this gentleman anythin', ' back into my chair. "it is both, or none," said he. "you may say before this gentleman anything whi', ' into my chair. "it is both, or none," said he. "you may say before this gentleman anything which yo', ' my chair. "it is both, or none," said he. "you may say before this gentleman anything which you may', 'hair. "it is both, or none," said he. "you may say before this gentleman anything which you may say ', ' "it is both, or none," said he. "you may say before this gentleman anything which you may say to me', 'is both, or none," said he. "you may say before this gentleman anything which you may say to me." th', 'th, or none," said he. "you may say before this gentleman anything which you may say to me." the cou', 'r none," said he. "you may say before this gentleman anything which you may say to me." the count sh', 'e," said he. "you may say before this gentleman anything which you may say to me." the count shrugge', 'aid he. "you may say before this gentleman anything which you may say to me." the count shrugged his', 'e. "you may say before this gentleman anything which you may say to me." the count shrugged his broa', 'ou may say before this gentleman anything which you may say to me." the count shrugged his broad sho', 'y say before this gentleman anything which you may say to me." the count shrugged his broad shoulder', ' before this gentleman anything which you may say to me." the count shrugged his broad shoulders. "t', 're this gentleman anything which you may say to me." the count shrugged his broad shoulders. "then i', 'is gentleman anything which you may say to me." the count shrugged his broad shoulders. "then i must', 'ntleman anything which you may say to me." the count shrugged his broad shoulders. "then i must begi', 'an anything which you may say to me." the count shrugged his broad shoulders. "then i must begin," s', 'ything which you may say to me." the count shrugged his broad shoulders. "then i must begin," said h', 'g which you may say to me." the count shrugged his broad shoulders. "then i must begin," said he, "b', 'ch you may say to me." the count shrugged his broad shoulders. "then i must begin," said he, "by bin', 'u may say to me." the count shrugged his broad shoulders. "then i must begin," said he, "by binding ', ' say to me." the count shrugged his broad shoulders. "then i must begin," said he, "by binding you b', 'to me." the count shrugged his broad shoulders. "then i must begin," said he, "by binding you both t', '." the count shrugged his broad shoulders. "then i must begin," said he, "by binding you both to abs', 'e count shrugged his broad shoulders. "then i must begin," said he, "by binding you both to absolute', 'nt shrugged his broad shoulders. "then i must begin," said he, "by binding you both to absolute secr', 'rugged his broad shoulders. "then i must begin," said he, "by binding you both to absolute secrecy f', 'd his broad shoulders. "then i must begin," said he, "by binding you both to absolute secrecy for tw', ' broad shoulders. "then i must begin," said he, "by binding you both to absolute secrecy for two yea', 'd shoulders. "then i must begin," said he, "by binding you both to absolute secrecy for two years; a', 'ulders. "then i must begin," said he, "by binding you both to absolute secrecy for two years; at the', 's. "then i must begin," said he, "by binding you both to absolute secrecy for two years; at the end ', 'hen i must begin," said he, "by binding you both to absolute secrecy for two years; at the end of th', ' must begin," said he, "by binding you both to absolute secrecy for two years; at the end of that ti', ' begin," said he, "by binding you both to absolute secrecy for two years; at the end of that time th', 'n," said he, "by binding you both to absolute secrecy for two years; at the end of that time the mat', 'aid he, "by binding you both to absolute secrecy for two years; at the end of that time the matter w', 'e, "by binding you both to absolute secrecy for two years; at the end of that time the matter will b', 'y binding you both to absolute secrecy for two years; at the end of that time the matter will be of ', 'ding you both to absolute secrecy for two years; at the end of that time the matter will be of no im', 'you both to absolute secrecy for two years; at the end of that time the matter will be of no importa', 'oth to absolute secrecy for two years; at the end of that time the matter will be of no importance. ', 'o absolute secrecy for two years; at the end of that time the matter will be of no importance. at pr', 'olute secrecy for two years; at the end of that time the matter will be of no importance. at present', ' secrecy for two years; at the end of that time the matter will be of no importance. at present it i', 'ecy for two years; at the end of that time the matter will be of no importance. at present it is not', 'or two years; at the end of that time the matter will be of no importance. at present it is not too ', 'o years; at the end of that time the matter will be of no importance. at present it is not too much ', 'rs; at the end of that time the matter will be of no importance. at present it is not too much to sa', 't the end of that time the matter will be of no importance. at present it is not too much to say tha', ' end of that time the matter will be of no importance. at present it is not too much to say that it ', 'of that time the matter will be of no importance. at present it is not too much to say that it is of', 'at time the matter will be of no importance. at present it is not too much to say that it is of such', 'me the matter will be of no importance. at present it is not too much to say that it is of such weig', 'e matter will be of no importance. at present it is not too much to say that it is of such weight it', 'ter will be of no importance. at present it is not too much to say that it is of such weight it may ', 'ill be of no importance. at present it is not too much to say that it is of such weight it may have ', 'e of no importance. at present it is not too much to say that it is of such weight it may have an in', 'no importance. at present it is not too much to say that it is of such weight it may have an influen', 'portance. at present it is not too much to say that it is of such weight it may have an influence up', 'nce. at present it is not too much to say that it is of such weight it may have an influence upon eu', 'at present it is not too much to say that it is of such weight it may have an influence upon europea', 'esent it is not too much to say that it is of such weight it may have an influence upon european his', ' it is not too much to say that it is of such weight it may have an influence upon european history.', 's not too much to say that it is of such weight it may have an influence upon european history." "i ', ' too much to say that it is of such weight it may have an influence upon european history." "i promi', 'much to say that it is of such weight it may have an influence upon european history." "i promise," ', 'to say that it is of such weight it may have an influence upon european history." "i promise," said ', 'y that it is of such weight it may have an influence upon european history." "i promise," said holme', 't it is of such weight it may have an influence upon european history." "i promise," said holmes. "a', 'is of such weight it may have an influence upon european history." "i promise," said holmes. "and i.', ' such weight it may have an influence upon european history." "i promise," said holmes. "and i." "yo', ' weight it may have an influence upon european history." "i promise," said holmes. "and i." "you wil', 'ht it may have an influence upon european history." "i promise," said holmes. "and i." "you will exc', ' may have an influence upon european history." "i promise," said holmes. "and i." "you will excuse t', 'have an influence upon european history." "i promise," said holmes. "and i." "you will excuse this m', 'an influence upon european history." "i promise," said holmes. "and i." "you will excuse this mask,"', 'fluence upon european history." "i promise," said holmes. "and i." "you will excuse this mask," cont', 'ce upon european history." "i promise," said holmes. "and i." "you will excuse this mask," continued', 'on european history." "i promise," said holmes. "and i." "you will excuse this mask," continued our ', 'ropean history." "i promise," said holmes. "and i." "you will excuse this mask," continued our stran', 'n history." "i promise," said holmes. "and i." "you will excuse this mask," continued our strange vi', 'tory." "i promise," said holmes. "and i." "you will excuse this mask," continued our strange visitor', '" "i promise," said holmes. "and i." "you will excuse this mask," continued our strange visitor. "th', 'promise," said holmes. "and i." "you will excuse this mask," continued our strange visitor. "the aug', 'se," said holmes. "and i." "you will excuse this mask," continued our strange visitor. "the august p', 'said holmes. "and i." "you will excuse this mask," continued our strange visitor. "the august person', 'holmes. "and i." "you will excuse this mask," continued our strange visitor. "the august person who ', 's. "and i." "you will excuse this mask," continued our strange visitor. "the august person who emplo', 'nd i." "you will excuse this mask," continued our strange visitor. "the august person who employs me', '" "you will excuse this mask," continued our strange visitor. "the august person who employs me wish', 'u will excuse this mask," continued our strange visitor. "the august person who employs me wishes hi', 'l excuse this mask," continued our strange visitor. "the august person who employs me wishes his age', 'use this mask," continued our strange visitor. "the august person who employs me wishes his agent to', 'his mask," continued our strange visitor. "the august person who employs me wishes his agent to be u', 'ask," continued our strange visitor. "the august person who employs me wishes his agent to be unknow', ' continued our strange visitor. "the august person who employs me wishes his agent to be unknown to ', 'inued our strange visitor. "the august person who employs me wishes his agent to be unknown to you, ', ' our strange visitor. "the august person who employs me wishes his agent to be unknown to you, and i', 'strange visitor. "the august person who employs me wishes his agent to be unknown to you, and i may ', 'ge visitor. "the august person who employs me wishes his agent to be unknown to you, and i may confe', 'sitor. "the august person who employs me wishes his agent to be unknown to you, and i may confess at', '. "the august person who employs me wishes his agent to be unknown to you, and i may confess at once', 'e august person who employs me wishes his agent to be unknown to you, and i may confess at once that', 'ust person who employs me wishes his agent to be unknown to you, and i may confess at once that the ', 'erson who employs me wishes his agent to be unknown to you, and i may confess at once that the title', ' who employs me wishes his agent to be unknown to you, and i may confess at once that the title by w', 'employs me wishes his agent to be unknown to you, and i may confess at once that the title by which ', 'ys me wishes his agent to be unknown to you, and i may confess at once that the title by which i hav', ' wishes his agent to be unknown to you, and i may confess at once that the title by which i have jus', 'es his agent to be unknown to you, and i may confess at once that the title by which i have just cal', 's agent to be unknown to you, and i may confess at once that the title by which i have just called m', 'nt to be unknown to you, and i may confess at once that the title by which i have just called myself', ' be unknown to you, and i may confess at once that the title by which i have just called myself is n', 'nknown to you, and i may confess at once that the title by which i have just called myself is not ex', 'n to you, and i may confess at once that the title by which i have just called myself is not exactly', 'you, and i may confess at once that the title by which i have just called myself is not exactly my o', 'and i may confess at once that the title by which i have just called myself is not exactly my own." ', ' may confess at once that the title by which i have just called myself is not exactly my own." "i wa', 'confess at once that the title by which i have just called myself is not exactly my own." "i was awa', 'ss at once that the title by which i have just called myself is not exactly my own." "i was aware of', ' once that the title by which i have just called myself is not exactly my own." "i was aware of it,"', ' that the title by which i have just called myself is not exactly my own." "i was aware of it," said', ' the title by which i have just called myself is not exactly my own." "i was aware of it," said holm', 'title by which i have just called myself is not exactly my own." "i was aware of it," said holmes dr', ' by which i have just called myself is not exactly my own." "i was aware of it," said holmes dryly. ', 'hich i have just called myself is not exactly my own." "i was aware of it," said holmes dryly. "the ', 'i have just called myself is not exactly my own." "i was aware of it," said holmes dryly. "the circu', 'e just called myself is not exactly my own." "i was aware of it," said holmes dryly. "the circumstan', 't called myself is not exactly my own." "i was aware of it," said holmes dryly. "the circumstances a', 'led myself is not exactly my own." "i was aware of it," said holmes dryly. "the circumstances are of', 'yself is not exactly my own." "i was aware of it," said holmes dryly. "the circumstances are of grea', ' is not exactly my own." "i was aware of it," said holmes dryly. "the circumstances are of great del', 'ot exactly my own." "i was aware of it," said holmes dryly. "the circumstances are of great delicacy', 'actly my own." "i was aware of it," said holmes dryly. "the circumstances are of great delicacy, and', ' my own." "i was aware of it," said holmes dryly. "the circumstances are of great delicacy, and ever', 'wn." "i was aware of it," said holmes dryly. "the circumstances are of great delicacy, and every pre', '"i was aware of it," said holmes dryly. "the circumstances are of great delicacy, and every precauti', 's aware of it," said holmes dryly. "the circumstances are of great delicacy, and every precaution ha', 're of it," said holmes dryly. "the circumstances are of great delicacy, and every precaution has to ', ' it," said holmes dryly. "the circumstances are of great delicacy, and every precaution has to be ta', ' said holmes dryly. "the circumstances are of great delicacy, and every precaution has to be taken t', ' holmes dryly. "the circumstances are of great delicacy, and every precaution has to be taken to que', 'es dryly. "the circumstances are of great delicacy, and every precaution has to be taken to quench w', 'yly. "the circumstances are of great delicacy, and every precaution has to be taken to quench what m', '"the circumstances are of great delicacy, and every precaution has to be taken to quench what might ', 'circumstances are of great delicacy, and every precaution has to be taken to quench what might grow ', 'mstances are of great delicacy, and every precaution has to be taken to quench what might grow to be', 'ces are of great delicacy, and every precaution has to be taken to quench what might grow to be an i', 're of great delicacy, and every precaution has to be taken to quench what might grow to be an immens', ' great delicacy, and every precaution has to be taken to quench what might grow to be an immense sca', 't delicacy, and every precaution has to be taken to quench what might grow to be an immense scandal ', 'icacy, and every precaution has to be taken to quench what might grow to be an immense scandal and s', ', and every precaution has to be taken to quench what might grow to be an immense scandal and seriou', ' every precaution has to be taken to quench what might grow to be an immense scandal and seriously c', 'y precaution has to be taken to quench what might grow to be an immense scandal and seriously compro', 'caution has to be taken to quench what might grow to be an immense scandal and seriously compromise ', 'on has to be taken to quench what might grow to be an immense scandal and seriously compromise one o', 's to be taken to quench what might grow to be an immense scandal and seriously compromise one of the', 'be taken to quench what might grow to be an immense scandal and seriously compromise one of the reig', 'ken to quench what might grow to be an immense scandal and seriously compromise one of the reigning ', 'o quench what might grow to be an immense scandal and seriously compromise one of the reigning famil', 'nch what might grow to be an immense scandal and seriously compromise one of the reigning families o', 'hat might grow to be an immense scandal and seriously compromise one of the reigning families of eur', 'ight grow to be an immense scandal and seriously compromise one of the reigning families of europe. ', 'grow to be an immense scandal and seriously compromise one of the reigning families of europe. to sp', 'to be an immense scandal and seriously compromise one of the reigning families of europe. to speak p', ' an immense scandal and seriously compromise one of the reigning families of europe. to speak plainl', 'mmense scandal and seriously compromise one of the reigning families of europe. to speak plainly, th', 'e scandal and seriously compromise one of the reigning families of europe. to speak plainly, the mat', 'ndal and seriously compromise one of the reigning families of europe. to speak plainly, the matter i', 'and seriously compromise one of the reigning families of europe. to speak plainly, the matter implic', 'eriously compromise one of the reigning families of europe. to speak plainly, the matter implicates ', 'sly compromise one of the reigning families of europe. to speak plainly, the matter implicates the g', 'ompromise one of the reigning families of europe. to speak plainly, the matter implicates the great ', 'mise one of the reigning families of europe. to speak plainly, the matter implicates the great house', 'one of the reigning families of europe. to speak plainly, the matter implicates the great house of o', 'f the reigning families of europe. to speak plainly, the matter implicates the great house of ormste', ' reigning families of europe. to speak plainly, the matter implicates the great house of ormstein, h', 'ning families of europe. to speak plainly, the matter implicates the great house of ormstein, heredi', 'families of europe. to speak plainly, the matter implicates the great house of ormstein, hereditary ', 'ies of europe. to speak plainly, the matter implicates the great house of ormstein, hereditary kings', 'f europe. to speak plainly, the matter implicates the great house of ormstein, hereditary kings of b', 'ope. to speak plainly, the matter implicates the great house of ormstein, hereditary kings of bohemi', 'to speak plainly, the matter implicates the great house of ormstein, hereditary kings of bohemia." "', 'eak plainly, the matter implicates the great house of ormstein, hereditary kings of bohemia." "i was', 'lainly, the matter implicates the great house of ormstein, hereditary kings of bohemia." "i was also', 'y, the matter implicates the great house of ormstein, hereditary kings of bohemia." "i was also awar', 'e matter implicates the great house of ormstein, hereditary kings of bohemia." "i was also aware of ', 'ter implicates the great house of ormstein, hereditary kings of bohemia." "i was also aware of that,', 'mplicates the great house of ormstein, hereditary kings of bohemia." "i was also aware of that," mur', 'ates the great house of ormstein, hereditary kings of bohemia." "i was also aware of that," murmured', 'the great house of ormstein, hereditary kings of bohemia." "i was also aware of that," murmured holm', 'reat house of ormstein, hereditary kings of bohemia." "i was also aware of that," murmured holmes, s', 'house of ormstein, hereditary kings of bohemia." "i was also aware of that," murmured holmes, settli', ' of ormstein, hereditary kings of bohemia." "i was also aware of that," murmured holmes, settling hi', 'rmstein, hereditary kings of bohemia." "i was also aware of that," murmured holmes, settling himself', 'in, hereditary kings of bohemia." "i was also aware of that," murmured holmes, settling himself down', 'ereditary kings of bohemia." "i was also aware of that," murmured holmes, settling himself down in h', 'tary kings of bohemia." "i was also aware of that," murmured holmes, settling himself down in his ar', 'kings of bohemia." "i was also aware of that," murmured holmes, settling himself down in his armchai', ' of bohemia." "i was also aware of that," murmured holmes, settling himself down in his armchair and', 'ohemia." "i was also aware of that," murmured holmes, settling himself down in his armchair and clos', 'a." "i was also aware of that," murmured holmes, settling himself down in his armchair and closing h', 'i was also aware of that," murmured holmes, settling himself down in his armchair and closing his ey', ' also aware of that," murmured holmes, settling himself down in his armchair and closing his eyes. o', ' aware of that," murmured holmes, settling himself down in his armchair and closing his eyes. our vi', 'e of that," murmured holmes, settling himself down in his armchair and closing his eyes. our visitor', 'that," murmured holmes, settling himself down in his armchair and closing his eyes. our visitor glan', '" murmured holmes, settling himself down in his armchair and closing his eyes. our visitor glanced w', 'mured holmes, settling himself down in his armchair and closing his eyes. our visitor glanced with s', ' holmes, settling himself down in his armchair and closing his eyes. our visitor glanced with some a', 'es, settling himself down in his armchair and closing his eyes. our visitor glanced with some appare', 'ettling himself down in his armchair and closing his eyes. our visitor glanced with some apparent su', 'ng himself down in his armchair and closing his eyes. our visitor glanced with some apparent surpris', 'mself down in his armchair and closing his eyes. our visitor glanced with some apparent surprise at ', ' down in his armchair and closing his eyes. our visitor glanced with some apparent surprise at the l', ' in his armchair and closing his eyes. our visitor glanced with some apparent surprise at the langui', 'is armchair and closing his eyes. our visitor glanced with some apparent surprise at the languid, lo', 'mchair and closing his eyes. our visitor glanced with some apparent surprise at the languid, loungin', 'r and closing his eyes. our visitor glanced with some apparent surprise at the languid, lounging fig', ' closing his eyes. our visitor glanced with some apparent surprise at the languid, lounging figure o', 'ing his eyes. our visitor glanced with some apparent surprise at the languid, lounging figure of the', 'is eyes. our visitor glanced with some apparent surprise at the languid, lounging figure of the man ', 'es. our visitor glanced with some apparent surprise at the languid, lounging figure of the man who h', 'ur visitor glanced with some apparent surprise at the languid, lounging figure of the man who had be', 'sitor glanced with some apparent surprise at the languid, lounging figure of the man who had been no', ' glanced with some apparent surprise at the languid, lounging figure of the man who had been no doub', 'ced with some apparent surprise at the languid, lounging figure of the man who had been no doubt dep', 'ith some apparent surprise at the languid, lounging figure of the man who had been no doubt depicted', 'ome apparent surprise at the languid, lounging figure of the man who had been no doubt depicted to h', 'pparent surprise at the languid, lounging figure of the man who had been no doubt depicted to him as', 'nt surprise at the languid, lounging figure of the man who had been no doubt depicted to him as the ', 'rprise at the languid, lounging figure of the man who had been no doubt depicted to him as the most ', 'e at the languid, lounging figure of the man who had been no doubt depicted to him as the most incis', 'the languid, lounging figure of the man who had been no doubt depicted to him as the most incisive r', 'anguid, lounging figure of the man who had been no doubt depicted to him as the most incisive reason', 'd, lounging figure of the man who had been no doubt depicted to him as the most incisive reasoner an', 'unging figure of the man who had been no doubt depicted to him as the most incisive reasoner and mos', 'g figure of the man who had been no doubt depicted to him as the most incisive reasoner and most ene', 'ure of the man who had been no doubt depicted to him as the most incisive reasoner and most energeti', 'f the man who had been no doubt depicted to him as the most incisive reasoner and most energetic age', ' man who had been no doubt depicted to him as the most incisive reasoner and most energetic agent in', 'who had been no doubt depicted to him as the most incisive reasoner and most energetic agent in euro', 'ad been no doubt depicted to him as the most incisive reasoner and most energetic agent in europe. h', 'en no doubt depicted to him as the most incisive reasoner and most energetic agent in europe. holmes', ' doubt depicted to him as the most incisive reasoner and most energetic agent in europe. holmes slow', 't depicted to him as the most incisive reasoner and most energetic agent in europe. holmes slowly re', 'icted to him as the most incisive reasoner and most energetic agent in europe. holmes slowly reopene', ' to him as the most incisive reasoner and most energetic agent in europe. holmes slowly reopened his', 'im as the most incisive reasoner and most energetic agent in europe. holmes slowly reopened his eyes', ' the most incisive reasoner and most energetic agent in europe. holmes slowly reopened his eyes and ', 'most incisive reasoner and most energetic agent in europe. holmes slowly reopened his eyes and looke', 'incisive reasoner and most energetic agent in europe. holmes slowly reopened his eyes and looked imp', 'ive reasoner and most energetic agent in europe. holmes slowly reopened his eyes and looked impatien', 'easoner and most energetic agent in europe. holmes slowly reopened his eyes and looked impatiently a', 'er and most energetic agent in europe. holmes slowly reopened his eyes and looked impatiently at his', 'd most energetic agent in europe. holmes slowly reopened his eyes and looked impatiently at his giga', 't energetic agent in europe. holmes slowly reopened his eyes and looked impatiently at his gigantic ', 'rgetic agent in europe. holmes slowly reopened his eyes and looked impatiently at his gigantic clien', 'c agent in europe. holmes slowly reopened his eyes and looked impatiently at his gigantic client. "i', 'nt in europe. holmes slowly reopened his eyes and looked impatiently at his gigantic client. "if you', ' europe. holmes slowly reopened his eyes and looked impatiently at his gigantic client. "if your maj', 'pe. holmes slowly reopened his eyes and looked impatiently at his gigantic client. "if your majesty ', 'olmes slowly reopened his eyes and looked impatiently at his gigantic client. "if your majesty would', ' slowly reopened his eyes and looked impatiently at his gigantic client. "if your majesty would cond', 'ly reopened his eyes and looked impatiently at his gigantic client. "if your majesty would condescen', 'opened his eyes and looked impatiently at his gigantic client. "if your majesty would condescend to ', 'd his eyes and looked impatiently at his gigantic client. "if your majesty would condescend to state', ' eyes and looked impatiently at his gigantic client. "if your majesty would condescend to state your', ' and looked impatiently at his gigantic client. "if your majesty would condescend to state your case', 'looked impatiently at his gigantic client. "if your majesty would condescend to state your case," he', 'd impatiently at his gigantic client. "if your majesty would condescend to state your case," he rema', 'atiently at his gigantic client. "if your majesty would condescend to state your case," he remarked,', 'tly at his gigantic client. "if your majesty would condescend to state your case," he remarked, "i s', 't his gigantic client. "if your majesty would condescend to state your case," he remarked, "i should', ' gigantic client. "if your majesty would condescend to state your case," he remarked, "i should be b', 'ntic client. "if your majesty would condescend to state your case," he remarked, "i should be better', 'client. "if your majesty would condescend to state your case," he remarked, "i should be better able', 't. "if your majesty would condescend to state your case," he remarked, "i should be better able to a', 'f your majesty would condescend to state your case," he remarked, "i should be better able to advise', 'r majesty would condescend to state your case," he remarked, "i should be better able to advise you.', 'esty would condescend to state your case," he remarked, "i should be better able to advise you." the', 'would condescend to state your case," he remarked, "i should be better able to advise you." the man ', ' condescend to state your case," he remarked, "i should be better able to advise you." the man spran', 'escend to state your case," he remarked, "i should be better able to advise you." the man sprang fro', 'd to state your case," he remarked, "i should be better able to advise you." the man sprang from his', 'state your case," he remarked, "i should be better able to advise you." the man sprang from his chai', ' your case," he remarked, "i should be better able to advise you." the man sprang from his chair and', ' case," he remarked, "i should be better able to advise you." the man sprang from his chair and pace', '," he remarked, "i should be better able to advise you." the man sprang from his chair and paced up ', ' remarked, "i should be better able to advise you." the man sprang from his chair and paced up and d', 'rked, "i should be better able to advise you." the man sprang from his chair and paced up and down t', ' "i should be better able to advise you." the man sprang from his chair and paced up and down the ro', 'hould be better able to advise you." the man sprang from his chair and paced up and down the room in', ' be better able to advise you." the man sprang from his chair and paced up and down the room in unco', 'etter able to advise you." the man sprang from his chair and paced up and down the room in uncontrol', ' able to advise you." the man sprang from his chair and paced up and down the room in uncontrollable', ' to advise you." the man sprang from his chair and paced up and down the room in uncontrollable agit', 'dvise you." the man sprang from his chair and paced up and down the room in uncontrollable agitation', ' you." the man sprang from his chair and paced up and down the room in uncontrollable agitation. the', '" the man sprang from his chair and paced up and down the room in uncontrollable agitation. then, wi', ' man sprang from his chair and paced up and down the room in uncontrollable agitation. then, with a ', 'sprang from his chair and paced up and down the room in uncontrollable agitation. then, with a gestu', 'g from his chair and paced up and down the room in uncontrollable agitation. then, with a gesture of', 'm his chair and paced up and down the room in uncontrollable agitation. then, with a gesture of desp', ' chair and paced up and down the room in uncontrollable agitation. then, with a gesture of desperati', 'r and paced up and down the room in uncontrollable agitation. then, with a gesture of desperation, h', ' paced up and down the room in uncontrollable agitation. then, with a gesture of desperation, he tor', 'd up and down the room in uncontrollable agitation. then, with a gesture of desperation, he tore the', 'and down the room in uncontrollable agitation. then, with a gesture of desperation, he tore the mask', 'own the room in uncontrollable agitation. then, with a gesture of desperation, he tore the mask from', 'he room in uncontrollable agitation. then, with a gesture of desperation, he tore the mask from his ', 'om in uncontrollable agitation. then, with a gesture of desperation, he tore the mask from his face ', ' uncontrollable agitation. then, with a gesture of desperation, he tore the mask from his face and h', 'ntrollable agitation. then, with a gesture of desperation, he tore the mask from his face and hurled', 'lable agitation. then, with a gesture of desperation, he tore the mask from his face and hurled it u', ' agitation. then, with a gesture of desperation, he tore the mask from his face and hurled it upon t', 'ation. then, with a gesture of desperation, he tore the mask from his face and hurled it upon the gr', '. then, with a gesture of desperation, he tore the mask from his face and hurled it upon the ground.', 'n, with a gesture of desperation, he tore the mask from his face and hurled it upon the ground. "you', 'th a gesture of desperation, he tore the mask from his face and hurled it upon the ground. "you are ', 'gesture of desperation, he tore the mask from his face and hurled it upon the ground. "you are right', 're of desperation, he tore the mask from his face and hurled it upon the ground. "you are right," he', ' desperation, he tore the mask from his face and hurled it upon the ground. "you are right," he crie', 'eration, he tore the mask from his face and hurled it upon the ground. "you are right," he cried; "i', 'on, he tore the mask from his face and hurled it upon the ground. "you are right," he cried; "i am t', 'e tore the mask from his face and hurled it upon the ground. "you are right," he cried; "i am the ki', 'e the mask from his face and hurled it upon the ground. "you are right," he cried; "i am the king. w', ' mask from his face and hurled it upon the ground. "you are right," he cried; "i am the king. why sh', ' from his face and hurled it upon the ground. "you are right," he cried; "i am the king. why should ', ' his face and hurled it upon the ground. "you are right," he cried; "i am the king. why should i att', 'face and hurled it upon the ground. "you are right," he cried; "i am the king. why should i attempt ', 'and hurled it upon the ground. "you are right," he cried; "i am the king. why should i attempt to co', 'urled it upon the ground. "you are right," he cried; "i am the king. why should i attempt to conceal', ' it upon the ground. "you are right," he cried; "i am the king. why should i attempt to conceal it?"', 'pon the ground. "you are right," he cried; "i am the king. why should i attempt to conceal it?" "why', 'he ground. "you are right," he cried; "i am the king. why should i attempt to conceal it?" "why, ind', 'ound. "you are right," he cried; "i am the king. why should i attempt to conceal it?" "why, indeed?"', ' "you are right," he cried; "i am the king. why should i attempt to conceal it?" "why, indeed?" murm', ' are right," he cried; "i am the king. why should i attempt to conceal it?" "why, indeed?" murmured ', 'right," he cried; "i am the king. why should i attempt to conceal it?" "why, indeed?" murmured holme', '," he cried; "i am the king. why should i attempt to conceal it?" "why, indeed?" murmured holmes. "y', ' cried; "i am the king. why should i attempt to conceal it?" "why, indeed?" murmured holmes. "your m', 'd; "i am the king. why should i attempt to conceal it?" "why, indeed?" murmured holmes. "your majest', ' am the king. why should i attempt to conceal it?" "why, indeed?" murmured holmes. "your majesty had', 'he king. why should i attempt to conceal it?" "why, indeed?" murmured holmes. "your majesty had not ', 'ng. why should i attempt to conceal it?" "why, indeed?" murmured holmes. "your majesty had not spoke', 'hy should i attempt to conceal it?" "why, indeed?" murmured holmes. "your majesty had not spoken bef', 'ould i attempt to conceal it?" "why, indeed?" murmured holmes. "your majesty had not spoken before i', 'i attempt to conceal it?" "why, indeed?" murmured holmes. "your majesty had not spoken before i was ', 'empt to conceal it?" "why, indeed?" murmured holmes. "your majesty had not spoken before i was aware', 'to conceal it?" "why, indeed?" murmured holmes. "your majesty had not spoken before i was aware that', 'nceal it?" "why, indeed?" murmured holmes. "your majesty had not spoken before i was aware that i wa', ' it?" "why, indeed?" murmured holmes. "your majesty had not spoken before i was aware that i was add', ' "why, indeed?" murmured holmes. "your majesty had not spoken before i was aware that i was addressi', ', indeed?" murmured holmes. "your majesty had not spoken before i was aware that i was addressing wi', 'eed?" murmured holmes. "your majesty had not spoken before i was aware that i was addressing wilhelm', ' murmured holmes. "your majesty had not spoken before i was aware that i was addressing wilhelm gott', 'ured holmes. "your majesty had not spoken before i was aware that i was addressing wilhelm gottsreic', 'holmes. "your majesty had not spoken before i was aware that i was addressing wilhelm gottsreich sig', 's. "your majesty had not spoken before i was aware that i was addressing wilhelm gottsreich sigismon', 'our majesty had not spoken before i was aware that i was addressing wilhelm gottsreich sigismond von', 'ajesty had not spoken before i was aware that i was addressing wilhelm gottsreich sigismond von orms', 'y had not spoken before i was aware that i was addressing wilhelm gottsreich sigismond von ormstein,', ' not spoken before i was aware that i was addressing wilhelm gottsreich sigismond von ormstein, gran', 'spoken before i was aware that i was addressing wilhelm gottsreich sigismond von ormstein, grand duk', 'n before i was aware that i was addressing wilhelm gottsreich sigismond von ormstein, grand duke of ', 'ore i was aware that i was addressing wilhelm gottsreich sigismond von ormstein, grand duke of casse', ' was aware that i was addressing wilhelm gottsreich sigismond von ormstein, grand duke of cassel-fel', 'aware that i was addressing wilhelm gottsreich sigismond von ormstein, grand duke of cassel-felstein', ' that i was addressing wilhelm gottsreich sigismond von ormstein, grand duke of cassel-felstein, and', ' i was addressing wilhelm gottsreich sigismond von ormstein, grand duke of cassel-felstein, and here', 's addressing wilhelm gottsreich sigismond von ormstein, grand duke of cassel-felstein, and hereditar', 'ressing wilhelm gottsreich sigismond von ormstein, grand duke of cassel-felstein, and hereditary kin', 'ng wilhelm gottsreich sigismond von ormstein, grand duke of cassel-felstein, and hereditary king of ', 'lhelm gottsreich sigismond von ormstein, grand duke of cassel-felstein, and hereditary king of bohem', ' gottsreich sigismond von ormstein, grand duke of cassel-felstein, and hereditary king of bohemia." ', 'sreich sigismond von ormstein, grand duke of cassel-felstein, and hereditary king of bohemia." "but ', 'h sigismond von ormstein, grand duke of cassel-felstein, and hereditary king of bohemia." "but you c', 'ismond von ormstein, grand duke of cassel-felstein, and hereditary king of bohemia." "but you can un', 'd von ormstein, grand duke of cassel-felstein, and hereditary king of bohemia." "but you can underst', ' ormstein, grand duke of cassel-felstein, and hereditary king of bohemia." "but you can understand,"', 'tein, grand duke of cassel-felstein, and hereditary king of bohemia." "but you can understand," said', ' grand duke of cassel-felstein, and hereditary king of bohemia." "but you can understand," said our ', 'd duke of cassel-felstein, and hereditary king of bohemia." "but you can understand," said our stran', 'e of cassel-felstein, and hereditary king of bohemia." "but you can understand," said our strange vi', 'cassel-felstein, and hereditary king of bohemia." "but you can understand," said our strange visitor', 'l-felstein, and hereditary king of bohemia." "but you can understand," said our strange visitor, sit', 'stein, and hereditary king of bohemia." "but you can understand," said our strange visitor, sitting ', ', and hereditary king of bohemia." "but you can understand," said our strange visitor, sitting down ', ' hereditary king of bohemia." "but you can understand," said our strange visitor, sitting down once ', 'ditary king of bohemia." "but you can understand," said our strange visitor, sitting down once more ', 'y king of bohemia." "but you can understand," said our strange visitor, sitting down once more and p', 'g of bohemia." "but you can understand," said our strange visitor, sitting down once more and passin', 'bohemia." "but you can understand," said our strange visitor, sitting down once more and passing his', 'ia." "but you can understand," said our strange visitor, sitting down once more and passing his hand', '"but you can understand," said our strange visitor, sitting down once more and passing his hand over', 'you can understand," said our strange visitor, sitting down once more and passing his hand over his ', 'an understand," said our strange visitor, sitting down once more and passing his hand over his high ', 'derstand," said our strange visitor, sitting down once more and passing his hand over his high white', 'and," said our strange visitor, sitting down once more and passing his hand over his high white fore', ' said our strange visitor, sitting down once more and passing his hand over his high white forehead,', ' our strange visitor, sitting down once more and passing his hand over his high white forehead, "you', 'strange visitor, sitting down once more and passing his hand over his high white forehead, "you can ', 'ge visitor, sitting down once more and passing his hand over his high white forehead, "you can under', 'sitor, sitting down once more and passing his hand over his high white forehead, "you can understand', ', sitting down once more and passing his hand over his high white forehead, "you can understand that', 'ting down once more and passing his hand over his high white forehead, "you can understand that i am', 'down once more and passing his hand over his high white forehead, "you can understand that i am not ', 'once more and passing his hand over his high white forehead, "you can understand that i am not accus', 'more and passing his hand over his high white forehead, "you can understand that i am not accustomed', 'and passing his hand over his high white forehead, "you can understand that i am not accustomed to d', 'assing his hand over his high white forehead, "you can understand that i am not accustomed to doing ', 'g his hand over his high white forehead, "you can understand that i am not accustomed to doing such ', ' hand over his high white forehead, "you can understand that i am not accustomed to doing such busin', ' over his high white forehead, "you can understand that i am not accustomed to doing such business i', ' his high white forehead, "you can understand that i am not accustomed to doing such business in my ', 'high white forehead, "you can understand that i am not accustomed to doing such business in my own p', 'white forehead, "you can understand that i am not accustomed to doing such business in my own person', ' forehead, "you can understand that i am not accustomed to doing such business in my own person. yet', 'head, "you can understand that i am not accustomed to doing such business in my own person. yet the ', ' "you can understand that i am not accustomed to doing such business in my own person. yet the matte', ' can understand that i am not accustomed to doing such business in my own person. yet the matter was', 'understand that i am not accustomed to doing such business in my own person. yet the matter was so d', 'stand that i am not accustomed to doing such business in my own person. yet the matter was so delica', ' that i am not accustomed to doing such business in my own person. yet the matter was so delicate th', ' i am not accustomed to doing such business in my own person. yet the matter was so delicate that i ', ' not accustomed to doing such business in my own person. yet the matter was so delicate that i could', 'accustomed to doing such business in my own person. yet the matter was so delicate that i could not ', 'tomed to doing such business in my own person. yet the matter was so delicate that i could not confi', ' to doing such business in my own person. yet the matter was so delicate that i could not confide it', 'oing such business in my own person. yet the matter was so delicate that i could not confide it to a', 'such business in my own person. yet the matter was so delicate that i could not confide it to an age', 'business in my own person. yet the matter was so delicate that i could not confide it to an agent wi', 'ess in my own person. yet the matter was so delicate that i could not confide it to an agent without', 'n my own person. yet the matter was so delicate that i could not confide it to an agent without putt', 'own person. yet the matter was so delicate that i could not confide it to an agent without putting m', 'erson. yet the matter was so delicate that i could not confide it to an agent without putting myself', '. yet the matter was so delicate that i could not confide it to an agent without putting myself in h', ' the matter was so delicate that i could not confide it to an agent without putting myself in his po', 'matter was so delicate that i could not confide it to an agent without putting myself in his power. ', 'r was so delicate that i could not confide it to an agent without putting myself in his power. i hav', ' so delicate that i could not confide it to an agent without putting myself in his power. i have com', 'elicate that i could not confide it to an agent without putting myself in his power. i have come inc', 'te that i could not confide it to an agent without putting myself in his power. i have come incognit', 'at i could not confide it to an agent without putting myself in his power. i have come incognito fro', 'could not confide it to an agent without putting myself in his power. i have come incognito from pra', ' not confide it to an agent without putting myself in his power. i have come incognito from prague f', 'confide it to an agent without putting myself in his power. i have come incognito from prague for th', 'de it to an agent without putting myself in his power. i have come incognito from prague for the pur', ' to an agent without putting myself in his power. i have come incognito from prague for the purpose ', 'n agent without putting myself in his power. i have come incognito from prague for the purpose of co', 'nt without putting myself in his power. i have come incognito from prague for the purpose of consult', 'thout putting myself in his power. i have come incognito from prague for the purpose of consulting y', ' putting myself in his power. i have come incognito from prague for the purpose of consulting you." ', 'ing myself in his power. i have come incognito from prague for the purpose of consulting you." "then', 'yself in his power. i have come incognito from prague for the purpose of consulting you." "then, pra', ' in his power. i have come incognito from prague for the purpose of consulting you." "then, pray con', 'is power. i have come incognito from prague for the purpose of consulting you." "then, pray consult,', 'wer. i have come incognito from prague for the purpose of consulting you." "then, pray consult," sai', 'i have come incognito from prague for the purpose of consulting you." "then, pray consult," said hol', 'e come incognito from prague for the purpose of consulting you." "then, pray consult," said holmes, ', 'e incognito from prague for the purpose of consulting you." "then, pray consult," said holmes, shutt', 'ognito from prague for the purpose of consulting you." "then, pray consult," said holmes, shutting h', 'o from prague for the purpose of consulting you." "then, pray consult," said holmes, shutting his ey', 'm prague for the purpose of consulting you." "then, pray consult," said holmes, shutting his eyes on', 'gue for the purpose of consulting you." "then, pray consult," said holmes, shutting his eyes once mo', 'or the purpose of consulting you." "then, pray consult," said holmes, shutting his eyes once more. "', 'e purpose of consulting you." "then, pray consult," said holmes, shutting his eyes once more. "the f', 'pose of consulting you." "then, pray consult," said holmes, shutting his eyes once more. "the facts ', 'of consulting you." "then, pray consult," said holmes, shutting his eyes once more. "the facts are b', 'nsulting you." "then, pray consult," said holmes, shutting his eyes once more. "the facts are briefl', 'ing you." "then, pray consult," said holmes, shutting his eyes once more. "the facts are briefly the', 'ou." "then, pray consult," said holmes, shutting his eyes once more. "the facts are briefly these: s', '"then, pray consult," said holmes, shutting his eyes once more. "the facts are briefly these: some f', ', pray consult," said holmes, shutting his eyes once more. "the facts are briefly these: some five y', 'y consult," said holmes, shutting his eyes once more. "the facts are briefly these: some five years ', 'sult," said holmes, shutting his eyes once more. "the facts are briefly these: some five years ago, ', '" said holmes, shutting his eyes once more. "the facts are briefly these: some five years ago, durin', 'd holmes, shutting his eyes once more. "the facts are briefly these: some five years ago, during a l', 'mes, shutting his eyes once more. "the facts are briefly these: some five years ago, during a length', 'shutting his eyes once more. "the facts are briefly these: some five years ago, during a lengthy vis', 'ing his eyes once more. "the facts are briefly these: some five years ago, during a lengthy visit to', 'is eyes once more. "the facts are briefly these: some five years ago, during a lengthy visit to wars', 'es once more. "the facts are briefly these: some five years ago, during a lengthy visit to warsaw, i', 'ce more. "the facts are briefly these: some five years ago, during a lengthy visit to warsaw, i made', 're. "the facts are briefly these: some five years ago, during a lengthy visit to warsaw, i made the ', 'the facts are briefly these: some five years ago, during a lengthy visit to warsaw, i made the acqua', 'acts are briefly these: some five years ago, during a lengthy visit to warsaw, i made the acquaintan', 'are briefly these: some five years ago, during a lengthy visit to warsaw, i made the acquaintance of', 'riefly these: some five years ago, during a lengthy visit to warsaw, i made the acquaintance of the ', 'y these: some five years ago, during a lengthy visit to warsaw, i made the acquaintance of the well-', 'se: some five years ago, during a lengthy visit to warsaw, i made the acquaintance of the well-known', 'ome five years ago, during a lengthy visit to warsaw, i made the acquaintance of the well-known adve', 'ive years ago, during a lengthy visit to warsaw, i made the acquaintance of the well-known adventure', 'ears ago, during a lengthy visit to warsaw, i made the acquaintance of the well-known adventuress, i', 'ago, during a lengthy visit to warsaw, i made the acquaintance of the well-known adventuress, irene ', 'during a lengthy visit to warsaw, i made the acquaintance of the well-known adventuress, irene adler', 'g a lengthy visit to warsaw, i made the acquaintance of the well-known adventuress, irene adler. the', 'engthy visit to warsaw, i made the acquaintance of the well-known adventuress, irene adler. the name', 'y visit to warsaw, i made the acquaintance of the well-known adventuress, irene adler. the name is n', 'it to warsaw, i made the acquaintance of the well-known adventuress, irene adler. the name is no dou', ' warsaw, i made the acquaintance of the well-known adventuress, irene adler. the name is no doubt fa', 'aw, i made the acquaintance of the well-known adventuress, irene adler. the name is no doubt familia', ' made the acquaintance of the well-known adventuress, irene adler. the name is no doubt familiar to ', ' the acquaintance of the well-known adventuress, irene adler. the name is no doubt familiar to you."', 'acquaintance of the well-known adventuress, irene adler. the name is no doubt familiar to you." "kin', 'intance of the well-known adventuress, irene adler. the name is no doubt familiar to you." "kindly l', 'ce of the well-known adventuress, irene adler. the name is no doubt familiar to you." "kindly look h', ' the well-known adventuress, irene adler. the name is no doubt familiar to you." "kindly look her up', 'well-known adventuress, irene adler. the name is no doubt familiar to you." "kindly look her up in m', 'known adventuress, irene adler. the name is no doubt familiar to you." "kindly look her up in my ind', ' adventuress, irene adler. the name is no doubt familiar to you." "kindly look her up in my index, d', 'nturess, irene adler. the name is no doubt familiar to you." "kindly look her up in my index, doctor', 'ss, irene adler. the name is no doubt familiar to you." "kindly look her up in my index, doctor," mu', 'rene adler. the name is no doubt familiar to you." "kindly look her up in my index, doctor," murmure', 'adler. the name is no doubt familiar to you." "kindly look her up in my index, doctor," murmured hol', '. the name is no doubt familiar to you." "kindly look her up in my index, doctor," murmured holmes w', ' name is no doubt familiar to you." "kindly look her up in my index, doctor," murmured holmes withou', ' is no doubt familiar to you." "kindly look her up in my index, doctor," murmured holmes without ope', 'o doubt familiar to you." "kindly look her up in my index, doctor," murmured holmes without opening ', 'bt familiar to you." "kindly look her up in my index, doctor," murmured holmes without opening his e', 'miliar to you." "kindly look her up in my index, doctor," murmured holmes without opening his eyes. ', 'r to you." "kindly look her up in my index, doctor," murmured holmes without opening his eyes. for m', 'you." "kindly look her up in my index, doctor," murmured holmes without opening his eyes. for many y', ' "kindly look her up in my index, doctor," murmured holmes without opening his eyes. for many years ', 'dly look her up in my index, doctor," murmured holmes without opening his eyes. for many years he ha', 'ook her up in my index, doctor," murmured holmes without opening his eyes. for many years he had ado', 'er up in my index, doctor," murmured holmes without opening his eyes. for many years he had adopted ', ' in my index, doctor," murmured holmes without opening his eyes. for many years he had adopted a sys', 'y index, doctor," murmured holmes without opening his eyes. for many years he had adopted a system o', 'ex, doctor," murmured holmes without opening his eyes. for many years he had adopted a system of doc', 'octor," murmured holmes without opening his eyes. for many years he had adopted a system of docketin', '," murmured holmes without opening his eyes. for many years he had adopted a system of docketing all', 'rmured holmes without opening his eyes. for many years he had adopted a system of docketing all para', 'd holmes without opening his eyes. for many years he had adopted a system of docketing all paragraph', 'mes without opening his eyes. for many years he had adopted a system of docketing all paragraphs con', 'ithout opening his eyes. for many years he had adopted a system of docketing all paragraphs concerni', 't opening his eyes. for many years he had adopted a system of docketing all paragraphs concerning me', 'ning his eyes. for many years he had adopted a system of docketing all paragraphs concerning men and', 'his eyes. for many years he had adopted a system of docketing all paragraphs concerning men and thin', 'yes. for many years he had adopted a system of docketing all paragraphs concerning men and things, s', 'for many years he had adopted a system of docketing all paragraphs concerning men and things, so tha', 'any years he had adopted a system of docketing all paragraphs concerning men and things, so that it ', 'ears he had adopted a system of docketing all paragraphs concerning men and things, so that it was d', 'he had adopted a system of docketing all paragraphs concerning men and things, so that it was diffic', 'd adopted a system of docketing all paragraphs concerning men and things, so that it was difficult t', 'pted a system of docketing all paragraphs concerning men and things, so that it was difficult to nam', 'a system of docketing all paragraphs concerning men and things, so that it was difficult to name a s', 'tem of docketing all paragraphs concerning men and things, so that it was difficult to name a subjec', 'f docketing all paragraphs concerning men and things, so that it was difficult to name a subject or ', 'keting all paragraphs concerning men and things, so that it was difficult to name a subject or a per', 'g all paragraphs concerning men and things, so that it was difficult to name a subject or a person o', ' paragraphs concerning men and things, so that it was difficult to name a subject or a person on whi', 'graphs concerning men and things, so that it was difficult to name a subject or a person on which he', 's concerning men and things, so that it was difficult to name a subject or a person on which he coul', 'cerning men and things, so that it was difficult to name a subject or a person on which he could not', 'ng men and things, so that it was difficult to name a subject or a person on which he could not at o', 'n and things, so that it was difficult to name a subject or a person on which he could not at once f', ' things, so that it was difficult to name a subject or a person on which he could not at once furnis', 'gs, so that it was difficult to name a subject or a person on which he could not at once furnish inf', 'o that it was difficult to name a subject or a person on which he could not at once furnish informat', 't it was difficult to name a subject or a person on which he could not at once furnish information. ', 'was difficult to name a subject or a person on which he could not at once furnish information. in th', 'ifficult to name a subject or a person on which he could not at once furnish information. in this ca', 'ult to name a subject or a person on which he could not at once furnish information. in this case i ', 'o name a subject or a person on which he could not at once furnish information. in this case i found', 'e a subject or a person on which he could not at once furnish information. in this case i found her ', 'ubject or a person on which he could not at once furnish information. in this case i found her biogr', 't or a person on which he could not at once furnish information. in this case i found her biography ', 'a person on which he could not at once furnish information. in this case i found her biography sandw', 'son on which he could not at once furnish information. in this case i found her biography sandwiched', 'n which he could not at once furnish information. in this case i found her biography sandwiched in b', 'ch he could not at once furnish information. in this case i found her biography sandwiched in betwee', ' could not at once furnish information. in this case i found her biography sandwiched in between tha', 'd not at once furnish information. in this case i found her biography sandwiched in between that of ', ' at once furnish information. in this case i found her biography sandwiched in between that of a heb', 'nce furnish information. in this case i found her biography sandwiched in between that of a hebrew r', 'urnish information. in this case i found her biography sandwiched in between that of a hebrew rabbi ', 'h information. in this case i found her biography sandwiched in between that of a hebrew rabbi and t', 'ormation. in this case i found her biography sandwiched in between that of a hebrew rabbi and that o', 'ion. in this case i found her biography sandwiched in between that of a hebrew rabbi and that of a s', 'in this case i found her biography sandwiched in between that of a hebrew rabbi and that of a staff-', 'is case i found her biography sandwiched in between that of a hebrew rabbi and that of a staff-comma', 'se i found her biography sandwiched in between that of a hebrew rabbi and that of a staff-commander ', 'found her biography sandwiched in between that of a hebrew rabbi and that of a staff-commander who h', ' her biography sandwiched in between that of a hebrew rabbi and that of a staff-commander who had wr', 'biography sandwiched in between that of a hebrew rabbi and that of a staff-commander who had written', 'aphy sandwiched in between that of a hebrew rabbi and that of a staff-commander who had written a mo', 'sandwiched in between that of a hebrew rabbi and that of a staff-commander who had written a monogra', 'iched in between that of a hebrew rabbi and that of a staff-commander who had written a monograph up', ' in between that of a hebrew rabbi and that of a staff-commander who had written a monograph upon th', 'etween that of a hebrew rabbi and that of a staff-commander who had written a monograph upon the dee', 'n that of a hebrew rabbi and that of a staff-commander who had written a monograph upon the deep-sea', 't of a hebrew rabbi and that of a staff-commander who had written a monograph upon the deep-sea fish', 'a hebrew rabbi and that of a staff-commander who had written a monograph upon the deep-sea fishes. "', 'rew rabbi and that of a staff-commander who had written a monograph upon the deep-sea fishes. "let m', 'abbi and that of a staff-commander who had written a monograph upon the deep-sea fishes. "let me see', 'and that of a staff-commander who had written a monograph upon the deep-sea fishes. "let me see said', 'hat of a staff-commander who had written a monograph upon the deep-sea fishes. "let me see said holm', 'f a staff-commander who had written a monograph upon the deep-sea fishes. "let me see said holmes. "', 'taff-commander who had written a monograph upon the deep-sea fishes. "let me see said holmes. "hum! ', 'commander who had written a monograph upon the deep-sea fishes. "let me see said holmes. "hum! born ', 'nder who had written a monograph upon the deep-sea fishes. "let me see said holmes. "hum! born in ne', 'who had written a monograph upon the deep-sea fishes. "let me see said holmes. "hum! born in new jer', 'ad written a monograph upon the deep-sea fishes. "let me see said holmes. "hum! born in new jersey i', 'itten a monograph upon the deep-sea fishes. "let me see said holmes. "hum! born in new jersey in the', ' a monograph upon the deep-sea fishes. "let me see said holmes. "hum! born in new jersey in the year', 'nograph upon the deep-sea fishes. "let me see said holmes. "hum! born in new jersey in the year . ', 'ph upon the deep-sea fishes. "let me see said holmes. "hum! born in new jersey in the year . contr', 'on the deep-sea fishes. "let me see said holmes. "hum! born in new jersey in the year . contraltoh', 'e deep-sea fishes. "let me see said holmes. "hum! born in new jersey in the year . contraltohum! l', 'p-sea fishes. "let me see said holmes. "hum! born in new jersey in the year . contraltohum! la sca', ' fishes. "let me see said holmes. "hum! born in new jersey in the year . contraltohum! la scala, h', 'es. "let me see said holmes. "hum! born in new jersey in the year . contraltohum! la scala, hum! p', 'let me see said holmes. "hum! born in new jersey in the year . contraltohum! la scala, hum! prima ', 'e see said holmes. "hum! born in new jersey in the year . contraltohum! la scala, hum! prima donna', ' said holmes. "hum! born in new jersey in the year . contraltohum! la scala, hum! prima donna impe', ' holmes. "hum! born in new jersey in the year . contraltohum! la scala, hum! prima donna imperial ', 'es. "hum! born in new jersey in the year . contraltohum! la scala, hum! prima donna imperial opera', 'hum! born in new jersey in the year . contraltohum! la scala, hum! prima donna imperial opera of w', 'born in new jersey in the year . contraltohum! la scala, hum! prima donna imperial opera of warsaw', 'in new jersey in the year . contraltohum! la scala, hum! prima donna imperial opera of warsawyes! ', 'w jersey in the year . contraltohum! la scala, hum! prima donna imperial opera of warsawyes! retir', 'sey in the year . contraltohum! la scala, hum! prima donna imperial opera of warsawyes! retired fr', 'n the year . contraltohum! la scala, hum! prima donna imperial opera of warsawyes! retired from op', ' year . contraltohum! la scala, hum! prima donna imperial opera of warsawyes! retired from operati', ' . contraltohum! la scala, hum! prima donna imperial opera of warsawyes! retired from operatic sta', 'contraltohum! la scala, hum! prima donna imperial opera of warsawyes! retired from operatic stageha!', 'altohum! la scala, hum! prima donna imperial opera of warsawyes! retired from operatic stageha! livi', 'um! la scala, hum! prima donna imperial opera of warsawyes! retired from operatic stageha! living in', 'a scala, hum! prima donna imperial opera of warsawyes! retired from operatic stageha! living in lond', 'la, hum! prima donna imperial opera of warsawyes! retired from operatic stageha! living in londonqui', 'um! prima donna imperial opera of warsawyes! retired from operatic stageha! living in londonquite so', 'rima donna imperial opera of warsawyes! retired from operatic stageha! living in londonquite so! you', 'donna imperial opera of warsawyes! retired from operatic stageha! living in londonquite so! your maj', ' imperial opera of warsawyes! retired from operatic stageha! living in londonquite so! your majesty,', 'rial opera of warsawyes! retired from operatic stageha! living in londonquite so! your majesty, as i', 'opera of warsawyes! retired from operatic stageha! living in londonquite so! your majesty, as i unde', ' of warsawyes! retired from operatic stageha! living in londonquite so! your majesty, as i understan', 'arsawyes! retired from operatic stageha! living in londonquite so! your majesty, as i understand, be', 'yes! retired from operatic stageha! living in londonquite so! your majesty, as i understand, became ', 'retired from operatic stageha! living in londonquite so! your majesty, as i understand, became entan', 'ed from operatic stageha! living in londonquite so! your majesty, as i understand, became entangled ', 'om operatic stageha! living in londonquite so! your majesty, as i understand, became entangled with ', 'eratic stageha! living in londonquite so! your majesty, as i understand, became entangled with this ', 'c stageha! living in londonquite so! your majesty, as i understand, became entangled with this young', 'geha! living in londonquite so! your majesty, as i understand, became entangled with this young pers', ' living in londonquite so! your majesty, as i understand, became entangled with this young person, w', 'ng in londonquite so! your majesty, as i understand, became entangled with this young person, wrote ', ' londonquite so! your majesty, as i understand, became entangled with this young person, wrote her s', 'onquite so! your majesty, as i understand, became entangled with this young person, wrote her some c', 'te so! your majesty, as i understand, became entangled with this young person, wrote her some compro', '! your majesty, as i understand, became entangled with this young person, wrote her some compromisin', 'r majesty, as i understand, became entangled with this young person, wrote her some compromising let', 'esty, as i understand, became entangled with this young person, wrote her some compromising letters,', ' as i understand, became entangled with this young person, wrote her some compromising letters, and ', ' understand, became entangled with this young person, wrote her some compromising letters, and is no', 'rstand, became entangled with this young person, wrote her some compromising letters, and is now des', 'd, became entangled with this young person, wrote her some compromising letters, and is now desirous', 'came entangled with this young person, wrote her some compromising letters, and is now desirous of g', 'entangled with this young person, wrote her some compromising letters, and is now desirous of gettin', 'gled with this young person, wrote her some compromising letters, and is now desirous of getting tho', 'with this young person, wrote her some compromising letters, and is now desirous of getting those le', 'this young person, wrote her some compromising letters, and is now desirous of getting those letters', 'young person, wrote her some compromising letters, and is now desirous of getting those letters back', ' person, wrote her some compromising letters, and is now desirous of getting those letters back." "p', 'on, wrote her some compromising letters, and is now desirous of getting those letters back." "precis', 'rote her some compromising letters, and is now desirous of getting those letters back." "precisely s', 'her some compromising letters, and is now desirous of getting those letters back." "precisely so. bu', 'ome compromising letters, and is now desirous of getting those letters back." "precisely so. but how', 'ompromising letters, and is now desirous of getting those letters back." "precisely so. but how" "wa', 'mising letters, and is now desirous of getting those letters back." "precisely so. but how" "was the', 'g letters, and is now desirous of getting those letters back." "precisely so. but how" "was there a ', 'ters, and is now desirous of getting those letters back." "precisely so. but how" "was there a secre', ' and is now desirous of getting those letters back." "precisely so. but how" "was there a secret mar', 'is now desirous of getting those letters back." "precisely so. but how" "was there a secret marriage', 'w desirous of getting those letters back." "precisely so. but how" "was there a secret marriage?" "n', 'irous of getting those letters back." "precisely so. but how" "was there a secret marriage?" "none."', ' of getting those letters back." "precisely so. but how" "was there a secret marriage?" "none." "no ', 'etting those letters back." "precisely so. but how" "was there a secret marriage?" "none." "no legal', 'g those letters back." "precisely so. but how" "was there a secret marriage?" "none." "no legal pape', 'se letters back." "precisely so. but how" "was there a secret marriage?" "none." "no legal papers or', 'tters back." "precisely so. but how" "was there a secret marriage?" "none." "no legal papers or cert', ' back." "precisely so. but how" "was there a secret marriage?" "none." "no legal papers or certifica', '." "precisely so. but how" "was there a secret marriage?" "none." "no legal papers or certificates?"', 'recisely so. but how" "was there a secret marriage?" "none." "no legal papers or certificates?" "non', 'ely so. but how" "was there a secret marriage?" "none." "no legal papers or certificates?" "none." "', 'o. but how" "was there a secret marriage?" "none." "no legal papers or certificates?" "none." "then ', 't how" "was there a secret marriage?" "none." "no legal papers or certificates?" "none." "then i fai', '" "was there a secret marriage?" "none." "no legal papers or certificates?" "none." "then i fail to ', 's there a secret marriage?" "none." "no legal papers or certificates?" "none." "then i fail to follo', 're a secret marriage?" "none." "no legal papers or certificates?" "none." "then i fail to follow you', 'secret marriage?" "none." "no legal papers or certificates?" "none." "then i fail to follow your maj', 't marriage?" "none." "no legal papers or certificates?" "none." "then i fail to follow your majesty.', 'riage?" "none." "no legal papers or certificates?" "none." "then i fail to follow your majesty. if t', '?" "none." "no legal papers or certificates?" "none." "then i fail to follow your majesty. if this y', 'one." "no legal papers or certificates?" "none." "then i fail to follow your majesty. if this young ', ' "no legal papers or certificates?" "none." "then i fail to follow your majesty. if this young perso', 'legal papers or certificates?" "none." "then i fail to follow your majesty. if this young person sho', ' papers or certificates?" "none." "then i fail to follow your majesty. if this young person should p', 'rs or certificates?" "none." "then i fail to follow your majesty. if this young person should produc', ' certificates?" "none." "then i fail to follow your majesty. if this young person should produce her', 'ificates?" "none." "then i fail to follow your majesty. if this young person should produce her lett', 'tes?" "none." "then i fail to follow your majesty. if this young person should produce her letters f', ' "none." "then i fail to follow your majesty. if this young person should produce her letters for bl', 'e." "then i fail to follow your majesty. if this young person should produce her letters for blackma', 'then i fail to follow your majesty. if this young person should produce her letters for blackmailing', 'i fail to follow your majesty. if this young person should produce her letters for blackmailing or o', 'l to follow your majesty. if this young person should produce her letters for blackmailing or other ', 'follow your majesty. if this young person should produce her letters for blackmailing or other purpo', 'w your majesty. if this young person should produce her letters for blackmailing or other purposes, ', 'r majesty. if this young person should produce her letters for blackmailing or other purposes, how i', 'esty. if this young person should produce her letters for blackmailing or other purposes, how is she', ' if this young person should produce her letters for blackmailing or other purposes, how is she to p', 'his young person should produce her letters for blackmailing or other purposes, how is she to prove ', 'oung person should produce her letters for blackmailing or other purposes, how is she to prove their', 'person should produce her letters for blackmailing or other purposes, how is she to prove their auth', 'n should produce her letters for blackmailing or other purposes, how is she to prove their authentic', 'uld produce her letters for blackmailing or other purposes, how is she to prove their authenticity?"', 'roduce her letters for blackmailing or other purposes, how is she to prove their authenticity?" "the', 'e her letters for blackmailing or other purposes, how is she to prove their authenticity?" "there is', ' letters for blackmailing or other purposes, how is she to prove their authenticity?" "there is the ', 'ers for blackmailing or other purposes, how is she to prove their authenticity?" "there is the writi', 'or blackmailing or other purposes, how is she to prove their authenticity?" "there is the writing." ', 'ackmailing or other purposes, how is she to prove their authenticity?" "there is the writing." "pooh', 'iling or other purposes, how is she to prove their authenticity?" "there is the writing." "pooh, poo', ' or other purposes, how is she to prove their authenticity?" "there is the writing." "pooh, pooh! fo', 'ther purposes, how is she to prove their authenticity?" "there is the writing." "pooh, pooh! forgery', 'purposes, how is she to prove their authenticity?" "there is the writing." "pooh, pooh! forgery." "m', 'ses, how is she to prove their authenticity?" "there is the writing." "pooh, pooh! forgery." "my pri', 'how is she to prove their authenticity?" "there is the writing." "pooh, pooh! forgery." "my private ', 's she to prove their authenticity?" "there is the writing." "pooh, pooh! forgery." "my private note-', ' to prove their authenticity?" "there is the writing." "pooh, pooh! forgery." "my private note-paper', 'rove their authenticity?" "there is the writing." "pooh, pooh! forgery." "my private note-paper." "s', 'their authenticity?" "there is the writing." "pooh, pooh! forgery." "my private note-paper." "stolen', ' authenticity?" "there is the writing." "pooh, pooh! forgery." "my private note-paper." "stolen." "m', 'enticity?" "there is the writing." "pooh, pooh! forgery." "my private note-paper." "stolen." "my own', 'ity?" "there is the writing." "pooh, pooh! forgery." "my private note-paper." "stolen." "my own seal', ' "there is the writing." "pooh, pooh! forgery." "my private note-paper." "stolen." "my own seal." "i', 're is the writing." "pooh, pooh! forgery." "my private note-paper." "stolen." "my own seal." "imitat', ' the writing." "pooh, pooh! forgery." "my private note-paper." "stolen." "my own seal." "imitated." ', 'writing." "pooh, pooh! forgery." "my private note-paper." "stolen." "my own seal." "imitated." "my p', 'ng." "pooh, pooh! forgery." "my private note-paper." "stolen." "my own seal." "imitated." "my photog', '"pooh, pooh! forgery." "my private note-paper." "stolen." "my own seal." "imitated." "my photograph.', ', pooh! forgery." "my private note-paper." "stolen." "my own seal." "imitated." "my photograph." "bo', 'h! forgery." "my private note-paper." "stolen." "my own seal." "imitated." "my photograph." "bought.', 'rgery." "my private note-paper." "stolen." "my own seal." "imitated." "my photograph." "bought." "we', '." "my private note-paper." "stolen." "my own seal." "imitated." "my photograph." "bought." "we were', 'y private note-paper." "stolen." "my own seal." "imitated." "my photograph." "bought." "we were both', 'vate note-paper." "stolen." "my own seal." "imitated." "my photograph." "bought." "we were both in t', 'note-paper." "stolen." "my own seal." "imitated." "my photograph." "bought." "we were both in the ph', 'paper." "stolen." "my own seal." "imitated." "my photograph." "bought." "we were both in the photogr', '." "stolen." "my own seal." "imitated." "my photograph." "bought." "we were both in the photograph."', 'tolen." "my own seal." "imitated." "my photograph." "bought." "we were both in the photograph." "oh,', '." "my own seal." "imitated." "my photograph." "bought." "we were both in the photograph." "oh, dear', 'y own seal." "imitated." "my photograph." "bought." "we were both in the photograph." "oh, dear! tha', ' seal." "imitated." "my photograph." "bought." "we were both in the photograph." "oh, dear! that is ', '." "imitated." "my photograph." "bought." "we were both in the photograph." "oh, dear! that is very ', 'mitated." "my photograph." "bought." "we were both in the photograph." "oh, dear! that is very bad! ', 'ed." "my photograph." "bought." "we were both in the photograph." "oh, dear! that is very bad! your ', '"my photograph." "bought." "we were both in the photograph." "oh, dear! that is very bad! your majes', 'hotograph." "bought." "we were both in the photograph." "oh, dear! that is very bad! your majesty ha', 'raph." "bought." "we were both in the photograph." "oh, dear! that is very bad! your majesty has ind', '" "bought." "we were both in the photograph." "oh, dear! that is very bad! your majesty has indeed c', 'ught." "we were both in the photograph." "oh, dear! that is very bad! your majesty has indeed commit', '" "we were both in the photograph." "oh, dear! that is very bad! your majesty has indeed committed a', ' were both in the photograph." "oh, dear! that is very bad! your majesty has indeed committed an ind', ' both in the photograph." "oh, dear! that is very bad! your majesty has indeed committed an indiscre', ' in the photograph." "oh, dear! that is very bad! your majesty has indeed committed an indiscretion.', 'he photograph." "oh, dear! that is very bad! your majesty has indeed committed an indiscretion." "i ', 'otograph." "oh, dear! that is very bad! your majesty has indeed committed an indiscretion." "i was m', 'aph." "oh, dear! that is very bad! your majesty has indeed committed an indiscretion." "i was madins', ' "oh, dear! that is very bad! your majesty has indeed committed an indiscretion." "i was madinsane."', ' dear! that is very bad! your majesty has indeed committed an indiscretion." "i was madinsane." "you', '! that is very bad! your majesty has indeed committed an indiscretion." "i was madinsane." "you have', 't is very bad! your majesty has indeed committed an indiscretion." "i was madinsane." "you have comp', 'very bad! your majesty has indeed committed an indiscretion." "i was madinsane." "you have compromis', 'bad! your majesty has indeed committed an indiscretion." "i was madinsane." "you have compromised yo', 'your majesty has indeed committed an indiscretion." "i was madinsane." "you have compromised yoursel', 'majesty has indeed committed an indiscretion." "i was madinsane." "you have compromised yourself ser', 'ty has indeed committed an indiscretion." "i was madinsane." "you have compromised yourself seriousl', 's indeed committed an indiscretion." "i was madinsane." "you have compromised yourself seriously." "', 'eed committed an indiscretion." "i was madinsane." "you have compromised yourself seriously." "i was', 'ommitted an indiscretion." "i was madinsane." "you have compromised yourself seriously." "i was only', 'ted an indiscretion." "i was madinsane." "you have compromised yourself seriously." "i was only crow', 'n indiscretion." "i was madinsane." "you have compromised yourself seriously." "i was only crown pri', 'iscretion." "i was madinsane." "you have compromised yourself seriously." "i was only crown prince t', 'tion." "i was madinsane." "you have compromised yourself seriously." "i was only crown prince then. ', '" "i was madinsane." "you have compromised yourself seriously." "i was only crown prince then. i was', 'was madinsane." "you have compromised yourself seriously." "i was only crown prince then. i was youn', 'adinsane." "you have compromised yourself seriously." "i was only crown prince then. i was young. i ', 'ane." "you have compromised yourself seriously." "i was only crown prince then. i was young. i am bu', ' "you have compromised yourself seriously." "i was only crown prince then. i was young. i am but thi', ' have compromised yourself seriously." "i was only crown prince then. i was young. i am but thirty n', ' compromised yourself seriously." "i was only crown prince then. i was young. i am but thirty now." ', 'romised yourself seriously." "i was only crown prince then. i was young. i am but thirty now." "it m', 'ed yourself seriously." "i was only crown prince then. i was young. i am but thirty now." "it must b', 'urself seriously." "i was only crown prince then. i was young. i am but thirty now." "it must be rec', 'f seriously." "i was only crown prince then. i was young. i am but thirty now." "it must be recovere', 'iously." "i was only crown prince then. i was young. i am but thirty now." "it must be recovered." "', 'y." "i was only crown prince then. i was young. i am but thirty now." "it must be recovered." "we ha', 'i was only crown prince then. i was young. i am but thirty now." "it must be recovered." "we have tr', ' only crown prince then. i was young. i am but thirty now." "it must be recovered." "we have tried a', ' crown prince then. i was young. i am but thirty now." "it must be recovered." "we have tried and fa', 'n prince then. i was young. i am but thirty now." "it must be recovered." "we have tried and failed.', 'nce then. i was young. i am but thirty now." "it must be recovered." "we have tried and failed." "yo', 'hen. i was young. i am but thirty now." "it must be recovered." "we have tried and failed." "your ma', 'i was young. i am but thirty now." "it must be recovered." "we have tried and failed." "your majesty', ' young. i am but thirty now." "it must be recovered." "we have tried and failed." "your majesty must', 'g. i am but thirty now." "it must be recovered." "we have tried and failed." "your majesty must pay.', 'am but thirty now." "it must be recovered." "we have tried and failed." "your majesty must pay. it m', 't thirty now." "it must be recovered." "we have tried and failed." "your majesty must pay. it must b', 'rty now." "it must be recovered." "we have tried and failed." "your majesty must pay. it must be bou', 'ow." "it must be recovered." "we have tried and failed." "your majesty must pay. it must be bought."', '"it must be recovered." "we have tried and failed." "your majesty must pay. it must be bought." "she', 'ust be recovered." "we have tried and failed." "your majesty must pay. it must be bought." "she will', 'e recovered." "we have tried and failed." "your majesty must pay. it must be bought." "she will not ', 'overed." "we have tried and failed." "your majesty must pay. it must be bought." "she will not sell.', 'd." "we have tried and failed." "your majesty must pay. it must be bought." "she will not sell." "st', 'we have tried and failed." "your majesty must pay. it must be bought." "she will not sell." "stolen,', 've tried and failed." "your majesty must pay. it must be bought." "she will not sell." "stolen, then', 'ied and failed." "your majesty must pay. it must be bought." "she will not sell." "stolen, then." "f', 'nd failed." "your majesty must pay. it must be bought." "she will not sell." "stolen, then." "five a', 'iled." "your majesty must pay. it must be bought." "she will not sell." "stolen, then." "five attemp', '" "your majesty must pay. it must be bought." "she will not sell." "stolen, then." "five attempts ha', 'ur majesty must pay. it must be bought." "she will not sell." "stolen, then." "five attempts have be', 'jesty must pay. it must be bought." "she will not sell." "stolen, then." "five attempts have been ma', ' must pay. it must be bought." "she will not sell." "stolen, then." "five attempts have been made. t', ' pay. it must be bought." "she will not sell." "stolen, then." "five attempts have been made. twice ', ' it must be bought." "she will not sell." "stolen, then." "five attempts have been made. twice burgl', 'ust be bought." "she will not sell." "stolen, then." "five attempts have been made. twice burglars i', 'e bought." "she will not sell." "stolen, then." "five attempts have been made. twice burglars in my ', 'ght." "she will not sell." "stolen, then." "five attempts have been made. twice burglars in my pay r', ' "she will not sell." "stolen, then." "five attempts have been made. twice burglars in my pay ransac', ' will not sell." "stolen, then." "five attempts have been made. twice burglars in my pay ransacked h', ' not sell." "stolen, then." "five attempts have been made. twice burglars in my pay ransacked her ho', 'sell." "stolen, then." "five attempts have been made. twice burglars in my pay ransacked her house. ', '" "stolen, then." "five attempts have been made. twice burglars in my pay ransacked her house. once ', 'olen, then." "five attempts have been made. twice burglars in my pay ransacked her house. once we di', ' then." "five attempts have been made. twice burglars in my pay ransacked her house. once we diverte', '." "five attempts have been made. twice burglars in my pay ransacked her house. once we diverted her', 'ive attempts have been made. twice burglars in my pay ransacked her house. once we diverted her lugg', 'ttempts have been made. twice burglars in my pay ransacked her house. once we diverted her luggage w', 'ts have been made. twice burglars in my pay ransacked her house. once we diverted her luggage when s', 've been made. twice burglars in my pay ransacked her house. once we diverted her luggage when she tr', 'en made. twice burglars in my pay ransacked her house. once we diverted her luggage when she travell', 'de. twice burglars in my pay ransacked her house. once we diverted her luggage when she travelled. t', 'wice burglars in my pay ransacked her house. once we diverted her luggage when she travelled. twice ', 'burglars in my pay ransacked her house. once we diverted her luggage when she travelled. twice she h', 'ars in my pay ransacked her house. once we diverted her luggage when she travelled. twice she has be', 'n my pay ransacked her house. once we diverted her luggage when she travelled. twice she has been wa', 'pay ransacked her house. once we diverted her luggage when she travelled. twice she has been waylaid', 'ansacked her house. once we diverted her luggage when she travelled. twice she has been waylaid. the', 'ked her house. once we diverted her luggage when she travelled. twice she has been waylaid. there ha', 'er house. once we diverted her luggage when she travelled. twice she has been waylaid. there has bee', 'use. once we diverted her luggage when she travelled. twice she has been waylaid. there has been no ', 'once we diverted her luggage when she travelled. twice she has been waylaid. there has been no resul', 'we diverted her luggage when she travelled. twice she has been waylaid. there has been no result." "', 'verted her luggage when she travelled. twice she has been waylaid. there has been no result." "no si', 'd her luggage when she travelled. twice she has been waylaid. there has been no result." "no sign of', ' luggage when she travelled. twice she has been waylaid. there has been no result." "no sign of it?"', 'age when she travelled. twice she has been waylaid. there has been no result." "no sign of it?" "abs', 'hen she travelled. twice she has been waylaid. there has been no result." "no sign of it?" "absolute', 'he travelled. twice she has been waylaid. there has been no result." "no sign of it?" "absolutely no', 'avelled. twice she has been waylaid. there has been no result." "no sign of it?" "absolutely none." ', 'ed. twice she has been waylaid. there has been no result." "no sign of it?" "absolutely none." holme', 'wice she has been waylaid. there has been no result." "no sign of it?" "absolutely none." holmes lau', 'she has been waylaid. there has been no result." "no sign of it?" "absolutely none." holmes laughed.', 'as been waylaid. there has been no result." "no sign of it?" "absolutely none." holmes laughed. "it ', 'en waylaid. there has been no result." "no sign of it?" "absolutely none." holmes laughed. "it is qu', 'ylaid. there has been no result." "no sign of it?" "absolutely none." holmes laughed. "it is quite a', '. there has been no result." "no sign of it?" "absolutely none." holmes laughed. "it is quite a pret', 're has been no result." "no sign of it?" "absolutely none." holmes laughed. "it is quite a pretty li', 's been no result." "no sign of it?" "absolutely none." holmes laughed. "it is quite a pretty little ', 'n no result." "no sign of it?" "absolutely none." holmes laughed. "it is quite a pretty little probl', 'result." "no sign of it?" "absolutely none." holmes laughed. "it is quite a pretty little problem," ', 't." "no sign of it?" "absolutely none." holmes laughed. "it is quite a pretty little problem," said ', 'no sign of it?" "absolutely none." holmes laughed. "it is quite a pretty little problem," said he. "', 'gn of it?" "absolutely none." holmes laughed. "it is quite a pretty little problem," said he. "but a', ' it?" "absolutely none." holmes laughed. "it is quite a pretty little problem," said he. "but a very', ' "absolutely none." holmes laughed. "it is quite a pretty little problem," said he. "but a very seri', 'olutely none." holmes laughed. "it is quite a pretty little problem," said he. "but a very serious o', 'ly none." holmes laughed. "it is quite a pretty little problem," said he. "but a very serious one to', 'ne." holmes laughed. "it is quite a pretty little problem," said he. "but a very serious one to me,"', 'holmes laughed. "it is quite a pretty little problem," said he. "but a very serious one to me," retu', 's laughed. "it is quite a pretty little problem," said he. "but a very serious one to me," returned ', 'ghed. "it is quite a pretty little problem," said he. "but a very serious one to me," returned the k', ' "it is quite a pretty little problem," said he. "but a very serious one to me," returned the king r', 'is quite a pretty little problem," said he. "but a very serious one to me," returned the king reproa', 'ite a pretty little problem," said he. "but a very serious one to me," returned the king reproachful', ' pretty little problem," said he. "but a very serious one to me," returned the king reproachfully. "', 'ty little problem," said he. "but a very serious one to me," returned the king reproachfully. "very,', 'ttle problem," said he. "but a very serious one to me," returned the king reproachfully. "very, inde', 'problem," said he. "but a very serious one to me," returned the king reproachfully. "very, indeed. a', 'em," said he. "but a very serious one to me," returned the king reproachfully. "very, indeed. and wh', 'said he. "but a very serious one to me," returned the king reproachfully. "very, indeed. and what do', 'he. "but a very serious one to me," returned the king reproachfully. "very, indeed. and what does sh', 'but a very serious one to me," returned the king reproachfully. "very, indeed. and what does she pro', ' very serious one to me," returned the king reproachfully. "very, indeed. and what does she propose ', ' serious one to me," returned the king reproachfully. "very, indeed. and what does she propose to do', 'ous one to me," returned the king reproachfully. "very, indeed. and what does she propose to do with', 'ne to me," returned the king reproachfully. "very, indeed. and what does she propose to do with the ', ' me," returned the king reproachfully. "very, indeed. and what does she propose to do with the photo', ' returned the king reproachfully. "very, indeed. and what does she propose to do with the photograph', 'rned the king reproachfully. "very, indeed. and what does she propose to do with the photograph?" "t', 'the king reproachfully. "very, indeed. and what does she propose to do with the photograph?" "to rui', 'ing reproachfully. "very, indeed. and what does she propose to do with the photograph?" "to ruin me.', 'eproachfully. "very, indeed. and what does she propose to do with the photograph?" "to ruin me." "bu', 'chfully. "very, indeed. and what does she propose to do with the photograph?" "to ruin me." "but how', 'ly. "very, indeed. and what does she propose to do with the photograph?" "to ruin me." "but how?" "i', 'very, indeed. and what does she propose to do with the photograph?" "to ruin me." "but how?" "i am a', ' indeed. and what does she propose to do with the photograph?" "to ruin me." "but how?" "i am about ', 'ed. and what does she propose to do with the photograph?" "to ruin me." "but how?" "i am about to be', 'nd what does she propose to do with the photograph?" "to ruin me." "but how?" "i am about to be marr', 'at does she propose to do with the photograph?" "to ruin me." "but how?" "i am about to be married."', 'es she propose to do with the photograph?" "to ruin me." "but how?" "i am about to be married." "so ', 'e propose to do with the photograph?" "to ruin me." "but how?" "i am about to be married." "so i hav', 'pose to do with the photograph?" "to ruin me." "but how?" "i am about to be married." "so i have hea', 'to do with the photograph?" "to ruin me." "but how?" "i am about to be married." "so i have heard." ', ' with the photograph?" "to ruin me." "but how?" "i am about to be married." "so i have heard." "to c', ' the photograph?" "to ruin me." "but how?" "i am about to be married." "so i have heard." "to clotil', 'photograph?" "to ruin me." "but how?" "i am about to be married." "so i have heard." "to clotilde lo', 'graph?" "to ruin me." "but how?" "i am about to be married." "so i have heard." "to clotilde lothman', '?" "to ruin me." "but how?" "i am about to be married." "so i have heard." "to clotilde lothman von ', 'o ruin me." "but how?" "i am about to be married." "so i have heard." "to clotilde lothman von saxe-', 'n me." "but how?" "i am about to be married." "so i have heard." "to clotilde lothman von saxe-menin', '" "but how?" "i am about to be married." "so i have heard." "to clotilde lothman von saxe-meningen, ', 't how?" "i am about to be married." "so i have heard." "to clotilde lothman von saxe-meningen, secon', '?" "i am about to be married." "so i have heard." "to clotilde lothman von saxe-meningen, second dau', ' am about to be married." "so i have heard." "to clotilde lothman von saxe-meningen, second daughter', 'bout to be married." "so i have heard." "to clotilde lothman von saxe-meningen, second daughter of t', 'to be married." "so i have heard." "to clotilde lothman von saxe-meningen, second daughter of the ki', ' married." "so i have heard." "to clotilde lothman von saxe-meningen, second daughter of the king of', 'ied." "so i have heard." "to clotilde lothman von saxe-meningen, second daughter of the king of scan', ' "so i have heard." "to clotilde lothman von saxe-meningen, second daughter of the king of scandinav', 'i have heard." "to clotilde lothman von saxe-meningen, second daughter of the king of scandinavia. y', 'e heard." "to clotilde lothman von saxe-meningen, second daughter of the king of scandinavia. you ma', 'rd." "to clotilde lothman von saxe-meningen, second daughter of the king of scandinavia. you may kno', '"to clotilde lothman von saxe-meningen, second daughter of the king of scandinavia. you may know the', 'lotilde lothman von saxe-meningen, second daughter of the king of scandinavia. you may know the stri', 'de lothman von saxe-meningen, second daughter of the king of scandinavia. you may know the strict pr', 'thman von saxe-meningen, second daughter of the king of scandinavia. you may know the strict princip', ' von saxe-meningen, second daughter of the king of scandinavia. you may know the strict principles o', 'saxe-meningen, second daughter of the king of scandinavia. you may know the strict principles of her', 'meningen, second daughter of the king of scandinavia. you may know the strict principles of her fami', 'gen, second daughter of the king of scandinavia. you may know the strict principles of her family. s', 'second daughter of the king of scandinavia. you may know the strict principles of her family. she is', 'd daughter of the king of scandinavia. you may know the strict principles of her family. she is hers', 'ghter of the king of scandinavia. you may know the strict principles of her family. she is herself t', ' of the king of scandinavia. you may know the strict principles of her family. she is herself the ve', 'he king of scandinavia. you may know the strict principles of her family. she is herself the very so', 'ng of scandinavia. you may know the strict principles of her family. she is herself the very soul of', ' scandinavia. you may know the strict principles of her family. she is herself the very soul of deli', 'dinavia. you may know the strict principles of her family. she is herself the very soul of delicacy.', 'ia. you may know the strict principles of her family. she is herself the very soul of delicacy. a sh', 'ou may know the strict principles of her family. she is herself the very soul of delicacy. a shadow ', 'y know the strict principles of her family. she is herself the very soul of delicacy. a shadow of a ', 'w the strict principles of her family. she is herself the very soul of delicacy. a shadow of a doubt', ' strict principles of her family. she is herself the very soul of delicacy. a shadow of a doubt as t', 'ct principles of her family. she is herself the very soul of delicacy. a shadow of a doubt as to my ', 'inciples of her family. she is herself the very soul of delicacy. a shadow of a doubt as to my condu', 'les of her family. she is herself the very soul of delicacy. a shadow of a doubt as to my conduct wo', 'f her family. she is herself the very soul of delicacy. a shadow of a doubt as to my conduct would b', ' family. she is herself the very soul of delicacy. a shadow of a doubt as to my conduct would bring ', 'ly. she is herself the very soul of delicacy. a shadow of a doubt as to my conduct would bring the m', 'he is herself the very soul of delicacy. a shadow of a doubt as to my conduct would bring the matter', ' herself the very soul of delicacy. a shadow of a doubt as to my conduct would bring the matter to a', 'elf the very soul of delicacy. a shadow of a doubt as to my conduct would bring the matter to an end', 'he very soul of delicacy. a shadow of a doubt as to my conduct would bring the matter to an end." "a', 'ry soul of delicacy. a shadow of a doubt as to my conduct would bring the matter to an end." "and ir', 'ul of delicacy. a shadow of a doubt as to my conduct would bring the matter to an end." "and irene a', ' delicacy. a shadow of a doubt as to my conduct would bring the matter to an end." "and irene adler?', 'cacy. a shadow of a doubt as to my conduct would bring the matter to an end." "and irene adler?" "th', ' a shadow of a doubt as to my conduct would bring the matter to an end." "and irene adler?" "threate', 'adow of a doubt as to my conduct would bring the matter to an end." "and irene adler?" "threatens to', 'of a doubt as to my conduct would bring the matter to an end." "and irene adler?" "threatens to send', 'doubt as to my conduct would bring the matter to an end." "and irene adler?" "threatens to send them', ' as to my conduct would bring the matter to an end." "and irene adler?" "threatens to send them the ', 'o my conduct would bring the matter to an end." "and irene adler?" "threatens to send them the photo', 'conduct would bring the matter to an end." "and irene adler?" "threatens to send them the photograph', 'ct would bring the matter to an end." "and irene adler?" "threatens to send them the photograph. and', 'uld bring the matter to an end." "and irene adler?" "threatens to send them the photograph. and she ', 'ring the matter to an end." "and irene adler?" "threatens to send them the photograph. and she will ', 'the matter to an end." "and irene adler?" "threatens to send them the photograph. and she will do it', 'atter to an end." "and irene adler?" "threatens to send them the photograph. and she will do it. i k', ' to an end." "and irene adler?" "threatens to send them the photograph. and she will do it. i know t', 'n end." "and irene adler?" "threatens to send them the photograph. and she will do it. i know that s', '." "and irene adler?" "threatens to send them the photograph. and she will do it. i know that she wi', 'nd irene adler?" "threatens to send them the photograph. and she will do it. i know that she will do', 'ene adler?" "threatens to send them the photograph. and she will do it. i know that she will do it. ', 'dler?" "threatens to send them the photograph. and she will do it. i know that she will do it. you d', '" "threatens to send them the photograph. and she will do it. i know that she will do it. you do not', 'reatens to send them the photograph. and she will do it. i know that she will do it. you do not know', 'ns to send them the photograph. and she will do it. i know that she will do it. you do not know her,', ' send them the photograph. and she will do it. i know that she will do it. you do not know her, but ', ' them the photograph. and she will do it. i know that she will do it. you do not know her, but she h', ' the photograph. and she will do it. i know that she will do it. you do not know her, but she has a ', 'photograph. and she will do it. i know that she will do it. you do not know her, but she has a soul ', 'graph. and she will do it. i know that she will do it. you do not know her, but she has a soul of st', '. and she will do it. i know that she will do it. you do not know her, but she has a soul of steel. ', ' she will do it. i know that she will do it. you do not know her, but she has a soul of steel. she h', 'will do it. i know that she will do it. you do not know her, but she has a soul of steel. she has th', 'do it. i know that she will do it. you do not know her, but she has a soul of steel. she has the fac', '. i know that she will do it. you do not know her, but she has a soul of steel. she has the face of ', 'now that she will do it. you do not know her, but she has a soul of steel. she has the face of the m', 'hat she will do it. you do not know her, but she has a soul of steel. she has the face of the most b', 'he will do it. you do not know her, but she has a soul of steel. she has the face of the most beauti', 'll do it. you do not know her, but she has a soul of steel. she has the face of the most beautiful o', ' it. you do not know her, but she has a soul of steel. she has the face of the most beautiful of wom', 'you do not know her, but she has a soul of steel. she has the face of the most beautiful of women, a', 'o not know her, but she has a soul of steel. she has the face of the most beautiful of women, and th', ' know her, but she has a soul of steel. she has the face of the most beautiful of women, and the min', ' her, but she has a soul of steel. she has the face of the most beautiful of women, and the mind of ', ' but she has a soul of steel. she has the face of the most beautiful of women, and the mind of the m', 'she has a soul of steel. she has the face of the most beautiful of women, and the mind of the most r', 'as a soul of steel. she has the face of the most beautiful of women, and the mind of the most resolu', 'soul of steel. she has the face of the most beautiful of women, and the mind of the most resolute of', 'of steel. she has the face of the most beautiful of women, and the mind of the most resolute of men.', 'eel. she has the face of the most beautiful of women, and the mind of the most resolute of men. rath', 'she has the face of the most beautiful of women, and the mind of the most resolute of men. rather th', 'as the face of the most beautiful of women, and the mind of the most resolute of men. rather than i ', 'e face of the most beautiful of women, and the mind of the most resolute of men. rather than i shoul', 'e of the most beautiful of women, and the mind of the most resolute of men. rather than i should mar', 'the most beautiful of women, and the mind of the most resolute of men. rather than i should marry an', 'ost beautiful of women, and the mind of the most resolute of men. rather than i should marry another', 'eautiful of women, and the mind of the most resolute of men. rather than i should marry another woma', 'ful of women, and the mind of the most resolute of men. rather than i should marry another woman, th', 'f women, and the mind of the most resolute of men. rather than i should marry another woman, there a', 'en, and the mind of the most resolute of men. rather than i should marry another woman, there are no', 'nd the mind of the most resolute of men. rather than i should marry another woman, there are no leng', 'e mind of the most resolute of men. rather than i should marry another woman, there are no lengths t', 'd of the most resolute of men. rather than i should marry another woman, there are no lengths to whi', 'the most resolute of men. rather than i should marry another woman, there are no lengths to which sh', 'ost resolute of men. rather than i should marry another woman, there are no lengths to which she wou', 'esolute of men. rather than i should marry another woman, there are no lengths to which she would no', 'te of men. rather than i should marry another woman, there are no lengths to which she would not gon', ' men. rather than i should marry another woman, there are no lengths to which she would not gonone."', ' rather than i should marry another woman, there are no lengths to which she would not gonone." "you', 'er than i should marry another woman, there are no lengths to which she would not gonone." "you are ', 'an i should marry another woman, there are no lengths to which she would not gonone." "you are sure ', 'should marry another woman, there are no lengths to which she would not gonone." "you are sure that ', 'd marry another woman, there are no lengths to which she would not gonone." "you are sure that she h', 'ry another woman, there are no lengths to which she would not gonone." "you are sure that she has no', 'other woman, there are no lengths to which she would not gonone." "you are sure that she has not sen', ' woman, there are no lengths to which she would not gonone." "you are sure that she has not sent it ', 'n, there are no lengths to which she would not gonone." "you are sure that she has not sent it yet?"', 'ere are no lengths to which she would not gonone." "you are sure that she has not sent it yet?" "i a', 're no lengths to which she would not gonone." "you are sure that she has not sent it yet?" "i am sur', ' lengths to which she would not gonone." "you are sure that she has not sent it yet?" "i am sure." "', 'ths to which she would not gonone." "you are sure that she has not sent it yet?" "i am sure." "and w', 'o which she would not gonone." "you are sure that she has not sent it yet?" "i am sure." "and why?" ', 'ch she would not gonone." "you are sure that she has not sent it yet?" "i am sure." "and why?" "beca', 'e would not gonone." "you are sure that she has not sent it yet?" "i am sure." "and why?" "because s', 'ld not gonone." "you are sure that she has not sent it yet?" "i am sure." "and why?" "because she ha', 't gonone." "you are sure that she has not sent it yet?" "i am sure." "and why?" "because she has sai', 'one." "you are sure that she has not sent it yet?" "i am sure." "and why?" "because she has said tha', ' "you are sure that she has not sent it yet?" "i am sure." "and why?" "because she has said that she', ' are sure that she has not sent it yet?" "i am sure." "and why?" "because she has said that she woul', 'sure that she has not sent it yet?" "i am sure." "and why?" "because she has said that she would sen', 'that she has not sent it yet?" "i am sure." "and why?" "because she has said that she would send it ', 'she has not sent it yet?" "i am sure." "and why?" "because she has said that she would send it on th', 'as not sent it yet?" "i am sure." "and why?" "because she has said that she would send it on the day', 't sent it yet?" "i am sure." "and why?" "because she has said that she would send it on the day when', 't it yet?" "i am sure." "and why?" "because she has said that she would send it on the day when the ', 'yet?" "i am sure." "and why?" "because she has said that she would send it on the day when the betro', ' "i am sure." "and why?" "because she has said that she would send it on the day when the betrothal ', 'm sure." "and why?" "because she has said that she would send it on the day when the betrothal was p', 'e." "and why?" "because she has said that she would send it on the day when the betrothal was public', 'and why?" "because she has said that she would send it on the day when the betrothal was publicly pr', 'hy?" "because she has said that she would send it on the day when the betrothal was publicly proclai', '"because she has said that she would send it on the day when the betrothal was publicly proclaimed. ', 'use she has said that she would send it on the day when the betrothal was publicly proclaimed. that ', 'he has said that she would send it on the day when the betrothal was publicly proclaimed. that will ', 's said that she would send it on the day when the betrothal was publicly proclaimed. that will be ne', 'd that she would send it on the day when the betrothal was publicly proclaimed. that will be next mo', 't she would send it on the day when the betrothal was publicly proclaimed. that will be next monday.', ' would send it on the day when the betrothal was publicly proclaimed. that will be next monday." "oh', 'd send it on the day when the betrothal was publicly proclaimed. that will be next monday." "oh, the', 'd it on the day when the betrothal was publicly proclaimed. that will be next monday." "oh, then we ', 'on the day when the betrothal was publicly proclaimed. that will be next monday." "oh, then we have ', 'e day when the betrothal was publicly proclaimed. that will be next monday." "oh, then we have three', ' when the betrothal was publicly proclaimed. that will be next monday." "oh, then we have three days', ' the betrothal was publicly proclaimed. that will be next monday." "oh, then we have three days yet,', 'betrothal was publicly proclaimed. that will be next monday." "oh, then we have three days yet," sai', 'thal was publicly proclaimed. that will be next monday." "oh, then we have three days yet," said hol', 'was publicly proclaimed. that will be next monday." "oh, then we have three days yet," said holmes w', 'ublicly proclaimed. that will be next monday." "oh, then we have three days yet," said holmes with a', 'ly proclaimed. that will be next monday." "oh, then we have three days yet," said holmes with a yawn', 'oclaimed. that will be next monday." "oh, then we have three days yet," said holmes with a yawn. "th', 'med. that will be next monday." "oh, then we have three days yet," said holmes with a yawn. "that is', 'that will be next monday." "oh, then we have three days yet," said holmes with a yawn. "that is very', 'will be next monday." "oh, then we have three days yet," said holmes with a yawn. "that is very fort', 'be next monday." "oh, then we have three days yet," said holmes with a yawn. "that is very fortunate', 'xt monday." "oh, then we have three days yet," said holmes with a yawn. "that is very fortunate, as ', 'nday." "oh, then we have three days yet," said holmes with a yawn. "that is very fortunate, as i hav', '" "oh, then we have three days yet," said holmes with a yawn. "that is very fortunate, as i have one', ', then we have three days yet," said holmes with a yawn. "that is very fortunate, as i have one or t', 'n we have three days yet," said holmes with a yawn. "that is very fortunate, as i have one or two ma', 'have three days yet," said holmes with a yawn. "that is very fortunate, as i have one or two matters', 'three days yet," said holmes with a yawn. "that is very fortunate, as i have one or two matters of i', ' days yet," said holmes with a yawn. "that is very fortunate, as i have one or two matters of import', ' yet," said holmes with a yawn. "that is very fortunate, as i have one or two matters of importance ', '" said holmes with a yawn. "that is very fortunate, as i have one or two matters of importance to lo', 'd holmes with a yawn. "that is very fortunate, as i have one or two matters of importance to look in', 'mes with a yawn. "that is very fortunate, as i have one or two matters of importance to look into ju', 'ith a yawn. "that is very fortunate, as i have one or two matters of importance to look into just at', ' yawn. "that is very fortunate, as i have one or two matters of importance to look into just at pres', '. "that is very fortunate, as i have one or two matters of importance to look into just at present. ', 'at is very fortunate, as i have one or two matters of importance to look into just at present. your ', ' very fortunate, as i have one or two matters of importance to look into just at present. your majes', ' fortunate, as i have one or two matters of importance to look into just at present. your majesty wi', 'unate, as i have one or two matters of importance to look into just at present. your majesty will, o', ', as i have one or two matters of importance to look into just at present. your majesty will, of cou', 'i have one or two matters of importance to look into just at present. your majesty will, of course, ', 'e one or two matters of importance to look into just at present. your majesty will, of course, stay ', ' or two matters of importance to look into just at present. your majesty will, of course, stay in lo', 'wo matters of importance to look into just at present. your majesty will, of course, stay in london ', 'tters of importance to look into just at present. your majesty will, of course, stay in london for t', ' of importance to look into just at present. your majesty will, of course, stay in london for the pr', 'mportance to look into just at present. your majesty will, of course, stay in london for the present', 'ance to look into just at present. your majesty will, of course, stay in london for the present?" "c', 'to look into just at present. your majesty will, of course, stay in london for the present?" "certai', 'ok into just at present. your majesty will, of course, stay in london for the present?" "certainly. ', 'to just at present. your majesty will, of course, stay in london for the present?" "certainly. you w', 'st at present. your majesty will, of course, stay in london for the present?" "certainly. you will f', ' present. your majesty will, of course, stay in london for the present?" "certainly. you will find m', 'ent. your majesty will, of course, stay in london for the present?" "certainly. you will find me at ', 'your majesty will, of course, stay in london for the present?" "certainly. you will find me at the l', 'majesty will, of course, stay in london for the present?" "certainly. you will find me at the langha', 'ty will, of course, stay in london for the present?" "certainly. you will find me at the langham und', 'll, of course, stay in london for the present?" "certainly. you will find me at the langham under th', 'f course, stay in london for the present?" "certainly. you will find me at the langham under the nam', 'rse, stay in london for the present?" "certainly. you will find me at the langham under the name of ', 'stay in london for the present?" "certainly. you will find me at the langham under the name of the c', 'in london for the present?" "certainly. you will find me at the langham under the name of the count ', 'ndon for the present?" "certainly. you will find me at the langham under the name of the count von k', 'for the present?" "certainly. you will find me at the langham under the name of the count von kramm.', 'he present?" "certainly. you will find me at the langham under the name of the count von kramm." "th', 'esent?" "certainly. you will find me at the langham under the name of the count von kramm." "then i ', '?" "certainly. you will find me at the langham under the name of the count von kramm." "then i shall', 'ertainly. you will find me at the langham under the name of the count von kramm." "then i shall drop', 'nly. you will find me at the langham under the name of the count von kramm." "then i shall drop you ', 'you will find me at the langham under the name of the count von kramm." "then i shall drop you a lin', 'ill find me at the langham under the name of the count von kramm." "then i shall drop you a line to ', 'ind me at the langham under the name of the count von kramm." "then i shall drop you a line to let y', 'e at the langham under the name of the count von kramm." "then i shall drop you a line to let you kn', 'the langham under the name of the count von kramm." "then i shall drop you a line to let you know ho', 'angham under the name of the count von kramm." "then i shall drop you a line to let you know how we ', 'm under the name of the count von kramm." "then i shall drop you a line to let you know how we progr', 'er the name of the count von kramm." "then i shall drop you a line to let you know how we progress."', 'e name of the count von kramm." "then i shall drop you a line to let you know how we progress." "pra', 'e of the count von kramm." "then i shall drop you a line to let you know how we progress." "pray do ', 'the count von kramm." "then i shall drop you a line to let you know how we progress." "pray do so. i', 'ount von kramm." "then i shall drop you a line to let you know how we progress." "pray do so. i shal', 'von kramm." "then i shall drop you a line to let you know how we progress." "pray do so. i shall be ', 'ramm." "then i shall drop you a line to let you know how we progress." "pray do so. i shall be all a', '" "then i shall drop you a line to let you know how we progress." "pray do so. i shall be all anxiet', 'en i shall drop you a line to let you know how we progress." "pray do so. i shall be all anxiety." "', 'shall drop you a line to let you know how we progress." "pray do so. i shall be all anxiety." "then,', ' drop you a line to let you know how we progress." "pray do so. i shall be all anxiety." "then, as t', ' you a line to let you know how we progress." "pray do so. i shall be all anxiety." "then, as to mon', 'a line to let you know how we progress." "pray do so. i shall be all anxiety." "then, as to money?" ', 'e to let you know how we progress." "pray do so. i shall be all anxiety." "then, as to money?" "you ', 'let you know how we progress." "pray do so. i shall be all anxiety." "then, as to money?" "you have ', 'ou know how we progress." "pray do so. i shall be all anxiety." "then, as to money?" "you have carte', 'ow how we progress." "pray do so. i shall be all anxiety." "then, as to money?" "you have carte blan', 'w we progress." "pray do so. i shall be all anxiety." "then, as to money?" "you have carte blanche."', 'progress." "pray do so. i shall be all anxiety." "then, as to money?" "you have carte blanche." "abs', 'ess." "pray do so. i shall be all anxiety." "then, as to money?" "you have carte blanche." "absolute', ' "pray do so. i shall be all anxiety." "then, as to money?" "you have carte blanche." "absolutely?" ', 'y do so. i shall be all anxiety." "then, as to money?" "you have carte blanche." "absolutely?" "i te', 'so. i shall be all anxiety." "then, as to money?" "you have carte blanche." "absolutely?" "i tell yo', ' shall be all anxiety." "then, as to money?" "you have carte blanche." "absolutely?" "i tell you tha', 'l be all anxiety." "then, as to money?" "you have carte blanche." "absolutely?" "i tell you that i w', 'all anxiety." "then, as to money?" "you have carte blanche." "absolutely?" "i tell you that i would ', 'nxiety." "then, as to money?" "you have carte blanche." "absolutely?" "i tell you that i would give ', 'y." "then, as to money?" "you have carte blanche." "absolutely?" "i tell you that i would give one o', 'then, as to money?" "you have carte blanche." "absolutely?" "i tell you that i would give one of the', ' as to money?" "you have carte blanche." "absolutely?" "i tell you that i would give one of the prov', 'o money?" "you have carte blanche." "absolutely?" "i tell you that i would give one of the provinces', 'ey?" "you have carte blanche." "absolutely?" "i tell you that i would give one of the provinces of m', '"you have carte blanche." "absolutely?" "i tell you that i would give one of the provinces of my kin', 'have carte blanche." "absolutely?" "i tell you that i would give one of the provinces of my kingdom ', 'carte blanche." "absolutely?" "i tell you that i would give one of the provinces of my kingdom to ha', ' blanche." "absolutely?" "i tell you that i would give one of the provinces of my kingdom to have th', 'che." "absolutely?" "i tell you that i would give one of the provinces of my kingdom to have that ph', ' "absolutely?" "i tell you that i would give one of the provinces of my kingdom to have that photogr', 'olutely?" "i tell you that i would give one of the provinces of my kingdom to have that photograph."', 'ly?" "i tell you that i would give one of the provinces of my kingdom to have that photograph." "and', '"i tell you that i would give one of the provinces of my kingdom to have that photograph." "and for ', 'll you that i would give one of the provinces of my kingdom to have that photograph." "and for prese', 'u that i would give one of the provinces of my kingdom to have that photograph." "and for present ex', 't i would give one of the provinces of my kingdom to have that photograph." "and for present expense', 'ould give one of the provinces of my kingdom to have that photograph." "and for present expenses?" t', 'give one of the provinces of my kingdom to have that photograph." "and for present expenses?" the ki', 'one of the provinces of my kingdom to have that photograph." "and for present expenses?" the king to', 'f the provinces of my kingdom to have that photograph." "and for present expenses?" the king took a ', ' provinces of my kingdom to have that photograph." "and for present expenses?" the king took a heavy', 'inces of my kingdom to have that photograph." "and for present expenses?" the king took a heavy cham', ' of my kingdom to have that photograph." "and for present expenses?" the king took a heavy chamois l', 'y kingdom to have that photograph." "and for present expenses?" the king took a heavy chamois leathe', 'gdom to have that photograph." "and for present expenses?" the king took a heavy chamois leather bag', 'to have that photograph." "and for present expenses?" the king took a heavy chamois leather bag from', 've that photograph." "and for present expenses?" the king took a heavy chamois leather bag from unde', 'at photograph." "and for present expenses?" the king took a heavy chamois leather bag from under his', 'otograph." "and for present expenses?" the king took a heavy chamois leather bag from under his cloa', 'aph." "and for present expenses?" the king took a heavy chamois leather bag from under his cloak and', ' "and for present expenses?" the king took a heavy chamois leather bag from under his cloak and laid', ' for present expenses?" the king took a heavy chamois leather bag from under his cloak and laid it o', 'present expenses?" the king took a heavy chamois leather bag from under his cloak and laid it on the', 'nt expenses?" the king took a heavy chamois leather bag from under his cloak and laid it on the tabl', 'penses?" the king took a heavy chamois leather bag from under his cloak and laid it on the table. "t', 's?" the king took a heavy chamois leather bag from under his cloak and laid it on the table. "there ', 'he king took a heavy chamois leather bag from under his cloak and laid it on the table. "there are t', 'ng took a heavy chamois leather bag from under his cloak and laid it on the table. "there are three ', 'ok a heavy chamois leather bag from under his cloak and laid it on the table. "there are three hundr', 'heavy chamois leather bag from under his cloak and laid it on the table. "there are three hundred po', ' chamois leather bag from under his cloak and laid it on the table. "there are three hundred pounds ', 'ois leather bag from under his cloak and laid it on the table. "there are three hundred pounds in go', 'eather bag from under his cloak and laid it on the table. "there are three hundred pounds in gold an', 'r bag from under his cloak and laid it on the table. "there are three hundred pounds in gold and sev', ' from under his cloak and laid it on the table. "there are three hundred pounds in gold and seven hu', ' under his cloak and laid it on the table. "there are three hundred pounds in gold and seven hundred', 'r his cloak and laid it on the table. "there are three hundred pounds in gold and seven hundred in n', ' cloak and laid it on the table. "there are three hundred pounds in gold and seven hundred in notes,', 'k and laid it on the table. "there are three hundred pounds in gold and seven hundred in notes," he ', ' laid it on the table. "there are three hundred pounds in gold and seven hundred in notes," he said.', ' it on the table. "there are three hundred pounds in gold and seven hundred in notes," he said. holm', 'n the table. "there are three hundred pounds in gold and seven hundred in notes," he said. holmes sc', ' table. "there are three hundred pounds in gold and seven hundred in notes," he said. holmes scribbl', 'e. "there are three hundred pounds in gold and seven hundred in notes," he said. holmes scribbled a ', 'here are three hundred pounds in gold and seven hundred in notes," he said. holmes scribbled a recei', 'are three hundred pounds in gold and seven hundred in notes," he said. holmes scribbled a receipt up', 'hree hundred pounds in gold and seven hundred in notes," he said. holmes scribbled a receipt upon a ', 'hundred pounds in gold and seven hundred in notes," he said. holmes scribbled a receipt upon a sheet', 'ed pounds in gold and seven hundred in notes," he said. holmes scribbled a receipt upon a sheet of h', 'unds in gold and seven hundred in notes," he said. holmes scribbled a receipt upon a sheet of his no', 'in gold and seven hundred in notes," he said. holmes scribbled a receipt upon a sheet of his note-bo', 'ld and seven hundred in notes," he said. holmes scribbled a receipt upon a sheet of his note-book an', 'd seven hundred in notes," he said. holmes scribbled a receipt upon a sheet of his note-book and han', 'en hundred in notes," he said. holmes scribbled a receipt upon a sheet of his note-book and handed i', 'ndred in notes," he said. holmes scribbled a receipt upon a sheet of his note-book and handed it to ', ' in notes," he said. holmes scribbled a receipt upon a sheet of his note-book and handed it to him. ', 'otes," he said. holmes scribbled a receipt upon a sheet of his note-book and handed it to him. "and ', '" he said. holmes scribbled a receipt upon a sheet of his note-book and handed it to him. "and madem', 'said. holmes scribbled a receipt upon a sheet of his note-book and handed it to him. "and mademoisel', ' holmes scribbled a receipt upon a sheet of his note-book and handed it to him. "and mademoiselle\'s ', 'es scribbled a receipt upon a sheet of his note-book and handed it to him. "and mademoiselle\'s addre', 'ribbled a receipt upon a sheet of his note-book and handed it to him. "and mademoiselle\'s address?" ', 'ed a receipt upon a sheet of his note-book and handed it to him. "and mademoiselle\'s address?" he as', 'receipt upon a sheet of his note-book and handed it to him. "and mademoiselle\'s address?" he asked. ', 'pt upon a sheet of his note-book and handed it to him. "and mademoiselle\'s address?" he asked. "is b', 'on a sheet of his note-book and handed it to him. "and mademoiselle\'s address?" he asked. "is briony', 'sheet of his note-book and handed it to him. "and mademoiselle\'s address?" he asked. "is briony lodg', ' of his note-book and handed it to him. "and mademoiselle\'s address?" he asked. "is briony lodge, se', 'is note-book and handed it to him. "and mademoiselle\'s address?" he asked. "is briony lodge, serpent', 'te-book and handed it to him. "and mademoiselle\'s address?" he asked. "is briony lodge, serpentine a', 'ok and handed it to him. "and mademoiselle\'s address?" he asked. "is briony lodge, serpentine avenue', 'd handed it to him. "and mademoiselle\'s address?" he asked. "is briony lodge, serpentine avenue, st.', 'ded it to him. "and mademoiselle\'s address?" he asked. "is briony lodge, serpentine avenue, st. john', 't to him. "and mademoiselle\'s address?" he asked. "is briony lodge, serpentine avenue, st. john\'s wo', 'him. "and mademoiselle\'s address?" he asked. "is briony lodge, serpentine avenue, st. john\'s wood." ', '"and mademoiselle\'s address?" he asked. "is briony lodge, serpentine avenue, st. john\'s wood." holme', 'mademoiselle\'s address?" he asked. "is briony lodge, serpentine avenue, st. john\'s wood." holmes too', 'oiselle\'s address?" he asked. "is briony lodge, serpentine avenue, st. john\'s wood." holmes took a n', 'le\'s address?" he asked. "is briony lodge, serpentine avenue, st. john\'s wood." holmes took a note o', 'address?" he asked. "is briony lodge, serpentine avenue, st. john\'s wood." holmes took a note of it.', 'ss?" he asked. "is briony lodge, serpentine avenue, st. john\'s wood." holmes took a note of it. "one', 'he asked. "is briony lodge, serpentine avenue, st. john\'s wood." holmes took a note of it. "one othe', 'ked. "is briony lodge, serpentine avenue, st. john\'s wood." holmes took a note of it. "one other que', '"is briony lodge, serpentine avenue, st. john\'s wood." holmes took a note of it. "one other question', 'riony lodge, serpentine avenue, st. john\'s wood." holmes took a note of it. "one other question," sa', ' lodge, serpentine avenue, st. john\'s wood." holmes took a note of it. "one other question," said he', 'e, serpentine avenue, st. john\'s wood." holmes took a note of it. "one other question," said he. "wa', 'rpentine avenue, st. john\'s wood." holmes took a note of it. "one other question," said he. "was the', 'ine avenue, st. john\'s wood." holmes took a note of it. "one other question," said he. "was the phot', 'venue, st. john\'s wood." holmes took a note of it. "one other question," said he. "was the photograp', ', st. john\'s wood." holmes took a note of it. "one other question," said he. "was the photograph a c', ' john\'s wood." holmes took a note of it. "one other question," said he. "was the photograph a cabine', '\'s wood." holmes took a note of it. "one other question," said he. "was the photograph a cabinet?" "', 'od." holmes took a note of it. "one other question," said he. "was the photograph a cabinet?" "it wa', 'holmes took a note of it. "one other question," said he. "was the photograph a cabinet?" "it was." "', 's took a note of it. "one other question," said he. "was the photograph a cabinet?" "it was." "then,', 'k a note of it. "one other question," said he. "was the photograph a cabinet?" "it was." "then, good', 'ote of it. "one other question," said he. "was the photograph a cabinet?" "it was." "then, good-nigh', 'f it. "one other question," said he. "was the photograph a cabinet?" "it was." "then, good-night, yo', ' "one other question," said he. "was the photograph a cabinet?" "it was." "then, good-night, your ma', ' other question," said he. "was the photograph a cabinet?" "it was." "then, good-night, your majesty', 'r question," said he. "was the photograph a cabinet?" "it was." "then, good-night, your majesty, and', 'stion," said he. "was the photograph a cabinet?" "it was." "then, good-night, your majesty, and i tr', '," said he. "was the photograph a cabinet?" "it was." "then, good-night, your majesty, and i trust t', 'id he. "was the photograph a cabinet?" "it was." "then, good-night, your majesty, and i trust that w', '. "was the photograph a cabinet?" "it was." "then, good-night, your majesty, and i trust that we sha', 's the photograph a cabinet?" "it was." "then, good-night, your majesty, and i trust that we shall so', ' photograph a cabinet?" "it was." "then, good-night, your majesty, and i trust that we shall soon ha', 'ograph a cabinet?" "it was." "then, good-night, your majesty, and i trust that we shall soon have so', 'h a cabinet?" "it was." "then, good-night, your majesty, and i trust that we shall soon have some go', 'abinet?" "it was." "then, good-night, your majesty, and i trust that we shall soon have some good ne', 't?" "it was." "then, good-night, your majesty, and i trust that we shall soon have some good news fo', 'it was." "then, good-night, your majesty, and i trust that we shall soon have some good news for you', 's." "then, good-night, your majesty, and i trust that we shall soon have some good news for you. and', 'then, good-night, your majesty, and i trust that we shall soon have some good news for you. and good', ' good-night, your majesty, and i trust that we shall soon have some good news for you. and good-nigh', '-night, your majesty, and i trust that we shall soon have some good news for you. and good-night, wa', 't, your majesty, and i trust that we shall soon have some good news for you. and good-night, watson,', 'ur majesty, and i trust that we shall soon have some good news for you. and good-night, watson," he ', 'jesty, and i trust that we shall soon have some good news for you. and good-night, watson," he added', ', and i trust that we shall soon have some good news for you. and good-night, watson," he added, as ', ' i trust that we shall soon have some good news for you. and good-night, watson," he added, as the w', 'ust that we shall soon have some good news for you. and good-night, watson," he added, as the wheels', 'hat we shall soon have some good news for you. and good-night, watson," he added, as the wheels of t', 'e shall soon have some good news for you. and good-night, watson," he added, as the wheels of the ro', 'll soon have some good news for you. and good-night, watson," he added, as the wheels of the royal b', 'on have some good news for you. and good-night, watson," he added, as the wheels of the royal brough', 've some good news for you. and good-night, watson," he added, as the wheels of the royal brougham ro', 'me good news for you. and good-night, watson," he added, as the wheels of the royal brougham rolled ', 'od news for you. and good-night, watson," he added, as the wheels of the royal brougham rolled down ', 'ws for you. and good-night, watson," he added, as the wheels of the royal brougham rolled down the s', 'r you. and good-night, watson," he added, as the wheels of the royal brougham rolled down the street', '. and good-night, watson," he added, as the wheels of the royal brougham rolled down the street. "if', ' good-night, watson," he added, as the wheels of the royal brougham rolled down the street. "if you ', '-night, watson," he added, as the wheels of the royal brougham rolled down the street. "if you will ', 't, watson," he added, as the wheels of the royal brougham rolled down the street. "if you will be go', 'tson," he added, as the wheels of the royal brougham rolled down the street. "if you will be good en', '" he added, as the wheels of the royal brougham rolled down the street. "if you will be good enough ', 'added, as the wheels of the royal brougham rolled down the street. "if you will be good enough to ca', ', as the wheels of the royal brougham rolled down the street. "if you will be good enough to call to', 'the wheels of the royal brougham rolled down the street. "if you will be good enough to call to-morr', 'heels of the royal brougham rolled down the street. "if you will be good enough to call to-morrow af', ' of the royal brougham rolled down the street. "if you will be good enough to call to-morrow afterno', 'he royal brougham rolled down the street. "if you will be good enough to call to-morrow afternoon at', 'yal brougham rolled down the street. "if you will be good enough to call to-morrow afternoon at thre', 'rougham rolled down the street. "if you will be good enough to call to-morrow afternoon at three o\'c', 'am rolled down the street. "if you will be good enough to call to-morrow afternoon at three o\'clock ', 'lled down the street. "if you will be good enough to call to-morrow afternoon at three o\'clock i sho', 'down the street. "if you will be good enough to call to-morrow afternoon at three o\'clock i should l', 'the street. "if you will be good enough to call to-morrow afternoon at three o\'clock i should like t', 'treet. "if you will be good enough to call to-morrow afternoon at three o\'clock i should like to cha', '. "if you will be good enough to call to-morrow afternoon at three o\'clock i should like to chat thi', " you will be good enough to call to-morrow afternoon at three o'clock i should like to chat this lit", "will be good enough to call to-morrow afternoon at three o'clock i should like to chat this little m", "be good enough to call to-morrow afternoon at three o'clock i should like to chat this little matter", "od enough to call to-morrow afternoon at three o'clock i should like to chat this little matter over", "ough to call to-morrow afternoon at three o'clock i should like to chat this little matter over with", "to call to-morrow afternoon at three o'clock i should like to chat this little matter over with you.", 'll to-morrow afternoon at three o\'clock i should like to chat this little matter over with you." ii', '-morrow afternoon at three o\'clock i should like to chat this little matter over with you." ii. at ', 'ow afternoon at three o\'clock i should like to chat this little matter over with you." ii. at three', 'ternoon at three o\'clock i should like to chat this little matter over with you." ii. at three o\'cl', 'on at three o\'clock i should like to chat this little matter over with you." ii. at three o\'clock p', ' three o\'clock i should like to chat this little matter over with you." ii. at three o\'clock precis', 'e o\'clock i should like to chat this little matter over with you." ii. at three o\'clock precisely i', 'lock i should like to chat this little matter over with you." ii. at three o\'clock precisely i was ', 'i should like to chat this little matter over with you." ii. at three o\'clock precisely i was at ba', 'uld like to chat this little matter over with you." ii. at three o\'clock precisely i was at baker s', 'ike to chat this little matter over with you." ii. at three o\'clock precisely i was at baker street', 'o chat this little matter over with you." ii. at three o\'clock precisely i was at baker street, but', 't this little matter over with you." ii. at three o\'clock precisely i was at baker street, but holm', 's little matter over with you." ii. at three o\'clock precisely i was at baker street, but holmes ha', 'tle matter over with you." ii. at three o\'clock precisely i was at baker street, but holmes had not', 'atter over with you." ii. at three o\'clock precisely i was at baker street, but holmes had not yet ', ' over with you." ii. at three o\'clock precisely i was at baker street, but holmes had not yet retur', ' with you." ii. at three o\'clock precisely i was at baker street, but holmes had not yet returned. ', ' you." ii. at three o\'clock precisely i was at baker street, but holmes had not yet returned. the l', '" ii. at three o\'clock precisely i was at baker street, but holmes had not yet returned. the landla', ". at three o'clock precisely i was at baker street, but holmes had not yet returned. the landlady in", "three o'clock precisely i was at baker street, but holmes had not yet returned. the landlady informe", " o'clock precisely i was at baker street, but holmes had not yet returned. the landlady informed me ", 'ock precisely i was at baker street, but holmes had not yet returned. the landlady informed me that ', 'recisely i was at baker street, but holmes had not yet returned. the landlady informed me that he ha', 'ely i was at baker street, but holmes had not yet returned. the landlady informed me that he had lef', ' was at baker street, but holmes had not yet returned. the landlady informed me that he had left the', 'at baker street, but holmes had not yet returned. the landlady informed me that he had left the hous', 'ker street, but holmes had not yet returned. the landlady informed me that he had left the house sho', 'treet, but holmes had not yet returned. the landlady informed me that he had left the house shortly ', ', but holmes had not yet returned. the landlady informed me that he had left the house shortly after', ' holmes had not yet returned. the landlady informed me that he had left the house shortly after eigh', "es had not yet returned. the landlady informed me that he had left the house shortly after eight o'c", "d not yet returned. the landlady informed me that he had left the house shortly after eight o'clock ", " yet returned. the landlady informed me that he had left the house shortly after eight o'clock in th", "returned. the landlady informed me that he had left the house shortly after eight o'clock in the mor", "ned. the landlady informed me that he had left the house shortly after eight o'clock in the morning.", "the landlady informed me that he had left the house shortly after eight o'clock in the morning. i sa", "andlady informed me that he had left the house shortly after eight o'clock in the morning. i sat dow", "dy informed me that he had left the house shortly after eight o'clock in the morning. i sat down bes", "formed me that he had left the house shortly after eight o'clock in the morning. i sat down beside t", "d me that he had left the house shortly after eight o'clock in the morning. i sat down beside the fi", "that he had left the house shortly after eight o'clock in the morning. i sat down beside the fire, h", "he had left the house shortly after eight o'clock in the morning. i sat down beside the fire, howeve", "d left the house shortly after eight o'clock in the morning. i sat down beside the fire, however, wi", "t the house shortly after eight o'clock in the morning. i sat down beside the fire, however, with th", " house shortly after eight o'clock in the morning. i sat down beside the fire, however, with the int", "e shortly after eight o'clock in the morning. i sat down beside the fire, however, with the intentio", "rtly after eight o'clock in the morning. i sat down beside the fire, however, with the intention of ", "after eight o'clock in the morning. i sat down beside the fire, however, with the intention of await", " eight o'clock in the morning. i sat down beside the fire, however, with the intention of awaiting h", "t o'clock in the morning. i sat down beside the fire, however, with the intention of awaiting him, h", 'lock in the morning. i sat down beside the fire, however, with the intention of awaiting him, howeve', 'in the morning. i sat down beside the fire, however, with the intention of awaiting him, however lon', 'e morning. i sat down beside the fire, however, with the intention of awaiting him, however long he ', 'ning. i sat down beside the fire, however, with the intention of awaiting him, however long he might', ' i sat down beside the fire, however, with the intention of awaiting him, however long he might be. ', 't down beside the fire, however, with the intention of awaiting him, however long he might be. i was', 'n beside the fire, however, with the intention of awaiting him, however long he might be. i was alre', 'ide the fire, however, with the intention of awaiting him, however long he might be. i was already d', 'he fire, however, with the intention of awaiting him, however long he might be. i was already deeply', 're, however, with the intention of awaiting him, however long he might be. i was already deeply inte', 'owever, with the intention of awaiting him, however long he might be. i was already deeply intereste', 'r, with the intention of awaiting him, however long he might be. i was already deeply interested in ', 'th the intention of awaiting him, however long he might be. i was already deeply interested in his i', 'e intention of awaiting him, however long he might be. i was already deeply interested in his inquir', 'ention of awaiting him, however long he might be. i was already deeply interested in his inquiry, fo', 'n of awaiting him, however long he might be. i was already deeply interested in his inquiry, for, th', 'awaiting him, however long he might be. i was already deeply interested in his inquiry, for, though ', 'ing him, however long he might be. i was already deeply interested in his inquiry, for, though it wa', 'im, however long he might be. i was already deeply interested in his inquiry, for, though it was sur', 'owever long he might be. i was already deeply interested in his inquiry, for, though it was surround', 'r long he might be. i was already deeply interested in his inquiry, for, though it was surrounded by', 'g he might be. i was already deeply interested in his inquiry, for, though it was surrounded by none', 'might be. i was already deeply interested in his inquiry, for, though it was surrounded by none of t', ' be. i was already deeply interested in his inquiry, for, though it was surrounded by none of the gr', 'i was already deeply interested in his inquiry, for, though it was surrounded by none of the grim an', ' already deeply interested in his inquiry, for, though it was surrounded by none of the grim and str', 'ady deeply interested in his inquiry, for, though it was surrounded by none of the grim and strange ', 'eeply interested in his inquiry, for, though it was surrounded by none of the grim and strange featu', ' interested in his inquiry, for, though it was surrounded by none of the grim and strange features w', 'rested in his inquiry, for, though it was surrounded by none of the grim and strange features which ', 'd in his inquiry, for, though it was surrounded by none of the grim and strange features which were ', 'his inquiry, for, though it was surrounded by none of the grim and strange features which were assoc', 'nquiry, for, though it was surrounded by none of the grim and strange features which were associated', 'y, for, though it was surrounded by none of the grim and strange features which were associated with', 'r, though it was surrounded by none of the grim and strange features which were associated with the ', 'ough it was surrounded by none of the grim and strange features which were associated with the two c', 'it was surrounded by none of the grim and strange features which were associated with the two crimes', 's surrounded by none of the grim and strange features which were associated with the two crimes whic', 'rounded by none of the grim and strange features which were associated with the two crimes which i h', 'ed by none of the grim and strange features which were associated with the two crimes which i have a', ' none of the grim and strange features which were associated with the two crimes which i have alread', ' of the grim and strange features which were associated with the two crimes which i have already rec', 'he grim and strange features which were associated with the two crimes which i have already recorded', 'im and strange features which were associated with the two crimes which i have already recorded, sti', 'd strange features which were associated with the two crimes which i have already recorded, still, t', 'ange features which were associated with the two crimes which i have already recorded, still, the na', 'features which were associated with the two crimes which i have already recorded, still, the nature ', 'res which were associated with the two crimes which i have already recorded, still, the nature of th', 'hich were associated with the two crimes which i have already recorded, still, the nature of the cas', 'were associated with the two crimes which i have already recorded, still, the nature of the case and', 'associated with the two crimes which i have already recorded, still, the nature of the case and the ', 'iated with the two crimes which i have already recorded, still, the nature of the case and the exalt', ' with the two crimes which i have already recorded, still, the nature of the case and the exalted st', ' the two crimes which i have already recorded, still, the nature of the case and the exalted station', 'two crimes which i have already recorded, still, the nature of the case and the exalted station of h', 'rimes which i have already recorded, still, the nature of the case and the exalted station of his cl', ' which i have already recorded, still, the nature of the case and the exalted station of his client ', 'h i have already recorded, still, the nature of the case and the exalted station of his client gave ', 'ave already recorded, still, the nature of the case and the exalted station of his client gave it a ', 'lready recorded, still, the nature of the case and the exalted station of his client gave it a chara', 'y recorded, still, the nature of the case and the exalted station of his client gave it a character ', 'orded, still, the nature of the case and the exalted station of his client gave it a character of it', ', still, the nature of the case and the exalted station of his client gave it a character of its own', 'll, the nature of the case and the exalted station of his client gave it a character of its own. ind', 'he nature of the case and the exalted station of his client gave it a character of its own. indeed, ', 'ture of the case and the exalted station of his client gave it a character of its own. indeed, apart', 'of the case and the exalted station of his client gave it a character of its own. indeed, apart from', 'e case and the exalted station of his client gave it a character of its own. indeed, apart from the ', 'e and the exalted station of his client gave it a character of its own. indeed, apart from the natur', ' the exalted station of his client gave it a character of its own. indeed, apart from the nature of ', 'exalted station of his client gave it a character of its own. indeed, apart from the nature of the i', 'ed station of his client gave it a character of its own. indeed, apart from the nature of the invest', 'ation of his client gave it a character of its own. indeed, apart from the nature of the investigati', ' of his client gave it a character of its own. indeed, apart from the nature of the investigation wh', 'is client gave it a character of its own. indeed, apart from the nature of the investigation which m', 'ient gave it a character of its own. indeed, apart from the nature of the investigation which my fri', 'gave it a character of its own. indeed, apart from the nature of the investigation which my friend h', 'it a character of its own. indeed, apart from the nature of the investigation which my friend had on', 'character of its own. indeed, apart from the nature of the investigation which my friend had on hand', 'cter of its own. indeed, apart from the nature of the investigation which my friend had on hand, the', 'of its own. indeed, apart from the nature of the investigation which my friend had on hand, there wa', 's own. indeed, apart from the nature of the investigation which my friend had on hand, there was som', '. indeed, apart from the nature of the investigation which my friend had on hand, there was somethin', 'eed, apart from the nature of the investigation which my friend had on hand, there was something in ', 'apart from the nature of the investigation which my friend had on hand, there was something in his m', ' from the nature of the investigation which my friend had on hand, there was something in his master', ' the nature of the investigation which my friend had on hand, there was something in his masterly gr', 'nature of the investigation which my friend had on hand, there was something in his masterly grasp o', 'e of the investigation which my friend had on hand, there was something in his masterly grasp of a s', 'the investigation which my friend had on hand, there was something in his masterly grasp of a situat', 'nvestigation which my friend had on hand, there was something in his masterly grasp of a situation, ', 'igation which my friend had on hand, there was something in his masterly grasp of a situation, and h', 'on which my friend had on hand, there was something in his masterly grasp of a situation, and his ke', 'ich my friend had on hand, there was something in his masterly grasp of a situation, and his keen, i', 'y friend had on hand, there was something in his masterly grasp of a situation, and his keen, incisi', 'end had on hand, there was something in his masterly grasp of a situation, and his keen, incisive re', 'ad on hand, there was something in his masterly grasp of a situation, and his keen, incisive reasoni', ' hand, there was something in his masterly grasp of a situation, and his keen, incisive reasoning, w', ', there was something in his masterly grasp of a situation, and his keen, incisive reasoning, which ', 're was something in his masterly grasp of a situation, and his keen, incisive reasoning, which made ', 's something in his masterly grasp of a situation, and his keen, incisive reasoning, which made it a ', 'ething in his masterly grasp of a situation, and his keen, incisive reasoning, which made it a pleas', 'g in his masterly grasp of a situation, and his keen, incisive reasoning, which made it a pleasure t', 'his masterly grasp of a situation, and his keen, incisive reasoning, which made it a pleasure to me ', 'asterly grasp of a situation, and his keen, incisive reasoning, which made it a pleasure to me to st', 'ly grasp of a situation, and his keen, incisive reasoning, which made it a pleasure to me to study h', 'asp of a situation, and his keen, incisive reasoning, which made it a pleasure to me to study his sy', 'f a situation, and his keen, incisive reasoning, which made it a pleasure to me to study his system ', 'ituation, and his keen, incisive reasoning, which made it a pleasure to me to study his system of wo', 'ion, and his keen, incisive reasoning, which made it a pleasure to me to study his system of work, a', 'and his keen, incisive reasoning, which made it a pleasure to me to study his system of work, and to', 'is keen, incisive reasoning, which made it a pleasure to me to study his system of work, and to foll', 'en, incisive reasoning, which made it a pleasure to me to study his system of work, and to follow th', 'ncisive reasoning, which made it a pleasure to me to study his system of work, and to follow the qui', 've reasoning, which made it a pleasure to me to study his system of work, and to follow the quick, s', 'asoning, which made it a pleasure to me to study his system of work, and to follow the quick, subtle', 'ng, which made it a pleasure to me to study his system of work, and to follow the quick, subtle meth', 'hich made it a pleasure to me to study his system of work, and to follow the quick, subtle methods b', 'made it a pleasure to me to study his system of work, and to follow the quick, subtle methods by whi', 'it a pleasure to me to study his system of work, and to follow the quick, subtle methods by which he', 'pleasure to me to study his system of work, and to follow the quick, subtle methods by which he dise', 'ure to me to study his system of work, and to follow the quick, subtle methods by which he disentang', 'o me to study his system of work, and to follow the quick, subtle methods by which he disentangled t', 'to study his system of work, and to follow the quick, subtle methods by which he disentangled the mo', 'udy his system of work, and to follow the quick, subtle methods by which he disentangled the most in', 'is system of work, and to follow the quick, subtle methods by which he disentangled the most inextri', 'stem of work, and to follow the quick, subtle methods by which he disentangled the most inextricable', 'of work, and to follow the quick, subtle methods by which he disentangled the most inextricable myst', 'rk, and to follow the quick, subtle methods by which he disentangled the most inextricable mysteries', 'nd to follow the quick, subtle methods by which he disentangled the most inextricable mysteries. so ', ' follow the quick, subtle methods by which he disentangled the most inextricable mysteries. so accus', 'ow the quick, subtle methods by which he disentangled the most inextricable mysteries. so accustomed', 'e quick, subtle methods by which he disentangled the most inextricable mysteries. so accustomed was ', 'ck, subtle methods by which he disentangled the most inextricable mysteries. so accustomed was i to ', 'ubtle methods by which he disentangled the most inextricable mysteries. so accustomed was i to his i', ' methods by which he disentangled the most inextricable mysteries. so accustomed was i to his invari', 'ods by which he disentangled the most inextricable mysteries. so accustomed was i to his invariable ', 'y which he disentangled the most inextricable mysteries. so accustomed was i to his invariable succe', 'ch he disentangled the most inextricable mysteries. so accustomed was i to his invariable success th', ' disentangled the most inextricable mysteries. so accustomed was i to his invariable success that th', 'ntangled the most inextricable mysteries. so accustomed was i to his invariable success that the ver', 'led the most inextricable mysteries. so accustomed was i to his invariable success that the very pos', 'he most inextricable mysteries. so accustomed was i to his invariable success that the very possibil', 'st inextricable mysteries. so accustomed was i to his invariable success that the very possibility o', 'extricable mysteries. so accustomed was i to his invariable success that the very possibility of his', 'cable mysteries. so accustomed was i to his invariable success that the very possibility of his fail', ' mysteries. so accustomed was i to his invariable success that the very possibility of his failing h', 'eries. so accustomed was i to his invariable success that the very possibility of his failing had ce', '. so accustomed was i to his invariable success that the very possibility of his failing had ceased ', 'accustomed was i to his invariable success that the very possibility of his failing had ceased to en', 'tomed was i to his invariable success that the very possibility of his failing had ceased to enter i', ' was i to his invariable success that the very possibility of his failing had ceased to enter into m', 'i to his invariable success that the very possibility of his failing had ceased to enter into my hea', 'his invariable success that the very possibility of his failing had ceased to enter into my head. it', 'nvariable success that the very possibility of his failing had ceased to enter into my head. it was ', 'able success that the very possibility of his failing had ceased to enter into my head. it was close', 'success that the very possibility of his failing had ceased to enter into my head. it was close upon', 'ss that the very possibility of his failing had ceased to enter into my head. it was close upon four', 'at the very possibility of his failing had ceased to enter into my head. it was close upon four befo', 'e very possibility of his failing had ceased to enter into my head. it was close upon four before th', 'y possibility of his failing had ceased to enter into my head. it was close upon four before the doo', 'sibility of his failing had ceased to enter into my head. it was close upon four before the door ope', 'ity of his failing had ceased to enter into my head. it was close upon four before the door opened, ', 'f his failing had ceased to enter into my head. it was close upon four before the door opened, and a', ' failing had ceased to enter into my head. it was close upon four before the door opened, and a drun', 'ing had ceased to enter into my head. it was close upon four before the door opened, and a drunken-l', 'ad ceased to enter into my head. it was close upon four before the door opened, and a drunken-lookin', 'ased to enter into my head. it was close upon four before the door opened, and a drunken-looking gro', 'to enter into my head. it was close upon four before the door opened, and a drunken-looking groom, i', 'ter into my head. it was close upon four before the door opened, and a drunken-looking groom, ill-ke', 'nto my head. it was close upon four before the door opened, and a drunken-looking groom, ill-kempt a', 'y head. it was close upon four before the door opened, and a drunken-looking groom, ill-kempt and si', 'd. it was close upon four before the door opened, and a drunken-looking groom, ill-kempt and side-wh', ' was close upon four before the door opened, and a drunken-looking groom, ill-kempt and side-whisker', 'close upon four before the door opened, and a drunken-looking groom, ill-kempt and side-whiskered, w', ' upon four before the door opened, and a drunken-looking groom, ill-kempt and side-whiskered, with a', ' four before the door opened, and a drunken-looking groom, ill-kempt and side-whiskered, with an inf', ' before the door opened, and a drunken-looking groom, ill-kempt and side-whiskered, with an inflamed', 're the door opened, and a drunken-looking groom, ill-kempt and side-whiskered, with an inflamed face', 'e door opened, and a drunken-looking groom, ill-kempt and side-whiskered, with an inflamed face and ', 'r opened, and a drunken-looking groom, ill-kempt and side-whiskered, with an inflamed face and disre', 'ned, and a drunken-looking groom, ill-kempt and side-whiskered, with an inflamed face and disreputab', 'and a drunken-looking groom, ill-kempt and side-whiskered, with an inflamed face and disreputable cl', ' drunken-looking groom, ill-kempt and side-whiskered, with an inflamed face and disreputable clothes', 'ken-looking groom, ill-kempt and side-whiskered, with an inflamed face and disreputable clothes, wal', 'ooking groom, ill-kempt and side-whiskered, with an inflamed face and disreputable clothes, walked i', 'g groom, ill-kempt and side-whiskered, with an inflamed face and disreputable clothes, walked into t', 'om, ill-kempt and side-whiskered, with an inflamed face and disreputable clothes, walked into the ro', 'll-kempt and side-whiskered, with an inflamed face and disreputable clothes, walked into the room. a', 'mpt and side-whiskered, with an inflamed face and disreputable clothes, walked into the room. accust', 'nd side-whiskered, with an inflamed face and disreputable clothes, walked into the room. accustomed ', 'de-whiskered, with an inflamed face and disreputable clothes, walked into the room. accustomed as i ', 'iskered, with an inflamed face and disreputable clothes, walked into the room. accustomed as i was t', 'ed, with an inflamed face and disreputable clothes, walked into the room. accustomed as i was to my ', 'ith an inflamed face and disreputable clothes, walked into the room. accustomed as i was to my frien', "n inflamed face and disreputable clothes, walked into the room. accustomed as i was to my friend's a", "lamed face and disreputable clothes, walked into the room. accustomed as i was to my friend's amazin", " face and disreputable clothes, walked into the room. accustomed as i was to my friend's amazing pow", " and disreputable clothes, walked into the room. accustomed as i was to my friend's amazing powers i", "disreputable clothes, walked into the room. accustomed as i was to my friend's amazing powers in the", "putable clothes, walked into the room. accustomed as i was to my friend's amazing powers in the use ", "le clothes, walked into the room. accustomed as i was to my friend's amazing powers in the use of di", "othes, walked into the room. accustomed as i was to my friend's amazing powers in the use of disguis", ", walked into the room. accustomed as i was to my friend's amazing powers in the use of disguises, i", "ked into the room. accustomed as i was to my friend's amazing powers in the use of disguises, i had ", "nto the room. accustomed as i was to my friend's amazing powers in the use of disguises, i had to lo", "he room. accustomed as i was to my friend's amazing powers in the use of disguises, i had to look th", "om. accustomed as i was to my friend's amazing powers in the use of disguises, i had to look three t", "ccustomed as i was to my friend's amazing powers in the use of disguises, i had to look three times ", "omed as i was to my friend's amazing powers in the use of disguises, i had to look three times befor", "as i was to my friend's amazing powers in the use of disguises, i had to look three times before i w", "was to my friend's amazing powers in the use of disguises, i had to look three times before i was ce", "o my friend's amazing powers in the use of disguises, i had to look three times before i was certain", "friend's amazing powers in the use of disguises, i had to look three times before i was certain that", "d's amazing powers in the use of disguises, i had to look three times before i was certain that it w", 'mazing powers in the use of disguises, i had to look three times before i was certain that it was in', 'g powers in the use of disguises, i had to look three times before i was certain that it was indeed ', 'ers in the use of disguises, i had to look three times before i was certain that it was indeed he. w', 'n the use of disguises, i had to look three times before i was certain that it was indeed he. with a', ' use of disguises, i had to look three times before i was certain that it was indeed he. with a nod ', 'of disguises, i had to look three times before i was certain that it was indeed he. with a nod he va', 'sguises, i had to look three times before i was certain that it was indeed he. with a nod he vanishe', 'es, i had to look three times before i was certain that it was indeed he. with a nod he vanished int', ' had to look three times before i was certain that it was indeed he. with a nod he vanished into the', 'to look three times before i was certain that it was indeed he. with a nod he vanished into the bedr', 'ok three times before i was certain that it was indeed he. with a nod he vanished into the bedroom, ', 'ree times before i was certain that it was indeed he. with a nod he vanished into the bedroom, whenc', 'imes before i was certain that it was indeed he. with a nod he vanished into the bedroom, whence he ', 'before i was certain that it was indeed he. with a nod he vanished into the bedroom, whence he emerg', 'e i was certain that it was indeed he. with a nod he vanished into the bedroom, whence he emerged in', 'as certain that it was indeed he. with a nod he vanished into the bedroom, whence he emerged in five', 'rtain that it was indeed he. with a nod he vanished into the bedroom, whence he emerged in five minu', ' that it was indeed he. with a nod he vanished into the bedroom, whence he emerged in five minutes t', ' it was indeed he. with a nod he vanished into the bedroom, whence he emerged in five minutes tweed-', 'as indeed he. with a nod he vanished into the bedroom, whence he emerged in five minutes tweed-suite', 'deed he. with a nod he vanished into the bedroom, whence he emerged in five minutes tweed-suited and', 'he. with a nod he vanished into the bedroom, whence he emerged in five minutes tweed-suited and resp', 'ith a nod he vanished into the bedroom, whence he emerged in five minutes tweed-suited and respectab', ' nod he vanished into the bedroom, whence he emerged in five minutes tweed-suited and respectable, a', 'he vanished into the bedroom, whence he emerged in five minutes tweed-suited and respectable, as of ', 'nished into the bedroom, whence he emerged in five minutes tweed-suited and respectable, as of old. ', 'd into the bedroom, whence he emerged in five minutes tweed-suited and respectable, as of old. putti', 'o the bedroom, whence he emerged in five minutes tweed-suited and respectable, as of old. putting hi', ' bedroom, whence he emerged in five minutes tweed-suited and respectable, as of old. putting his han', 'oom, whence he emerged in five minutes tweed-suited and respectable, as of old. putting his hands in', 'whence he emerged in five minutes tweed-suited and respectable, as of old. putting his hands into hi', 'e he emerged in five minutes tweed-suited and respectable, as of old. putting his hands into his poc', 'emerged in five minutes tweed-suited and respectable, as of old. putting his hands into his pockets,', 'ed in five minutes tweed-suited and respectable, as of old. putting his hands into his pockets, he s', ' five minutes tweed-suited and respectable, as of old. putting his hands into his pockets, he stretc', ' minutes tweed-suited and respectable, as of old. putting his hands into his pockets, he stretched o', 'tes tweed-suited and respectable, as of old. putting his hands into his pockets, he stretched out hi', 'weed-suited and respectable, as of old. putting his hands into his pockets, he stretched out his leg', 'suited and respectable, as of old. putting his hands into his pockets, he stretched out his legs in ', 'd and respectable, as of old. putting his hands into his pockets, he stretched out his legs in front', ' respectable, as of old. putting his hands into his pockets, he stretched out his legs in front of t', 'ectable, as of old. putting his hands into his pockets, he stretched out his legs in front of the fi', 'le, as of old. putting his hands into his pockets, he stretched out his legs in front of the fire an', 's of old. putting his hands into his pockets, he stretched out his legs in front of the fire and lau', 'old. putting his hands into his pockets, he stretched out his legs in front of the fire and laughed ', 'putting his hands into his pockets, he stretched out his legs in front of the fire and laughed heart', 'ng his hands into his pockets, he stretched out his legs in front of the fire and laughed heartily f', 's hands into his pockets, he stretched out his legs in front of the fire and laughed heartily for so', 'ds into his pockets, he stretched out his legs in front of the fire and laughed heartily for some mi', 'to his pockets, he stretched out his legs in front of the fire and laughed heartily for some minutes', 's pockets, he stretched out his legs in front of the fire and laughed heartily for some minutes. "we', 'kets, he stretched out his legs in front of the fire and laughed heartily for some minutes. "well, r', ' he stretched out his legs in front of the fire and laughed heartily for some minutes. "well, really', 'tretched out his legs in front of the fire and laughed heartily for some minutes. "well, really he c', 'hed out his legs in front of the fire and laughed heartily for some minutes. "well, really he cried,', 'ut his legs in front of the fire and laughed heartily for some minutes. "well, really he cried, and ', 's legs in front of the fire and laughed heartily for some minutes. "well, really he cried, and then ', 's in front of the fire and laughed heartily for some minutes. "well, really he cried, and then he ch', 'front of the fire and laughed heartily for some minutes. "well, really he cried, and then he choked ', ' of the fire and laughed heartily for some minutes. "well, really he cried, and then he choked and l', 'he fire and laughed heartily for some minutes. "well, really he cried, and then he choked and laughe', 're and laughed heartily for some minutes. "well, really he cried, and then he choked and laughed aga', 'd laughed heartily for some minutes. "well, really he cried, and then he choked and laughed again un', 'ghed heartily for some minutes. "well, really he cried, and then he choked and laughed again until h', 'heartily for some minutes. "well, really he cried, and then he choked and laughed again until he was', 'ily for some minutes. "well, really he cried, and then he choked and laughed again until he was obli', 'or some minutes. "well, really he cried, and then he choked and laughed again until he was obliged t', 'me minutes. "well, really he cried, and then he choked and laughed again until he was obliged to lie', 'nutes. "well, really he cried, and then he choked and laughed again until he was obliged to lie back', '. "well, really he cried, and then he choked and laughed again until he was obliged to lie back, lim', 'll, really he cried, and then he choked and laughed again until he was obliged to lie back, limp and', 'eally he cried, and then he choked and laughed again until he was obliged to lie back, limp and help', ' he cried, and then he choked and laughed again until he was obliged to lie back, limp and helpless,', 'ried, and then he choked and laughed again until he was obliged to lie back, limp and helpless, in t', ' and then he choked and laughed again until he was obliged to lie back, limp and helpless, in the ch', 'then he choked and laughed again until he was obliged to lie back, limp and helpless, in the chair. ', 'he choked and laughed again until he was obliged to lie back, limp and helpless, in the chair. "what', 'oked and laughed again until he was obliged to lie back, limp and helpless, in the chair. "what is i', 'and laughed again until he was obliged to lie back, limp and helpless, in the chair. "what is it?" "', 'aughed again until he was obliged to lie back, limp and helpless, in the chair. "what is it?" "it\'s ', 'd again until he was obliged to lie back, limp and helpless, in the chair. "what is it?" "it\'s quite', 'in until he was obliged to lie back, limp and helpless, in the chair. "what is it?" "it\'s quite too ', 'til he was obliged to lie back, limp and helpless, in the chair. "what is it?" "it\'s quite too funny', 'e was obliged to lie back, limp and helpless, in the chair. "what is it?" "it\'s quite too funny. i a', ' obliged to lie back, limp and helpless, in the chair. "what is it?" "it\'s quite too funny. i am sur', 'ged to lie back, limp and helpless, in the chair. "what is it?" "it\'s quite too funny. i am sure you', 'o lie back, limp and helpless, in the chair. "what is it?" "it\'s quite too funny. i am sure you coul', ' back, limp and helpless, in the chair. "what is it?" "it\'s quite too funny. i am sure you could nev', ', limp and helpless, in the chair. "what is it?" "it\'s quite too funny. i am sure you could never gu', 'p and helpless, in the chair. "what is it?" "it\'s quite too funny. i am sure you could never guess h', ' helpless, in the chair. "what is it?" "it\'s quite too funny. i am sure you could never guess how i ', 'less, in the chair. "what is it?" "it\'s quite too funny. i am sure you could never guess how i emplo', ' in the chair. "what is it?" "it\'s quite too funny. i am sure you could never guess how i employed m', 'he chair. "what is it?" "it\'s quite too funny. i am sure you could never guess how i employed my mor', 'air. "what is it?" "it\'s quite too funny. i am sure you could never guess how i employed my morning,', '"what is it?" "it\'s quite too funny. i am sure you could never guess how i employed my morning, or w', ' is it?" "it\'s quite too funny. i am sure you could never guess how i employed my morning, or what i', 't?" "it\'s quite too funny. i am sure you could never guess how i employed my morning, or what i ende', "it's quite too funny. i am sure you could never guess how i employed my morning, or what i ended by ", 'quite too funny. i am sure you could never guess how i employed my morning, or what i ended by doing', ' too funny. i am sure you could never guess how i employed my morning, or what i ended by doing." "i', 'funny. i am sure you could never guess how i employed my morning, or what i ended by doing." "i can\'', '. i am sure you could never guess how i employed my morning, or what i ended by doing." "i can\'t ima', 'm sure you could never guess how i employed my morning, or what i ended by doing." "i can\'t imagine.', 'e you could never guess how i employed my morning, or what i ended by doing." "i can\'t imagine. i su', ' could never guess how i employed my morning, or what i ended by doing." "i can\'t imagine. i suppose', 'd never guess how i employed my morning, or what i ended by doing." "i can\'t imagine. i suppose that', 'er guess how i employed my morning, or what i ended by doing." "i can\'t imagine. i suppose that you ', 'ess how i employed my morning, or what i ended by doing." "i can\'t imagine. i suppose that you have ', 'ow i employed my morning, or what i ended by doing." "i can\'t imagine. i suppose that you have been ', 'employed my morning, or what i ended by doing." "i can\'t imagine. i suppose that you have been watch', 'yed my morning, or what i ended by doing." "i can\'t imagine. i suppose that you have been watching t', 'y morning, or what i ended by doing." "i can\'t imagine. i suppose that you have been watching the ha', 'ning, or what i ended by doing." "i can\'t imagine. i suppose that you have been watching the habits,', ' or what i ended by doing." "i can\'t imagine. i suppose that you have been watching the habits, and ', 'hat i ended by doing." "i can\'t imagine. i suppose that you have been watching the habits, and perha', ' ended by doing." "i can\'t imagine. i suppose that you have been watching the habits, and perhaps th', 'd by doing." "i can\'t imagine. i suppose that you have been watching the habits, and perhaps the hou', 'doing." "i can\'t imagine. i suppose that you have been watching the habits, and perhaps the house, o', '." "i can\'t imagine. i suppose that you have been watching the habits, and perhaps the house, of mis', " can't imagine. i suppose that you have been watching the habits, and perhaps the house, of miss ire", 't imagine. i suppose that you have been watching the habits, and perhaps the house, of miss irene ad', 'gine. i suppose that you have been watching the habits, and perhaps the house, of miss irene adler."', ' i suppose that you have been watching the habits, and perhaps the house, of miss irene adler." "qui', 'ppose that you have been watching the habits, and perhaps the house, of miss irene adler." "quite so', ' that you have been watching the habits, and perhaps the house, of miss irene adler." "quite so; but', ' you have been watching the habits, and perhaps the house, of miss irene adler." "quite so; but the ', 'have been watching the habits, and perhaps the house, of miss irene adler." "quite so; but the seque', 'been watching the habits, and perhaps the house, of miss irene adler." "quite so; but the sequel was', 'watching the habits, and perhaps the house, of miss irene adler." "quite so; but the sequel was rath', 'ing the habits, and perhaps the house, of miss irene adler." "quite so; but the sequel was rather un', 'he habits, and perhaps the house, of miss irene adler." "quite so; but the sequel was rather unusual', 'bits, and perhaps the house, of miss irene adler." "quite so; but the sequel was rather unusual. i w', ' and perhaps the house, of miss irene adler." "quite so; but the sequel was rather unusual. i will t', 'perhaps the house, of miss irene adler." "quite so; but the sequel was rather unusual. i will tell y', 'ps the house, of miss irene adler." "quite so; but the sequel was rather unusual. i will tell you, h', 'e house, of miss irene adler." "quite so; but the sequel was rather unusual. i will tell you, howeve', 'se, of miss irene adler." "quite so; but the sequel was rather unusual. i will tell you, however. i ', 'f miss irene adler." "quite so; but the sequel was rather unusual. i will tell you, however. i left ', 's irene adler." "quite so; but the sequel was rather unusual. i will tell you, however. i left the h', 'ne adler." "quite so; but the sequel was rather unusual. i will tell you, however. i left the house ', 'ler." "quite so; but the sequel was rather unusual. i will tell you, however. i left the house a lit', ' "quite so; but the sequel was rather unusual. i will tell you, however. i left the house a little a', 'te so; but the sequel was rather unusual. i will tell you, however. i left the house a little after ', '; but the sequel was rather unusual. i will tell you, however. i left the house a little after eight', " the sequel was rather unusual. i will tell you, however. i left the house a little after eight o'cl", "sequel was rather unusual. i will tell you, however. i left the house a little after eight o'clock t", "l was rather unusual. i will tell you, however. i left the house a little after eight o'clock this m", " rather unusual. i will tell you, however. i left the house a little after eight o'clock this mornin", "er unusual. i will tell you, however. i left the house a little after eight o'clock this morning in ", "usual. i will tell you, however. i left the house a little after eight o'clock this morning in the c", ". i will tell you, however. i left the house a little after eight o'clock this morning in the charac", "ill tell you, however. i left the house a little after eight o'clock this morning in the character o", "ell you, however. i left the house a little after eight o'clock this morning in the character of a g", "ou, however. i left the house a little after eight o'clock this morning in the character of a groom ", "owever. i left the house a little after eight o'clock this morning in the character of a groom out o", "r. i left the house a little after eight o'clock this morning in the character of a groom out of wor", "left the house a little after eight o'clock this morning in the character of a groom out of work. th", "the house a little after eight o'clock this morning in the character of a groom out of work. there i", "ouse a little after eight o'clock this morning in the character of a groom out of work. there is a w", "a little after eight o'clock this morning in the character of a groom out of work. there is a wonder", "tle after eight o'clock this morning in the character of a groom out of work. there is a wonderful s", "fter eight o'clock this morning in the character of a groom out of work. there is a wonderful sympat", "eight o'clock this morning in the character of a groom out of work. there is a wonderful sympathy an", " o'clock this morning in the character of a groom out of work. there is a wonderful sympathy and fre", 'ock this morning in the character of a groom out of work. there is a wonderful sympathy and freemaso', 'his morning in the character of a groom out of work. there is a wonderful sympathy and freemasonry a', 'orning in the character of a groom out of work. there is a wonderful sympathy and freemasonry among ', 'g in the character of a groom out of work. there is a wonderful sympathy and freemasonry among horse', 'the character of a groom out of work. there is a wonderful sympathy and freemasonry among horsey men', 'haracter of a groom out of work. there is a wonderful sympathy and freemasonry among horsey men. be ', 'ter of a groom out of work. there is a wonderful sympathy and freemasonry among horsey men. be one o', 'f a groom out of work. there is a wonderful sympathy and freemasonry among horsey men. be one of the', 'room out of work. there is a wonderful sympathy and freemasonry among horsey men. be one of them, an', 'out of work. there is a wonderful sympathy and freemasonry among horsey men. be one of them, and you', 'f work. there is a wonderful sympathy and freemasonry among horsey men. be one of them, and you will', 'k. there is a wonderful sympathy and freemasonry among horsey men. be one of them, and you will know', 'ere is a wonderful sympathy and freemasonry among horsey men. be one of them, and you will know all ', 's a wonderful sympathy and freemasonry among horsey men. be one of them, and you will know all that ', 'onderful sympathy and freemasonry among horsey men. be one of them, and you will know all that there', 'ful sympathy and freemasonry among horsey men. be one of them, and you will know all that there is t', 'ympathy and freemasonry among horsey men. be one of them, and you will know all that there is to kno', 'hy and freemasonry among horsey men. be one of them, and you will know all that there is to know. i ', 'd freemasonry among horsey men. be one of them, and you will know all that there is to know. i soon ', 'emasonry among horsey men. be one of them, and you will know all that there is to know. i soon found', 'nry among horsey men. be one of them, and you will know all that there is to know. i soon found brio', 'mong horsey men. be one of them, and you will know all that there is to know. i soon found briony lo', 'horsey men. be one of them, and you will know all that there is to know. i soon found briony lodge. ', 'y men. be one of them, and you will know all that there is to know. i soon found briony lodge. it is', '. be one of them, and you will know all that there is to know. i soon found briony lodge. it is a bi', 'one of them, and you will know all that there is to know. i soon found briony lodge. it is a bijou v', 'f them, and you will know all that there is to know. i soon found briony lodge. it is a bijou villa,', 'm, and you will know all that there is to know. i soon found briony lodge. it is a bijou villa, with', 'd you will know all that there is to know. i soon found briony lodge. it is a bijou villa, with a ga', ' will know all that there is to know. i soon found briony lodge. it is a bijou villa, with a garden ', ' know all that there is to know. i soon found briony lodge. it is a bijou villa, with a garden at th', ' all that there is to know. i soon found briony lodge. it is a bijou villa, with a garden at the bac', 'that there is to know. i soon found briony lodge. it is a bijou villa, with a garden at the back, bu', 'there is to know. i soon found briony lodge. it is a bijou villa, with a garden at the back, but bui', ' is to know. i soon found briony lodge. it is a bijou villa, with a garden at the back, but built ou', 'o know. i soon found briony lodge. it is a bijou villa, with a garden at the back, but built out in ', 'w. i soon found briony lodge. it is a bijou villa, with a garden at the back, but built out in front', 'soon found briony lodge. it is a bijou villa, with a garden at the back, but built out in front righ', 'found briony lodge. it is a bijou villa, with a garden at the back, but built out in front right up ', ' briony lodge. it is a bijou villa, with a garden at the back, but built out in front right up to th', 'ny lodge. it is a bijou villa, with a garden at the back, but built out in front right up to the roa', 'dge. it is a bijou villa, with a garden at the back, but built out in front right up to the road, tw', 'it is a bijou villa, with a garden at the back, but built out in front right up to the road, two sto', ' a bijou villa, with a garden at the back, but built out in front right up to the road, two stories.', 'jou villa, with a garden at the back, but built out in front right up to the road, two stories. chub', 'illa, with a garden at the back, but built out in front right up to the road, two stories. chubb loc', ' with a garden at the back, but built out in front right up to the road, two stories. chubb lock to ', ' a garden at the back, but built out in front right up to the road, two stories. chubb lock to the d', 'rden at the back, but built out in front right up to the road, two stories. chubb lock to the door. ', 'at the back, but built out in front right up to the road, two stories. chubb lock to the door. large', 'e back, but built out in front right up to the road, two stories. chubb lock to the door. large sitt', 'k, but built out in front right up to the road, two stories. chubb lock to the door. large sitting-r', 't built out in front right up to the road, two stories. chubb lock to the door. large sitting-room o', 'lt out in front right up to the road, two stories. chubb lock to the door. large sitting-room on the', 't in front right up to the road, two stories. chubb lock to the door. large sitting-room on the righ', 'front right up to the road, two stories. chubb lock to the door. large sitting-room on the right sid', ' right up to the road, two stories. chubb lock to the door. large sitting-room on the right side, we', 't up to the road, two stories. chubb lock to the door. large sitting-room on the right side, well fu', 'to the road, two stories. chubb lock to the door. large sitting-room on the right side, well furnish', 'e road, two stories. chubb lock to the door. large sitting-room on the right side, well furnished, w', 'd, two stories. chubb lock to the door. large sitting-room on the right side, well furnished, with l', 'o stories. chubb lock to the door. large sitting-room on the right side, well furnished, with long w', 'ries. chubb lock to the door. large sitting-room on the right side, well furnished, with long window', ' chubb lock to the door. large sitting-room on the right side, well furnished, with long windows alm', 'b lock to the door. large sitting-room on the right side, well furnished, with long windows almost t', 'k to the door. large sitting-room on the right side, well furnished, with long windows almost to the', 'the door. large sitting-room on the right side, well furnished, with long windows almost to the floo', 'oor. large sitting-room on the right side, well furnished, with long windows almost to the floor, an', 'large sitting-room on the right side, well furnished, with long windows almost to the floor, and tho', ' sitting-room on the right side, well furnished, with long windows almost to the floor, and those pr', 'ing-room on the right side, well furnished, with long windows almost to the floor, and those prepost', 'oom on the right side, well furnished, with long windows almost to the floor, and those preposterous', 'n the right side, well furnished, with long windows almost to the floor, and those preposterous engl', ' right side, well furnished, with long windows almost to the floor, and those preposterous english w', 't side, well furnished, with long windows almost to the floor, and those preposterous english window', 'e, well furnished, with long windows almost to the floor, and those preposterous english window fast', 'll furnished, with long windows almost to the floor, and those preposterous english window fasteners', 'rnished, with long windows almost to the floor, and those preposterous english window fasteners whic', 'ed, with long windows almost to the floor, and those preposterous english window fasteners which a c', 'ith long windows almost to the floor, and those preposterous english window fasteners which a child ', 'ong windows almost to the floor, and those preposterous english window fasteners which a child could', 'indows almost to the floor, and those preposterous english window fasteners which a child could open', 's almost to the floor, and those preposterous english window fasteners which a child could open. beh', 'ost to the floor, and those preposterous english window fasteners which a child could open. behind t', 'o the floor, and those preposterous english window fasteners which a child could open. behind there ', ' floor, and those preposterous english window fasteners which a child could open. behind there was n', 'r, and those preposterous english window fasteners which a child could open. behind there was nothin', 'd those preposterous english window fasteners which a child could open. behind there was nothing rem', 'se preposterous english window fasteners which a child could open. behind there was nothing remarkab', 'eposterous english window fasteners which a child could open. behind there was nothing remarkable, s', 'erous english window fasteners which a child could open. behind there was nothing remarkable, save t', ' english window fasteners which a child could open. behind there was nothing remarkable, save that t', 'ish window fasteners which a child could open. behind there was nothing remarkable, save that the pa', 'indow fasteners which a child could open. behind there was nothing remarkable, save that the passage', ' fasteners which a child could open. behind there was nothing remarkable, save that the passage wind', 'eners which a child could open. behind there was nothing remarkable, save that the passage window co', ' which a child could open. behind there was nothing remarkable, save that the passage window could b', 'h a child could open. behind there was nothing remarkable, save that the passage window could be rea', 'hild could open. behind there was nothing remarkable, save that the passage window could be reached ', 'could open. behind there was nothing remarkable, save that the passage window could be reached from ', ' open. behind there was nothing remarkable, save that the passage window could be reached from the t', '. behind there was nothing remarkable, save that the passage window could be reached from the top of', 'ind there was nothing remarkable, save that the passage window could be reached from the top of the ', 'here was nothing remarkable, save that the passage window could be reached from the top of the coach', 'was nothing remarkable, save that the passage window could be reached from the top of the coach-hous', 'othing remarkable, save that the passage window could be reached from the top of the coach-house. i ', 'g remarkable, save that the passage window could be reached from the top of the coach-house. i walke', 'arkable, save that the passage window could be reached from the top of the coach-house. i walked rou', 'le, save that the passage window could be reached from the top of the coach-house. i walked round it', 'ave that the passage window could be reached from the top of the coach-house. i walked round it and ', 'hat the passage window could be reached from the top of the coach-house. i walked round it and exami', 'he passage window could be reached from the top of the coach-house. i walked round it and examined i', 'ssage window could be reached from the top of the coach-house. i walked round it and examined it clo', ' window could be reached from the top of the coach-house. i walked round it and examined it closely ', 'ow could be reached from the top of the coach-house. i walked round it and examined it closely from ', 'uld be reached from the top of the coach-house. i walked round it and examined it closely from every', 'e reached from the top of the coach-house. i walked round it and examined it closely from every poin', 'ched from the top of the coach-house. i walked round it and examined it closely from every point of ', 'from the top of the coach-house. i walked round it and examined it closely from every point of view,', 'the top of the coach-house. i walked round it and examined it closely from every point of view, but ', 'op of the coach-house. i walked round it and examined it closely from every point of view, but witho', ' the coach-house. i walked round it and examined it closely from every point of view, but without no', 'coach-house. i walked round it and examined it closely from every point of view, but without noting ', '-house. i walked round it and examined it closely from every point of view, but without noting anyth', 'e. i walked round it and examined it closely from every point of view, but without noting anything e', 'walked round it and examined it closely from every point of view, but without noting anything else o', 'd round it and examined it closely from every point of view, but without noting anything else of int', 'nd it and examined it closely from every point of view, but without noting anything else of interest', ' and examined it closely from every point of view, but without noting anything else of interest. "i ', 'examined it closely from every point of view, but without noting anything else of interest. "i then ', 'ned it closely from every point of view, but without noting anything else of interest. "i then loung', 't closely from every point of view, but without noting anything else of interest. "i then lounged do', 'sely from every point of view, but without noting anything else of interest. "i then lounged down th', 'from every point of view, but without noting anything else of interest. "i then lounged down the str', 'every point of view, but without noting anything else of interest. "i then lounged down the street a', ' point of view, but without noting anything else of interest. "i then lounged down the street and fo', 't of view, but without noting anything else of interest. "i then lounged down the street and found, ', 'view, but without noting anything else of interest. "i then lounged down the street and found, as i ', ' but without noting anything else of interest. "i then lounged down the street and found, as i expec', 'without noting anything else of interest. "i then lounged down the street and found, as i expected, ', 'ut noting anything else of interest. "i then lounged down the street and found, as i expected, that ', 'ting anything else of interest. "i then lounged down the street and found, as i expected, that there', 'anything else of interest. "i then lounged down the street and found, as i expected, that there was ', 'ing else of interest. "i then lounged down the street and found, as i expected, that there was a mew', 'lse of interest. "i then lounged down the street and found, as i expected, that there was a mews in ', 'f interest. "i then lounged down the street and found, as i expected, that there was a mews in a lan', 'erest. "i then lounged down the street and found, as i expected, that there was a mews in a lane whi', '. "i then lounged down the street and found, as i expected, that there was a mews in a lane which ru', 'then lounged down the street and found, as i expected, that there was a mews in a lane which runs do', 'lounged down the street and found, as i expected, that there was a mews in a lane which runs down by', 'ed down the street and found, as i expected, that there was a mews in a lane which runs down by one ', 'wn the street and found, as i expected, that there was a mews in a lane which runs down by one wall ', 'e street and found, as i expected, that there was a mews in a lane which runs down by one wall of th', 'eet and found, as i expected, that there was a mews in a lane which runs down by one wall of the gar', 'nd found, as i expected, that there was a mews in a lane which runs down by one wall of the garden. ', 'und, as i expected, that there was a mews in a lane which runs down by one wall of the garden. i len', 'as i expected, that there was a mews in a lane which runs down by one wall of the garden. i lent the', 'expected, that there was a mews in a lane which runs down by one wall of the garden. i lent the ostl', 'ted, that there was a mews in a lane which runs down by one wall of the garden. i lent the ostlers a', 'that there was a mews in a lane which runs down by one wall of the garden. i lent the ostlers a hand', 'there was a mews in a lane which runs down by one wall of the garden. i lent the ostlers a hand in r', ' was a mews in a lane which runs down by one wall of the garden. i lent the ostlers a hand in rubbin', 'a mews in a lane which runs down by one wall of the garden. i lent the ostlers a hand in rubbing dow', 's in a lane which runs down by one wall of the garden. i lent the ostlers a hand in rubbing down the', 'a lane which runs down by one wall of the garden. i lent the ostlers a hand in rubbing down their ho', 'e which runs down by one wall of the garden. i lent the ostlers a hand in rubbing down their horses,', 'ch runs down by one wall of the garden. i lent the ostlers a hand in rubbing down their horses, and ', 'ns down by one wall of the garden. i lent the ostlers a hand in rubbing down their horses, and recei', 'wn by one wall of the garden. i lent the ostlers a hand in rubbing down their horses, and received i', ' one wall of the garden. i lent the ostlers a hand in rubbing down their horses, and received in exc', 'wall of the garden. i lent the ostlers a hand in rubbing down their horses, and received in exchange', 'of the garden. i lent the ostlers a hand in rubbing down their horses, and received in exchange twop', 'e garden. i lent the ostlers a hand in rubbing down their horses, and received in exchange twopence,', 'den. i lent the ostlers a hand in rubbing down their horses, and received in exchange twopence, a gl', 'i lent the ostlers a hand in rubbing down their horses, and received in exchange twopence, a glass o', 't the ostlers a hand in rubbing down their horses, and received in exchange twopence, a glass of hal', ' ostlers a hand in rubbing down their horses, and received in exchange twopence, a glass of half and', 'ers a hand in rubbing down their horses, and received in exchange twopence, a glass of half and half', ' hand in rubbing down their horses, and received in exchange twopence, a glass of half and half, two', ' in rubbing down their horses, and received in exchange twopence, a glass of half and half, two fill', 'ubbing down their horses, and received in exchange twopence, a glass of half and half, two fills of ', 'g down their horses, and received in exchange twopence, a glass of half and half, two fills of shag ', 'n their horses, and received in exchange twopence, a glass of half and half, two fills of shag tobac', 'ir horses, and received in exchange twopence, a glass of half and half, two fills of shag tobacco, a', 'rses, and received in exchange twopence, a glass of half and half, two fills of shag tobacco, and as', ' and received in exchange twopence, a glass of half and half, two fills of shag tobacco, and as much', 'received in exchange twopence, a glass of half and half, two fills of shag tobacco, and as much info', 'ved in exchange twopence, a glass of half and half, two fills of shag tobacco, and as much informati', 'n exchange twopence, a glass of half and half, two fills of shag tobacco, and as much information as', 'hange twopence, a glass of half and half, two fills of shag tobacco, and as much information as i co', ' twopence, a glass of half and half, two fills of shag tobacco, and as much information as i could d', 'ence, a glass of half and half, two fills of shag tobacco, and as much information as i could desire', ' a glass of half and half, two fills of shag tobacco, and as much information as i could desire abou', 'ass of half and half, two fills of shag tobacco, and as much information as i could desire about mis', 'f half and half, two fills of shag tobacco, and as much information as i could desire about miss adl', 'f and half, two fills of shag tobacco, and as much information as i could desire about miss adler, t', ' half, two fills of shag tobacco, and as much information as i could desire about miss adler, to say', ', two fills of shag tobacco, and as much information as i could desire about miss adler, to say noth', ' fills of shag tobacco, and as much information as i could desire about miss adler, to say nothing o', 's of shag tobacco, and as much information as i could desire about miss adler, to say nothing of hal', 'shag tobacco, and as much information as i could desire about miss adler, to say nothing of half a d', 'tobacco, and as much information as i could desire about miss adler, to say nothing of half a dozen ', 'co, and as much information as i could desire about miss adler, to say nothing of half a dozen other', 'nd as much information as i could desire about miss adler, to say nothing of half a dozen other peop', ' much information as i could desire about miss adler, to say nothing of half a dozen other people in', ' information as i could desire about miss adler, to say nothing of half a dozen other people in the ', 'rmation as i could desire about miss adler, to say nothing of half a dozen other people in the neigh', 'on as i could desire about miss adler, to say nothing of half a dozen other people in the neighbourh', ' i could desire about miss adler, to say nothing of half a dozen other people in the neighbourhood i', 'uld desire about miss adler, to say nothing of half a dozen other people in the neighbourhood in who', 'esire about miss adler, to say nothing of half a dozen other people in the neighbourhood in whom i w', ' about miss adler, to say nothing of half a dozen other people in the neighbourhood in whom i was no', 't miss adler, to say nothing of half a dozen other people in the neighbourhood in whom i was not in ', 's adler, to say nothing of half a dozen other people in the neighbourhood in whom i was not in the l', 'er, to say nothing of half a dozen other people in the neighbourhood in whom i was not in the least ', 'o say nothing of half a dozen other people in the neighbourhood in whom i was not in the least inter', ' nothing of half a dozen other people in the neighbourhood in whom i was not in the least interested', 'ing of half a dozen other people in the neighbourhood in whom i was not in the least interested, but', 'f half a dozen other people in the neighbourhood in whom i was not in the least interested, but whos', 'f a dozen other people in the neighbourhood in whom i was not in the least interested, but whose bio', 'ozen other people in the neighbourhood in whom i was not in the least interested, but whose biograph', 'other people in the neighbourhood in whom i was not in the least interested, but whose biographies i', ' people in the neighbourhood in whom i was not in the least interested, but whose biographies i was ', 'le in the neighbourhood in whom i was not in the least interested, but whose biographies i was compe', ' the neighbourhood in whom i was not in the least interested, but whose biographies i was compelled ', 'neighbourhood in whom i was not in the least interested, but whose biographies i was compelled to li', 'bourhood in whom i was not in the least interested, but whose biographies i was compelled to listen ', 'ood in whom i was not in the least interested, but whose biographies i was compelled to listen to." ', 'n whom i was not in the least interested, but whose biographies i was compelled to listen to." "and ', 'm i was not in the least interested, but whose biographies i was compelled to listen to." "and what ', 'as not in the least interested, but whose biographies i was compelled to listen to." "and what of ir', 't in the least interested, but whose biographies i was compelled to listen to." "and what of irene a', 'the least interested, but whose biographies i was compelled to listen to." "and what of irene adler?', 'east interested, but whose biographies i was compelled to listen to." "and what of irene adler?" i a', 'interested, but whose biographies i was compelled to listen to." "and what of irene adler?" i asked.', 'ested, but whose biographies i was compelled to listen to." "and what of irene adler?" i asked. "oh,', ', but whose biographies i was compelled to listen to." "and what of irene adler?" i asked. "oh, she ', ' whose biographies i was compelled to listen to." "and what of irene adler?" i asked. "oh, she has t', 'e biographies i was compelled to listen to." "and what of irene adler?" i asked. "oh, she has turned', 'graphies i was compelled to listen to." "and what of irene adler?" i asked. "oh, she has turned all ', 'ies i was compelled to listen to." "and what of irene adler?" i asked. "oh, she has turned all the m', ' was compelled to listen to." "and what of irene adler?" i asked. "oh, she has turned all the men\'s ', 'compelled to listen to." "and what of irene adler?" i asked. "oh, she has turned all the men\'s heads', 'lled to listen to." "and what of irene adler?" i asked. "oh, she has turned all the men\'s heads down', 'to listen to." "and what of irene adler?" i asked. "oh, she has turned all the men\'s heads down in t', 'sten to." "and what of irene adler?" i asked. "oh, she has turned all the men\'s heads down in that p', 'to." "and what of irene adler?" i asked. "oh, she has turned all the men\'s heads down in that part. ', '"and what of irene adler?" i asked. "oh, she has turned all the men\'s heads down in that part. she i', 'what of irene adler?" i asked. "oh, she has turned all the men\'s heads down in that part. she is the', 'of irene adler?" i asked. "oh, she has turned all the men\'s heads down in that part. she is the dain', 'ene adler?" i asked. "oh, she has turned all the men\'s heads down in that part. she is the daintiest', 'dler?" i asked. "oh, she has turned all the men\'s heads down in that part. she is the daintiest thin', '" i asked. "oh, she has turned all the men\'s heads down in that part. she is the daintiest thing und', 'sked. "oh, she has turned all the men\'s heads down in that part. she is the daintiest thing under a ', ' "oh, she has turned all the men\'s heads down in that part. she is the daintiest thing under a bonne', " she has turned all the men's heads down in that part. she is the daintiest thing under a bonnet on ", "has turned all the men's heads down in that part. she is the daintiest thing under a bonnet on this ", "urned all the men's heads down in that part. she is the daintiest thing under a bonnet on this plane", " all the men's heads down in that part. she is the daintiest thing under a bonnet on this planet. so", "the men's heads down in that part. she is the daintiest thing under a bonnet on this planet. so say ", "en's heads down in that part. she is the daintiest thing under a bonnet on this planet. so say the s", 'heads down in that part. she is the daintiest thing under a bonnet on this planet. so say the serpen', ' down in that part. she is the daintiest thing under a bonnet on this planet. so say the serpentine-', ' in that part. she is the daintiest thing under a bonnet on this planet. so say the serpentine-mews,', 'hat part. she is the daintiest thing under a bonnet on this planet. so say the serpentine-mews, to a', 'art. she is the daintiest thing under a bonnet on this planet. so say the serpentine-mews, to a man.', 'she is the daintiest thing under a bonnet on this planet. so say the serpentine-mews, to a man. she ', 's the daintiest thing under a bonnet on this planet. so say the serpentine-mews, to a man. she lives', ' daintiest thing under a bonnet on this planet. so say the serpentine-mews, to a man. she lives quie', 'tiest thing under a bonnet on this planet. so say the serpentine-mews, to a man. she lives quietly, ', ' thing under a bonnet on this planet. so say the serpentine-mews, to a man. she lives quietly, sings', 'g under a bonnet on this planet. so say the serpentine-mews, to a man. she lives quietly, sings at c', 'er a bonnet on this planet. so say the serpentine-mews, to a man. she lives quietly, sings at concer', 'bonnet on this planet. so say the serpentine-mews, to a man. she lives quietly, sings at concerts, d', 't on this planet. so say the serpentine-mews, to a man. she lives quietly, sings at concerts, drives', 'this planet. so say the serpentine-mews, to a man. she lives quietly, sings at concerts, drives out ', 'planet. so say the serpentine-mews, to a man. she lives quietly, sings at concerts, drives out at fi', 't. so say the serpentine-mews, to a man. she lives quietly, sings at concerts, drives out at five ev', ' say the serpentine-mews, to a man. she lives quietly, sings at concerts, drives out at five every d', 'the serpentine-mews, to a man. she lives quietly, sings at concerts, drives out at five every day, a', 'erpentine-mews, to a man. she lives quietly, sings at concerts, drives out at five every day, and re', 'tine-mews, to a man. she lives quietly, sings at concerts, drives out at five every day, and returns', 'mews, to a man. she lives quietly, sings at concerts, drives out at five every day, and returns at s', ' to a man. she lives quietly, sings at concerts, drives out at five every day, and returns at seven ', ' man. she lives quietly, sings at concerts, drives out at five every day, and returns at seven sharp', ' she lives quietly, sings at concerts, drives out at five every day, and returns at seven sharp for ', 'lives quietly, sings at concerts, drives out at five every day, and returns at seven sharp for dinne', ' quietly, sings at concerts, drives out at five every day, and returns at seven sharp for dinner. se', 'tly, sings at concerts, drives out at five every day, and returns at seven sharp for dinner. seldom ', 'sings at concerts, drives out at five every day, and returns at seven sharp for dinner. seldom goes ', ' at concerts, drives out at five every day, and returns at seven sharp for dinner. seldom goes out a', 'oncerts, drives out at five every day, and returns at seven sharp for dinner. seldom goes out at oth', 'ts, drives out at five every day, and returns at seven sharp for dinner. seldom goes out at other ti', 'rives out at five every day, and returns at seven sharp for dinner. seldom goes out at other times, ', ' out at five every day, and returns at seven sharp for dinner. seldom goes out at other times, excep', 'at five every day, and returns at seven sharp for dinner. seldom goes out at other times, except whe', 've every day, and returns at seven sharp for dinner. seldom goes out at other times, except when she', 'ery day, and returns at seven sharp for dinner. seldom goes out at other times, except when she sing', 'ay, and returns at seven sharp for dinner. seldom goes out at other times, except when she sings. ha', 'nd returns at seven sharp for dinner. seldom goes out at other times, except when she sings. has onl', 'turns at seven sharp for dinner. seldom goes out at other times, except when she sings. has only one', ' at seven sharp for dinner. seldom goes out at other times, except when she sings. has only one male', 'even sharp for dinner. seldom goes out at other times, except when she sings. has only one male visi', 'sharp for dinner. seldom goes out at other times, except when she sings. has only one male visitor, ', ' for dinner. seldom goes out at other times, except when she sings. has only one male visitor, but a', 'dinner. seldom goes out at other times, except when she sings. has only one male visitor, but a good', 'r. seldom goes out at other times, except when she sings. has only one male visitor, but a good deal', 'ldom goes out at other times, except when she sings. has only one male visitor, but a good deal of h', 'goes out at other times, except when she sings. has only one male visitor, but a good deal of him. h', 'out at other times, except when she sings. has only one male visitor, but a good deal of him. he is ', 't other times, except when she sings. has only one male visitor, but a good deal of him. he is dark,', 'er times, except when she sings. has only one male visitor, but a good deal of him. he is dark, hand', 'mes, except when she sings. has only one male visitor, but a good deal of him. he is dark, handsome,', 'except when she sings. has only one male visitor, but a good deal of him. he is dark, handsome, and ', 't when she sings. has only one male visitor, but a good deal of him. he is dark, handsome, and dashi', 'n she sings. has only one male visitor, but a good deal of him. he is dark, handsome, and dashing, n', ' sings. has only one male visitor, but a good deal of him. he is dark, handsome, and dashing, never ', 's. has only one male visitor, but a good deal of him. he is dark, handsome, and dashing, never calls', 's only one male visitor, but a good deal of him. he is dark, handsome, and dashing, never calls less', 'y one male visitor, but a good deal of him. he is dark, handsome, and dashing, never calls less than', ' male visitor, but a good deal of him. he is dark, handsome, and dashing, never calls less than once', ' visitor, but a good deal of him. he is dark, handsome, and dashing, never calls less than once a da', 'tor, but a good deal of him. he is dark, handsome, and dashing, never calls less than once a day, an', 'but a good deal of him. he is dark, handsome, and dashing, never calls less than once a day, and oft', ' good deal of him. he is dark, handsome, and dashing, never calls less than once a day, and often tw', ' deal of him. he is dark, handsome, and dashing, never calls less than once a day, and often twice. ', ' of him. he is dark, handsome, and dashing, never calls less than once a day, and often twice. he is', 'im. he is dark, handsome, and dashing, never calls less than once a day, and often twice. he is a mr', 'e is dark, handsome, and dashing, never calls less than once a day, and often twice. he is a mr. god', 'dark, handsome, and dashing, never calls less than once a day, and often twice. he is a mr. godfrey ', ' handsome, and dashing, never calls less than once a day, and often twice. he is a mr. godfrey norto', 'some, and dashing, never calls less than once a day, and often twice. he is a mr. godfrey norton, of', ' and dashing, never calls less than once a day, and often twice. he is a mr. godfrey norton, of the ', 'dashing, never calls less than once a day, and often twice. he is a mr. godfrey norton, of the inner', 'ng, never calls less than once a day, and often twice. he is a mr. godfrey norton, of the inner temp', 'ever calls less than once a day, and often twice. he is a mr. godfrey norton, of the inner temple. s', 'calls less than once a day, and often twice. he is a mr. godfrey norton, of the inner temple. see th', ' less than once a day, and often twice. he is a mr. godfrey norton, of the inner temple. see the adv', ' than once a day, and often twice. he is a mr. godfrey norton, of the inner temple. see the advantag', ' once a day, and often twice. he is a mr. godfrey norton, of the inner temple. see the advantages of', ' a day, and often twice. he is a mr. godfrey norton, of the inner temple. see the advantages of a ca', 'y, and often twice. he is a mr. godfrey norton, of the inner temple. see the advantages of a cabman ', 'd often twice. he is a mr. godfrey norton, of the inner temple. see the advantages of a cabman as a ', 'en twice. he is a mr. godfrey norton, of the inner temple. see the advantages of a cabman as a confi', 'ice. he is a mr. godfrey norton, of the inner temple. see the advantages of a cabman as a confidant.', 'he is a mr. godfrey norton, of the inner temple. see the advantages of a cabman as a confidant. they', ' a mr. godfrey norton, of the inner temple. see the advantages of a cabman as a confidant. they had ', '. godfrey norton, of the inner temple. see the advantages of a cabman as a confidant. they had drive', 'frey norton, of the inner temple. see the advantages of a cabman as a confidant. they had driven him', 'norton, of the inner temple. see the advantages of a cabman as a confidant. they had driven him home', 'n, of the inner temple. see the advantages of a cabman as a confidant. they had driven him home a do', ' the inner temple. see the advantages of a cabman as a confidant. they had driven him home a dozen t', 'inner temple. see the advantages of a cabman as a confidant. they had driven him home a dozen times ', ' temple. see the advantages of a cabman as a confidant. they had driven him home a dozen times from ', 'le. see the advantages of a cabman as a confidant. they had driven him home a dozen times from serpe', 'ee the advantages of a cabman as a confidant. they had driven him home a dozen times from serpentine', 'e advantages of a cabman as a confidant. they had driven him home a dozen times from serpentine-mews', 'antages of a cabman as a confidant. they had driven him home a dozen times from serpentine-mews, and', 'es of a cabman as a confidant. they had driven him home a dozen times from serpentine-mews, and knew', ' a cabman as a confidant. they had driven him home a dozen times from serpentine-mews, and knew all ', 'bman as a confidant. they had driven him home a dozen times from serpentine-mews, and knew all about', 'as a confidant. they had driven him home a dozen times from serpentine-mews, and knew all about him.', 'confidant. they had driven him home a dozen times from serpentine-mews, and knew all about him. when', 'dant. they had driven him home a dozen times from serpentine-mews, and knew all about him. when i ha', ' they had driven him home a dozen times from serpentine-mews, and knew all about him. when i had lis', ' had driven him home a dozen times from serpentine-mews, and knew all about him. when i had listened', 'driven him home a dozen times from serpentine-mews, and knew all about him. when i had listened to a', 'n him home a dozen times from serpentine-mews, and knew all about him. when i had listened to all th', ' home a dozen times from serpentine-mews, and knew all about him. when i had listened to all they ha', ' a dozen times from serpentine-mews, and knew all about him. when i had listened to all they had to ', 'zen times from serpentine-mews, and knew all about him. when i had listened to all they had to tell,', 'imes from serpentine-mews, and knew all about him. when i had listened to all they had to tell, i be', 'from serpentine-mews, and knew all about him. when i had listened to all they had to tell, i began t', 'serpentine-mews, and knew all about him. when i had listened to all they had to tell, i began to wal', 'ntine-mews, and knew all about him. when i had listened to all they had to tell, i began to walk up ', '-mews, and knew all about him. when i had listened to all they had to tell, i began to walk up and d', ', and knew all about him. when i had listened to all they had to tell, i began to walk up and down n', ' knew all about him. when i had listened to all they had to tell, i began to walk up and down near b', ' all about him. when i had listened to all they had to tell, i began to walk up and down near briony', 'about him. when i had listened to all they had to tell, i began to walk up and down near briony lodg', ' him. when i had listened to all they had to tell, i began to walk up and down near briony lodge onc', ' when i had listened to all they had to tell, i began to walk up and down near briony lodge once mor', ' i had listened to all they had to tell, i began to walk up and down near briony lodge once more, an', 'd listened to all they had to tell, i began to walk up and down near briony lodge once more, and to ', 'tened to all they had to tell, i began to walk up and down near briony lodge once more, and to think', ' to all they had to tell, i began to walk up and down near briony lodge once more, and to think over', 'll they had to tell, i began to walk up and down near briony lodge once more, and to think over my p', 'ey had to tell, i began to walk up and down near briony lodge once more, and to think over my plan o', 'd to tell, i began to walk up and down near briony lodge once more, and to think over my plan of cam', 'tell, i began to walk up and down near briony lodge once more, and to think over my plan of campaign', ' i began to walk up and down near briony lodge once more, and to think over my plan of campaign. "th', 'gan to walk up and down near briony lodge once more, and to think over my plan of campaign. "this go', 'o walk up and down near briony lodge once more, and to think over my plan of campaign. "this godfrey', 'k up and down near briony lodge once more, and to think over my plan of campaign. "this godfrey nort', 'and down near briony lodge once more, and to think over my plan of campaign. "this godfrey norton wa', 'own near briony lodge once more, and to think over my plan of campaign. "this godfrey norton was evi', 'ear briony lodge once more, and to think over my plan of campaign. "this godfrey norton was evidentl', 'riony lodge once more, and to think over my plan of campaign. "this godfrey norton was evidently an ', ' lodge once more, and to think over my plan of campaign. "this godfrey norton was evidently an impor', 'e once more, and to think over my plan of campaign. "this godfrey norton was evidently an important ', 'e more, and to think over my plan of campaign. "this godfrey norton was evidently an important facto', 'e, and to think over my plan of campaign. "this godfrey norton was evidently an important factor in ', 'd to think over my plan of campaign. "this godfrey norton was evidently an important factor in the m', 'think over my plan of campaign. "this godfrey norton was evidently an important factor in the matter', ' over my plan of campaign. "this godfrey norton was evidently an important factor in the matter. he ', ' my plan of campaign. "this godfrey norton was evidently an important factor in the matter. he was a', 'lan of campaign. "this godfrey norton was evidently an important factor in the matter. he was a lawy', 'f campaign. "this godfrey norton was evidently an important factor in the matter. he was a lawyer. t', 'paign. "this godfrey norton was evidently an important factor in the matter. he was a lawyer. that s', '. "this godfrey norton was evidently an important factor in the matter. he was a lawyer. that sounde', 'is godfrey norton was evidently an important factor in the matter. he was a lawyer. that sounded omi', 'dfrey norton was evidently an important factor in the matter. he was a lawyer. that sounded ominous.', ' norton was evidently an important factor in the matter. he was a lawyer. that sounded ominous. what', 'on was evidently an important factor in the matter. he was a lawyer. that sounded ominous. what was ', 's evidently an important factor in the matter. he was a lawyer. that sounded ominous. what was the r', 'dently an important factor in the matter. he was a lawyer. that sounded ominous. what was the relati', 'y an important factor in the matter. he was a lawyer. that sounded ominous. what was the relation be', 'important factor in the matter. he was a lawyer. that sounded ominous. what was the relation between', 'tant factor in the matter. he was a lawyer. that sounded ominous. what was the relation between them', 'factor in the matter. he was a lawyer. that sounded ominous. what was the relation between them, and', 'r in the matter. he was a lawyer. that sounded ominous. what was the relation between them, and what', 'the matter. he was a lawyer. that sounded ominous. what was the relation between them, and what the ', 'atter. he was a lawyer. that sounded ominous. what was the relation between them, and what the objec', '. he was a lawyer. that sounded ominous. what was the relation between them, and what the object of ', 'was a lawyer. that sounded ominous. what was the relation between them, and what the object of his r', ' lawyer. that sounded ominous. what was the relation between them, and what the object of his repeat', 'er. that sounded ominous. what was the relation between them, and what the object of his repeated vi', 'hat sounded ominous. what was the relation between them, and what the object of his repeated visits?', 'ounded ominous. what was the relation between them, and what the object of his repeated visits? was ', 'd ominous. what was the relation between them, and what the object of his repeated visits? was she h', 'nous. what was the relation between them, and what the object of his repeated visits? was she his cl', ' what was the relation between them, and what the object of his repeated visits? was she his client,', ' was the relation between them, and what the object of his repeated visits? was she his client, his ', 'the relation between them, and what the object of his repeated visits? was she his client, his frien', 'elation between them, and what the object of his repeated visits? was she his client, his friend, or', 'on between them, and what the object of his repeated visits? was she his client, his friend, or his ', 'tween them, and what the object of his repeated visits? was she his client, his friend, or his mistr', ' them, and what the object of his repeated visits? was she his client, his friend, or his mistress? ', ', and what the object of his repeated visits? was she his client, his friend, or his mistress? if th', ' what the object of his repeated visits? was she his client, his friend, or his mistress? if the for', ' the object of his repeated visits? was she his client, his friend, or his mistress? if the former, ', 'object of his repeated visits? was she his client, his friend, or his mistress? if the former, she h', 't of his repeated visits? was she his client, his friend, or his mistress? if the former, she had pr', 'his repeated visits? was she his client, his friend, or his mistress? if the former, she had probabl', 'epeated visits? was she his client, his friend, or his mistress? if the former, she had probably tra', 'ed visits? was she his client, his friend, or his mistress? if the former, she had probably transfer', 'sits? was she his client, his friend, or his mistress? if the former, she had probably transferred t', ' was she his client, his friend, or his mistress? if the former, she had probably transferred the ph', 'she his client, his friend, or his mistress? if the former, she had probably transferred the photogr', 'is client, his friend, or his mistress? if the former, she had probably transferred the photograph t', 'ient, his friend, or his mistress? if the former, she had probably transferred the photograph to his', ' his friend, or his mistress? if the former, she had probably transferred the photograph to his keep', 'friend, or his mistress? if the former, she had probably transferred the photograph to his keeping. ', 'd, or his mistress? if the former, she had probably transferred the photograph to his keeping. if th', ' his mistress? if the former, she had probably transferred the photograph to his keeping. if the lat', 'mistress? if the former, she had probably transferred the photograph to his keeping. if the latter, ', 'ess? if the former, she had probably transferred the photograph to his keeping. if the latter, it wa', 'if the former, she had probably transferred the photograph to his keeping. if the latter, it was les', 'e former, she had probably transferred the photograph to his keeping. if the latter, it was less lik', 'mer, she had probably transferred the photograph to his keeping. if the latter, it was less likely. ', 'she had probably transferred the photograph to his keeping. if the latter, it was less likely. on th', 'ad probably transferred the photograph to his keeping. if the latter, it was less likely. on the iss', 'obably transferred the photograph to his keeping. if the latter, it was less likely. on the issue of', 'y transferred the photograph to his keeping. if the latter, it was less likely. on the issue of this', 'nsferred the photograph to his keeping. if the latter, it was less likely. on the issue of this ques', 'red the photograph to his keeping. if the latter, it was less likely. on the issue of this question ', 'he photograph to his keeping. if the latter, it was less likely. on the issue of this question depen', 'otograph to his keeping. if the latter, it was less likely. on the issue of this question depended w', 'aph to his keeping. if the latter, it was less likely. on the issue of this question depended whethe', 'o his keeping. if the latter, it was less likely. on the issue of this question depended whether i s', ' keeping. if the latter, it was less likely. on the issue of this question depended whether i should', 'ing. if the latter, it was less likely. on the issue of this question depended whether i should cont', 'if the latter, it was less likely. on the issue of this question depended whether i should continue ', 'e latter, it was less likely. on the issue of this question depended whether i should continue my wo', 'ter, it was less likely. on the issue of this question depended whether i should continue my work at', 'it was less likely. on the issue of this question depended whether i should continue my work at brio', 's less likely. on the issue of this question depended whether i should continue my work at briony lo', 's likely. on the issue of this question depended whether i should continue my work at briony lodge, ', 'ely. on the issue of this question depended whether i should continue my work at briony lodge, or tu', 'on the issue of this question depended whether i should continue my work at briony lodge, or turn my', 'e issue of this question depended whether i should continue my work at briony lodge, or turn my atte', 'ue of this question depended whether i should continue my work at briony lodge, or turn my attention', ' this question depended whether i should continue my work at briony lodge, or turn my attention to t', ' question depended whether i should continue my work at briony lodge, or turn my attention to the ge', 'tion depended whether i should continue my work at briony lodge, or turn my attention to the gentlem', "depended whether i should continue my work at briony lodge, or turn my attention to the gentleman's ", "ded whether i should continue my work at briony lodge, or turn my attention to the gentleman's chamb", "hether i should continue my work at briony lodge, or turn my attention to the gentleman's chambers i", "r i should continue my work at briony lodge, or turn my attention to the gentleman's chambers in the", "hould continue my work at briony lodge, or turn my attention to the gentleman's chambers in the temp", " continue my work at briony lodge, or turn my attention to the gentleman's chambers in the temple. i", "inue my work at briony lodge, or turn my attention to the gentleman's chambers in the temple. it was", "my work at briony lodge, or turn my attention to the gentleman's chambers in the temple. it was a de", "rk at briony lodge, or turn my attention to the gentleman's chambers in the temple. it was a delicat", " briony lodge, or turn my attention to the gentleman's chambers in the temple. it was a delicate poi", "ny lodge, or turn my attention to the gentleman's chambers in the temple. it was a delicate point, a", "dge, or turn my attention to the gentleman's chambers in the temple. it was a delicate point, and it", "or turn my attention to the gentleman's chambers in the temple. it was a delicate point, and it wide", "rn my attention to the gentleman's chambers in the temple. it was a delicate point, and it widened t", " attention to the gentleman's chambers in the temple. it was a delicate point, and it widened the fi", "ntion to the gentleman's chambers in the temple. it was a delicate point, and it widened the field o", " to the gentleman's chambers in the temple. it was a delicate point, and it widened the field of my ", "he gentleman's chambers in the temple. it was a delicate point, and it widened the field of my inqui", "ntleman's chambers in the temple. it was a delicate point, and it widened the field of my inquiry. i", "an's chambers in the temple. it was a delicate point, and it widened the field of my inquiry. i fear", 'chambers in the temple. it was a delicate point, and it widened the field of my inquiry. i fear that', 'ers in the temple. it was a delicate point, and it widened the field of my inquiry. i fear that i bo', 'n the temple. it was a delicate point, and it widened the field of my inquiry. i fear that i bore yo', ' temple. it was a delicate point, and it widened the field of my inquiry. i fear that i bore you wit', 'le. it was a delicate point, and it widened the field of my inquiry. i fear that i bore you with the', 't was a delicate point, and it widened the field of my inquiry. i fear that i bore you with these de', ' a delicate point, and it widened the field of my inquiry. i fear that i bore you with these details', 'licate point, and it widened the field of my inquiry. i fear that i bore you with these details, but', 'e point, and it widened the field of my inquiry. i fear that i bore you with these details, but i ha', 'nt, and it widened the field of my inquiry. i fear that i bore you with these details, but i have to', 'nd it widened the field of my inquiry. i fear that i bore you with these details, but i have to let ', ' widened the field of my inquiry. i fear that i bore you with these details, but i have to let you s', 'ned the field of my inquiry. i fear that i bore you with these details, but i have to let you see my', 'he field of my inquiry. i fear that i bore you with these details, but i have to let you see my litt', 'eld of my inquiry. i fear that i bore you with these details, but i have to let you see my little di', 'f my inquiry. i fear that i bore you with these details, but i have to let you see my little difficu', 'inquiry. i fear that i bore you with these details, but i have to let you see my little difficulties', 'ry. i fear that i bore you with these details, but i have to let you see my little difficulties, if ', ' fear that i bore you with these details, but i have to let you see my little difficulties, if you a', ' that i bore you with these details, but i have to let you see my little difficulties, if you are to', ' i bore you with these details, but i have to let you see my little difficulties, if you are to unde', 're you with these details, but i have to let you see my little difficulties, if you are to understan', 'u with these details, but i have to let you see my little difficulties, if you are to understand the', 'h these details, but i have to let you see my little difficulties, if you are to understand the situ', 'se details, but i have to let you see my little difficulties, if you are to understand the situation', 'tails, but i have to let you see my little difficulties, if you are to understand the situation." "i', ', but i have to let you see my little difficulties, if you are to understand the situation." "i am f', ' i have to let you see my little difficulties, if you are to understand the situation." "i am follow', 've to let you see my little difficulties, if you are to understand the situation." "i am following y', ' let you see my little difficulties, if you are to understand the situation." "i am following you cl', 'you see my little difficulties, if you are to understand the situation." "i am following you closely', 'ee my little difficulties, if you are to understand the situation." "i am following you closely," i ', ' little difficulties, if you are to understand the situation." "i am following you closely," i answe', 'le difficulties, if you are to understand the situation." "i am following you closely," i answered. ', 'fficulties, if you are to understand the situation." "i am following you closely," i answered. "i wa', 'lties, if you are to understand the situation." "i am following you closely," i answered. "i was sti', ', if you are to understand the situation." "i am following you closely," i answered. "i was still ba', 'you are to understand the situation." "i am following you closely," i answered. "i was still balanci', 're to understand the situation." "i am following you closely," i answered. "i was still balancing th', ' understand the situation." "i am following you closely," i answered. "i was still balancing the mat', 'rstand the situation." "i am following you closely," i answered. "i was still balancing the matter i', 'd the situation." "i am following you closely," i answered. "i was still balancing the matter in my ', ' situation." "i am following you closely," i answered. "i was still balancing the matter in my mind ', 'ation." "i am following you closely," i answered. "i was still balancing the matter in my mind when ', '." "i am following you closely," i answered. "i was still balancing the matter in my mind when a han', ' am following you closely," i answered. "i was still balancing the matter in my mind when a hansom c', 'ollowing you closely," i answered. "i was still balancing the matter in my mind when a hansom cab dr', 'ing you closely," i answered. "i was still balancing the matter in my mind when a hansom cab drove u', 'ou closely," i answered. "i was still balancing the matter in my mind when a hansom cab drove up to ', 'osely," i answered. "i was still balancing the matter in my mind when a hansom cab drove up to brion', '," i answered. "i was still balancing the matter in my mind when a hansom cab drove up to briony lod', 'answered. "i was still balancing the matter in my mind when a hansom cab drove up to briony lodge, a', 'red. "i was still balancing the matter in my mind when a hansom cab drove up to briony lodge, and a ', '"i was still balancing the matter in my mind when a hansom cab drove up to briony lodge, and a gentl', 's still balancing the matter in my mind when a hansom cab drove up to briony lodge, and a gentleman ', 'll balancing the matter in my mind when a hansom cab drove up to briony lodge, and a gentleman spran', 'lancing the matter in my mind when a hansom cab drove up to briony lodge, and a gentleman sprang out', 'ng the matter in my mind when a hansom cab drove up to briony lodge, and a gentleman sprang out. he ', 'e matter in my mind when a hansom cab drove up to briony lodge, and a gentleman sprang out. he was a', 'ter in my mind when a hansom cab drove up to briony lodge, and a gentleman sprang out. he was a rema', 'n my mind when a hansom cab drove up to briony lodge, and a gentleman sprang out. he was a remarkabl', 'mind when a hansom cab drove up to briony lodge, and a gentleman sprang out. he was a remarkably han', 'when a hansom cab drove up to briony lodge, and a gentleman sprang out. he was a remarkably handsome', 'a hansom cab drove up to briony lodge, and a gentleman sprang out. he was a remarkably handsome man,', 'som cab drove up to briony lodge, and a gentleman sprang out. he was a remarkably handsome man, dark', 'ab drove up to briony lodge, and a gentleman sprang out. he was a remarkably handsome man, dark, aqu', 'ove up to briony lodge, and a gentleman sprang out. he was a remarkably handsome man, dark, aquiline', 'p to briony lodge, and a gentleman sprang out. he was a remarkably handsome man, dark, aquiline, and', 'briony lodge, and a gentleman sprang out. he was a remarkably handsome man, dark, aquiline, and mous', 'y lodge, and a gentleman sprang out. he was a remarkably handsome man, dark, aquiline, and moustache', 'ge, and a gentleman sprang out. he was a remarkably handsome man, dark, aquiline, and moustachedevid', 'nd a gentleman sprang out. he was a remarkably handsome man, dark, aquiline, and moustachedevidently', 'gentleman sprang out. he was a remarkably handsome man, dark, aquiline, and moustachedevidently the ', 'eman sprang out. he was a remarkably handsome man, dark, aquiline, and moustachedevidently the man o', 'sprang out. he was a remarkably handsome man, dark, aquiline, and moustachedevidently the man of who', 'g out. he was a remarkably handsome man, dark, aquiline, and moustachedevidently the man of whom i h', '. he was a remarkably handsome man, dark, aquiline, and moustachedevidently the man of whom i had he', 'was a remarkably handsome man, dark, aquiline, and moustachedevidently the man of whom i had heard. ', ' remarkably handsome man, dark, aquiline, and moustachedevidently the man of whom i had heard. he ap', 'rkably handsome man, dark, aquiline, and moustachedevidently the man of whom i had heard. he appeare', 'y handsome man, dark, aquiline, and moustachedevidently the man of whom i had heard. he appeared to ', 'dsome man, dark, aquiline, and moustachedevidently the man of whom i had heard. he appeared to be in', ' man, dark, aquiline, and moustachedevidently the man of whom i had heard. he appeared to be in a gr', ' dark, aquiline, and moustachedevidently the man of whom i had heard. he appeared to be in a great h', ', aquiline, and moustachedevidently the man of whom i had heard. he appeared to be in a great hurry,', 'iline, and moustachedevidently the man of whom i had heard. he appeared to be in a great hurry, shou', ', and moustachedevidently the man of whom i had heard. he appeared to be in a great hurry, shouted t', ' moustachedevidently the man of whom i had heard. he appeared to be in a great hurry, shouted to the', 'tachedevidently the man of whom i had heard. he appeared to be in a great hurry, shouted to the cabm', 'devidently the man of whom i had heard. he appeared to be in a great hurry, shouted to the cabman to', 'ently the man of whom i had heard. he appeared to be in a great hurry, shouted to the cabman to wait', ' the man of whom i had heard. he appeared to be in a great hurry, shouted to the cabman to wait, and', 'man of whom i had heard. he appeared to be in a great hurry, shouted to the cabman to wait, and brus', 'f whom i had heard. he appeared to be in a great hurry, shouted to the cabman to wait, and brushed p', 'm i had heard. he appeared to be in a great hurry, shouted to the cabman to wait, and brushed past t', 'ad heard. he appeared to be in a great hurry, shouted to the cabman to wait, and brushed past the ma', 'ard. he appeared to be in a great hurry, shouted to the cabman to wait, and brushed past the maid wh', 'he appeared to be in a great hurry, shouted to the cabman to wait, and brushed past the maid who ope', 'peared to be in a great hurry, shouted to the cabman to wait, and brushed past the maid who opened t', 'd to be in a great hurry, shouted to the cabman to wait, and brushed past the maid who opened the do', 'be in a great hurry, shouted to the cabman to wait, and brushed past the maid who opened the door wi', ' a great hurry, shouted to the cabman to wait, and brushed past the maid who opened the door with th', 'eat hurry, shouted to the cabman to wait, and brushed past the maid who opened the door with the air', 'urry, shouted to the cabman to wait, and brushed past the maid who opened the door with the air of a', ' shouted to the cabman to wait, and brushed past the maid who opened the door with the air of a man ', 'ted to the cabman to wait, and brushed past the maid who opened the door with the air of a man who w', 'o the cabman to wait, and brushed past the maid who opened the door with the air of a man who was th', ' cabman to wait, and brushed past the maid who opened the door with the air of a man who was thoroug', 'an to wait, and brushed past the maid who opened the door with the air of a man who was thoroughly a', ' wait, and brushed past the maid who opened the door with the air of a man who was thoroughly at hom', ', and brushed past the maid who opened the door with the air of a man who was thoroughly at home. "h', ' brushed past the maid who opened the door with the air of a man who was thoroughly at home. "he was', 'hed past the maid who opened the door with the air of a man who was thoroughly at home. "he was in t', 'ast the maid who opened the door with the air of a man who was thoroughly at home. "he was in the ho', 'he maid who opened the door with the air of a man who was thoroughly at home. "he was in the house a', 'id who opened the door with the air of a man who was thoroughly at home. "he was in the house about ', 'o opened the door with the air of a man who was thoroughly at home. "he was in the house about half ', 'ned the door with the air of a man who was thoroughly at home. "he was in the house about half an ho', 'he door with the air of a man who was thoroughly at home. "he was in the house about half an hour, a', 'or with the air of a man who was thoroughly at home. "he was in the house about half an hour, and i ', 'th the air of a man who was thoroughly at home. "he was in the house about half an hour, and i could', 'e air of a man who was thoroughly at home. "he was in the house about half an hour, and i could catc', ' of a man who was thoroughly at home. "he was in the house about half an hour, and i could catch gli', ' man who was thoroughly at home. "he was in the house about half an hour, and i could catch glimpses', 'who was thoroughly at home. "he was in the house about half an hour, and i could catch glimpses of h', 'as thoroughly at home. "he was in the house about half an hour, and i could catch glimpses of him in', 'oroughly at home. "he was in the house about half an hour, and i could catch glimpses of him in the ', 'hly at home. "he was in the house about half an hour, and i could catch glimpses of him in the windo', 't home. "he was in the house about half an hour, and i could catch glimpses of him in the windows of', 'e. "he was in the house about half an hour, and i could catch glimpses of him in the windows of the ', 'e was in the house about half an hour, and i could catch glimpses of him in the windows of the sitti', ' in the house about half an hour, and i could catch glimpses of him in the windows of the sitting-ro', 'he house about half an hour, and i could catch glimpses of him in the windows of the sitting-room, p', 'use about half an hour, and i could catch glimpses of him in the windows of the sitting-room, pacing', 'bout half an hour, and i could catch glimpses of him in the windows of the sitting-room, pacing up a', 'half an hour, and i could catch glimpses of him in the windows of the sitting-room, pacing up and do', 'an hour, and i could catch glimpses of him in the windows of the sitting-room, pacing up and down, t', 'ur, and i could catch glimpses of him in the windows of the sitting-room, pacing up and down, talkin', 'nd i could catch glimpses of him in the windows of the sitting-room, pacing up and down, talking exc', 'could catch glimpses of him in the windows of the sitting-room, pacing up and down, talking excitedl', ' catch glimpses of him in the windows of the sitting-room, pacing up and down, talking excitedly, an', 'h glimpses of him in the windows of the sitting-room, pacing up and down, talking excitedly, and wav', 'mpses of him in the windows of the sitting-room, pacing up and down, talking excitedly, and waving h', ' of him in the windows of the sitting-room, pacing up and down, talking excitedly, and waving his ar', 'im in the windows of the sitting-room, pacing up and down, talking excitedly, and waving his arms. o', ' the windows of the sitting-room, pacing up and down, talking excitedly, and waving his arms. of her', 'windows of the sitting-room, pacing up and down, talking excitedly, and waving his arms. of her i co', 'ws of the sitting-room, pacing up and down, talking excitedly, and waving his arms. of her i could s', ' the sitting-room, pacing up and down, talking excitedly, and waving his arms. of her i could see no', 'sitting-room, pacing up and down, talking excitedly, and waving his arms. of her i could see nothing', 'ng-room, pacing up and down, talking excitedly, and waving his arms. of her i could see nothing. pre', 'om, pacing up and down, talking excitedly, and waving his arms. of her i could see nothing. presentl', 'acing up and down, talking excitedly, and waving his arms. of her i could see nothing. presently he ', ' up and down, talking excitedly, and waving his arms. of her i could see nothing. presently he emerg', 'nd down, talking excitedly, and waving his arms. of her i could see nothing. presently he emerged, l', 'wn, talking excitedly, and waving his arms. of her i could see nothing. presently he emerged, lookin', 'alking excitedly, and waving his arms. of her i could see nothing. presently he emerged, looking eve', 'g excitedly, and waving his arms. of her i could see nothing. presently he emerged, looking even mor', 'itedly, and waving his arms. of her i could see nothing. presently he emerged, looking even more flu', 'y, and waving his arms. of her i could see nothing. presently he emerged, looking even more flurried', 'd waving his arms. of her i could see nothing. presently he emerged, looking even more flurried than', 'ing his arms. of her i could see nothing. presently he emerged, looking even more flurried than befo', 'is arms. of her i could see nothing. presently he emerged, looking even more flurried than before. a', 'ms. of her i could see nothing. presently he emerged, looking even more flurried than before. as he ', 'f her i could see nothing. presently he emerged, looking even more flurried than before. as he stepp', ' i could see nothing. presently he emerged, looking even more flurried than before. as he stepped up', 'uld see nothing. presently he emerged, looking even more flurried than before. as he stepped up to t', 'ee nothing. presently he emerged, looking even more flurried than before. as he stepped up to the ca', 'thing. presently he emerged, looking even more flurried than before. as he stepped up to the cab, he', '. presently he emerged, looking even more flurried than before. as he stepped up to the cab, he pull', 'sently he emerged, looking even more flurried than before. as he stepped up to the cab, he pulled a ', 'y he emerged, looking even more flurried than before. as he stepped up to the cab, he pulled a gold ', 'emerged, looking even more flurried than before. as he stepped up to the cab, he pulled a gold watch', 'ed, looking even more flurried than before. as he stepped up to the cab, he pulled a gold watch from', 'ooking even more flurried than before. as he stepped up to the cab, he pulled a gold watch from his ', 'g even more flurried than before. as he stepped up to the cab, he pulled a gold watch from his pocke', 'n more flurried than before. as he stepped up to the cab, he pulled a gold watch from his pocket and', 'e flurried than before. as he stepped up to the cab, he pulled a gold watch from his pocket and look', 'rried than before. as he stepped up to the cab, he pulled a gold watch from his pocket and looked at', ' than before. as he stepped up to the cab, he pulled a gold watch from his pocket and looked at it e', ' before. as he stepped up to the cab, he pulled a gold watch from his pocket and looked at it earnes', 're. as he stepped up to the cab, he pulled a gold watch from his pocket and looked at it earnestly, ', "s he stepped up to the cab, he pulled a gold watch from his pocket and looked at it earnestly, 'driv", "stepped up to the cab, he pulled a gold watch from his pocket and looked at it earnestly, 'drive lik", "ed up to the cab, he pulled a gold watch from his pocket and looked at it earnestly, 'drive like the", " to the cab, he pulled a gold watch from his pocket and looked at it earnestly, 'drive like the devi", "he cab, he pulled a gold watch from his pocket and looked at it earnestly, 'drive like the devil,' h", "b, he pulled a gold watch from his pocket and looked at it earnestly, 'drive like the devil,' he sho", " pulled a gold watch from his pocket and looked at it earnestly, 'drive like the devil,' he shouted,", "ed a gold watch from his pocket and looked at it earnestly, 'drive like the devil,' he shouted, 'fir", "gold watch from his pocket and looked at it earnestly, 'drive like the devil,' he shouted, 'first to", "watch from his pocket and looked at it earnestly, 'drive like the devil,' he shouted, 'first to gros", " from his pocket and looked at it earnestly, 'drive like the devil,' he shouted, 'first to gross ha", " his pocket and looked at it earnestly, 'drive like the devil,' he shouted, 'first to gross hankey'", "pocket and looked at it earnestly, 'drive like the devil,' he shouted, 'first to gross hankey's in ", "t and looked at it earnestly, 'drive like the devil,' he shouted, 'first to gross hankey's in regen", " looked at it earnestly, 'drive like the devil,' he shouted, 'first to gross hankey's in regent str", "ed at it earnestly, 'drive like the devil,' he shouted, 'first to gross hankey's in regent street, ", " it earnestly, 'drive like the devil,' he shouted, 'first to gross hankey's in regent street, and t", "arnestly, 'drive like the devil,' he shouted, 'first to gross hankey's in regent street, and then t", "tly, 'drive like the devil,' he shouted, 'first to gross hankey's in regent street, and then to the", "'drive like the devil,' he shouted, 'first to gross hankey's in regent street, and then to the chur", "e like the devil,' he shouted, 'first to gross hankey's in regent street, and then to the church of", "e the devil,' he shouted, 'first to gross hankey's in regent street, and then to the church of st. ", " devil,' he shouted, 'first to gross hankey's in regent street, and then to the church of st. monic", "l,' he shouted, 'first to gross hankey's in regent street, and then to the church of st. monica in ", "e shouted, 'first to gross hankey's in regent street, and then to the church of st. monica in the e", "uted, 'first to gross hankey's in regent street, and then to the church of st. monica in the edgewa", " 'first to gross hankey's in regent street, and then to the church of st. monica in the edgeware ro", "st to gross hankey's in regent street, and then to the church of st. monica in the edgeware road. h", " gross hankey's in regent street, and then to the church of st. monica in the edgeware road. half a", "s hankey's in regent street, and then to the church of st. monica in the edgeware road. half a guin", "nkey's in regent street, and then to the church of st. monica in the edgeware road. half a guinea if", 's in regent street, and then to the church of st. monica in the edgeware road. half a guinea if you ', 'regent street, and then to the church of st. monica in the edgeware road. half a guinea if you do it', 't street, and then to the church of st. monica in the edgeware road. half a guinea if you do it in t', 'eet, and then to the church of st. monica in the edgeware road. half a guinea if you do it in twenty', 'and then to the church of st. monica in the edgeware road. half a guinea if you do it in twenty minu', 'hen to the church of st. monica in the edgeware road. half a guinea if you do it in twenty minutes ', 'o the church of st. monica in the edgeware road. half a guinea if you do it in twenty minutes "away', ' church of st. monica in the edgeware road. half a guinea if you do it in twenty minutes "away they', 'ch of st. monica in the edgeware road. half a guinea if you do it in twenty minutes "away they went', ' st. monica in the edgeware road. half a guinea if you do it in twenty minutes "away they went, and', 'monica in the edgeware road. half a guinea if you do it in twenty minutes "away they went, and i wa', 'a in the edgeware road. half a guinea if you do it in twenty minutes "away they went, and i was jus', 'the edgeware road. half a guinea if you do it in twenty minutes "away they went, and i was just won', 'dgeware road. half a guinea if you do it in twenty minutes "away they went, and i was just wonderin', 're road. half a guinea if you do it in twenty minutes "away they went, and i was just wondering whe', 'ad. half a guinea if you do it in twenty minutes "away they went, and i was just wondering whether ', 'alf a guinea if you do it in twenty minutes "away they went, and i was just wondering whether i sho', ' guinea if you do it in twenty minutes "away they went, and i was just wondering whether i should n', 'ea if you do it in twenty minutes "away they went, and i was just wondering whether i should not do', ' you do it in twenty minutes "away they went, and i was just wondering whether i should not do well', 'do it in twenty minutes "away they went, and i was just wondering whether i should not do well to f', ' in twenty minutes "away they went, and i was just wondering whether i should not do well to follow', 'wenty minutes "away they went, and i was just wondering whether i should not do well to follow them', ' minutes "away they went, and i was just wondering whether i should not do well to follow them when', 'tes "away they went, and i was just wondering whether i should not do well to follow them when up t', '"away they went, and i was just wondering whether i should not do well to follow them when up the la', ' they went, and i was just wondering whether i should not do well to follow them when up the lane ca', ' went, and i was just wondering whether i should not do well to follow them when up the lane came a ', ', and i was just wondering whether i should not do well to follow them when up the lane came a neat ', ' i was just wondering whether i should not do well to follow them when up the lane came a neat littl', 's just wondering whether i should not do well to follow them when up the lane came a neat little lan', 't wondering whether i should not do well to follow them when up the lane came a neat little landau, ', 'dering whether i should not do well to follow them when up the lane came a neat little landau, the c', 'g whether i should not do well to follow them when up the lane came a neat little landau, the coachm', 'ther i should not do well to follow them when up the lane came a neat little landau, the coachman wi', 'i should not do well to follow them when up the lane came a neat little landau, the coachman with hi', 'uld not do well to follow them when up the lane came a neat little landau, the coachman with his coa', 'ot do well to follow them when up the lane came a neat little landau, the coachman with his coat onl', ' well to follow them when up the lane came a neat little landau, the coachman with his coat only hal', ' to follow them when up the lane came a neat little landau, the coachman with his coat only half-but', 'ollow them when up the lane came a neat little landau, the coachman with his coat only half-buttoned', ' them when up the lane came a neat little landau, the coachman with his coat only half-buttoned, and', ' when up the lane came a neat little landau, the coachman with his coat only half-buttoned, and his ', ' up the lane came a neat little landau, the coachman with his coat only half-buttoned, and his tie u', 'he lane came a neat little landau, the coachman with his coat only half-buttoned, and his tie under ', 'ne came a neat little landau, the coachman with his coat only half-buttoned, and his tie under his e', 'me a neat little landau, the coachman with his coat only half-buttoned, and his tie under his ear, w', 'neat little landau, the coachman with his coat only half-buttoned, and his tie under his ear, while ', 'little landau, the coachman with his coat only half-buttoned, and his tie under his ear, while all t', 'e landau, the coachman with his coat only half-buttoned, and his tie under his ear, while all the ta', 'dau, the coachman with his coat only half-buttoned, and his tie under his ear, while all the tags of', 'the coachman with his coat only half-buttoned, and his tie under his ear, while all the tags of his ', 'oachman with his coat only half-buttoned, and his tie under his ear, while all the tags of his harne', 'an with his coat only half-buttoned, and his tie under his ear, while all the tags of his harness we', 'th his coat only half-buttoned, and his tie under his ear, while all the tags of his harness were st', 's coat only half-buttoned, and his tie under his ear, while all the tags of his harness were stickin', 't only half-buttoned, and his tie under his ear, while all the tags of his harness were sticking out', 'y half-buttoned, and his tie under his ear, while all the tags of his harness were sticking out of t', 'f-buttoned, and his tie under his ear, while all the tags of his harness were sticking out of the bu', 'toned, and his tie under his ear, while all the tags of his harness were sticking out of the buckles', ', and his tie under his ear, while all the tags of his harness were sticking out of the buckles. it ', " his tie under his ear, while all the tags of his harness were sticking out of the buckles. it hadn'", "tie under his ear, while all the tags of his harness were sticking out of the buckles. it hadn't pul", "nder his ear, while all the tags of his harness were sticking out of the buckles. it hadn't pulled u", "his ear, while all the tags of his harness were sticking out of the buckles. it hadn't pulled up bef", "ar, while all the tags of his harness were sticking out of the buckles. it hadn't pulled up before s", "hile all the tags of his harness were sticking out of the buckles. it hadn't pulled up before she sh", "all the tags of his harness were sticking out of the buckles. it hadn't pulled up before she shot ou", "he tags of his harness were sticking out of the buckles. it hadn't pulled up before she shot out of ", "gs of his harness were sticking out of the buckles. it hadn't pulled up before she shot out of the h", " his harness were sticking out of the buckles. it hadn't pulled up before she shot out of the hall d", "harness were sticking out of the buckles. it hadn't pulled up before she shot out of the hall door a", "ss were sticking out of the buckles. it hadn't pulled up before she shot out of the hall door and in", "re sticking out of the buckles. it hadn't pulled up before she shot out of the hall door and into it", "icking out of the buckles. it hadn't pulled up before she shot out of the hall door and into it. i o", "g out of the buckles. it hadn't pulled up before she shot out of the hall door and into it. i only c", " of the buckles. it hadn't pulled up before she shot out of the hall door and into it. i only caught", "he buckles. it hadn't pulled up before she shot out of the hall door and into it. i only caught a gl", "ckles. it hadn't pulled up before she shot out of the hall door and into it. i only caught a glimpse", ". it hadn't pulled up before she shot out of the hall door and into it. i only caught a glimpse of h", "hadn't pulled up before she shot out of the hall door and into it. i only caught a glimpse of her at", 't pulled up before she shot out of the hall door and into it. i only caught a glimpse of her at the ', 'led up before she shot out of the hall door and into it. i only caught a glimpse of her at the momen', 'p before she shot out of the hall door and into it. i only caught a glimpse of her at the moment, bu', 'ore she shot out of the hall door and into it. i only caught a glimpse of her at the moment, but she', 'he shot out of the hall door and into it. i only caught a glimpse of her at the moment, but she was ', 'ot out of the hall door and into it. i only caught a glimpse of her at the moment, but she was a lov', 't of the hall door and into it. i only caught a glimpse of her at the moment, but she was a lovely w', 'the hall door and into it. i only caught a glimpse of her at the moment, but she was a lovely woman,', 'all door and into it. i only caught a glimpse of her at the moment, but she was a lovely woman, with', 'oor and into it. i only caught a glimpse of her at the moment, but she was a lovely woman, with a fa', 'nd into it. i only caught a glimpse of her at the moment, but she was a lovely woman, with a face th', 'to it. i only caught a glimpse of her at the moment, but she was a lovely woman, with a face that a ', '. i only caught a glimpse of her at the moment, but she was a lovely woman, with a face that a man m', 'nly caught a glimpse of her at the moment, but she was a lovely woman, with a face that a man might ', 'aught a glimpse of her at the moment, but she was a lovely woman, with a face that a man might die f', ' a glimpse of her at the moment, but she was a lovely woman, with a face that a man might die for. "', 'impse of her at the moment, but she was a lovely woman, with a face that a man might die for. "\'the ', ' of her at the moment, but she was a lovely woman, with a face that a man might die for. "\'the churc', 'er at the moment, but she was a lovely woman, with a face that a man might die for. "\'the church of ', ' the moment, but she was a lovely woman, with a face that a man might die for. "\'the church of st. m', 'moment, but she was a lovely woman, with a face that a man might die for. "\'the church of st. monica', 't, but she was a lovely woman, with a face that a man might die for. "\'the church of st. monica, joh', 't she was a lovely woman, with a face that a man might die for. "\'the church of st. monica, john,\' s', ' was a lovely woman, with a face that a man might die for. "\'the church of st. monica, john,\' she cr', 'a lovely woman, with a face that a man might die for. "\'the church of st. monica, john,\' she cried, ', 'ely woman, with a face that a man might die for. "\'the church of st. monica, john,\' she cried, \'and ', 'oman, with a face that a man might die for. "\'the church of st. monica, john,\' she cried, \'and half ', ' with a face that a man might die for. "\'the church of st. monica, john,\' she cried, \'and half a sov', ' a face that a man might die for. "\'the church of st. monica, john,\' she cried, \'and half a sovereig', 'ce that a man might die for. "\'the church of st. monica, john,\' she cried, \'and half a sovereign if ', 'at a man might die for. "\'the church of st. monica, john,\' she cried, \'and half a sovereign if you r', 'man might die for. "\'the church of st. monica, john,\' she cried, \'and half a sovereign if you reach ', 'ight die for. "\'the church of st. monica, john,\' she cried, \'and half a sovereign if you reach it in', 'die for. "\'the church of st. monica, john,\' she cried, \'and half a sovereign if you reach it in twen', 'or. "\'the church of st. monica, john,\' she cried, \'and half a sovereign if you reach it in twenty mi', "'the church of st. monica, john,' she cried, 'and half a sovereign if you reach it in twenty minutes", 'church of st. monica, john,\' she cried, \'and half a sovereign if you reach it in twenty minutes.\' "t', 'h of st. monica, john,\' she cried, \'and half a sovereign if you reach it in twenty minutes.\' "this w', 'st. monica, john,\' she cried, \'and half a sovereign if you reach it in twenty minutes.\' "this was qu', 'onica, john,\' she cried, \'and half a sovereign if you reach it in twenty minutes.\' "this was quite t', ', john,\' she cried, \'and half a sovereign if you reach it in twenty minutes.\' "this was quite too go', 'n,\' she cried, \'and half a sovereign if you reach it in twenty minutes.\' "this was quite too good to', 'he cried, \'and half a sovereign if you reach it in twenty minutes.\' "this was quite too good to lose', 'ied, \'and half a sovereign if you reach it in twenty minutes.\' "this was quite too good to lose, wat', '\'and half a sovereign if you reach it in twenty minutes.\' "this was quite too good to lose, watson. ', 'half a sovereign if you reach it in twenty minutes.\' "this was quite too good to lose, watson. i was', 'a sovereign if you reach it in twenty minutes.\' "this was quite too good to lose, watson. i was just', 'ereign if you reach it in twenty minutes.\' "this was quite too good to lose, watson. i was just bala', 'n if you reach it in twenty minutes.\' "this was quite too good to lose, watson. i was just balancing', 'you reach it in twenty minutes.\' "this was quite too good to lose, watson. i was just balancing whet', 'each it in twenty minutes.\' "this was quite too good to lose, watson. i was just balancing whether i', 'it in twenty minutes.\' "this was quite too good to lose, watson. i was just balancing whether i shou', ' twenty minutes.\' "this was quite too good to lose, watson. i was just balancing whether i should ru', 'ty minutes.\' "this was quite too good to lose, watson. i was just balancing whether i should run for', 'nutes.\' "this was quite too good to lose, watson. i was just balancing whether i should run for it, ', '.\' "this was quite too good to lose, watson. i was just balancing whether i should run for it, or wh', 'his was quite too good to lose, watson. i was just balancing whether i should run for it, or whether', 'as quite too good to lose, watson. i was just balancing whether i should run for it, or whether i sh', 'ite too good to lose, watson. i was just balancing whether i should run for it, or whether i should ', 'oo good to lose, watson. i was just balancing whether i should run for it, or whether i should perch', 'od to lose, watson. i was just balancing whether i should run for it, or whether i should perch behi', ' lose, watson. i was just balancing whether i should run for it, or whether i should perch behind he', ', watson. i was just balancing whether i should run for it, or whether i should perch behind her lan', 'son. i was just balancing whether i should run for it, or whether i should perch behind her landau w', 'i was just balancing whether i should run for it, or whether i should perch behind her landau when a', ' just balancing whether i should run for it, or whether i should perch behind her landau when a cab ', ' balancing whether i should run for it, or whether i should perch behind her landau when a cab came ', 'ncing whether i should run for it, or whether i should perch behind her landau when a cab came throu', ' whether i should run for it, or whether i should perch behind her landau when a cab came through th', 'her i should run for it, or whether i should perch behind her landau when a cab came through the str', ' should run for it, or whether i should perch behind her landau when a cab came through the street. ', 'ld run for it, or whether i should perch behind her landau when a cab came through the street. the d', 'n for it, or whether i should perch behind her landau when a cab came through the street. the driver', ' it, or whether i should perch behind her landau when a cab came through the street. the driver look', 'or whether i should perch behind her landau when a cab came through the street. the driver looked tw', 'ether i should perch behind her landau when a cab came through the street. the driver looked twice a', ' i should perch behind her landau when a cab came through the street. the driver looked twice at suc', 'ould perch behind her landau when a cab came through the street. the driver looked twice at such a s', 'perch behind her landau when a cab came through the street. the driver looked twice at such a shabby', ' behind her landau when a cab came through the street. the driver looked twice at such a shabby fare', 'nd her landau when a cab came through the street. the driver looked twice at such a shabby fare, but', 'r landau when a cab came through the street. the driver looked twice at such a shabby fare, but i ju', 'dau when a cab came through the street. the driver looked twice at such a shabby fare, but i jumped ', 'hen a cab came through the street. the driver looked twice at such a shabby fare, but i jumped in be', ' cab came through the street. the driver looked twice at such a shabby fare, but i jumped in before ', 'came through the street. the driver looked twice at such a shabby fare, but i jumped in before he co', 'through the street. the driver looked twice at such a shabby fare, but i jumped in before he could o', 'gh the street. the driver looked twice at such a shabby fare, but i jumped in before he could object', "e street. the driver looked twice at such a shabby fare, but i jumped in before he could object. 'th", "eet. the driver looked twice at such a shabby fare, but i jumped in before he could object. 'the chu", "the driver looked twice at such a shabby fare, but i jumped in before he could object. 'the church o", "river looked twice at such a shabby fare, but i jumped in before he could object. 'the church of st.", " looked twice at such a shabby fare, but i jumped in before he could object. 'the church of st. moni", "ed twice at such a shabby fare, but i jumped in before he could object. 'the church of st. monica,' ", "ice at such a shabby fare, but i jumped in before he could object. 'the church of st. monica,' said ", "t such a shabby fare, but i jumped in before he could object. 'the church of st. monica,' said i, 'a", "h a shabby fare, but i jumped in before he could object. 'the church of st. monica,' said i, 'and ha", "habby fare, but i jumped in before he could object. 'the church of st. monica,' said i, 'and half a ", " fare, but i jumped in before he could object. 'the church of st. monica,' said i, 'and half a sover", ", but i jumped in before he could object. 'the church of st. monica,' said i, 'and half a sovereign ", " i jumped in before he could object. 'the church of st. monica,' said i, 'and half a sovereign if yo", "mped in before he could object. 'the church of st. monica,' said i, 'and half a sovereign if you rea", "in before he could object. 'the church of st. monica,' said i, 'and half a sovereign if you reach it", "fore he could object. 'the church of st. monica,' said i, 'and half a sovereign if you reach it in t", "he could object. 'the church of st. monica,' said i, 'and half a sovereign if you reach it in twenty", "uld object. 'the church of st. monica,' said i, 'and half a sovereign if you reach it in twenty minu", "bject. 'the church of st. monica,' said i, 'and half a sovereign if you reach it in twenty minutes.'", ". 'the church of st. monica,' said i, 'and half a sovereign if you reach it in twenty minutes.' it w", "e church of st. monica,' said i, 'and half a sovereign if you reach it in twenty minutes.' it was tw", "rch of st. monica,' said i, 'and half a sovereign if you reach it in twenty minutes.' it was twenty-", "f st. monica,' said i, 'and half a sovereign if you reach it in twenty minutes.' it was twenty-five ", " monica,' said i, 'and half a sovereign if you reach it in twenty minutes.' it was twenty-five minut", "ca,' said i, 'and half a sovereign if you reach it in twenty minutes.' it was twenty-five minutes to", "said i, 'and half a sovereign if you reach it in twenty minutes.' it was twenty-five minutes to twel", "i, 'and half a sovereign if you reach it in twenty minutes.' it was twenty-five minutes to twelve, a", "nd half a sovereign if you reach it in twenty minutes.' it was twenty-five minutes to twelve, and of", "lf a sovereign if you reach it in twenty minutes.' it was twenty-five minutes to twelve, and of cour", "sovereign if you reach it in twenty minutes.' it was twenty-five minutes to twelve, and of course it", "eign if you reach it in twenty minutes.' it was twenty-five minutes to twelve, and of course it was ", "if you reach it in twenty minutes.' it was twenty-five minutes to twelve, and of course it was clear", "u reach it in twenty minutes.' it was twenty-five minutes to twelve, and of course it was clear enou", "ch it in twenty minutes.' it was twenty-five minutes to twelve, and of course it was clear enough wh", " in twenty minutes.' it was twenty-five minutes to twelve, and of course it was clear enough what wa", "wenty minutes.' it was twenty-five minutes to twelve, and of course it was clear enough what was in ", " minutes.' it was twenty-five minutes to twelve, and of course it was clear enough what was in the w", "tes.' it was twenty-five minutes to twelve, and of course it was clear enough what was in the wind. ", ' it was twenty-five minutes to twelve, and of course it was clear enough what was in the wind. "my c', 'as twenty-five minutes to twelve, and of course it was clear enough what was in the wind. "my cabby ', 'enty-five minutes to twelve, and of course it was clear enough what was in the wind. "my cabby drove', 'five minutes to twelve, and of course it was clear enough what was in the wind. "my cabby drove fast', 'minutes to twelve, and of course it was clear enough what was in the wind. "my cabby drove fast. i d', 'es to twelve, and of course it was clear enough what was in the wind. "my cabby drove fast. i don\'t ', ' twelve, and of course it was clear enough what was in the wind. "my cabby drove fast. i don\'t think', 've, and of course it was clear enough what was in the wind. "my cabby drove fast. i don\'t think i ev', 'nd of course it was clear enough what was in the wind. "my cabby drove fast. i don\'t think i ever dr', ' course it was clear enough what was in the wind. "my cabby drove fast. i don\'t think i ever drove f', 'se it was clear enough what was in the wind. "my cabby drove fast. i don\'t think i ever drove faster', ' was clear enough what was in the wind. "my cabby drove fast. i don\'t think i ever drove faster, but', 'clear enough what was in the wind. "my cabby drove fast. i don\'t think i ever drove faster, but the ', ' enough what was in the wind. "my cabby drove fast. i don\'t think i ever drove faster, but the other', 'gh what was in the wind. "my cabby drove fast. i don\'t think i ever drove faster, but the others wer', 'at was in the wind. "my cabby drove fast. i don\'t think i ever drove faster, but the others were the', 's in the wind. "my cabby drove fast. i don\'t think i ever drove faster, but the others were there be', 'the wind. "my cabby drove fast. i don\'t think i ever drove faster, but the others were there before ', 'ind. "my cabby drove fast. i don\'t think i ever drove faster, but the others were there before us. t', '"my cabby drove fast. i don\'t think i ever drove faster, but the others were there before us. the ca', "abby drove fast. i don't think i ever drove faster, but the others were there before us. the cab and", "drove fast. i don't think i ever drove faster, but the others were there before us. the cab and the ", " fast. i don't think i ever drove faster, but the others were there before us. the cab and the landa", ". i don't think i ever drove faster, but the others were there before us. the cab and the landau wit", "on't think i ever drove faster, but the others were there before us. the cab and the landau with the", 'think i ever drove faster, but the others were there before us. the cab and the landau with their st', ' i ever drove faster, but the others were there before us. the cab and the landau with their steamin', 'er drove faster, but the others were there before us. the cab and the landau with their steaming hor', 'ove faster, but the others were there before us. the cab and the landau with their steaming horses w', 'aster, but the others were there before us. the cab and the landau with their steaming horses were i', ', but the others were there before us. the cab and the landau with their steaming horses were in fro', ' the others were there before us. the cab and the landau with their steaming horses were in front of', 'others were there before us. the cab and the landau with their steaming horses were in front of the ', 's were there before us. the cab and the landau with their steaming horses were in front of the door ', 'e there before us. the cab and the landau with their steaming horses were in front of the door when ', 're before us. the cab and the landau with their steaming horses were in front of the door when i arr', 'fore us. the cab and the landau with their steaming horses were in front of the door when i arrived.', 'us. the cab and the landau with their steaming horses were in front of the door when i arrived. i pa', 'he cab and the landau with their steaming horses were in front of the door when i arrived. i paid th', 'b and the landau with their steaming horses were in front of the door when i arrived. i paid the man', ' the landau with their steaming horses were in front of the door when i arrived. i paid the man and ', 'landau with their steaming horses were in front of the door when i arrived. i paid the man and hurri', 'u with their steaming horses were in front of the door when i arrived. i paid the man and hurried in', 'h their steaming horses were in front of the door when i arrived. i paid the man and hurried into th', 'ir steaming horses were in front of the door when i arrived. i paid the man and hurried into the chu', 'eaming horses were in front of the door when i arrived. i paid the man and hurried into the church. ', 'g horses were in front of the door when i arrived. i paid the man and hurried into the church. there', 'ses were in front of the door when i arrived. i paid the man and hurried into the church. there was ', 'ere in front of the door when i arrived. i paid the man and hurried into the church. there was not a', 'n front of the door when i arrived. i paid the man and hurried into the church. there was not a soul', 'nt of the door when i arrived. i paid the man and hurried into the church. there was not a soul ther', ' the door when i arrived. i paid the man and hurried into the church. there was not a soul there sav', 'door when i arrived. i paid the man and hurried into the church. there was not a soul there save the', 'when i arrived. i paid the man and hurried into the church. there was not a soul there save the two ', 'i arrived. i paid the man and hurried into the church. there was not a soul there save the two whom ', 'ived. i paid the man and hurried into the church. there was not a soul there save the two whom i had', ' i paid the man and hurried into the church. there was not a soul there save the two whom i had foll', 'id the man and hurried into the church. there was not a soul there save the two whom i had followed ', 'e man and hurried into the church. there was not a soul there save the two whom i had followed and a', ' and hurried into the church. there was not a soul there save the two whom i had followed and a surp', 'hurried into the church. there was not a soul there save the two whom i had followed and a surpliced', 'ed into the church. there was not a soul there save the two whom i had followed and a surpliced cler', 'to the church. there was not a soul there save the two whom i had followed and a surpliced clergyman', 'e church. there was not a soul there save the two whom i had followed and a surpliced clergyman, who', 'rch. there was not a soul there save the two whom i had followed and a surpliced clergyman, who seem', 'there was not a soul there save the two whom i had followed and a surpliced clergyman, who seemed to', ' was not a soul there save the two whom i had followed and a surpliced clergyman, who seemed to be e', 'not a soul there save the two whom i had followed and a surpliced clergyman, who seemed to be expost', ' soul there save the two whom i had followed and a surpliced clergyman, who seemed to be expostulati', ' there save the two whom i had followed and a surpliced clergyman, who seemed to be expostulating wi', 'e save the two whom i had followed and a surpliced clergyman, who seemed to be expostulating with th', 'e the two whom i had followed and a surpliced clergyman, who seemed to be expostulating with them. t', ' two whom i had followed and a surpliced clergyman, who seemed to be expostulating with them. they w', 'whom i had followed and a surpliced clergyman, who seemed to be expostulating with them. they were a', 'i had followed and a surpliced clergyman, who seemed to be expostulating with them. they were all th', ' followed and a surpliced clergyman, who seemed to be expostulating with them. they were all three s', 'owed and a surpliced clergyman, who seemed to be expostulating with them. they were all three standi', 'and a surpliced clergyman, who seemed to be expostulating with them. they were all three standing in', ' surpliced clergyman, who seemed to be expostulating with them. they were all three standing in a kn', 'liced clergyman, who seemed to be expostulating with them. they were all three standing in a knot in', ' clergyman, who seemed to be expostulating with them. they were all three standing in a knot in fron', 'gyman, who seemed to be expostulating with them. they were all three standing in a knot in front of ', ', who seemed to be expostulating with them. they were all three standing in a knot in front of the a', ' seemed to be expostulating with them. they were all three standing in a knot in front of the altar.', 'ed to be expostulating with them. they were all three standing in a knot in front of the altar. i lo', ' be expostulating with them. they were all three standing in a knot in front of the altar. i lounged', 'xpostulating with them. they were all three standing in a knot in front of the altar. i lounged up t', 'ulating with them. they were all three standing in a knot in front of the altar. i lounged up the si', 'ng with them. they were all three standing in a knot in front of the altar. i lounged up the side ai', 'th them. they were all three standing in a knot in front of the altar. i lounged up the side aisle l', 'em. they were all three standing in a knot in front of the altar. i lounged up the side aisle like a', 'hey were all three standing in a knot in front of the altar. i lounged up the side aisle like any ot', 'ere all three standing in a knot in front of the altar. i lounged up the side aisle like any other i', 'll three standing in a knot in front of the altar. i lounged up the side aisle like any other idler ', 'ree standing in a knot in front of the altar. i lounged up the side aisle like any other idler who h', 'tanding in a knot in front of the altar. i lounged up the side aisle like any other idler who has dr', 'ng in a knot in front of the altar. i lounged up the side aisle like any other idler who has dropped', ' a knot in front of the altar. i lounged up the side aisle like any other idler who has dropped into', 'ot in front of the altar. i lounged up the side aisle like any other idler who has dropped into a ch', ' front of the altar. i lounged up the side aisle like any other idler who has dropped into a church.', 't of the altar. i lounged up the side aisle like any other idler who has dropped into a church. sudd', 'the altar. i lounged up the side aisle like any other idler who has dropped into a church. suddenly,', 'ltar. i lounged up the side aisle like any other idler who has dropped into a church. suddenly, to m', ' i lounged up the side aisle like any other idler who has dropped into a church. suddenly, to my sur', 'unged up the side aisle like any other idler who has dropped into a church. suddenly, to my surprise', ' up the side aisle like any other idler who has dropped into a church. suddenly, to my surprise, the', 'he side aisle like any other idler who has dropped into a church. suddenly, to my surprise, the thre', 'de aisle like any other idler who has dropped into a church. suddenly, to my surprise, the three at ', 'sle like any other idler who has dropped into a church. suddenly, to my surprise, the three at the a', 'ike any other idler who has dropped into a church. suddenly, to my surprise, the three at the altar ', 'ny other idler who has dropped into a church. suddenly, to my surprise, the three at the altar faced', 'her idler who has dropped into a church. suddenly, to my surprise, the three at the altar faced roun', 'dler who has dropped into a church. suddenly, to my surprise, the three at the altar faced round to ', 'who has dropped into a church. suddenly, to my surprise, the three at the altar faced round to me, a', 'as dropped into a church. suddenly, to my surprise, the three at the altar faced round to me, and go', 'opped into a church. suddenly, to my surprise, the three at the altar faced round to me, and godfrey', ' into a church. suddenly, to my surprise, the three at the altar faced round to me, and godfrey nort', ' a church. suddenly, to my surprise, the three at the altar faced round to me, and godfrey norton ca', 'urch. suddenly, to my surprise, the three at the altar faced round to me, and godfrey norton came ru', ' suddenly, to my surprise, the three at the altar faced round to me, and godfrey norton came running', 'enly, to my surprise, the three at the altar faced round to me, and godfrey norton came running as h', ' to my surprise, the three at the altar faced round to me, and godfrey norton came running as hard a', 'y surprise, the three at the altar faced round to me, and godfrey norton came running as hard as he ', 'prise, the three at the altar faced round to me, and godfrey norton came running as hard as he could', ', the three at the altar faced round to me, and godfrey norton came running as hard as he could towa', ' three at the altar faced round to me, and godfrey norton came running as hard as he could towards m', 'e at the altar faced round to me, and godfrey norton came running as hard as he could towards me. "\'', 'the altar faced round to me, and godfrey norton came running as hard as he could towards me. "\'thank', 'ltar faced round to me, and godfrey norton came running as hard as he could towards me. "\'thank god,', 'faced round to me, and godfrey norton came running as hard as he could towards me. "\'thank god,\' he ', ' round to me, and godfrey norton came running as hard as he could towards me. "\'thank god,\' he cried', 'd to me, and godfrey norton came running as hard as he could towards me. "\'thank god,\' he cried. \'yo', 'me, and godfrey norton came running as hard as he could towards me. "\'thank god,\' he cried. \'you\'ll ', 'nd godfrey norton came running as hard as he could towards me. "\'thank god,\' he cried. \'you\'ll do. c', 'dfrey norton came running as hard as he could towards me. "\'thank god,\' he cried. \'you\'ll do. come! ', ' norton came running as hard as he could towards me. "\'thank god,\' he cried. \'you\'ll do. come! come ', 'on came running as hard as he could towards me. "\'thank god,\' he cried. \'you\'ll do. come! come "\'wh', 'me running as hard as he could towards me. "\'thank god,\' he cried. \'you\'ll do. come! come "\'what th', 'nning as hard as he could towards me. "\'thank god,\' he cried. \'you\'ll do. come! come "\'what then?\' ', ' as hard as he could towards me. "\'thank god,\' he cried. \'you\'ll do. come! come "\'what then?\' i ask', 'ard as he could towards me. "\'thank god,\' he cried. \'you\'ll do. come! come "\'what then?\' i asked. "', 's he could towards me. "\'thank god,\' he cried. \'you\'ll do. come! come "\'what then?\' i asked. "\'come', 'could towards me. "\'thank god,\' he cried. \'you\'ll do. come! come "\'what then?\' i asked. "\'come, man', ' towards me. "\'thank god,\' he cried. \'you\'ll do. come! come "\'what then?\' i asked. "\'come, man, com', 'rds me. "\'thank god,\' he cried. \'you\'ll do. come! come "\'what then?\' i asked. "\'come, man, come, on', 'e. "\'thank god,\' he cried. \'you\'ll do. come! come "\'what then?\' i asked. "\'come, man, come, only th', 'thank god,\' he cried. \'you\'ll do. come! come "\'what then?\' i asked. "\'come, man, come, only three m', ' god,\' he cried. \'you\'ll do. come! come "\'what then?\' i asked. "\'come, man, come, only three minute', '\' he cried. \'you\'ll do. come! come "\'what then?\' i asked. "\'come, man, come, only three minutes, or', 'cried. \'you\'ll do. come! come "\'what then?\' i asked. "\'come, man, come, only three minutes, or it w', '. \'you\'ll do. come! come "\'what then?\' i asked. "\'come, man, come, only three minutes, or it won\'t ', 'u\'ll do. come! come "\'what then?\' i asked. "\'come, man, come, only three minutes, or it won\'t be le', 'do. come! come "\'what then?\' i asked. "\'come, man, come, only three minutes, or it won\'t be legal.\'', 'ome! come "\'what then?\' i asked. "\'come, man, come, only three minutes, or it won\'t be legal.\' "i w', 'come "\'what then?\' i asked. "\'come, man, come, only three minutes, or it won\'t be legal.\' "i was ha', ' "\'what then?\' i asked. "\'come, man, come, only three minutes, or it won\'t be legal.\' "i was half-dr', 'at then?\' i asked. "\'come, man, come, only three minutes, or it won\'t be legal.\' "i was half-dragged', 'en?\' i asked. "\'come, man, come, only three minutes, or it won\'t be legal.\' "i was half-dragged up t', 'i asked. "\'come, man, come, only three minutes, or it won\'t be legal.\' "i was half-dragged up to the', 'ed. "\'come, man, come, only three minutes, or it won\'t be legal.\' "i was half-dragged up to the alta', '\'come, man, come, only three minutes, or it won\'t be legal.\' "i was half-dragged up to the altar, an', ', man, come, only three minutes, or it won\'t be legal.\' "i was half-dragged up to the altar, and bef', ', come, only three minutes, or it won\'t be legal.\' "i was half-dragged up to the altar, and before i', 'e, only three minutes, or it won\'t be legal.\' "i was half-dragged up to the altar, and before i knew', 'ly three minutes, or it won\'t be legal.\' "i was half-dragged up to the altar, and before i knew wher', 'ree minutes, or it won\'t be legal.\' "i was half-dragged up to the altar, and before i knew where i w', 'inutes, or it won\'t be legal.\' "i was half-dragged up to the altar, and before i knew where i was i ', 's, or it won\'t be legal.\' "i was half-dragged up to the altar, and before i knew where i was i found', ' it won\'t be legal.\' "i was half-dragged up to the altar, and before i knew where i was i found myse', 'on\'t be legal.\' "i was half-dragged up to the altar, and before i knew where i was i found myself mu', 'be legal.\' "i was half-dragged up to the altar, and before i knew where i was i found myself mumblin', 'gal.\' "i was half-dragged up to the altar, and before i knew where i was i found myself mumbling res', ' "i was half-dragged up to the altar, and before i knew where i was i found myself mumbling response', 'as half-dragged up to the altar, and before i knew where i was i found myself mumbling responses whi', 'lf-dragged up to the altar, and before i knew where i was i found myself mumbling responses which we', 'agged up to the altar, and before i knew where i was i found myself mumbling responses which were wh', ' up to the altar, and before i knew where i was i found myself mumbling responses which were whisper', 'o the altar, and before i knew where i was i found myself mumbling responses which were whispered in', ' altar, and before i knew where i was i found myself mumbling responses which were whispered in my e', 'r, and before i knew where i was i found myself mumbling responses which were whispered in my ear, a', 'd before i knew where i was i found myself mumbling responses which were whispered in my ear, and vo', 'ore i knew where i was i found myself mumbling responses which were whispered in my ear, and vouchin', ' knew where i was i found myself mumbling responses which were whispered in my ear, and vouching for', ' where i was i found myself mumbling responses which were whispered in my ear, and vouching for thin', 'e i was i found myself mumbling responses which were whispered in my ear, and vouching for things of', 'as i found myself mumbling responses which were whispered in my ear, and vouching for things of whic', 'found myself mumbling responses which were whispered in my ear, and vouching for things of which i k', ' myself mumbling responses which were whispered in my ear, and vouching for things of which i knew n', 'lf mumbling responses which were whispered in my ear, and vouching for things of which i knew nothin', 'mbling responses which were whispered in my ear, and vouching for things of which i knew nothing, an', 'g responses which were whispered in my ear, and vouching for things of which i knew nothing, and gen', 'ponses which were whispered in my ear, and vouching for things of which i knew nothing, and generall', 's which were whispered in my ear, and vouching for things of which i knew nothing, and generally ass', 'ch were whispered in my ear, and vouching for things of which i knew nothing, and generally assistin', 're whispered in my ear, and vouching for things of which i knew nothing, and generally assisting in ', 'ispered in my ear, and vouching for things of which i knew nothing, and generally assisting in the s', 'ed in my ear, and vouching for things of which i knew nothing, and generally assisting in the secure', ' my ear, and vouching for things of which i knew nothing, and generally assisting in the secure tyin', 'ar, and vouching for things of which i knew nothing, and generally assisting in the secure tying up ', 'nd vouching for things of which i knew nothing, and generally assisting in the secure tying up of ir', 'uching for things of which i knew nothing, and generally assisting in the secure tying up of irene a', 'g for things of which i knew nothing, and generally assisting in the secure tying up of irene adler,', ' things of which i knew nothing, and generally assisting in the secure tying up of irene adler, spin', 'gs of which i knew nothing, and generally assisting in the secure tying up of irene adler, spinster,', ' which i knew nothing, and generally assisting in the secure tying up of irene adler, spinster, to g', 'h i knew nothing, and generally assisting in the secure tying up of irene adler, spinster, to godfre', 'new nothing, and generally assisting in the secure tying up of irene adler, spinster, to godfrey nor', 'othing, and generally assisting in the secure tying up of irene adler, spinster, to godfrey norton, ', 'g, and generally assisting in the secure tying up of irene adler, spinster, to godfrey norton, bache', 'd generally assisting in the secure tying up of irene adler, spinster, to godfrey norton, bachelor. ', 'erally assisting in the secure tying up of irene adler, spinster, to godfrey norton, bachelor. it wa', 'y assisting in the secure tying up of irene adler, spinster, to godfrey norton, bachelor. it was all', 'isting in the secure tying up of irene adler, spinster, to godfrey norton, bachelor. it was all done', 'g in the secure tying up of irene adler, spinster, to godfrey norton, bachelor. it was all done in a', 'the secure tying up of irene adler, spinster, to godfrey norton, bachelor. it was all done in an ins', 'ecure tying up of irene adler, spinster, to godfrey norton, bachelor. it was all done in an instant,', ' tying up of irene adler, spinster, to godfrey norton, bachelor. it was all done in an instant, and ', 'g up of irene adler, spinster, to godfrey norton, bachelor. it was all done in an instant, and there', 'of irene adler, spinster, to godfrey norton, bachelor. it was all done in an instant, and there was ', 'ene adler, spinster, to godfrey norton, bachelor. it was all done in an instant, and there was the g', 'dler, spinster, to godfrey norton, bachelor. it was all done in an instant, and there was the gentle', ' spinster, to godfrey norton, bachelor. it was all done in an instant, and there was the gentleman t', 'ster, to godfrey norton, bachelor. it was all done in an instant, and there was the gentleman thanki', ' to godfrey norton, bachelor. it was all done in an instant, and there was the gentleman thanking me', 'odfrey norton, bachelor. it was all done in an instant, and there was the gentleman thanking me on t', 'y norton, bachelor. it was all done in an instant, and there was the gentleman thanking me on the on', 'ton, bachelor. it was all done in an instant, and there was the gentleman thanking me on the one sid', 'bachelor. it was all done in an instant, and there was the gentleman thanking me on the one side and', 'lor. it was all done in an instant, and there was the gentleman thanking me on the one side and the ', 'it was all done in an instant, and there was the gentleman thanking me on the one side and the lady ', 's all done in an instant, and there was the gentleman thanking me on the one side and the lady on th', ' done in an instant, and there was the gentleman thanking me on the one side and the lady on the oth', ' in an instant, and there was the gentleman thanking me on the one side and the lady on the other, w', 'n instant, and there was the gentleman thanking me on the one side and the lady on the other, while ', 'tant, and there was the gentleman thanking me on the one side and the lady on the other, while the c', ' and there was the gentleman thanking me on the one side and the lady on the other, while the clergy', 'there was the gentleman thanking me on the one side and the lady on the other, while the clergyman b', ' was the gentleman thanking me on the one side and the lady on the other, while the clergyman beamed', 'the gentleman thanking me on the one side and the lady on the other, while the clergyman beamed on m', 'entleman thanking me on the one side and the lady on the other, while the clergyman beamed on me in ', 'man thanking me on the one side and the lady on the other, while the clergyman beamed on me in front', 'hanking me on the one side and the lady on the other, while the clergyman beamed on me in front. it ', 'ng me on the one side and the lady on the other, while the clergyman beamed on me in front. it was t', ' on the one side and the lady on the other, while the clergyman beamed on me in front. it was the mo', 'he one side and the lady on the other, while the clergyman beamed on me in front. it was the most pr', 'e side and the lady on the other, while the clergyman beamed on me in front. it was the most prepost', 'e and the lady on the other, while the clergyman beamed on me in front. it was the most preposterous', ' the lady on the other, while the clergyman beamed on me in front. it was the most preposterous posi', 'lady on the other, while the clergyman beamed on me in front. it was the most preposterous position ', 'on the other, while the clergyman beamed on me in front. it was the most preposterous position in wh', 'e other, while the clergyman beamed on me in front. it was the most preposterous position in which i', 'er, while the clergyman beamed on me in front. it was the most preposterous position in which i ever', 'hile the clergyman beamed on me in front. it was the most preposterous position in which i ever foun', 'the clergyman beamed on me in front. it was the most preposterous position in which i ever found mys', 'lergyman beamed on me in front. it was the most preposterous position in which i ever found myself i', 'man beamed on me in front. it was the most preposterous position in which i ever found myself in my ', 'eamed on me in front. it was the most preposterous position in which i ever found myself in my life,', ' on me in front. it was the most preposterous position in which i ever found myself in my life, and ', 'e in front. it was the most preposterous position in which i ever found myself in my life, and it wa', 'front. it was the most preposterous position in which i ever found myself in my life, and it was the', '. it was the most preposterous position in which i ever found myself in my life, and it was the thou', 'was the most preposterous position in which i ever found myself in my life, and it was the thought o', 'he most preposterous position in which i ever found myself in my life, and it was the thought of it ', 'st preposterous position in which i ever found myself in my life, and it was the thought of it that ', 'eposterous position in which i ever found myself in my life, and it was the thought of it that start', 'erous position in which i ever found myself in my life, and it was the thought of it that started me', ' position in which i ever found myself in my life, and it was the thought of it that started me laug', 'tion in which i ever found myself in my life, and it was the thought of it that started me laughing ', 'in which i ever found myself in my life, and it was the thought of it that started me laughing just ', 'ich i ever found myself in my life, and it was the thought of it that started me laughing just now. ', ' ever found myself in my life, and it was the thought of it that started me laughing just now. it se', ' found myself in my life, and it was the thought of it that started me laughing just now. it seems t', 'd myself in my life, and it was the thought of it that started me laughing just now. it seems that t', 'elf in my life, and it was the thought of it that started me laughing just now. it seems that there ', 'n my life, and it was the thought of it that started me laughing just now. it seems that there had b', 'life, and it was the thought of it that started me laughing just now. it seems that there had been s', ' and it was the thought of it that started me laughing just now. it seems that there had been some i', 'it was the thought of it that started me laughing just now. it seems that there had been some inform', 's the thought of it that started me laughing just now. it seems that there had been some informality', ' thought of it that started me laughing just now. it seems that there had been some informality abou', 'ght of it that started me laughing just now. it seems that there had been some informality about the', 'f it that started me laughing just now. it seems that there had been some informality about their li', 'that started me laughing just now. it seems that there had been some informality about their license', 'started me laughing just now. it seems that there had been some informality about their license, tha', 'ed me laughing just now. it seems that there had been some informality about their license, that the', ' laughing just now. it seems that there had been some informality about their license, that the cler', 'hing just now. it seems that there had been some informality about their license, that the clergyman', 'just now. it seems that there had been some informality about their license, that the clergyman abso', 'now. it seems that there had been some informality about their license, that the clergyman absolutel', 'it seems that there had been some informality about their license, that the clergyman absolutely ref', 'ems that there had been some informality about their license, that the clergyman absolutely refused ', 'hat there had been some informality about their license, that the clergyman absolutely refused to ma', 'here had been some informality about their license, that the clergyman absolutely refused to marry t', 'had been some informality about their license, that the clergyman absolutely refused to marry them w', 'een some informality about their license, that the clergyman absolutely refused to marry them withou', 'ome informality about their license, that the clergyman absolutely refused to marry them without a w', 'nformality about their license, that the clergyman absolutely refused to marry them without a witnes', 'ality about their license, that the clergyman absolutely refused to marry them without a witness of ', ' about their license, that the clergyman absolutely refused to marry them without a witness of some ', 't their license, that the clergyman absolutely refused to marry them without a witness of some sort,', 'ir license, that the clergyman absolutely refused to marry them without a witness of some sort, and ', 'cense, that the clergyman absolutely refused to marry them without a witness of some sort, and that ', ', that the clergyman absolutely refused to marry them without a witness of some sort, and that my lu', 't the clergyman absolutely refused to marry them without a witness of some sort, and that my lucky a', ' clergyman absolutely refused to marry them without a witness of some sort, and that my lucky appear', 'gyman absolutely refused to marry them without a witness of some sort, and that my lucky appearance ', ' absolutely refused to marry them without a witness of some sort, and that my lucky appearance saved', 'lutely refused to marry them without a witness of some sort, and that my lucky appearance saved the ', 'y refused to marry them without a witness of some sort, and that my lucky appearance saved the bride', 'used to marry them without a witness of some sort, and that my lucky appearance saved the bridegroom', 'to marry them without a witness of some sort, and that my lucky appearance saved the bridegroom from', 'rry them without a witness of some sort, and that my lucky appearance saved the bridegroom from havi', 'hem without a witness of some sort, and that my lucky appearance saved the bridegroom from having to', 'ithout a witness of some sort, and that my lucky appearance saved the bridegroom from having to sall', 't a witness of some sort, and that my lucky appearance saved the bridegroom from having to sally out', 'itness of some sort, and that my lucky appearance saved the bridegroom from having to sally out into', 's of some sort, and that my lucky appearance saved the bridegroom from having to sally out into the ', 'some sort, and that my lucky appearance saved the bridegroom from having to sally out into the stree', 'sort, and that my lucky appearance saved the bridegroom from having to sally out into the streets in', ' and that my lucky appearance saved the bridegroom from having to sally out into the streets in sear', 'that my lucky appearance saved the bridegroom from having to sally out into the streets in search of', 'my lucky appearance saved the bridegroom from having to sally out into the streets in search of a be', 'cky appearance saved the bridegroom from having to sally out into the streets in search of a best ma', 'ppearance saved the bridegroom from having to sally out into the streets in search of a best man. th', 'ance saved the bridegroom from having to sally out into the streets in search of a best man. the bri', 'saved the bridegroom from having to sally out into the streets in search of a best man. the bride ga', ' the bridegroom from having to sally out into the streets in search of a best man. the bride gave me', 'bridegroom from having to sally out into the streets in search of a best man. the bride gave me a so', 'groom from having to sally out into the streets in search of a best man. the bride gave me a soverei', ' from having to sally out into the streets in search of a best man. the bride gave me a sovereign, a', ' having to sally out into the streets in search of a best man. the bride gave me a sovereign, and i ', 'ng to sally out into the streets in search of a best man. the bride gave me a sovereign, and i mean ', ' sally out into the streets in search of a best man. the bride gave me a sovereign, and i mean to we', 'y out into the streets in search of a best man. the bride gave me a sovereign, and i mean to wear it', ' into the streets in search of a best man. the bride gave me a sovereign, and i mean to wear it on m', ' the streets in search of a best man. the bride gave me a sovereign, and i mean to wear it on my wat', 'streets in search of a best man. the bride gave me a sovereign, and i mean to wear it on my watch-ch', 'ts in search of a best man. the bride gave me a sovereign, and i mean to wear it on my watch-chain i', ' search of a best man. the bride gave me a sovereign, and i mean to wear it on my watch-chain in mem', 'ch of a best man. the bride gave me a sovereign, and i mean to wear it on my watch-chain in memory o', ' a best man. the bride gave me a sovereign, and i mean to wear it on my watch-chain in memory of the', 'st man. the bride gave me a sovereign, and i mean to wear it on my watch-chain in memory of the occa', 'n. the bride gave me a sovereign, and i mean to wear it on my watch-chain in memory of the occasion.', 'e bride gave me a sovereign, and i mean to wear it on my watch-chain in memory of the occasion." "th', 'de gave me a sovereign, and i mean to wear it on my watch-chain in memory of the occasion." "this is', 've me a sovereign, and i mean to wear it on my watch-chain in memory of the occasion." "this is a ve', ' a sovereign, and i mean to wear it on my watch-chain in memory of the occasion." "this is a very un', 'vereign, and i mean to wear it on my watch-chain in memory of the occasion." "this is a very unexpec', 'gn, and i mean to wear it on my watch-chain in memory of the occasion." "this is a very unexpected t', 'nd i mean to wear it on my watch-chain in memory of the occasion." "this is a very unexpected turn o', 'mean to wear it on my watch-chain in memory of the occasion." "this is a very unexpected turn of aff', 'to wear it on my watch-chain in memory of the occasion." "this is a very unexpected turn of affairs,', 'ar it on my watch-chain in memory of the occasion." "this is a very unexpected turn of affairs," sai', ' on my watch-chain in memory of the occasion." "this is a very unexpected turn of affairs," said i; ', 'y watch-chain in memory of the occasion." "this is a very unexpected turn of affairs," said i; "and ', 'ch-chain in memory of the occasion." "this is a very unexpected turn of affairs," said i; "and what ', 'ain in memory of the occasion." "this is a very unexpected turn of affairs," said i; "and what then?', 'n memory of the occasion." "this is a very unexpected turn of affairs," said i; "and what then?" "we', 'ory of the occasion." "this is a very unexpected turn of affairs," said i; "and what then?" "well, i', 'f the occasion." "this is a very unexpected turn of affairs," said i; "and what then?" "well, i foun', ' occasion." "this is a very unexpected turn of affairs," said i; "and what then?" "well, i found my ', 'sion." "this is a very unexpected turn of affairs," said i; "and what then?" "well, i found my plans', '" "this is a very unexpected turn of affairs," said i; "and what then?" "well, i found my plans very', 'is is a very unexpected turn of affairs," said i; "and what then?" "well, i found my plans very seri', ' a very unexpected turn of affairs," said i; "and what then?" "well, i found my plans very seriously', 'ry unexpected turn of affairs," said i; "and what then?" "well, i found my plans very seriously mena', 'expected turn of affairs," said i; "and what then?" "well, i found my plans very seriously menaced. ', 'ted turn of affairs," said i; "and what then?" "well, i found my plans very seriously menaced. it lo', 'urn of affairs," said i; "and what then?" "well, i found my plans very seriously menaced. it looked ', 'f affairs," said i; "and what then?" "well, i found my plans very seriously menaced. it looked as if', 'airs," said i; "and what then?" "well, i found my plans very seriously menaced. it looked as if the ', '" said i; "and what then?" "well, i found my plans very seriously menaced. it looked as if the pair ', 'd i; "and what then?" "well, i found my plans very seriously menaced. it looked as if the pair might', '"and what then?" "well, i found my plans very seriously menaced. it looked as if the pair might take', 'what then?" "well, i found my plans very seriously menaced. it looked as if the pair might take an i', 'then?" "well, i found my plans very seriously menaced. it looked as if the pair might take an immedi', '" "well, i found my plans very seriously menaced. it looked as if the pair might take an immediate d', 'll, i found my plans very seriously menaced. it looked as if the pair might take an immediate depart', ' found my plans very seriously menaced. it looked as if the pair might take an immediate departure, ', 'd my plans very seriously menaced. it looked as if the pair might take an immediate departure, and s', 'plans very seriously menaced. it looked as if the pair might take an immediate departure, and so nec', ' very seriously menaced. it looked as if the pair might take an immediate departure, and so necessit', ' seriously menaced. it looked as if the pair might take an immediate departure, and so necessitate v', 'ously menaced. it looked as if the pair might take an immediate departure, and so necessitate very p', ' menaced. it looked as if the pair might take an immediate departure, and so necessitate very prompt', 'ced. it looked as if the pair might take an immediate departure, and so necessitate very prompt and ', 'it looked as if the pair might take an immediate departure, and so necessitate very prompt and energ', 'oked as if the pair might take an immediate departure, and so necessitate very prompt and energetic ', 'as if the pair might take an immediate departure, and so necessitate very prompt and energetic measu', ' the pair might take an immediate departure, and so necessitate very prompt and energetic measures o', 'pair might take an immediate departure, and so necessitate very prompt and energetic measures on my ', 'might take an immediate departure, and so necessitate very prompt and energetic measures on my part.', ' take an immediate departure, and so necessitate very prompt and energetic measures on my part. at t', ' an immediate departure, and so necessitate very prompt and energetic measures on my part. at the ch', 'mmediate departure, and so necessitate very prompt and energetic measures on my part. at the church ', 'ate departure, and so necessitate very prompt and energetic measures on my part. at the church door,', 'eparture, and so necessitate very prompt and energetic measures on my part. at the church door, howe', 'ure, and so necessitate very prompt and energetic measures on my part. at the church door, however, ', 'and so necessitate very prompt and energetic measures on my part. at the church door, however, they ', 'o necessitate very prompt and energetic measures on my part. at the church door, however, they separ', 'essitate very prompt and energetic measures on my part. at the church door, however, they separated,', 'ate very prompt and energetic measures on my part. at the church door, however, they separated, he d', 'ery prompt and energetic measures on my part. at the church door, however, they separated, he drivin', 'rompt and energetic measures on my part. at the church door, however, they separated, he driving bac', ' and energetic measures on my part. at the church door, however, they separated, he driving back to ', 'energetic measures on my part. at the church door, however, they separated, he driving back to the t', 'etic measures on my part. at the church door, however, they separated, he driving back to the temple', 'measures on my part. at the church door, however, they separated, he driving back to the temple, and', 'res on my part. at the church door, however, they separated, he driving back to the temple, and she ', 'n my part. at the church door, however, they separated, he driving back to the temple, and she to he', 'part. at the church door, however, they separated, he driving back to the temple, and she to her own', ' at the church door, however, they separated, he driving back to the temple, and she to her own hous', "he church door, however, they separated, he driving back to the temple, and she to her own house. 'i", "urch door, however, they separated, he driving back to the temple, and she to her own house. 'i shal", "door, however, they separated, he driving back to the temple, and she to her own house. 'i shall dri", " however, they separated, he driving back to the temple, and she to her own house. 'i shall drive ou", "ver, they separated, he driving back to the temple, and she to her own house. 'i shall drive out in ", "they separated, he driving back to the temple, and she to her own house. 'i shall drive out in the p", "separated, he driving back to the temple, and she to her own house. 'i shall drive out in the park a", "ated, he driving back to the temple, and she to her own house. 'i shall drive out in the park at fiv", " he driving back to the temple, and she to her own house. 'i shall drive out in the park at five as ", "riving back to the temple, and she to her own house. 'i shall drive out in the park at five as usual", "g back to the temple, and she to her own house. 'i shall drive out in the park at five as usual,' sh", "k to the temple, and she to her own house. 'i shall drive out in the park at five as usual,' she sai", "the temple, and she to her own house. 'i shall drive out in the park at five as usual,' she said as ", "emple, and she to her own house. 'i shall drive out in the park at five as usual,' she said as she l", ", and she to her own house. 'i shall drive out in the park at five as usual,' she said as she left h", " she to her own house. 'i shall drive out in the park at five as usual,' she said as she left him. i", "to her own house. 'i shall drive out in the park at five as usual,' she said as she left him. i hear", "r own house. 'i shall drive out in the park at five as usual,' she said as she left him. i heard no ", " house. 'i shall drive out in the park at five as usual,' she said as she left him. i heard no more.", "e. 'i shall drive out in the park at five as usual,' she said as she left him. i heard no more. they", " shall drive out in the park at five as usual,' she said as she left him. i heard no more. they drov", "l drive out in the park at five as usual,' she said as she left him. i heard no more. they drove awa", "ve out in the park at five as usual,' she said as she left him. i heard no more. they drove away in ", "t in the park at five as usual,' she said as she left him. i heard no more. they drove away in diffe", "the park at five as usual,' she said as she left him. i heard no more. they drove away in different ", "ark at five as usual,' she said as she left him. i heard no more. they drove away in different direc", "t five as usual,' she said as she left him. i heard no more. they drove away in different directions", "e as usual,' she said as she left him. i heard no more. they drove away in different directions, and", "usual,' she said as she left him. i heard no more. they drove away in different directions, and i we", ",' she said as she left him. i heard no more. they drove away in different directions, and i went of", 'e said as she left him. i heard no more. they drove away in different directions, and i went off to ', 'd as she left him. i heard no more. they drove away in different directions, and i went off to make ', 'she left him. i heard no more. they drove away in different directions, and i went off to make my ow', 'eft him. i heard no more. they drove away in different directions, and i went off to make my own arr', 'im. i heard no more. they drove away in different directions, and i went off to make my own arrangem', ' heard no more. they drove away in different directions, and i went off to make my own arrangements.', 'd no more. they drove away in different directions, and i went off to make my own arrangements." "wh', 'more. they drove away in different directions, and i went off to make my own arrangements." "which a', ' they drove away in different directions, and i went off to make my own arrangements." "which are?" ', ' drove away in different directions, and i went off to make my own arrangements." "which are?" "some', 'e away in different directions, and i went off to make my own arrangements." "which are?" "some cold', 'y in different directions, and i went off to make my own arrangements." "which are?" "some cold beef', 'different directions, and i went off to make my own arrangements." "which are?" "some cold beef and ', 'rent directions, and i went off to make my own arrangements." "which are?" "some cold beef and a gla', 'directions, and i went off to make my own arrangements." "which are?" "some cold beef and a glass of', 'tions, and i went off to make my own arrangements." "which are?" "some cold beef and a glass of beer', ', and i went off to make my own arrangements." "which are?" "some cold beef and a glass of beer," he', ' i went off to make my own arrangements." "which are?" "some cold beef and a glass of beer," he answ', 'nt off to make my own arrangements." "which are?" "some cold beef and a glass of beer," he answered,', 'f to make my own arrangements." "which are?" "some cold beef and a glass of beer," he answered, ring', 'make my own arrangements." "which are?" "some cold beef and a glass of beer," he answered, ringing t', 'my own arrangements." "which are?" "some cold beef and a glass of beer," he answered, ringing the be', 'n arrangements." "which are?" "some cold beef and a glass of beer," he answered, ringing the bell. "', 'angements." "which are?" "some cold beef and a glass of beer," he answered, ringing the bell. "i hav', 'ents." "which are?" "some cold beef and a glass of beer," he answered, ringing the bell. "i have bee', '" "which are?" "some cold beef and a glass of beer," he answered, ringing the bell. "i have been too', 'ich are?" "some cold beef and a glass of beer," he answered, ringing the bell. "i have been too busy', 're?" "some cold beef and a glass of beer," he answered, ringing the bell. "i have been too busy to t', '"some cold beef and a glass of beer," he answered, ringing the bell. "i have been too busy to think ', ' cold beef and a glass of beer," he answered, ringing the bell. "i have been too busy to think of fo', ' beef and a glass of beer," he answered, ringing the bell. "i have been too busy to think of food, a', ' and a glass of beer," he answered, ringing the bell. "i have been too busy to think of food, and i ', 'a glass of beer," he answered, ringing the bell. "i have been too busy to think of food, and i am li', 'ss of beer," he answered, ringing the bell. "i have been too busy to think of food, and i am likely ', ' beer," he answered, ringing the bell. "i have been too busy to think of food, and i am likely to be', '," he answered, ringing the bell. "i have been too busy to think of food, and i am likely to be busi', ' answered, ringing the bell. "i have been too busy to think of food, and i am likely to be busier st', 'ered, ringing the bell. "i have been too busy to think of food, and i am likely to be busier still t', ' ringing the bell. "i have been too busy to think of food, and i am likely to be busier still this e', 'ing the bell. "i have been too busy to think of food, and i am likely to be busier still this evenin', 'he bell. "i have been too busy to think of food, and i am likely to be busier still this evening. by', 'll. "i have been too busy to think of food, and i am likely to be busier still this evening. by the ', 'i have been too busy to think of food, and i am likely to be busier still this evening. by the way, ', 'e been too busy to think of food, and i am likely to be busier still this evening. by the way, docto', 'n too busy to think of food, and i am likely to be busier still this evening. by the way, doctor, i ', ' busy to think of food, and i am likely to be busier still this evening. by the way, doctor, i shall', ' to think of food, and i am likely to be busier still this evening. by the way, doctor, i shall want', 'hink of food, and i am likely to be busier still this evening. by the way, doctor, i shall want your', 'of food, and i am likely to be busier still this evening. by the way, doctor, i shall want your co-o', 'od, and i am likely to be busier still this evening. by the way, doctor, i shall want your co-operat', 'nd i am likely to be busier still this evening. by the way, doctor, i shall want your co-operation."', 'am likely to be busier still this evening. by the way, doctor, i shall want your co-operation." "i s', 'kely to be busier still this evening. by the way, doctor, i shall want your co-operation." "i shall ', 'to be busier still this evening. by the way, doctor, i shall want your co-operation." "i shall be de', ' busier still this evening. by the way, doctor, i shall want your co-operation." "i shall be delight', 'er still this evening. by the way, doctor, i shall want your co-operation." "i shall be delighted." ', 'ill this evening. by the way, doctor, i shall want your co-operation." "i shall be delighted." "you ', 'his evening. by the way, doctor, i shall want your co-operation." "i shall be delighted." "you don\'t', 'vening. by the way, doctor, i shall want your co-operation." "i shall be delighted." "you don\'t mind', 'g. by the way, doctor, i shall want your co-operation." "i shall be delighted." "you don\'t mind brea', ' the way, doctor, i shall want your co-operation." "i shall be delighted." "you don\'t mind breaking ', 'way, doctor, i shall want your co-operation." "i shall be delighted." "you don\'t mind breaking the l', 'doctor, i shall want your co-operation." "i shall be delighted." "you don\'t mind breaking the law?" ', 'r, i shall want your co-operation." "i shall be delighted." "you don\'t mind breaking the law?" "not ', 'shall want your co-operation." "i shall be delighted." "you don\'t mind breaking the law?" "not in th', ' want your co-operation." "i shall be delighted." "you don\'t mind breaking the law?" "not in the lea', ' your co-operation." "i shall be delighted." "you don\'t mind breaking the law?" "not in the least." ', ' co-operation." "i shall be delighted." "you don\'t mind breaking the law?" "not in the least." "nor ', 'peration." "i shall be delighted." "you don\'t mind breaking the law?" "not in the least." "nor runni', 'ion." "i shall be delighted." "you don\'t mind breaking the law?" "not in the least." "nor running a ', ' "i shall be delighted." "you don\'t mind breaking the law?" "not in the least." "nor running a chanc', 'hall be delighted." "you don\'t mind breaking the law?" "not in the least." "nor running a chance of ', 'be delighted." "you don\'t mind breaking the law?" "not in the least." "nor running a chance of arres', 'lighted." "you don\'t mind breaking the law?" "not in the least." "nor running a chance of arrest?" "', 'ed." "you don\'t mind breaking the law?" "not in the least." "nor running a chance of arrest?" "not i', '"you don\'t mind breaking the law?" "not in the least." "nor running a chance of arrest?" "not in a g', 'don\'t mind breaking the law?" "not in the least." "nor running a chance of arrest?" "not in a good c', ' mind breaking the law?" "not in the least." "nor running a chance of arrest?" "not in a good cause.', ' breaking the law?" "not in the least." "nor running a chance of arrest?" "not in a good cause." "oh', 'king the law?" "not in the least." "nor running a chance of arrest?" "not in a good cause." "oh, the', 'the law?" "not in the least." "nor running a chance of arrest?" "not in a good cause." "oh, the caus', 'aw?" "not in the least." "nor running a chance of arrest?" "not in a good cause." "oh, the cause is ', '"not in the least." "nor running a chance of arrest?" "not in a good cause." "oh, the cause is excel', 'in the least." "nor running a chance of arrest?" "not in a good cause." "oh, the cause is excellent ', 'e least." "nor running a chance of arrest?" "not in a good cause." "oh, the cause is excellent "the', 'st." "nor running a chance of arrest?" "not in a good cause." "oh, the cause is excellent "then i a', '"nor running a chance of arrest?" "not in a good cause." "oh, the cause is excellent "then i am you', 'running a chance of arrest?" "not in a good cause." "oh, the cause is excellent "then i am your man', 'ng a chance of arrest?" "not in a good cause." "oh, the cause is excellent "then i am your man." "i', 'chance of arrest?" "not in a good cause." "oh, the cause is excellent "then i am your man." "i was ', 'e of arrest?" "not in a good cause." "oh, the cause is excellent "then i am your man." "i was sure ', 'arrest?" "not in a good cause." "oh, the cause is excellent "then i am your man." "i was sure that ', 't?" "not in a good cause." "oh, the cause is excellent "then i am your man." "i was sure that i mig', 'not in a good cause." "oh, the cause is excellent "then i am your man." "i was sure that i might re', 'n a good cause." "oh, the cause is excellent "then i am your man." "i was sure that i might rely on', 'ood cause." "oh, the cause is excellent "then i am your man." "i was sure that i might rely on you.', 'ause." "oh, the cause is excellent "then i am your man." "i was sure that i might rely on you." "bu', '" "oh, the cause is excellent "then i am your man." "i was sure that i might rely on you." "but wha', ', the cause is excellent "then i am your man." "i was sure that i might rely on you." "but what is ', ' cause is excellent "then i am your man." "i was sure that i might rely on you." "but what is it yo', 'e is excellent "then i am your man." "i was sure that i might rely on you." "but what is it you wis', 'excellent "then i am your man." "i was sure that i might rely on you." "but what is it you wish?" "', 'lent "then i am your man." "i was sure that i might rely on you." "but what is it you wish?" "when ', ' "then i am your man." "i was sure that i might rely on you." "but what is it you wish?" "when mrs. ', 'n i am your man." "i was sure that i might rely on you." "but what is it you wish?" "when mrs. turne', 'm your man." "i was sure that i might rely on you." "but what is it you wish?" "when mrs. turner has', 'r man." "i was sure that i might rely on you." "but what is it you wish?" "when mrs. turner has brou', '." "i was sure that i might rely on you." "but what is it you wish?" "when mrs. turner has brought i', ' was sure that i might rely on you." "but what is it you wish?" "when mrs. turner has brought in the', 'sure that i might rely on you." "but what is it you wish?" "when mrs. turner has brought in the tray', 'that i might rely on you." "but what is it you wish?" "when mrs. turner has brought in the tray i wi', 'i might rely on you." "but what is it you wish?" "when mrs. turner has brought in the tray i will ma', 'ht rely on you." "but what is it you wish?" "when mrs. turner has brought in the tray i will make it', 'ly on you." "but what is it you wish?" "when mrs. turner has brought in the tray i will make it clea', ' you." "but what is it you wish?" "when mrs. turner has brought in the tray i will make it clear to ', '" "but what is it you wish?" "when mrs. turner has brought in the tray i will make it clear to you. ', 't what is it you wish?" "when mrs. turner has brought in the tray i will make it clear to you. now,"', 't is it you wish?" "when mrs. turner has brought in the tray i will make it clear to you. now," he s', 'it you wish?" "when mrs. turner has brought in the tray i will make it clear to you. now," he said a', 'u wish?" "when mrs. turner has brought in the tray i will make it clear to you. now," he said as he ', 'h?" "when mrs. turner has brought in the tray i will make it clear to you. now," he said as he turne', 'when mrs. turner has brought in the tray i will make it clear to you. now," he said as he turned hun', 'mrs. turner has brought in the tray i will make it clear to you. now," he said as he turned hungrily', 'turner has brought in the tray i will make it clear to you. now," he said as he turned hungrily on t', 'r has brought in the tray i will make it clear to you. now," he said as he turned hungrily on the si', ' brought in the tray i will make it clear to you. now," he said as he turned hungrily on the simple ', 'ght in the tray i will make it clear to you. now," he said as he turned hungrily on the simple fare ', 'n the tray i will make it clear to you. now," he said as he turned hungrily on the simple fare that ', ' tray i will make it clear to you. now," he said as he turned hungrily on the simple fare that our l', ' i will make it clear to you. now," he said as he turned hungrily on the simple fare that our landla', 'll make it clear to you. now," he said as he turned hungrily on the simple fare that our landlady ha', 'ke it clear to you. now," he said as he turned hungrily on the simple fare that our landlady had pro', ' clear to you. now," he said as he turned hungrily on the simple fare that our landlady had provided', 'r to you. now," he said as he turned hungrily on the simple fare that our landlady had provided, "i ', 'you. now," he said as he turned hungrily on the simple fare that our landlady had provided, "i must ', 'now," he said as he turned hungrily on the simple fare that our landlady had provided, "i must discu', ' he said as he turned hungrily on the simple fare that our landlady had provided, "i must discuss it', 'aid as he turned hungrily on the simple fare that our landlady had provided, "i must discuss it whil', 's he turned hungrily on the simple fare that our landlady had provided, "i must discuss it while i e', 'turned hungrily on the simple fare that our landlady had provided, "i must discuss it while i eat, f', 'd hungrily on the simple fare that our landlady had provided, "i must discuss it while i eat, for i ', 'grily on the simple fare that our landlady had provided, "i must discuss it while i eat, for i have ', ' on the simple fare that our landlady had provided, "i must discuss it while i eat, for i have not m', 'he simple fare that our landlady had provided, "i must discuss it while i eat, for i have not much t', 'mple fare that our landlady had provided, "i must discuss it while i eat, for i have not much time. ', 'fare that our landlady had provided, "i must discuss it while i eat, for i have not much time. it is', 'that our landlady had provided, "i must discuss it while i eat, for i have not much time. it is near', 'our landlady had provided, "i must discuss it while i eat, for i have not much time. it is nearly fi', 'andlady had provided, "i must discuss it while i eat, for i have not much time. it is nearly five no', 'dy had provided, "i must discuss it while i eat, for i have not much time. it is nearly five now. in', 'd provided, "i must discuss it while i eat, for i have not much time. it is nearly five now. in two ', 'vided, "i must discuss it while i eat, for i have not much time. it is nearly five now. in two hours', ', "i must discuss it while i eat, for i have not much time. it is nearly five now. in two hours we m', 'must discuss it while i eat, for i have not much time. it is nearly five now. in two hours we must b', 'discuss it while i eat, for i have not much time. it is nearly five now. in two hours we must be on ', 'ss it while i eat, for i have not much time. it is nearly five now. in two hours we must be on the s', ' while i eat, for i have not much time. it is nearly five now. in two hours we must be on the scene ', 'e i eat, for i have not much time. it is nearly five now. in two hours we must be on the scene of ac', 'at, for i have not much time. it is nearly five now. in two hours we must be on the scene of action.', 'or i have not much time. it is nearly five now. in two hours we must be on the scene of action. miss', 'have not much time. it is nearly five now. in two hours we must be on the scene of action. miss iren', 'not much time. it is nearly five now. in two hours we must be on the scene of action. miss irene, or', 'uch time. it is nearly five now. in two hours we must be on the scene of action. miss irene, or mada', 'ime. it is nearly five now. in two hours we must be on the scene of action. miss irene, or madame, r', 'it is nearly five now. in two hours we must be on the scene of action. miss irene, or madame, rather', ' nearly five now. in two hours we must be on the scene of action. miss irene, or madame, rather, ret', 'ly five now. in two hours we must be on the scene of action. miss irene, or madame, rather, returns ', 've now. in two hours we must be on the scene of action. miss irene, or madame, rather, returns from ', 'w. in two hours we must be on the scene of action. miss irene, or madame, rather, returns from her d', ' two hours we must be on the scene of action. miss irene, or madame, rather, returns from her drive ', 'hours we must be on the scene of action. miss irene, or madame, rather, returns from her drive at se', ' we must be on the scene of action. miss irene, or madame, rather, returns from her drive at seven. ', 'ust be on the scene of action. miss irene, or madame, rather, returns from her drive at seven. we mu', 'e on the scene of action. miss irene, or madame, rather, returns from her drive at seven. we must be', 'the scene of action. miss irene, or madame, rather, returns from her drive at seven. we must be at b', 'cene of action. miss irene, or madame, rather, returns from her drive at seven. we must be at briony', 'of action. miss irene, or madame, rather, returns from her drive at seven. we must be at briony lodg', 'tion. miss irene, or madame, rather, returns from her drive at seven. we must be at briony lodge to ', ' miss irene, or madame, rather, returns from her drive at seven. we must be at briony lodge to meet ', ' irene, or madame, rather, returns from her drive at seven. we must be at briony lodge to meet her."', 'e, or madame, rather, returns from her drive at seven. we must be at briony lodge to meet her." "and', ' madame, rather, returns from her drive at seven. we must be at briony lodge to meet her." "and what', 'me, rather, returns from her drive at seven. we must be at briony lodge to meet her." "and what then', 'ather, returns from her drive at seven. we must be at briony lodge to meet her." "and what then?" "y', ', returns from her drive at seven. we must be at briony lodge to meet her." "and what then?" "you mu', 'urns from her drive at seven. we must be at briony lodge to meet her." "and what then?" "you must le', 'from her drive at seven. we must be at briony lodge to meet her." "and what then?" "you must leave t', 'her drive at seven. we must be at briony lodge to meet her." "and what then?" "you must leave that t', 'rive at seven. we must be at briony lodge to meet her." "and what then?" "you must leave that to me.', 'at seven. we must be at briony lodge to meet her." "and what then?" "you must leave that to me. i ha', 'ven. we must be at briony lodge to meet her." "and what then?" "you must leave that to me. i have al', 'we must be at briony lodge to meet her." "and what then?" "you must leave that to me. i have already', 'st be at briony lodge to meet her." "and what then?" "you must leave that to me. i have already arra', ' at briony lodge to meet her." "and what then?" "you must leave that to me. i have already arranged ', 'riony lodge to meet her." "and what then?" "you must leave that to me. i have already arranged what ', ' lodge to meet her." "and what then?" "you must leave that to me. i have already arranged what is to', 'e to meet her." "and what then?" "you must leave that to me. i have already arranged what is to occu', 'meet her." "and what then?" "you must leave that to me. i have already arranged what is to occur. th', 'her." "and what then?" "you must leave that to me. i have already arranged what is to occur. there i', ' "and what then?" "you must leave that to me. i have already arranged what is to occur. there is onl', ' what then?" "you must leave that to me. i have already arranged what is to occur. there is only one', ' then?" "you must leave that to me. i have already arranged what is to occur. there is only one poin', '?" "you must leave that to me. i have already arranged what is to occur. there is only one point on ', 'ou must leave that to me. i have already arranged what is to occur. there is only one point on which', 'st leave that to me. i have already arranged what is to occur. there is only one point on which i mu', 'ave that to me. i have already arranged what is to occur. there is only one point on which i must in', 'hat to me. i have already arranged what is to occur. there is only one point on which i must insist.', 'o me. i have already arranged what is to occur. there is only one point on which i must insist. you ', ' i have already arranged what is to occur. there is only one point on which i must insist. you must ', 've already arranged what is to occur. there is only one point on which i must insist. you must not i', 'ready arranged what is to occur. there is only one point on which i must insist. you must not interf', ' arranged what is to occur. there is only one point on which i must insist. you must not interfere, ', 'nged what is to occur. there is only one point on which i must insist. you must not interfere, come ', 'what is to occur. there is only one point on which i must insist. you must not interfere, come what ', 'is to occur. there is only one point on which i must insist. you must not interfere, come what may. ', ' occur. there is only one point on which i must insist. you must not interfere, come what may. you u', 'r. there is only one point on which i must insist. you must not interfere, come what may. you unders', 'ere is only one point on which i must insist. you must not interfere, come what may. you understand?', 's only one point on which i must insist. you must not interfere, come what may. you understand?" "i ', 'y one point on which i must insist. you must not interfere, come what may. you understand?" "i am to', ' point on which i must insist. you must not interfere, come what may. you understand?" "i am to be n', 't on which i must insist. you must not interfere, come what may. you understand?" "i am to be neutra', 'which i must insist. you must not interfere, come what may. you understand?" "i am to be neutral?" "', ' i must insist. you must not interfere, come what may. you understand?" "i am to be neutral?" "to do', 'st insist. you must not interfere, come what may. you understand?" "i am to be neutral?" "to do noth', 'sist. you must not interfere, come what may. you understand?" "i am to be neutral?" "to do nothing w', ' you must not interfere, come what may. you understand?" "i am to be neutral?" "to do nothing whatev', 'must not interfere, come what may. you understand?" "i am to be neutral?" "to do nothing whatever. t', 'not interfere, come what may. you understand?" "i am to be neutral?" "to do nothing whatever. there ', 'nterfere, come what may. you understand?" "i am to be neutral?" "to do nothing whatever. there will ', 'ere, come what may. you understand?" "i am to be neutral?" "to do nothing whatever. there will proba', 'come what may. you understand?" "i am to be neutral?" "to do nothing whatever. there will probably b', 'what may. you understand?" "i am to be neutral?" "to do nothing whatever. there will probably be som', 'may. you understand?" "i am to be neutral?" "to do nothing whatever. there will probably be some sma', 'you understand?" "i am to be neutral?" "to do nothing whatever. there will probably be some small un', 'nderstand?" "i am to be neutral?" "to do nothing whatever. there will probably be some small unpleas', 'tand?" "i am to be neutral?" "to do nothing whatever. there will probably be some small unpleasantne', '" "i am to be neutral?" "to do nothing whatever. there will probably be some small unpleasantness. d', 'am to be neutral?" "to do nothing whatever. there will probably be some small unpleasantness. do not', ' be neutral?" "to do nothing whatever. there will probably be some small unpleasantness. do not join', 'eutral?" "to do nothing whatever. there will probably be some small unpleasantness. do not join in i', 'l?" "to do nothing whatever. there will probably be some small unpleasantness. do not join in it. it', 'to do nothing whatever. there will probably be some small unpleasantness. do not join in it. it will', ' nothing whatever. there will probably be some small unpleasantness. do not join in it. it will end ', 'ing whatever. there will probably be some small unpleasantness. do not join in it. it will end in my', 'hatever. there will probably be some small unpleasantness. do not join in it. it will end in my bein', 'er. there will probably be some small unpleasantness. do not join in it. it will end in my being con', 'here will probably be some small unpleasantness. do not join in it. it will end in my being conveyed', 'will probably be some small unpleasantness. do not join in it. it will end in my being conveyed into', 'probably be some small unpleasantness. do not join in it. it will end in my being conveyed into the ', 'bly be some small unpleasantness. do not join in it. it will end in my being conveyed into the house', 'e some small unpleasantness. do not join in it. it will end in my being conveyed into the house. fou', 'e small unpleasantness. do not join in it. it will end in my being conveyed into the house. four or ', 'll unpleasantness. do not join in it. it will end in my being conveyed into the house. four or five ', 'pleasantness. do not join in it. it will end in my being conveyed into the house. four or five minut', 'antness. do not join in it. it will end in my being conveyed into the house. four or five minutes af', 'ss. do not join in it. it will end in my being conveyed into the house. four or five minutes afterwa', 'o not join in it. it will end in my being conveyed into the house. four or five minutes afterwards t', ' join in it. it will end in my being conveyed into the house. four or five minutes afterwards the si', ' in it. it will end in my being conveyed into the house. four or five minutes afterwards the sitting', 't. it will end in my being conveyed into the house. four or five minutes afterwards the sitting-room', ' will end in my being conveyed into the house. four or five minutes afterwards the sitting-room wind', ' end in my being conveyed into the house. four or five minutes afterwards the sitting-room window wi', 'in my being conveyed into the house. four or five minutes afterwards the sitting-room window will op', ' being conveyed into the house. four or five minutes afterwards the sitting-room window will open. y', 'g conveyed into the house. four or five minutes afterwards the sitting-room window will open. you ar', 'veyed into the house. four or five minutes afterwards the sitting-room window will open. you are to ', ' into the house. four or five minutes afterwards the sitting-room window will open. you are to stati', ' the house. four or five minutes afterwards the sitting-room window will open. you are to station yo', 'house. four or five minutes afterwards the sitting-room window will open. you are to station yoursel', '. four or five minutes afterwards the sitting-room window will open. you are to station yourself clo', 'r or five minutes afterwards the sitting-room window will open. you are to station yourself close to', 'five minutes afterwards the sitting-room window will open. you are to station yourself close to that', 'minutes afterwards the sitting-room window will open. you are to station yourself close to that open', 'es afterwards the sitting-room window will open. you are to station yourself close to that open wind', 'terwards the sitting-room window will open. you are to station yourself close to that open window." ', 'rds the sitting-room window will open. you are to station yourself close to that open window." "yes.', 'he sitting-room window will open. you are to station yourself close to that open window." "yes." "yo', 'tting-room window will open. you are to station yourself close to that open window." "yes." "you are', '-room window will open. you are to station yourself close to that open window." "yes." "you are to w', ' window will open. you are to station yourself close to that open window." "yes." "you are to watch ', 'ow will open. you are to station yourself close to that open window." "yes." "you are to watch me, f', 'll open. you are to station yourself close to that open window." "yes." "you are to watch me, for i ', 'en. you are to station yourself close to that open window." "yes." "you are to watch me, for i will ', 'ou are to station yourself close to that open window." "yes." "you are to watch me, for i will be vi', 'e to station yourself close to that open window." "yes." "you are to watch me, for i will be visible', 'station yourself close to that open window." "yes." "you are to watch me, for i will be visible to y', 'on yourself close to that open window." "yes." "you are to watch me, for i will be visible to you." ', 'urself close to that open window." "yes." "you are to watch me, for i will be visible to you." "yes.', 'f close to that open window." "yes." "you are to watch me, for i will be visible to you." "yes." "an', 'se to that open window." "yes." "you are to watch me, for i will be visible to you." "yes." "and whe', ' that open window." "yes." "you are to watch me, for i will be visible to you." "yes." "and when i r', ' open window." "yes." "you are to watch me, for i will be visible to you." "yes." "and when i raise ', ' window." "yes." "you are to watch me, for i will be visible to you." "yes." "and when i raise my ha', 'ow." "yes." "you are to watch me, for i will be visible to you." "yes." "and when i raise my handsoy', '"yes." "you are to watch me, for i will be visible to you." "yes." "and when i raise my handsoyou wi', '" "you are to watch me, for i will be visible to you." "yes." "and when i raise my handsoyou will th', 'u are to watch me, for i will be visible to you." "yes." "and when i raise my handsoyou will throw i', ' to watch me, for i will be visible to you." "yes." "and when i raise my handsoyou will throw into t', 'atch me, for i will be visible to you." "yes." "and when i raise my handsoyou will throw into the ro', 'me, for i will be visible to you." "yes." "and when i raise my handsoyou will throw into the room wh', 'or i will be visible to you." "yes." "and when i raise my handsoyou will throw into the room what i ', 'will be visible to you." "yes." "and when i raise my handsoyou will throw into the room what i give ', 'be visible to you." "yes." "and when i raise my handsoyou will throw into the room what i give you t', 'sible to you." "yes." "and when i raise my handsoyou will throw into the room what i give you to thr', ' to you." "yes." "and when i raise my handsoyou will throw into the room what i give you to throw, a', 'ou." "yes." "and when i raise my handsoyou will throw into the room what i give you to throw, and wi', '"yes." "and when i raise my handsoyou will throw into the room what i give you to throw, and will, a', '" "and when i raise my handsoyou will throw into the room what i give you to throw, and will, at the', 'd when i raise my handsoyou will throw into the room what i give you to throw, and will, at the same', 'n i raise my handsoyou will throw into the room what i give you to throw, and will, at the same time', 'aise my handsoyou will throw into the room what i give you to throw, and will, at the same time, rai', 'my handsoyou will throw into the room what i give you to throw, and will, at the same time, raise th', 'ndsoyou will throw into the room what i give you to throw, and will, at the same time, raise the cry', 'ou will throw into the room what i give you to throw, and will, at the same time, raise the cry of f', 'll throw into the room what i give you to throw, and will, at the same time, raise the cry of fire. ', 'row into the room what i give you to throw, and will, at the same time, raise the cry of fire. you q', 'nto the room what i give you to throw, and will, at the same time, raise the cry of fire. you quite ', 'he room what i give you to throw, and will, at the same time, raise the cry of fire. you quite follo', 'om what i give you to throw, and will, at the same time, raise the cry of fire. you quite follow me?', 'at i give you to throw, and will, at the same time, raise the cry of fire. you quite follow me?" "en', 'give you to throw, and will, at the same time, raise the cry of fire. you quite follow me?" "entirel', 'you to throw, and will, at the same time, raise the cry of fire. you quite follow me?" "entirely." "', 'o throw, and will, at the same time, raise the cry of fire. you quite follow me?" "entirely." "it is', 'ow, and will, at the same time, raise the cry of fire. you quite follow me?" "entirely." "it is noth', 'nd will, at the same time, raise the cry of fire. you quite follow me?" "entirely." "it is nothing v', 'll, at the same time, raise the cry of fire. you quite follow me?" "entirely." "it is nothing very f', 't the same time, raise the cry of fire. you quite follow me?" "entirely." "it is nothing very formid', ' same time, raise the cry of fire. you quite follow me?" "entirely." "it is nothing very formidable,', ' time, raise the cry of fire. you quite follow me?" "entirely." "it is nothing very formidable," he ', ', raise the cry of fire. you quite follow me?" "entirely." "it is nothing very formidable," he said,', 'se the cry of fire. you quite follow me?" "entirely." "it is nothing very formidable," he said, taki', 'e cry of fire. you quite follow me?" "entirely." "it is nothing very formidable," he said, taking a ', ' of fire. you quite follow me?" "entirely." "it is nothing very formidable," he said, taking a long ', 'ire. you quite follow me?" "entirely." "it is nothing very formidable," he said, taking a long cigar', 'you quite follow me?" "entirely." "it is nothing very formidable," he said, taking a long cigar-shap', 'uite follow me?" "entirely." "it is nothing very formidable," he said, taking a long cigar-shaped ro', 'follow me?" "entirely." "it is nothing very formidable," he said, taking a long cigar-shaped roll fr', 'w me?" "entirely." "it is nothing very formidable," he said, taking a long cigar-shaped roll from hi', '" "entirely." "it is nothing very formidable," he said, taking a long cigar-shaped roll from his poc', 'tirely." "it is nothing very formidable," he said, taking a long cigar-shaped roll from his pocket. ', 'y." "it is nothing very formidable," he said, taking a long cigar-shaped roll from his pocket. "it i', 'it is nothing very formidable," he said, taking a long cigar-shaped roll from his pocket. "it is an ', ' nothing very formidable," he said, taking a long cigar-shaped roll from his pocket. "it is an ordin', 'ing very formidable," he said, taking a long cigar-shaped roll from his pocket. "it is an ordinary p', 'ery formidable," he said, taking a long cigar-shaped roll from his pocket. "it is an ordinary plumbe', 'ormidable," he said, taking a long cigar-shaped roll from his pocket. "it is an ordinary plumber\'s s', 'able," he said, taking a long cigar-shaped roll from his pocket. "it is an ordinary plumber\'s smoke-', '" he said, taking a long cigar-shaped roll from his pocket. "it is an ordinary plumber\'s smoke-rocke', 'said, taking a long cigar-shaped roll from his pocket. "it is an ordinary plumber\'s smoke-rocket, fi', ' taking a long cigar-shaped roll from his pocket. "it is an ordinary plumber\'s smoke-rocket, fitted ', 'ng a long cigar-shaped roll from his pocket. "it is an ordinary plumber\'s smoke-rocket, fitted with ', 'long cigar-shaped roll from his pocket. "it is an ordinary plumber\'s smoke-rocket, fitted with a cap', 'cigar-shaped roll from his pocket. "it is an ordinary plumber\'s smoke-rocket, fitted with a cap at e', '-shaped roll from his pocket. "it is an ordinary plumber\'s smoke-rocket, fitted with a cap at either', 'ed roll from his pocket. "it is an ordinary plumber\'s smoke-rocket, fitted with a cap at either end ', 'll from his pocket. "it is an ordinary plumber\'s smoke-rocket, fitted with a cap at either end to ma', 'om his pocket. "it is an ordinary plumber\'s smoke-rocket, fitted with a cap at either end to make it', 's pocket. "it is an ordinary plumber\'s smoke-rocket, fitted with a cap at either end to make it self', 'ket. "it is an ordinary plumber\'s smoke-rocket, fitted with a cap at either end to make it self-ligh', '"it is an ordinary plumber\'s smoke-rocket, fitted with a cap at either end to make it self-lighting.', "s an ordinary plumber's smoke-rocket, fitted with a cap at either end to make it self-lighting. your", "ordinary plumber's smoke-rocket, fitted with a cap at either end to make it self-lighting. your task", "ary plumber's smoke-rocket, fitted with a cap at either end to make it self-lighting. your task is c", "lumber's smoke-rocket, fitted with a cap at either end to make it self-lighting. your task is confin", "r's smoke-rocket, fitted with a cap at either end to make it self-lighting. your task is confined to", 'moke-rocket, fitted with a cap at either end to make it self-lighting. your task is confined to that', 'rocket, fitted with a cap at either end to make it self-lighting. your task is confined to that. whe', 't, fitted with a cap at either end to make it self-lighting. your task is confined to that. when you', 'tted with a cap at either end to make it self-lighting. your task is confined to that. when you rais', 'with a cap at either end to make it self-lighting. your task is confined to that. when you raise you', 'a cap at either end to make it self-lighting. your task is confined to that. when you raise your cry', ' at either end to make it self-lighting. your task is confined to that. when you raise your cry of f', 'ither end to make it self-lighting. your task is confined to that. when you raise your cry of fire, ', ' end to make it self-lighting. your task is confined to that. when you raise your cry of fire, it wi', 'to make it self-lighting. your task is confined to that. when you raise your cry of fire, it will be', 'ke it self-lighting. your task is confined to that. when you raise your cry of fire, it will be take', ' self-lighting. your task is confined to that. when you raise your cry of fire, it will be taken up ', '-lighting. your task is confined to that. when you raise your cry of fire, it will be taken up by qu', 'ting. your task is confined to that. when you raise your cry of fire, it will be taken up by quite a', ' your task is confined to that. when you raise your cry of fire, it will be taken up by quite a numb', ' task is confined to that. when you raise your cry of fire, it will be taken up by quite a number of', ' is confined to that. when you raise your cry of fire, it will be taken up by quite a number of peop', 'onfined to that. when you raise your cry of fire, it will be taken up by quite a number of people. y', 'ed to that. when you raise your cry of fire, it will be taken up by quite a number of people. you ma', ' that. when you raise your cry of fire, it will be taken up by quite a number of people. you may the', '. when you raise your cry of fire, it will be taken up by quite a number of people. you may then wal', 'n you raise your cry of fire, it will be taken up by quite a number of people. you may then walk to ', ' raise your cry of fire, it will be taken up by quite a number of people. you may then walk to the e', 'e your cry of fire, it will be taken up by quite a number of people. you may then walk to the end of', 'r cry of fire, it will be taken up by quite a number of people. you may then walk to the end of the ', ' of fire, it will be taken up by quite a number of people. you may then walk to the end of the stree', 'ire, it will be taken up by quite a number of people. you may then walk to the end of the street, an', 'it will be taken up by quite a number of people. you may then walk to the end of the street, and i w', 'll be taken up by quite a number of people. you may then walk to the end of the street, and i will r', ' taken up by quite a number of people. you may then walk to the end of the street, and i will rejoin', 'n up by quite a number of people. you may then walk to the end of the street, and i will rejoin you ', 'by quite a number of people. you may then walk to the end of the street, and i will rejoin you in te', 'ite a number of people. you may then walk to the end of the street, and i will rejoin you in ten min', ' number of people. you may then walk to the end of the street, and i will rejoin you in ten minutes.', 'er of people. you may then walk to the end of the street, and i will rejoin you in ten minutes. i ho', ' people. you may then walk to the end of the street, and i will rejoin you in ten minutes. i hope th', 'le. you may then walk to the end of the street, and i will rejoin you in ten minutes. i hope that i ', 'ou may then walk to the end of the street, and i will rejoin you in ten minutes. i hope that i have ', 'y then walk to the end of the street, and i will rejoin you in ten minutes. i hope that i have made ', 'n walk to the end of the street, and i will rejoin you in ten minutes. i hope that i have made mysel', 'k to the end of the street, and i will rejoin you in ten minutes. i hope that i have made myself cle', 'the end of the street, and i will rejoin you in ten minutes. i hope that i have made myself clear?" ', 'nd of the street, and i will rejoin you in ten minutes. i hope that i have made myself clear?" "i am', ' the street, and i will rejoin you in ten minutes. i hope that i have made myself clear?" "i am to r', 'street, and i will rejoin you in ten minutes. i hope that i have made myself clear?" "i am to remain', 't, and i will rejoin you in ten minutes. i hope that i have made myself clear?" "i am to remain neut', 'd i will rejoin you in ten minutes. i hope that i have made myself clear?" "i am to remain neutral, ', 'ill rejoin you in ten minutes. i hope that i have made myself clear?" "i am to remain neutral, to ge', 'ejoin you in ten minutes. i hope that i have made myself clear?" "i am to remain neutral, to get nea', ' you in ten minutes. i hope that i have made myself clear?" "i am to remain neutral, to get near the', 'in ten minutes. i hope that i have made myself clear?" "i am to remain neutral, to get near the wind', 'n minutes. i hope that i have made myself clear?" "i am to remain neutral, to get near the window, t', 'utes. i hope that i have made myself clear?" "i am to remain neutral, to get near the window, to wat', ' i hope that i have made myself clear?" "i am to remain neutral, to get near the window, to watch yo', 'pe that i have made myself clear?" "i am to remain neutral, to get near the window, to watch you, an', 'at i have made myself clear?" "i am to remain neutral, to get near the window, to watch you, and at ', 'have made myself clear?" "i am to remain neutral, to get near the window, to watch you, and at the s', 'made myself clear?" "i am to remain neutral, to get near the window, to watch you, and at the signal', 'myself clear?" "i am to remain neutral, to get near the window, to watch you, and at the signal to t', 'f clear?" "i am to remain neutral, to get near the window, to watch you, and at the signal to throw ', 'ar?" "i am to remain neutral, to get near the window, to watch you, and at the signal to throw in th', '"i am to remain neutral, to get near the window, to watch you, and at the signal to throw in this ob', ' to remain neutral, to get near the window, to watch you, and at the signal to throw in this object,', 'emain neutral, to get near the window, to watch you, and at the signal to throw in this object, then', ' neutral, to get near the window, to watch you, and at the signal to throw in this object, then to r', 'ral, to get near the window, to watch you, and at the signal to throw in this object, then to raise ', 'to get near the window, to watch you, and at the signal to throw in this object, then to raise the c', 't near the window, to watch you, and at the signal to throw in this object, then to raise the cry of', 'r the window, to watch you, and at the signal to throw in this object, then to raise the cry of fire', ' window, to watch you, and at the signal to throw in this object, then to raise the cry of fire, and', 'ow, to watch you, and at the signal to throw in this object, then to raise the cry of fire, and to w', 'o watch you, and at the signal to throw in this object, then to raise the cry of fire, and to wait y', 'ch you, and at the signal to throw in this object, then to raise the cry of fire, and to wait you at', 'u, and at the signal to throw in this object, then to raise the cry of fire, and to wait you at the ', 'd at the signal to throw in this object, then to raise the cry of fire, and to wait you at the corne', 'the signal to throw in this object, then to raise the cry of fire, and to wait you at the corner of ', 'ignal to throw in this object, then to raise the cry of fire, and to wait you at the corner of the s', ' to throw in this object, then to raise the cry of fire, and to wait you at the corner of the street', 'hrow in this object, then to raise the cry of fire, and to wait you at the corner of the street." "p', 'in this object, then to raise the cry of fire, and to wait you at the corner of the street." "precis', 'is object, then to raise the cry of fire, and to wait you at the corner of the street." "precisely."', 'ject, then to raise the cry of fire, and to wait you at the corner of the street." "precisely." "the', ' then to raise the cry of fire, and to wait you at the corner of the street." "precisely." "then you', ' to raise the cry of fire, and to wait you at the corner of the street." "precisely." "then you may ', 'aise the cry of fire, and to wait you at the corner of the street." "precisely." "then you may entir', 'the cry of fire, and to wait you at the corner of the street." "precisely." "then you may entirely r', 'ry of fire, and to wait you at the corner of the street." "precisely." "then you may entirely rely o', ' fire, and to wait you at the corner of the street." "precisely." "then you may entirely rely on me.', ', and to wait you at the corner of the street." "precisely." "then you may entirely rely on me." "th', ' to wait you at the corner of the street." "precisely." "then you may entirely rely on me." "that is', 'ait you at the corner of the street." "precisely." "then you may entirely rely on me." "that is exce', 'ou at the corner of the street." "precisely." "then you may entirely rely on me." "that is excellent', ' the corner of the street." "precisely." "then you may entirely rely on me." "that is excellent. i t', 'corner of the street." "precisely." "then you may entirely rely on me." "that is excellent. i think,', 'r of the street." "precisely." "then you may entirely rely on me." "that is excellent. i think, perh', 'the street." "precisely." "then you may entirely rely on me." "that is excellent. i think, perhaps, ', 'treet." "precisely." "then you may entirely rely on me." "that is excellent. i think, perhaps, it is', '." "precisely." "then you may entirely rely on me." "that is excellent. i think, perhaps, it is almo', 'recisely." "then you may entirely rely on me." "that is excellent. i think, perhaps, it is almost ti', 'ely." "then you may entirely rely on me." "that is excellent. i think, perhaps, it is almost time th', ' "then you may entirely rely on me." "that is excellent. i think, perhaps, it is almost time that i ', 'n you may entirely rely on me." "that is excellent. i think, perhaps, it is almost time that i prepa', ' may entirely rely on me." "that is excellent. i think, perhaps, it is almost time that i prepare fo', 'entirely rely on me." "that is excellent. i think, perhaps, it is almost time that i prepare for the', 'ely rely on me." "that is excellent. i think, perhaps, it is almost time that i prepare for the new ', 'ely on me." "that is excellent. i think, perhaps, it is almost time that i prepare for the new role ', 'n me." "that is excellent. i think, perhaps, it is almost time that i prepare for the new role i hav', '" "that is excellent. i think, perhaps, it is almost time that i prepare for the new role i have to ', 'at is excellent. i think, perhaps, it is almost time that i prepare for the new role i have to play.', ' excellent. i think, perhaps, it is almost time that i prepare for the new role i have to play." he ', 'llent. i think, perhaps, it is almost time that i prepare for the new role i have to play." he disap', '. i think, perhaps, it is almost time that i prepare for the new role i have to play." he disappeare', 'hink, perhaps, it is almost time that i prepare for the new role i have to play." he disappeared int', ' perhaps, it is almost time that i prepare for the new role i have to play." he disappeared into his', 'aps, it is almost time that i prepare for the new role i have to play." he disappeared into his bedr', 'it is almost time that i prepare for the new role i have to play." he disappeared into his bedroom a', ' almost time that i prepare for the new role i have to play." he disappeared into his bedroom and re', 'st time that i prepare for the new role i have to play." he disappeared into his bedroom and returne', 'me that i prepare for the new role i have to play." he disappeared into his bedroom and returned in ', 'at i prepare for the new role i have to play." he disappeared into his bedroom and returned in a few', 'prepare for the new role i have to play." he disappeared into his bedroom and returned in a few minu', 're for the new role i have to play." he disappeared into his bedroom and returned in a few minutes i', 'r the new role i have to play." he disappeared into his bedroom and returned in a few minutes in the', ' new role i have to play." he disappeared into his bedroom and returned in a few minutes in the char', 'role i have to play." he disappeared into his bedroom and returned in a few minutes in the character', 'i have to play." he disappeared into his bedroom and returned in a few minutes in the character of a', 'e to play." he disappeared into his bedroom and returned in a few minutes in the character of an ami', 'play." he disappeared into his bedroom and returned in a few minutes in the character of an amiable ', '" he disappeared into his bedroom and returned in a few minutes in the character of an amiable and s', 'disappeared into his bedroom and returned in a few minutes in the character of an amiable and simple', 'peared into his bedroom and returned in a few minutes in the character of an amiable and simple-mind', 'd into his bedroom and returned in a few minutes in the character of an amiable and simple-minded no', 'o his bedroom and returned in a few minutes in the character of an amiable and simple-minded nonconf', ' bedroom and returned in a few minutes in the character of an amiable and simple-minded nonconformis', 'oom and returned in a few minutes in the character of an amiable and simple-minded nonconformist cle', 'nd returned in a few minutes in the character of an amiable and simple-minded nonconformist clergyma', 'turned in a few minutes in the character of an amiable and simple-minded nonconformist clergyman. hi', 'd in a few minutes in the character of an amiable and simple-minded nonconformist clergyman. his bro', 'a few minutes in the character of an amiable and simple-minded nonconformist clergyman. his broad bl', ' minutes in the character of an amiable and simple-minded nonconformist clergyman. his broad black h', 'tes in the character of an amiable and simple-minded nonconformist clergyman. his broad black hat, h', 'n the character of an amiable and simple-minded nonconformist clergyman. his broad black hat, his ba', ' character of an amiable and simple-minded nonconformist clergyman. his broad black hat, his baggy t', 'acter of an amiable and simple-minded nonconformist clergyman. his broad black hat, his baggy trouse', ' of an amiable and simple-minded nonconformist clergyman. his broad black hat, his baggy trousers, h', 'n amiable and simple-minded nonconformist clergyman. his broad black hat, his baggy trousers, his wh', 'able and simple-minded nonconformist clergyman. his broad black hat, his baggy trousers, his white t', 'and simple-minded nonconformist clergyman. his broad black hat, his baggy trousers, his white tie, h', 'imple-minded nonconformist clergyman. his broad black hat, his baggy trousers, his white tie, his sy', '-minded nonconformist clergyman. his broad black hat, his baggy trousers, his white tie, his sympath', 'ed nonconformist clergyman. his broad black hat, his baggy trousers, his white tie, his sympathetic ', 'nconformist clergyman. his broad black hat, his baggy trousers, his white tie, his sympathetic smile', 'ormist clergyman. his broad black hat, his baggy trousers, his white tie, his sympathetic smile, and', 't clergyman. his broad black hat, his baggy trousers, his white tie, his sympathetic smile, and gene', 'rgyman. his broad black hat, his baggy trousers, his white tie, his sympathetic smile, and general l', 'n. his broad black hat, his baggy trousers, his white tie, his sympathetic smile, and general look o', 's broad black hat, his baggy trousers, his white tie, his sympathetic smile, and general look of pee', 'ad black hat, his baggy trousers, his white tie, his sympathetic smile, and general look of peering ', 'ack hat, his baggy trousers, his white tie, his sympathetic smile, and general look of peering and b', 'at, his baggy trousers, his white tie, his sympathetic smile, and general look of peering and benevo', 'is baggy trousers, his white tie, his sympathetic smile, and general look of peering and benevolent ', 'ggy trousers, his white tie, his sympathetic smile, and general look of peering and benevolent curio', 'rousers, his white tie, his sympathetic smile, and general look of peering and benevolent curiosity ', 'rs, his white tie, his sympathetic smile, and general look of peering and benevolent curiosity were ', 'is white tie, his sympathetic smile, and general look of peering and benevolent curiosity were such ', 'ite tie, his sympathetic smile, and general look of peering and benevolent curiosity were such as mr', 'ie, his sympathetic smile, and general look of peering and benevolent curiosity were such as mr. joh', 'is sympathetic smile, and general look of peering and benevolent curiosity were such as mr. john har', 'mpathetic smile, and general look of peering and benevolent curiosity were such as mr. john hare alo', 'etic smile, and general look of peering and benevolent curiosity were such as mr. john hare alone co', 'smile, and general look of peering and benevolent curiosity were such as mr. john hare alone could h', ', and general look of peering and benevolent curiosity were such as mr. john hare alone could have e', ' general look of peering and benevolent curiosity were such as mr. john hare alone could have equall', 'ral look of peering and benevolent curiosity were such as mr. john hare alone could have equalled. i', 'ook of peering and benevolent curiosity were such as mr. john hare alone could have equalled. it was', 'f peering and benevolent curiosity were such as mr. john hare alone could have equalled. it was not ', 'ring and benevolent curiosity were such as mr. john hare alone could have equalled. it was not merel', 'and benevolent curiosity were such as mr. john hare alone could have equalled. it was not merely tha', 'enevolent curiosity were such as mr. john hare alone could have equalled. it was not merely that hol', 'lent curiosity were such as mr. john hare alone could have equalled. it was not merely that holmes c', 'curiosity were such as mr. john hare alone could have equalled. it was not merely that holmes change', 'sity were such as mr. john hare alone could have equalled. it was not merely that holmes changed his', 'were such as mr. john hare alone could have equalled. it was not merely that holmes changed his cost', 'such as mr. john hare alone could have equalled. it was not merely that holmes changed his costume. ', 'as mr. john hare alone could have equalled. it was not merely that holmes changed his costume. his e', '. john hare alone could have equalled. it was not merely that holmes changed his costume. his expres', 'n hare alone could have equalled. it was not merely that holmes changed his costume. his expression,', 'e alone could have equalled. it was not merely that holmes changed his costume. his expression, his ', 'ne could have equalled. it was not merely that holmes changed his costume. his expression, his manne', 'uld have equalled. it was not merely that holmes changed his costume. his expression, his manner, hi', 'ave equalled. it was not merely that holmes changed his costume. his expression, his manner, his ver', 'qualled. it was not merely that holmes changed his costume. his expression, his manner, his very sou', 'ed. it was not merely that holmes changed his costume. his expression, his manner, his very soul see', 't was not merely that holmes changed his costume. his expression, his manner, his very soul seemed t', ' not merely that holmes changed his costume. his expression, his manner, his very soul seemed to var', 'merely that holmes changed his costume. his expression, his manner, his very soul seemed to vary wit', 'y that holmes changed his costume. his expression, his manner, his very soul seemed to vary with eve', 't holmes changed his costume. his expression, his manner, his very soul seemed to vary with every fr', 'mes changed his costume. his expression, his manner, his very soul seemed to vary with every fresh p', 'hanged his costume. his expression, his manner, his very soul seemed to vary with every fresh part t', 'd his costume. his expression, his manner, his very soul seemed to vary with every fresh part that h', ' costume. his expression, his manner, his very soul seemed to vary with every fresh part that he ass', 'ume. his expression, his manner, his very soul seemed to vary with every fresh part that he assumed.', 'his expression, his manner, his very soul seemed to vary with every fresh part that he assumed. the ', 'xpression, his manner, his very soul seemed to vary with every fresh part that he assumed. the stage', 'sion, his manner, his very soul seemed to vary with every fresh part that he assumed. the stage lost', ' his manner, his very soul seemed to vary with every fresh part that he assumed. the stage lost a fi', 'manner, his very soul seemed to vary with every fresh part that he assumed. the stage lost a fine ac', 'r, his very soul seemed to vary with every fresh part that he assumed. the stage lost a fine actor, ', 's very soul seemed to vary with every fresh part that he assumed. the stage lost a fine actor, even ', 'y soul seemed to vary with every fresh part that he assumed. the stage lost a fine actor, even as sc', 'l seemed to vary with every fresh part that he assumed. the stage lost a fine actor, even as science', 'med to vary with every fresh part that he assumed. the stage lost a fine actor, even as science lost', 'o vary with every fresh part that he assumed. the stage lost a fine actor, even as science lost an a', 'y with every fresh part that he assumed. the stage lost a fine actor, even as science lost an acute ', 'h every fresh part that he assumed. the stage lost a fine actor, even as science lost an acute reaso', 'ry fresh part that he assumed. the stage lost a fine actor, even as science lost an acute reasoner, ', 'esh part that he assumed. the stage lost a fine actor, even as science lost an acute reasoner, when ', 'art that he assumed. the stage lost a fine actor, even as science lost an acute reasoner, when he be', 'hat he assumed. the stage lost a fine actor, even as science lost an acute reasoner, when he became ', 'e assumed. the stage lost a fine actor, even as science lost an acute reasoner, when he became a spe', 'umed. the stage lost a fine actor, even as science lost an acute reasoner, when he became a speciali', ' the stage lost a fine actor, even as science lost an acute reasoner, when he became a specialist in', 'stage lost a fine actor, even as science lost an acute reasoner, when he became a specialist in crim', ' lost a fine actor, even as science lost an acute reasoner, when he became a specialist in crime. it', ' a fine actor, even as science lost an acute reasoner, when he became a specialist in crime. it was ', 'ne actor, even as science lost an acute reasoner, when he became a specialist in crime. it was a qua', 'tor, even as science lost an acute reasoner, when he became a specialist in crime. it was a quarter ', 'even as science lost an acute reasoner, when he became a specialist in crime. it was a quarter past ', 'as science lost an acute reasoner, when he became a specialist in crime. it was a quarter past six w', 'ience lost an acute reasoner, when he became a specialist in crime. it was a quarter past six when w', ' lost an acute reasoner, when he became a specialist in crime. it was a quarter past six when we lef', ' an acute reasoner, when he became a specialist in crime. it was a quarter past six when we left bak', 'cute reasoner, when he became a specialist in crime. it was a quarter past six when we left baker st', 'reasoner, when he became a specialist in crime. it was a quarter past six when we left baker street,', 'ner, when he became a specialist in crime. it was a quarter past six when we left baker street, and ', 'when he became a specialist in crime. it was a quarter past six when we left baker street, and it st', 'he became a specialist in crime. it was a quarter past six when we left baker street, and it still w', 'came a specialist in crime. it was a quarter past six when we left baker street, and it still wanted', 'a specialist in crime. it was a quarter past six when we left baker street, and it still wanted ten ', 'cialist in crime. it was a quarter past six when we left baker street, and it still wanted ten minut', 'st in crime. it was a quarter past six when we left baker street, and it still wanted ten minutes to', ' crime. it was a quarter past six when we left baker street, and it still wanted ten minutes to the ', 'e. it was a quarter past six when we left baker street, and it still wanted ten minutes to the hour ', ' was a quarter past six when we left baker street, and it still wanted ten minutes to the hour when ', 'a quarter past six when we left baker street, and it still wanted ten minutes to the hour when we fo', 'rter past six when we left baker street, and it still wanted ten minutes to the hour when we found o', 'past six when we left baker street, and it still wanted ten minutes to the hour when we found oursel', 'six when we left baker street, and it still wanted ten minutes to the hour when we found ourselves i', 'hen we left baker street, and it still wanted ten minutes to the hour when we found ourselves in ser', 'e left baker street, and it still wanted ten minutes to the hour when we found ourselves in serpenti', 't baker street, and it still wanted ten minutes to the hour when we found ourselves in serpentine av', 'er street, and it still wanted ten minutes to the hour when we found ourselves in serpentine avenue.', 'reet, and it still wanted ten minutes to the hour when we found ourselves in serpentine avenue. it w', ' and it still wanted ten minutes to the hour when we found ourselves in serpentine avenue. it was al', 'it still wanted ten minutes to the hour when we found ourselves in serpentine avenue. it was already', 'ill wanted ten minutes to the hour when we found ourselves in serpentine avenue. it was already dusk', 'anted ten minutes to the hour when we found ourselves in serpentine avenue. it was already dusk, and', ' ten minutes to the hour when we found ourselves in serpentine avenue. it was already dusk, and the ', 'minutes to the hour when we found ourselves in serpentine avenue. it was already dusk, and the lamps', 'es to the hour when we found ourselves in serpentine avenue. it was already dusk, and the lamps were', ' the hour when we found ourselves in serpentine avenue. it was already dusk, and the lamps were just', 'hour when we found ourselves in serpentine avenue. it was already dusk, and the lamps were just bein', 'when we found ourselves in serpentine avenue. it was already dusk, and the lamps were just being lig', 'we found ourselves in serpentine avenue. it was already dusk, and the lamps were just being lighted ', 'und ourselves in serpentine avenue. it was already dusk, and the lamps were just being lighted as we', 'urselves in serpentine avenue. it was already dusk, and the lamps were just being lighted as we pace', 'ves in serpentine avenue. it was already dusk, and the lamps were just being lighted as we paced up ', 'n serpentine avenue. it was already dusk, and the lamps were just being lighted as we paced up and d', 'pentine avenue. it was already dusk, and the lamps were just being lighted as we paced up and down i', 'ne avenue. it was already dusk, and the lamps were just being lighted as we paced up and down in fro', 'enue. it was already dusk, and the lamps were just being lighted as we paced up and down in front of', ' it was already dusk, and the lamps were just being lighted as we paced up and down in front of brio', 'as already dusk, and the lamps were just being lighted as we paced up and down in front of briony lo', 'ready dusk, and the lamps were just being lighted as we paced up and down in front of briony lodge, ', ' dusk, and the lamps were just being lighted as we paced up and down in front of briony lodge, waiti', ', and the lamps were just being lighted as we paced up and down in front of briony lodge, waiting fo', ' the lamps were just being lighted as we paced up and down in front of briony lodge, waiting for the', 'lamps were just being lighted as we paced up and down in front of briony lodge, waiting for the comi', ' were just being lighted as we paced up and down in front of briony lodge, waiting for the coming of', ' just being lighted as we paced up and down in front of briony lodge, waiting for the coming of its ', ' being lighted as we paced up and down in front of briony lodge, waiting for the coming of its occup', 'g lighted as we paced up and down in front of briony lodge, waiting for the coming of its occupant. ', 'hted as we paced up and down in front of briony lodge, waiting for the coming of its occupant. the h', 'as we paced up and down in front of briony lodge, waiting for the coming of its occupant. the house ', ' paced up and down in front of briony lodge, waiting for the coming of its occupant. the house was j', 'd up and down in front of briony lodge, waiting for the coming of its occupant. the house was just s', 'and down in front of briony lodge, waiting for the coming of its occupant. the house was just such a', 'own in front of briony lodge, waiting for the coming of its occupant. the house was just such as i h', 'n front of briony lodge, waiting for the coming of its occupant. the house was just such as i had pi', 'nt of briony lodge, waiting for the coming of its occupant. the house was just such as i had picture', ' briony lodge, waiting for the coming of its occupant. the house was just such as i had pictured it ', 'ny lodge, waiting for the coming of its occupant. the house was just such as i had pictured it from ', 'dge, waiting for the coming of its occupant. the house was just such as i had pictured it from sherl', 'waiting for the coming of its occupant. the house was just such as i had pictured it from sherlock h', 'ng for the coming of its occupant. the house was just such as i had pictured it from sherlock holmes', "r the coming of its occupant. the house was just such as i had pictured it from sherlock holmes' suc", " coming of its occupant. the house was just such as i had pictured it from sherlock holmes' succinct", "ng of its occupant. the house was just such as i had pictured it from sherlock holmes' succinct desc", " its occupant. the house was just such as i had pictured it from sherlock holmes' succinct descripti", "occupant. the house was just such as i had pictured it from sherlock holmes' succinct description, b", "ant. the house was just such as i had pictured it from sherlock holmes' succinct description, but th", "the house was just such as i had pictured it from sherlock holmes' succinct description, but the loc", "ouse was just such as i had pictured it from sherlock holmes' succinct description, but the locality", "was just such as i had pictured it from sherlock holmes' succinct description, but the locality appe", "ust such as i had pictured it from sherlock holmes' succinct description, but the locality appeared ", "uch as i had pictured it from sherlock holmes' succinct description, but the locality appeared to be", "s i had pictured it from sherlock holmes' succinct description, but the locality appeared to be less", "ad pictured it from sherlock holmes' succinct description, but the locality appeared to be less priv", "ctured it from sherlock holmes' succinct description, but the locality appeared to be less private t", "d it from sherlock holmes' succinct description, but the locality appeared to be less private than i", "from sherlock holmes' succinct description, but the locality appeared to be less private than i expe", "sherlock holmes' succinct description, but the locality appeared to be less private than i expected.", "ock holmes' succinct description, but the locality appeared to be less private than i expected. on t", "olmes' succinct description, but the locality appeared to be less private than i expected. on the co", "' succinct description, but the locality appeared to be less private than i expected. on the contrar", 'cinct description, but the locality appeared to be less private than i expected. on the contrary, fo', ' description, but the locality appeared to be less private than i expected. on the contrary, for a s', 'ription, but the locality appeared to be less private than i expected. on the contrary, for a small ', 'on, but the locality appeared to be less private than i expected. on the contrary, for a small stree', 'ut the locality appeared to be less private than i expected. on the contrary, for a small street in ', 'e locality appeared to be less private than i expected. on the contrary, for a small street in a qui', 'ality appeared to be less private than i expected. on the contrary, for a small street in a quiet ne', ' appeared to be less private than i expected. on the contrary, for a small street in a quiet neighbo', 'ared to be less private than i expected. on the contrary, for a small street in a quiet neighbourhoo', 'to be less private than i expected. on the contrary, for a small street in a quiet neighbourhood, it', ' less private than i expected. on the contrary, for a small street in a quiet neighbourhood, it was ', ' private than i expected. on the contrary, for a small street in a quiet neighbourhood, it was remar', 'ate than i expected. on the contrary, for a small street in a quiet neighbourhood, it was remarkably', 'han i expected. on the contrary, for a small street in a quiet neighbourhood, it was remarkably anim', ' expected. on the contrary, for a small street in a quiet neighbourhood, it was remarkably animated.', 'cted. on the contrary, for a small street in a quiet neighbourhood, it was remarkably animated. ther', ' on the contrary, for a small street in a quiet neighbourhood, it was remarkably animated. there was', 'he contrary, for a small street in a quiet neighbourhood, it was remarkably animated. there was a gr', 'ntrary, for a small street in a quiet neighbourhood, it was remarkably animated. there was a group o', 'y, for a small street in a quiet neighbourhood, it was remarkably animated. there was a group of sha', 'r a small street in a quiet neighbourhood, it was remarkably animated. there was a group of shabbily', 'mall street in a quiet neighbourhood, it was remarkably animated. there was a group of shabbily dres', 'street in a quiet neighbourhood, it was remarkably animated. there was a group of shabbily dressed m', 't in a quiet neighbourhood, it was remarkably animated. there was a group of shabbily dressed men sm', 'a quiet neighbourhood, it was remarkably animated. there was a group of shabbily dressed men smoking', 'et neighbourhood, it was remarkably animated. there was a group of shabbily dressed men smoking and ', 'ighbourhood, it was remarkably animated. there was a group of shabbily dressed men smoking and laugh', 'urhood, it was remarkably animated. there was a group of shabbily dressed men smoking and laughing i', 'd, it was remarkably animated. there was a group of shabbily dressed men smoking and laughing in a c', ' was remarkably animated. there was a group of shabbily dressed men smoking and laughing in a corner', 'remarkably animated. there was a group of shabbily dressed men smoking and laughing in a corner, a s', 'kably animated. there was a group of shabbily dressed men smoking and laughing in a corner, a scisso', ' animated. there was a group of shabbily dressed men smoking and laughing in a corner, a scissors-gr', 'ated. there was a group of shabbily dressed men smoking and laughing in a corner, a scissors-grinder', ' there was a group of shabbily dressed men smoking and laughing in a corner, a scissors-grinder with', 'e was a group of shabbily dressed men smoking and laughing in a corner, a scissors-grinder with his ', ' a group of shabbily dressed men smoking and laughing in a corner, a scissors-grinder with his wheel', 'oup of shabbily dressed men smoking and laughing in a corner, a scissors-grinder with his wheel, two', 'f shabbily dressed men smoking and laughing in a corner, a scissors-grinder with his wheel, two guar', 'bbily dressed men smoking and laughing in a corner, a scissors-grinder with his wheel, two guardsmen', ' dressed men smoking and laughing in a corner, a scissors-grinder with his wheel, two guardsmen who ', 'sed men smoking and laughing in a corner, a scissors-grinder with his wheel, two guardsmen who were ', 'en smoking and laughing in a corner, a scissors-grinder with his wheel, two guardsmen who were flirt', 'oking and laughing in a corner, a scissors-grinder with his wheel, two guardsmen who were flirting w', ' and laughing in a corner, a scissors-grinder with his wheel, two guardsmen who were flirting with a', 'laughing in a corner, a scissors-grinder with his wheel, two guardsmen who were flirting with a nurs', 'ing in a corner, a scissors-grinder with his wheel, two guardsmen who were flirting with a nurse-gir', 'n a corner, a scissors-grinder with his wheel, two guardsmen who were flirting with a nurse-girl, an', 'orner, a scissors-grinder with his wheel, two guardsmen who were flirting with a nurse-girl, and sev', ', a scissors-grinder with his wheel, two guardsmen who were flirting with a nurse-girl, and several ', 'cissors-grinder with his wheel, two guardsmen who were flirting with a nurse-girl, and several well-', 'rs-grinder with his wheel, two guardsmen who were flirting with a nurse-girl, and several well-dress', 'inder with his wheel, two guardsmen who were flirting with a nurse-girl, and several well-dressed yo', ' with his wheel, two guardsmen who were flirting with a nurse-girl, and several well-dressed young m', ' his wheel, two guardsmen who were flirting with a nurse-girl, and several well-dressed young men wh', 'wheel, two guardsmen who were flirting with a nurse-girl, and several well-dressed young men who wer', ', two guardsmen who were flirting with a nurse-girl, and several well-dressed young men who were lou', ' guardsmen who were flirting with a nurse-girl, and several well-dressed young men who were lounging', 'dsmen who were flirting with a nurse-girl, and several well-dressed young men who were lounging up a', ' who were flirting with a nurse-girl, and several well-dressed young men who were lounging up and do', 'were flirting with a nurse-girl, and several well-dressed young men who were lounging up and down wi', 'flirting with a nurse-girl, and several well-dressed young men who were lounging up and down with ci', 'ing with a nurse-girl, and several well-dressed young men who were lounging up and down with cigars ', 'ith a nurse-girl, and several well-dressed young men who were lounging up and down with cigars in th', ' nurse-girl, and several well-dressed young men who were lounging up and down with cigars in their m', 'e-girl, and several well-dressed young men who were lounging up and down with cigars in their mouths', 'l, and several well-dressed young men who were lounging up and down with cigars in their mouths. "yo', 'd several well-dressed young men who were lounging up and down with cigars in their mouths. "you see', 'eral well-dressed young men who were lounging up and down with cigars in their mouths. "you see," re', 'well-dressed young men who were lounging up and down with cigars in their mouths. "you see," remarke', 'dressed young men who were lounging up and down with cigars in their mouths. "you see," remarked hol', 'ed young men who were lounging up and down with cigars in their mouths. "you see," remarked holmes, ', 'ung men who were lounging up and down with cigars in their mouths. "you see," remarked holmes, as we', 'en who were lounging up and down with cigars in their mouths. "you see," remarked holmes, as we pace', 'o were lounging up and down with cigars in their mouths. "you see," remarked holmes, as we paced to ', 'e lounging up and down with cigars in their mouths. "you see," remarked holmes, as we paced to and f', 'nging up and down with cigars in their mouths. "you see," remarked holmes, as we paced to and fro in', ' up and down with cigars in their mouths. "you see," remarked holmes, as we paced to and fro in fron', 'nd down with cigars in their mouths. "you see," remarked holmes, as we paced to and fro in front of ', 'wn with cigars in their mouths. "you see," remarked holmes, as we paced to and fro in front of the h', 'th cigars in their mouths. "you see," remarked holmes, as we paced to and fro in front of the house,', 'gars in their mouths. "you see," remarked holmes, as we paced to and fro in front of the house, "thi', 'in their mouths. "you see," remarked holmes, as we paced to and fro in front of the house, "this mar', 'eir mouths. "you see," remarked holmes, as we paced to and fro in front of the house, "this marriage', 'ouths. "you see," remarked holmes, as we paced to and fro in front of the house, "this marriage rath', '. "you see," remarked holmes, as we paced to and fro in front of the house, "this marriage rather si', 'u see," remarked holmes, as we paced to and fro in front of the house, "this marriage rather simplif', '," remarked holmes, as we paced to and fro in front of the house, "this marriage rather simplifies m', 'marked holmes, as we paced to and fro in front of the house, "this marriage rather simplifies matter', 'd holmes, as we paced to and fro in front of the house, "this marriage rather simplifies matters. th', 'mes, as we paced to and fro in front of the house, "this marriage rather simplifies matters. the pho', 'as we paced to and fro in front of the house, "this marriage rather simplifies matters. the photogra', ' paced to and fro in front of the house, "this marriage rather simplifies matters. the photograph be', 'd to and fro in front of the house, "this marriage rather simplifies matters. the photograph becomes', 'and fro in front of the house, "this marriage rather simplifies matters. the photograph becomes a do', 'ro in front of the house, "this marriage rather simplifies matters. the photograph becomes a double-', ' front of the house, "this marriage rather simplifies matters. the photograph becomes a double-edged', 't of the house, "this marriage rather simplifies matters. the photograph becomes a double-edged weap', 'the house, "this marriage rather simplifies matters. the photograph becomes a double-edged weapon no', 'ouse, "this marriage rather simplifies matters. the photograph becomes a double-edged weapon now. th', ' "this marriage rather simplifies matters. the photograph becomes a double-edged weapon now. the cha', 's marriage rather simplifies matters. the photograph becomes a double-edged weapon now. the chances ', 'riage rather simplifies matters. the photograph becomes a double-edged weapon now. the chances are t', ' rather simplifies matters. the photograph becomes a double-edged weapon now. the chances are that s', 'er simplifies matters. the photograph becomes a double-edged weapon now. the chances are that she wo', 'mplifies matters. the photograph becomes a double-edged weapon now. the chances are that she would b', 'ies matters. the photograph becomes a double-edged weapon now. the chances are that she would be as ', 'atters. the photograph becomes a double-edged weapon now. the chances are that she would be as avers', 's. the photograph becomes a double-edged weapon now. the chances are that she would be as averse to ', 'e photograph becomes a double-edged weapon now. the chances are that she would be as averse to its b', 'tograph becomes a double-edged weapon now. the chances are that she would be as averse to its being ', 'ph becomes a double-edged weapon now. the chances are that she would be as averse to its being seen ', 'comes a double-edged weapon now. the chances are that she would be as averse to its being seen by mr', ' a double-edged weapon now. the chances are that she would be as averse to its being seen by mr. god', 'uble-edged weapon now. the chances are that she would be as averse to its being seen by mr. godfrey ', 'edged weapon now. the chances are that she would be as averse to its being seen by mr. godfrey norto', ' weapon now. the chances are that she would be as averse to its being seen by mr. godfrey norton, as', 'on now. the chances are that she would be as averse to its being seen by mr. godfrey norton, as our ', 'w. the chances are that she would be as averse to its being seen by mr. godfrey norton, as our clien', 'e chances are that she would be as averse to its being seen by mr. godfrey norton, as our client is ', 'nces are that she would be as averse to its being seen by mr. godfrey norton, as our client is to it', 'are that she would be as averse to its being seen by mr. godfrey norton, as our client is to its com', 'hat she would be as averse to its being seen by mr. godfrey norton, as our client is to its coming t', 'he would be as averse to its being seen by mr. godfrey norton, as our client is to its coming to the', 'uld be as averse to its being seen by mr. godfrey norton, as our client is to its coming to the eyes', 'e as averse to its being seen by mr. godfrey norton, as our client is to its coming to the eyes of h', 'averse to its being seen by mr. godfrey norton, as our client is to its coming to the eyes of his pr', 'e to its being seen by mr. godfrey norton, as our client is to its coming to the eyes of his princes', 'its being seen by mr. godfrey norton, as our client is to its coming to the eyes of his princess. no', 'eing seen by mr. godfrey norton, as our client is to its coming to the eyes of his princess. now the', 'seen by mr. godfrey norton, as our client is to its coming to the eyes of his princess. now the ques', 'by mr. godfrey norton, as our client is to its coming to the eyes of his princess. now the question ', '. godfrey norton, as our client is to its coming to the eyes of his princess. now the question is, w', 'frey norton, as our client is to its coming to the eyes of his princess. now the question is, where ', 'norton, as our client is to its coming to the eyes of his princess. now the question is, where are w', 'n, as our client is to its coming to the eyes of his princess. now the question is, where are we to ', ' our client is to its coming to the eyes of his princess. now the question is, where are we to find ', 'client is to its coming to the eyes of his princess. now the question is, where are we to find the p', 't is to its coming to the eyes of his princess. now the question is, where are we to find the photog', 'to its coming to the eyes of his princess. now the question is, where are we to find the photograph?', 's coming to the eyes of his princess. now the question is, where are we to find the photograph?" "wh', 'ing to the eyes of his princess. now the question is, where are we to find the photograph?" "where, ', 'o the eyes of his princess. now the question is, where are we to find the photograph?" "where, indee', ' eyes of his princess. now the question is, where are we to find the photograph?" "where, indeed?" "', ' of his princess. now the question is, where are we to find the photograph?" "where, indeed?" "it is', 'is princess. now the question is, where are we to find the photograph?" "where, indeed?" "it is most', 'incess. now the question is, where are we to find the photograph?" "where, indeed?" "it is most unli', 's. now the question is, where are we to find the photograph?" "where, indeed?" "it is most unlikely ', 'w the question is, where are we to find the photograph?" "where, indeed?" "it is most unlikely that ', ' question is, where are we to find the photograph?" "where, indeed?" "it is most unlikely that she c', 'tion is, where are we to find the photograph?" "where, indeed?" "it is most unlikely that she carrie', 'is, where are we to find the photograph?" "where, indeed?" "it is most unlikely that she carries it ', 'here are we to find the photograph?" "where, indeed?" "it is most unlikely that she carries it about', 'are we to find the photograph?" "where, indeed?" "it is most unlikely that she carries it about with', 'e to find the photograph?" "where, indeed?" "it is most unlikely that she carries it about with her.', 'find the photograph?" "where, indeed?" "it is most unlikely that she carries it about with her. it i', 'the photograph?" "where, indeed?" "it is most unlikely that she carries it about with her. it is cab', 'hotograph?" "where, indeed?" "it is most unlikely that she carries it about with her. it is cabinet ', 'raph?" "where, indeed?" "it is most unlikely that she carries it about with her. it is cabinet size.', '" "where, indeed?" "it is most unlikely that she carries it about with her. it is cabinet size. too ', 'ere, indeed?" "it is most unlikely that she carries it about with her. it is cabinet size. too large', 'indeed?" "it is most unlikely that she carries it about with her. it is cabinet size. too large for ', 'd?" "it is most unlikely that she carries it about with her. it is cabinet size. too large for easy ', 'it is most unlikely that she carries it about with her. it is cabinet size. too large for easy conce', ' most unlikely that she carries it about with her. it is cabinet size. too large for easy concealmen', ' unlikely that she carries it about with her. it is cabinet size. too large for easy concealment abo', 'kely that she carries it about with her. it is cabinet size. too large for easy concealment about a ', 'that she carries it about with her. it is cabinet size. too large for easy concealment about a woman', "she carries it about with her. it is cabinet size. too large for easy concealment about a woman's dr", "arries it about with her. it is cabinet size. too large for easy concealment about a woman's dress. ", "s it about with her. it is cabinet size. too large for easy concealment about a woman's dress. she k", "about with her. it is cabinet size. too large for easy concealment about a woman's dress. she knows ", " with her. it is cabinet size. too large for easy concealment about a woman's dress. she knows that ", " her. it is cabinet size. too large for easy concealment about a woman's dress. she knows that the k", " it is cabinet size. too large for easy concealment about a woman's dress. she knows that the king i", "s cabinet size. too large for easy concealment about a woman's dress. she knows that the king is cap", "inet size. too large for easy concealment about a woman's dress. she knows that the king is capable ", "size. too large for easy concealment about a woman's dress. she knows that the king is capable of ha", " too large for easy concealment about a woman's dress. she knows that the king is capable of having ", "large for easy concealment about a woman's dress. she knows that the king is capable of having her w", " for easy concealment about a woman's dress. she knows that the king is capable of having her waylai", "easy concealment about a woman's dress. she knows that the king is capable of having her waylaid and", "concealment about a woman's dress. she knows that the king is capable of having her waylaid and sear", "alment about a woman's dress. she knows that the king is capable of having her waylaid and searched.", "t about a woman's dress. she knows that the king is capable of having her waylaid and searched. two ", "ut a woman's dress. she knows that the king is capable of having her waylaid and searched. two attem", "woman's dress. she knows that the king is capable of having her waylaid and searched. two attempts o", "'s dress. she knows that the king is capable of having her waylaid and searched. two attempts of the", 'ess. she knows that the king is capable of having her waylaid and searched. two attempts of the sort', 'she knows that the king is capable of having her waylaid and searched. two attempts of the sort have', 'nows that the king is capable of having her waylaid and searched. two attempts of the sort have alre', 'that the king is capable of having her waylaid and searched. two attempts of the sort have already b', 'the king is capable of having her waylaid and searched. two attempts of the sort have already been m', 'ing is capable of having her waylaid and searched. two attempts of the sort have already been made. ', 's capable of having her waylaid and searched. two attempts of the sort have already been made. we ma', 'able of having her waylaid and searched. two attempts of the sort have already been made. we may tak', 'of having her waylaid and searched. two attempts of the sort have already been made. we may take it,', 'ving her waylaid and searched. two attempts of the sort have already been made. we may take it, then', 'her waylaid and searched. two attempts of the sort have already been made. we may take it, then, tha', 'aylaid and searched. two attempts of the sort have already been made. we may take it, then, that she', 'd and searched. two attempts of the sort have already been made. we may take it, then, that she does', ' searched. two attempts of the sort have already been made. we may take it, then, that she does not ', 'ched. two attempts of the sort have already been made. we may take it, then, that she does not carry', ' two attempts of the sort have already been made. we may take it, then, that she does not carry it a', 'attempts of the sort have already been made. we may take it, then, that she does not carry it about ', 'pts of the sort have already been made. we may take it, then, that she does not carry it about with ', 'f the sort have already been made. we may take it, then, that she does not carry it about with her."', ' sort have already been made. we may take it, then, that she does not carry it about with her." "whe', ' have already been made. we may take it, then, that she does not carry it about with her." "where, t', ' already been made. we may take it, then, that she does not carry it about with her." "where, then?"', 'ady been made. we may take it, then, that she does not carry it about with her." "where, then?" "her', 'een made. we may take it, then, that she does not carry it about with her." "where, then?" "her bank', 'ade. we may take it, then, that she does not carry it about with her." "where, then?" "her banker or', 'we may take it, then, that she does not carry it about with her." "where, then?" "her banker or her ', 'y take it, then, that she does not carry it about with her." "where, then?" "her banker or her lawye', 'e it, then, that she does not carry it about with her." "where, then?" "her banker or her lawyer. th', ' then, that she does not carry it about with her." "where, then?" "her banker or her lawyer. there i', ', that she does not carry it about with her." "where, then?" "her banker or her lawyer. there is tha', 't she does not carry it about with her." "where, then?" "her banker or her lawyer. there is that dou', ' does not carry it about with her." "where, then?" "her banker or her lawyer. there is that double p', ' not carry it about with her." "where, then?" "her banker or her lawyer. there is that double possib', 'carry it about with her." "where, then?" "her banker or her lawyer. there is that double possibility', ' it about with her." "where, then?" "her banker or her lawyer. there is that double possibility. but', 'bout with her." "where, then?" "her banker or her lawyer. there is that double possibility. but i am', 'with her." "where, then?" "her banker or her lawyer. there is that double possibility. but i am incl', 'her." "where, then?" "her banker or her lawyer. there is that double possibility. but i am inclined ', ' "where, then?" "her banker or her lawyer. there is that double possibility. but i am inclined to th', 're, then?" "her banker or her lawyer. there is that double possibility. but i am inclined to think n', 'hen?" "her banker or her lawyer. there is that double possibility. but i am inclined to think neithe', ' "her banker or her lawyer. there is that double possibility. but i am inclined to think neither. wo', ' banker or her lawyer. there is that double possibility. but i am inclined to think neither. women a', 'er or her lawyer. there is that double possibility. but i am inclined to think neither. women are na', ' her lawyer. there is that double possibility. but i am inclined to think neither. women are natural', 'lawyer. there is that double possibility. but i am inclined to think neither. women are naturally se', 'r. there is that double possibility. but i am inclined to think neither. women are naturally secreti', 'ere is that double possibility. but i am inclined to think neither. women are naturally secretive, a', 's that double possibility. but i am inclined to think neither. women are naturally secretive, and th', 't double possibility. but i am inclined to think neither. women are naturally secretive, and they li', 'ble possibility. but i am inclined to think neither. women are naturally secretive, and they like to', 'ossibility. but i am inclined to think neither. women are naturally secretive, and they like to do t', 'ility. but i am inclined to think neither. women are naturally secretive, and they like to do their ', '. but i am inclined to think neither. women are naturally secretive, and they like to do their own s', ' i am inclined to think neither. women are naturally secretive, and they like to do their own secret', ' inclined to think neither. women are naturally secretive, and they like to do their own secreting. ', 'ined to think neither. women are naturally secretive, and they like to do their own secreting. why s', 'to think neither. women are naturally secretive, and they like to do their own secreting. why should', 'ink neither. women are naturally secretive, and they like to do their own secreting. why should she ', 'either. women are naturally secretive, and they like to do their own secreting. why should she hand ', 'r. women are naturally secretive, and they like to do their own secreting. why should she hand it ov', 'men are naturally secretive, and they like to do their own secreting. why should she hand it over to', 're naturally secretive, and they like to do their own secreting. why should she hand it over to anyo', 'turally secretive, and they like to do their own secreting. why should she hand it over to anyone el', 'ly secretive, and they like to do their own secreting. why should she hand it over to anyone else? s', 'cretive, and they like to do their own secreting. why should she hand it over to anyone else? she co', 've, and they like to do their own secreting. why should she hand it over to anyone else? she could t', 'nd they like to do their own secreting. why should she hand it over to anyone else? she could trust ', 'ey like to do their own secreting. why should she hand it over to anyone else? she could trust her o', 'ke to do their own secreting. why should she hand it over to anyone else? she could trust her own gu', ' do their own secreting. why should she hand it over to anyone else? she could trust her own guardia', 'heir own secreting. why should she hand it over to anyone else? she could trust her own guardianship', 'own secreting. why should she hand it over to anyone else? she could trust her own guardianship, but', 'ecreting. why should she hand it over to anyone else? she could trust her own guardianship, but she ', 'ing. why should she hand it over to anyone else? she could trust her own guardianship, but she could', 'why should she hand it over to anyone else? she could trust her own guardianship, but she could not ', 'hould she hand it over to anyone else? she could trust her own guardianship, but she could not tell ', ' she hand it over to anyone else? she could trust her own guardianship, but she could not tell what ', 'hand it over to anyone else? she could trust her own guardianship, but she could not tell what indir', 'it over to anyone else? she could trust her own guardianship, but she could not tell what indirect o', 'er to anyone else? she could trust her own guardianship, but she could not tell what indirect or pol', ' anyone else? she could trust her own guardianship, but she could not tell what indirect or politica', 'ne else? she could trust her own guardianship, but she could not tell what indirect or political inf', 'se? she could trust her own guardianship, but she could not tell what indirect or political influenc', 'he could trust her own guardianship, but she could not tell what indirect or political influence mig', 'uld trust her own guardianship, but she could not tell what indirect or political influence might be', 'rust her own guardianship, but she could not tell what indirect or political influence might be brou', 'her own guardianship, but she could not tell what indirect or political influence might be brought t', 'wn guardianship, but she could not tell what indirect or political influence might be brought to bea', 'ardianship, but she could not tell what indirect or political influence might be brought to bear upo', 'nship, but she could not tell what indirect or political influence might be brought to bear upon a b', ', but she could not tell what indirect or political influence might be brought to bear upon a busine', ' she could not tell what indirect or political influence might be brought to bear upon a business ma', 'could not tell what indirect or political influence might be brought to bear upon a business man. be', ' not tell what indirect or political influence might be brought to bear upon a business man. besides', 'tell what indirect or political influence might be brought to bear upon a business man. besides, rem', 'what indirect or political influence might be brought to bear upon a business man. besides, remember', 'indirect or political influence might be brought to bear upon a business man. besides, remember that', 'ect or political influence might be brought to bear upon a business man. besides, remember that she ', 'r political influence might be brought to bear upon a business man. besides, remember that she had r', 'itical influence might be brought to bear upon a business man. besides, remember that she had resolv', 'l influence might be brought to bear upon a business man. besides, remember that she had resolved to', 'luence might be brought to bear upon a business man. besides, remember that she had resolved to use ', 'e might be brought to bear upon a business man. besides, remember that she had resolved to use it wi', 'ht be brought to bear upon a business man. besides, remember that she had resolved to use it within ', ' brought to bear upon a business man. besides, remember that she had resolved to use it within a few', 'ght to bear upon a business man. besides, remember that she had resolved to use it within a few days', 'o bear upon a business man. besides, remember that she had resolved to use it within a few days. it ', 'r upon a business man. besides, remember that she had resolved to use it within a few days. it must ', 'n a business man. besides, remember that she had resolved to use it within a few days. it must be wh', 'usiness man. besides, remember that she had resolved to use it within a few days. it must be where s', 'ss man. besides, remember that she had resolved to use it within a few days. it must be where she ca', 'n. besides, remember that she had resolved to use it within a few days. it must be where she can lay', 'sides, remember that she had resolved to use it within a few days. it must be where she can lay her ', ', remember that she had resolved to use it within a few days. it must be where she can lay her hands', 'ember that she had resolved to use it within a few days. it must be where she can lay her hands upon', ' that she had resolved to use it within a few days. it must be where she can lay her hands upon it. ', ' she had resolved to use it within a few days. it must be where she can lay her hands upon it. it mu', 'had resolved to use it within a few days. it must be where she can lay her hands upon it. it must be', 'esolved to use it within a few days. it must be where she can lay her hands upon it. it must be in h', 'ed to use it within a few days. it must be where she can lay her hands upon it. it must be in her ow', ' use it within a few days. it must be where she can lay her hands upon it. it must be in her own hou', 'it within a few days. it must be where she can lay her hands upon it. it must be in her own house." ', 'thin a few days. it must be where she can lay her hands upon it. it must be in her own house." "but ', 'a few days. it must be where she can lay her hands upon it. it must be in her own house." "but it ha', ' days. it must be where she can lay her hands upon it. it must be in her own house." "but it has twi', '. it must be where she can lay her hands upon it. it must be in her own house." "but it has twice be', 'must be where she can lay her hands upon it. it must be in her own house." "but it has twice been bu', 'be where she can lay her hands upon it. it must be in her own house." "but it has twice been burgled', 'ere she can lay her hands upon it. it must be in her own house." "but it has twice been burgled." "p', 'he can lay her hands upon it. it must be in her own house." "but it has twice been burgled." "pshaw!', 'n lay her hands upon it. it must be in her own house." "but it has twice been burgled." "pshaw! they', ' her hands upon it. it must be in her own house." "but it has twice been burgled." "pshaw! they did ', 'hands upon it. it must be in her own house." "but it has twice been burgled." "pshaw! they did not k', ' upon it. it must be in her own house." "but it has twice been burgled." "pshaw! they did not know h', ' it. it must be in her own house." "but it has twice been burgled." "pshaw! they did not know how to', 'it must be in her own house." "but it has twice been burgled." "pshaw! they did not know how to look', 'st be in her own house." "but it has twice been burgled." "pshaw! they did not know how to look." "b', ' in her own house." "but it has twice been burgled." "pshaw! they did not know how to look." "but ho', 'er own house." "but it has twice been burgled." "pshaw! they did not know how to look." "but how wil', 'n house." "but it has twice been burgled." "pshaw! they did not know how to look." "but how will you', 'se." "but it has twice been burgled." "pshaw! they did not know how to look." "but how will you look', '"but it has twice been burgled." "pshaw! they did not know how to look." "but how will you look?" "i', 'it has twice been burgled." "pshaw! they did not know how to look." "but how will you look?" "i will', 's twice been burgled." "pshaw! they did not know how to look." "but how will you look?" "i will not ', 'ce been burgled." "pshaw! they did not know how to look." "but how will you look?" "i will not look.', 'en burgled." "pshaw! they did not know how to look." "but how will you look?" "i will not look." "wh', 'rgled." "pshaw! they did not know how to look." "but how will you look?" "i will not look." "what th', '." "pshaw! they did not know how to look." "but how will you look?" "i will not look." "what then?" ', 'shaw! they did not know how to look." "but how will you look?" "i will not look." "what then?" "i wi', ' they did not know how to look." "but how will you look?" "i will not look." "what then?" "i will ge', ' did not know how to look." "but how will you look?" "i will not look." "what then?" "i will get her', 'not know how to look." "but how will you look?" "i will not look." "what then?" "i will get her to s', 'now how to look." "but how will you look?" "i will not look." "what then?" "i will get her to show m', 'ow to look." "but how will you look?" "i will not look." "what then?" "i will get her to show me." "', ' look." "but how will you look?" "i will not look." "what then?" "i will get her to show me." "but s', '." "but how will you look?" "i will not look." "what then?" "i will get her to show me." "but she wi', 'ut how will you look?" "i will not look." "what then?" "i will get her to show me." "but she will re', 'w will you look?" "i will not look." "what then?" "i will get her to show me." "but she will refuse.', 'l you look?" "i will not look." "what then?" "i will get her to show me." "but she will refuse." "sh', ' look?" "i will not look." "what then?" "i will get her to show me." "but she will refuse." "she wil', '?" "i will not look." "what then?" "i will get her to show me." "but she will refuse." "she will not', ' will not look." "what then?" "i will get her to show me." "but she will refuse." "she will not be a', ' not look." "what then?" "i will get her to show me." "but she will refuse." "she will not be able t', 'look." "what then?" "i will get her to show me." "but she will refuse." "she will not be able to. bu', '" "what then?" "i will get her to show me." "but she will refuse." "she will not be able to. but i h', 'at then?" "i will get her to show me." "but she will refuse." "she will not be able to. but i hear t', 'en?" "i will get her to show me." "but she will refuse." "she will not be able to. but i hear the ru', '"i will get her to show me." "but she will refuse." "she will not be able to. but i hear the rumble ', 'll get her to show me." "but she will refuse." "she will not be able to. but i hear the rumble of wh', 't her to show me." "but she will refuse." "she will not be able to. but i hear the rumble of wheels.', ' to show me." "but she will refuse." "she will not be able to. but i hear the rumble of wheels. it i', 'how me." "but she will refuse." "she will not be able to. but i hear the rumble of wheels. it is her', 'e." "but she will refuse." "she will not be able to. but i hear the rumble of wheels. it is her carr', 'but she will refuse." "she will not be able to. but i hear the rumble of wheels. it is her carriage.', 'he will refuse." "she will not be able to. but i hear the rumble of wheels. it is her carriage. now ', 'll refuse." "she will not be able to. but i hear the rumble of wheels. it is her carriage. now carry', 'fuse." "she will not be able to. but i hear the rumble of wheels. it is her carriage. now carry out ', '" "she will not be able to. but i hear the rumble of wheels. it is her carriage. now carry out my or', 'e will not be able to. but i hear the rumble of wheels. it is her carriage. now carry out my orders ', 'l not be able to. but i hear the rumble of wheels. it is her carriage. now carry out my orders to th', ' be able to. but i hear the rumble of wheels. it is her carriage. now carry out my orders to the let', 'ble to. but i hear the rumble of wheels. it is her carriage. now carry out my orders to the letter."', 'o. but i hear the rumble of wheels. it is her carriage. now carry out my orders to the letter." as h', 't i hear the rumble of wheels. it is her carriage. now carry out my orders to the letter." as he spo', 'ear the rumble of wheels. it is her carriage. now carry out my orders to the letter." as he spoke th', 'he rumble of wheels. it is her carriage. now carry out my orders to the letter." as he spoke the gle', 'mble of wheels. it is her carriage. now carry out my orders to the letter." as he spoke the gleam of', 'of wheels. it is her carriage. now carry out my orders to the letter." as he spoke the gleam of the ', 'eels. it is her carriage. now carry out my orders to the letter." as he spoke the gleam of the side-', ' it is her carriage. now carry out my orders to the letter." as he spoke the gleam of the side-light', 's her carriage. now carry out my orders to the letter." as he spoke the gleam of the side-lights of ', ' carriage. now carry out my orders to the letter." as he spoke the gleam of the side-lights of a car', 'iage. now carry out my orders to the letter." as he spoke the gleam of the side-lights of a carriage', ' now carry out my orders to the letter." as he spoke the gleam of the side-lights of a carriage came', 'carry out my orders to the letter." as he spoke the gleam of the side-lights of a carriage came roun', ' out my orders to the letter." as he spoke the gleam of the side-lights of a carriage came round the', 'my orders to the letter." as he spoke the gleam of the side-lights of a carriage came round the curv', 'ders to the letter." as he spoke the gleam of the side-lights of a carriage came round the curve of ', 'to the letter." as he spoke the gleam of the side-lights of a carriage came round the curve of the a', 'e letter." as he spoke the gleam of the side-lights of a carriage came round the curve of the avenue', 'ter." as he spoke the gleam of the side-lights of a carriage came round the curve of the avenue. it ', ' as he spoke the gleam of the side-lights of a carriage came round the curve of the avenue. it was a', 'e spoke the gleam of the side-lights of a carriage came round the curve of the avenue. it was a smar', 'ke the gleam of the side-lights of a carriage came round the curve of the avenue. it was a smart lit', 'e gleam of the side-lights of a carriage came round the curve of the avenue. it was a smart little l', 'am of the side-lights of a carriage came round the curve of the avenue. it was a smart little landau', ' the side-lights of a carriage came round the curve of the avenue. it was a smart little landau whic', 'side-lights of a carriage came round the curve of the avenue. it was a smart little landau which rat', 'lights of a carriage came round the curve of the avenue. it was a smart little landau which rattled ', 's of a carriage came round the curve of the avenue. it was a smart little landau which rattled up to', 'a carriage came round the curve of the avenue. it was a smart little landau which rattled up to the ', 'riage came round the curve of the avenue. it was a smart little landau which rattled up to the door ', ' came round the curve of the avenue. it was a smart little landau which rattled up to the door of br', ' round the curve of the avenue. it was a smart little landau which rattled up to the door of briony ', 'd the curve of the avenue. it was a smart little landau which rattled up to the door of briony lodge', ' curve of the avenue. it was a smart little landau which rattled up to the door of briony lodge. as ', 'e of the avenue. it was a smart little landau which rattled up to the door of briony lodge. as it pu', 'the avenue. it was a smart little landau which rattled up to the door of briony lodge. as it pulled ', 'venue. it was a smart little landau which rattled up to the door of briony lodge. as it pulled up, o', '. it was a smart little landau which rattled up to the door of briony lodge. as it pulled up, one of', 'was a smart little landau which rattled up to the door of briony lodge. as it pulled up, one of the ', ' smart little landau which rattled up to the door of briony lodge. as it pulled up, one of the loafi', 't little landau which rattled up to the door of briony lodge. as it pulled up, one of the loafing me', 'tle landau which rattled up to the door of briony lodge. as it pulled up, one of the loafing men at ', 'andau which rattled up to the door of briony lodge. as it pulled up, one of the loafing men at the c', ' which rattled up to the door of briony lodge. as it pulled up, one of the loafing men at the corner', 'h rattled up to the door of briony lodge. as it pulled up, one of the loafing men at the corner dash', 'tled up to the door of briony lodge. as it pulled up, one of the loafing men at the corner dashed fo', 'up to the door of briony lodge. as it pulled up, one of the loafing men at the corner dashed forward', ' the door of briony lodge. as it pulled up, one of the loafing men at the corner dashed forward to o', 'door of briony lodge. as it pulled up, one of the loafing men at the corner dashed forward to open t', 'of briony lodge. as it pulled up, one of the loafing men at the corner dashed forward to open the do', 'iony lodge. as it pulled up, one of the loafing men at the corner dashed forward to open the door in', 'lodge. as it pulled up, one of the loafing men at the corner dashed forward to open the door in the ', '. as it pulled up, one of the loafing men at the corner dashed forward to open the door in the hope ', 'it pulled up, one of the loafing men at the corner dashed forward to open the door in the hope of ea', 'lled up, one of the loafing men at the corner dashed forward to open the door in the hope of earning', 'up, one of the loafing men at the corner dashed forward to open the door in the hope of earning a co', 'ne of the loafing men at the corner dashed forward to open the door in the hope of earning a copper,', ' the loafing men at the corner dashed forward to open the door in the hope of earning a copper, but ', 'loafing men at the corner dashed forward to open the door in the hope of earning a copper, but was e', 'ng men at the corner dashed forward to open the door in the hope of earning a copper, but was elbowe', 'n at the corner dashed forward to open the door in the hope of earning a copper, but was elbowed awa', 'the corner dashed forward to open the door in the hope of earning a copper, but was elbowed away by ', 'orner dashed forward to open the door in the hope of earning a copper, but was elbowed away by anoth', ' dashed forward to open the door in the hope of earning a copper, but was elbowed away by another lo', 'ed forward to open the door in the hope of earning a copper, but was elbowed away by another loafer,', 'rward to open the door in the hope of earning a copper, but was elbowed away by another loafer, who ', ' to open the door in the hope of earning a copper, but was elbowed away by another loafer, who had r', 'pen the door in the hope of earning a copper, but was elbowed away by another loafer, who had rushed', 'he door in the hope of earning a copper, but was elbowed away by another loafer, who had rushed up w', 'or in the hope of earning a copper, but was elbowed away by another loafer, who had rushed up with t', ' the hope of earning a copper, but was elbowed away by another loafer, who had rushed up with the sa', 'hope of earning a copper, but was elbowed away by another loafer, who had rushed up with the same in', 'of earning a copper, but was elbowed away by another loafer, who had rushed up with the same intenti', 'rning a copper, but was elbowed away by another loafer, who had rushed up with the same intention. a', ' a copper, but was elbowed away by another loafer, who had rushed up with the same intention. a fier', 'pper, but was elbowed away by another loafer, who had rushed up with the same intention. a fierce qu', ' but was elbowed away by another loafer, who had rushed up with the same intention. a fierce quarrel', 'was elbowed away by another loafer, who had rushed up with the same intention. a fierce quarrel brok', 'lbowed away by another loafer, who had rushed up with the same intention. a fierce quarrel broke out', 'd away by another loafer, who had rushed up with the same intention. a fierce quarrel broke out, whi', 'y by another loafer, who had rushed up with the same intention. a fierce quarrel broke out, which wa', 'another loafer, who had rushed up with the same intention. a fierce quarrel broke out, which was inc', 'er loafer, who had rushed up with the same intention. a fierce quarrel broke out, which was increase', 'afer, who had rushed up with the same intention. a fierce quarrel broke out, which was increased by ', ' who had rushed up with the same intention. a fierce quarrel broke out, which was increased by the t', 'had rushed up with the same intention. a fierce quarrel broke out, which was increased by the two gu', 'ushed up with the same intention. a fierce quarrel broke out, which was increased by the two guardsm', ' up with the same intention. a fierce quarrel broke out, which was increased by the two guardsmen, w', 'ith the same intention. a fierce quarrel broke out, which was increased by the two guardsmen, who to', 'he same intention. a fierce quarrel broke out, which was increased by the two guardsmen, who took si', 'me intention. a fierce quarrel broke out, which was increased by the two guardsmen, who took sides w', 'tention. a fierce quarrel broke out, which was increased by the two guardsmen, who took sides with o', 'on. a fierce quarrel broke out, which was increased by the two guardsmen, who took sides with one of', ' fierce quarrel broke out, which was increased by the two guardsmen, who took sides with one of the ', 'ce quarrel broke out, which was increased by the two guardsmen, who took sides with one of the loung', 'arrel broke out, which was increased by the two guardsmen, who took sides with one of the loungers, ', ' broke out, which was increased by the two guardsmen, who took sides with one of the loungers, and b', 'e out, which was increased by the two guardsmen, who took sides with one of the loungers, and by the', ', which was increased by the two guardsmen, who took sides with one of the loungers, and by the scis', 'ch was increased by the two guardsmen, who took sides with one of the loungers, and by the scissors-', 's increased by the two guardsmen, who took sides with one of the loungers, and by the scissors-grind', 'reased by the two guardsmen, who took sides with one of the loungers, and by the scissors-grinder, w', 'd by the two guardsmen, who took sides with one of the loungers, and by the scissors-grinder, who wa', 'the two guardsmen, who took sides with one of the loungers, and by the scissors-grinder, who was equ', 'wo guardsmen, who took sides with one of the loungers, and by the scissors-grinder, who was equally ', 'ardsmen, who took sides with one of the loungers, and by the scissors-grinder, who was equally hot u', 'en, who took sides with one of the loungers, and by the scissors-grinder, who was equally hot upon t', 'ho took sides with one of the loungers, and by the scissors-grinder, who was equally hot upon the ot', 'ok sides with one of the loungers, and by the scissors-grinder, who was equally hot upon the other s', 'des with one of the loungers, and by the scissors-grinder, who was equally hot upon the other side. ', 'ith one of the loungers, and by the scissors-grinder, who was equally hot upon the other side. a blo', 'ne of the loungers, and by the scissors-grinder, who was equally hot upon the other side. a blow was', ' the loungers, and by the scissors-grinder, who was equally hot upon the other side. a blow was stru', 'loungers, and by the scissors-grinder, who was equally hot upon the other side. a blow was struck, a', 'ers, and by the scissors-grinder, who was equally hot upon the other side. a blow was struck, and in', 'and by the scissors-grinder, who was equally hot upon the other side. a blow was struck, and in an i', 'y the scissors-grinder, who was equally hot upon the other side. a blow was struck, and in an instan', ' scissors-grinder, who was equally hot upon the other side. a blow was struck, and in an instant the', 'sors-grinder, who was equally hot upon the other side. a blow was struck, and in an instant the lady', 'grinder, who was equally hot upon the other side. a blow was struck, and in an instant the lady, who', 'er, who was equally hot upon the other side. a blow was struck, and in an instant the lady, who had ', 'ho was equally hot upon the other side. a blow was struck, and in an instant the lady, who had stepp', 's equally hot upon the other side. a blow was struck, and in an instant the lady, who had stepped fr', 'ally hot upon the other side. a blow was struck, and in an instant the lady, who had stepped from he', 'hot upon the other side. a blow was struck, and in an instant the lady, who had stepped from her car', 'pon the other side. a blow was struck, and in an instant the lady, who had stepped from her carriage', 'he other side. a blow was struck, and in an instant the lady, who had stepped from her carriage, was', 'her side. a blow was struck, and in an instant the lady, who had stepped from her carriage, was the ', 'ide. a blow was struck, and in an instant the lady, who had stepped from her carriage, was the centr', 'a blow was struck, and in an instant the lady, who had stepped from her carriage, was the centre of ', 'w was struck, and in an instant the lady, who had stepped from her carriage, was the centre of a lit', ' struck, and in an instant the lady, who had stepped from her carriage, was the centre of a little k', 'ck, and in an instant the lady, who had stepped from her carriage, was the centre of a little knot o', 'nd in an instant the lady, who had stepped from her carriage, was the centre of a little knot of flu', ' an instant the lady, who had stepped from her carriage, was the centre of a little knot of flushed ', 'nstant the lady, who had stepped from her carriage, was the centre of a little knot of flushed and s', 't the lady, who had stepped from her carriage, was the centre of a little knot of flushed and strugg', ' lady, who had stepped from her carriage, was the centre of a little knot of flushed and struggling ', ', who had stepped from her carriage, was the centre of a little knot of flushed and struggling men, ', ' had stepped from her carriage, was the centre of a little knot of flushed and struggling men, who s', 'stepped from her carriage, was the centre of a little knot of flushed and struggling men, who struck', 'ed from her carriage, was the centre of a little knot of flushed and struggling men, who struck sava', 'om her carriage, was the centre of a little knot of flushed and struggling men, who struck savagely ', 'r carriage, was the centre of a little knot of flushed and struggling men, who struck savagely at ea', 'riage, was the centre of a little knot of flushed and struggling men, who struck savagely at each ot', ', was the centre of a little knot of flushed and struggling men, who struck savagely at each other w', ' the centre of a little knot of flushed and struggling men, who struck savagely at each other with t', 'centre of a little knot of flushed and struggling men, who struck savagely at each other with their ', 'e of a little knot of flushed and struggling men, who struck savagely at each other with their fists', 'a little knot of flushed and struggling men, who struck savagely at each other with their fists and ', 'tle knot of flushed and struggling men, who struck savagely at each other with their fists and stick', 'not of flushed and struggling men, who struck savagely at each other with their fists and sticks. ho', 'f flushed and struggling men, who struck savagely at each other with their fists and sticks. holmes ', 'shed and struggling men, who struck savagely at each other with their fists and sticks. holmes dashe', 'and struggling men, who struck savagely at each other with their fists and sticks. holmes dashed int', 'truggling men, who struck savagely at each other with their fists and sticks. holmes dashed into the', 'ling men, who struck savagely at each other with their fists and sticks. holmes dashed into the crow', 'men, who struck savagely at each other with their fists and sticks. holmes dashed into the crowd to ', 'who struck savagely at each other with their fists and sticks. holmes dashed into the crowd to prote', 'truck savagely at each other with their fists and sticks. holmes dashed into the crowd to protect th', ' savagely at each other with their fists and sticks. holmes dashed into the crowd to protect the lad', 'gely at each other with their fists and sticks. holmes dashed into the crowd to protect the lady; bu', 'at each other with their fists and sticks. holmes dashed into the crowd to protect the lady; but jus', 'ch other with their fists and sticks. holmes dashed into the crowd to protect the lady; but just as ', 'her with their fists and sticks. holmes dashed into the crowd to protect the lady; but just as he re', 'ith their fists and sticks. holmes dashed into the crowd to protect the lady; but just as he reached', 'heir fists and sticks. holmes dashed into the crowd to protect the lady; but just as he reached her ', 'fists and sticks. holmes dashed into the crowd to protect the lady; but just as he reached her he ga', ' and sticks. holmes dashed into the crowd to protect the lady; but just as he reached her he gave a ', 'sticks. holmes dashed into the crowd to protect the lady; but just as he reached her he gave a cry a', 's. holmes dashed into the crowd to protect the lady; but just as he reached her he gave a cry and dr', 'lmes dashed into the crowd to protect the lady; but just as he reached her he gave a cry and dropped', 'dashed into the crowd to protect the lady; but just as he reached her he gave a cry and dropped to t', 'd into the crowd to protect the lady; but just as he reached her he gave a cry and dropped to the gr', 'o the crowd to protect the lady; but just as he reached her he gave a cry and dropped to the ground,', ' crowd to protect the lady; but just as he reached her he gave a cry and dropped to the ground, with', 'd to protect the lady; but just as he reached her he gave a cry and dropped to the ground, with the ', 'protect the lady; but just as he reached her he gave a cry and dropped to the ground, with the blood', 'ct the lady; but just as he reached her he gave a cry and dropped to the ground, with the blood runn', 'e lady; but just as he reached her he gave a cry and dropped to the ground, with the blood running f', 'y; but just as he reached her he gave a cry and dropped to the ground, with the blood running freely', 't just as he reached her he gave a cry and dropped to the ground, with the blood running freely down', 't as he reached her he gave a cry and dropped to the ground, with the blood running freely down his ', 'he reached her he gave a cry and dropped to the ground, with the blood running freely down his face.', 'ached her he gave a cry and dropped to the ground, with the blood running freely down his face. at h', ' her he gave a cry and dropped to the ground, with the blood running freely down his face. at his fa', 'he gave a cry and dropped to the ground, with the blood running freely down his face. at his fall th', 've a cry and dropped to the ground, with the blood running freely down his face. at his fall the gua', 'cry and dropped to the ground, with the blood running freely down his face. at his fall the guardsme', 'nd dropped to the ground, with the blood running freely down his face. at his fall the guardsmen too', 'opped to the ground, with the blood running freely down his face. at his fall the guardsmen took to ', ' to the ground, with the blood running freely down his face. at his fall the guardsmen took to their', 'he ground, with the blood running freely down his face. at his fall the guardsmen took to their heel', 'ound, with the blood running freely down his face. at his fall the guardsmen took to their heels in ', ' with the blood running freely down his face. at his fall the guardsmen took to their heels in one d', ' the blood running freely down his face. at his fall the guardsmen took to their heels in one direct', 'blood running freely down his face. at his fall the guardsmen took to their heels in one direction a', ' running freely down his face. at his fall the guardsmen took to their heels in one direction and th', 'ing freely down his face. at his fall the guardsmen took to their heels in one direction and the lou', 'reely down his face. at his fall the guardsmen took to their heels in one direction and the loungers', ' down his face. at his fall the guardsmen took to their heels in one direction and the loungers in t', ' his face. at his fall the guardsmen took to their heels in one direction and the loungers in the ot', 'face. at his fall the guardsmen took to their heels in one direction and the loungers in the other, ', ' at his fall the guardsmen took to their heels in one direction and the loungers in the other, while', 'is fall the guardsmen took to their heels in one direction and the loungers in the other, while a nu', 'll the guardsmen took to their heels in one direction and the loungers in the other, while a number ', 'e guardsmen took to their heels in one direction and the loungers in the other, while a number of be', 'rdsmen took to their heels in one direction and the loungers in the other, while a number of better-', 'n took to their heels in one direction and the loungers in the other, while a number of better-dress', 'k to their heels in one direction and the loungers in the other, while a number of better-dressed pe', 'their heels in one direction and the loungers in the other, while a number of better-dressed people,', ' heels in one direction and the loungers in the other, while a number of better-dressed people, who ', 's in one direction and the loungers in the other, while a number of better-dressed people, who had w', 'one direction and the loungers in the other, while a number of better-dressed people, who had watche', 'irection and the loungers in the other, while a number of better-dressed people, who had watched the', 'ion and the loungers in the other, while a number of better-dressed people, who had watched the scuf', 'nd the loungers in the other, while a number of better-dressed people, who had watched the scuffle w', 'e loungers in the other, while a number of better-dressed people, who had watched the scuffle withou', 'ngers in the other, while a number of better-dressed people, who had watched the scuffle without tak', ' in the other, while a number of better-dressed people, who had watched the scuffle without taking p', 'he other, while a number of better-dressed people, who had watched the scuffle without taking part i', 'her, while a number of better-dressed people, who had watched the scuffle without taking part in it,', 'while a number of better-dressed people, who had watched the scuffle without taking part in it, crow', ' a number of better-dressed people, who had watched the scuffle without taking part in it, crowded i', 'mber of better-dressed people, who had watched the scuffle without taking part in it, crowded in to ', 'of better-dressed people, who had watched the scuffle without taking part in it, crowded in to help ', 'tter-dressed people, who had watched the scuffle without taking part in it, crowded in to help the l', 'dressed people, who had watched the scuffle without taking part in it, crowded in to help the lady a', 'ed people, who had watched the scuffle without taking part in it, crowded in to help the lady and to', 'ople, who had watched the scuffle without taking part in it, crowded in to help the lady and to atte', ' who had watched the scuffle without taking part in it, crowded in to help the lady and to attend to', 'had watched the scuffle without taking part in it, crowded in to help the lady and to attend to the ', 'atched the scuffle without taking part in it, crowded in to help the lady and to attend to the injur', 'd the scuffle without taking part in it, crowded in to help the lady and to attend to the injured ma', ' scuffle without taking part in it, crowded in to help the lady and to attend to the injured man. ir', 'fle without taking part in it, crowded in to help the lady and to attend to the injured man. irene a', 'ithout taking part in it, crowded in to help the lady and to attend to the injured man. irene adler,', 't taking part in it, crowded in to help the lady and to attend to the injured man. irene adler, as i', 'ing part in it, crowded in to help the lady and to attend to the injured man. irene adler, as i will', 'art in it, crowded in to help the lady and to attend to the injured man. irene adler, as i will stil', 'n it, crowded in to help the lady and to attend to the injured man. irene adler, as i will still cal', ' crowded in to help the lady and to attend to the injured man. irene adler, as i will still call her', 'ded in to help the lady and to attend to the injured man. irene adler, as i will still call her, had', 'n to help the lady and to attend to the injured man. irene adler, as i will still call her, had hurr', 'help the lady and to attend to the injured man. irene adler, as i will still call her, had hurried u', 'the lady and to attend to the injured man. irene adler, as i will still call her, had hurried up the', 'ady and to attend to the injured man. irene adler, as i will still call her, had hurried up the step', 'nd to attend to the injured man. irene adler, as i will still call her, had hurried up the steps; bu', ' attend to the injured man. irene adler, as i will still call her, had hurried up the steps; but she', 'nd to the injured man. irene adler, as i will still call her, had hurried up the steps; but she stoo', ' the injured man. irene adler, as i will still call her, had hurried up the steps; but she stood at ', 'injured man. irene adler, as i will still call her, had hurried up the steps; but she stood at the t', 'ed man. irene adler, as i will still call her, had hurried up the steps; but she stood at the top wi', 'n. irene adler, as i will still call her, had hurried up the steps; but she stood at the top with he', 'ene adler, as i will still call her, had hurried up the steps; but she stood at the top with her sup', 'dler, as i will still call her, had hurried up the steps; but she stood at the top with her superb f', ' as i will still call her, had hurried up the steps; but she stood at the top with her superb figure', ' will still call her, had hurried up the steps; but she stood at the top with her superb figure outl', ' still call her, had hurried up the steps; but she stood at the top with her superb figure outlined ', 'l call her, had hurried up the steps; but she stood at the top with her superb figure outlined again', 'l her, had hurried up the steps; but she stood at the top with her superb figure outlined against th', ', had hurried up the steps; but she stood at the top with her superb figure outlined against the lig', ' hurried up the steps; but she stood at the top with her superb figure outlined against the lights o', 'ied up the steps; but she stood at the top with her superb figure outlined against the lights of the', 'p the steps; but she stood at the top with her superb figure outlined against the lights of the hall', ' steps; but she stood at the top with her superb figure outlined against the lights of the hall, loo', 's; but she stood at the top with her superb figure outlined against the lights of the hall, looking ', 't she stood at the top with her superb figure outlined against the lights of the hall, looking back ', ' stood at the top with her superb figure outlined against the lights of the hall, looking back into ', 'd at the top with her superb figure outlined against the lights of the hall, looking back into the s', 'the top with her superb figure outlined against the lights of the hall, looking back into the street', 'op with her superb figure outlined against the lights of the hall, looking back into the street. "is', 'th her superb figure outlined against the lights of the hall, looking back into the street. "is the ', 'r superb figure outlined against the lights of the hall, looking back into the street. "is the poor ', 'erb figure outlined against the lights of the hall, looking back into the street. "is the poor gentl', 'igure outlined against the lights of the hall, looking back into the street. "is the poor gentleman ', ' outlined against the lights of the hall, looking back into the street. "is the poor gentleman much ', 'ined against the lights of the hall, looking back into the street. "is the poor gentleman much hurt?', 'against the lights of the hall, looking back into the street. "is the poor gentleman much hurt?" she', 'st the lights of the hall, looking back into the street. "is the poor gentleman much hurt?" she aske', 'e lights of the hall, looking back into the street. "is the poor gentleman much hurt?" she asked. "h', 'hts of the hall, looking back into the street. "is the poor gentleman much hurt?" she asked. "he is ', 'f the hall, looking back into the street. "is the poor gentleman much hurt?" she asked. "he is dead,', ' hall, looking back into the street. "is the poor gentleman much hurt?" she asked. "he is dead," cri', ', looking back into the street. "is the poor gentleman much hurt?" she asked. "he is dead," cried se', 'king back into the street. "is the poor gentleman much hurt?" she asked. "he is dead," cried several', 'back into the street. "is the poor gentleman much hurt?" she asked. "he is dead," cried several voic', 'into the street. "is the poor gentleman much hurt?" she asked. "he is dead," cried several voices. "', 'the street. "is the poor gentleman much hurt?" she asked. "he is dead," cried several voices. "no, n', 'treet. "is the poor gentleman much hurt?" she asked. "he is dead," cried several voices. "no, no, th', '. "is the poor gentleman much hurt?" she asked. "he is dead," cried several voices. "no, no, there\'s', ' the poor gentleman much hurt?" she asked. "he is dead," cried several voices. "no, no, there\'s life', 'poor gentleman much hurt?" she asked. "he is dead," cried several voices. "no, no, there\'s life in h', 'gentleman much hurt?" she asked. "he is dead," cried several voices. "no, no, there\'s life in him sh', 'eman much hurt?" she asked. "he is dead," cried several voices. "no, no, there\'s life in him shouted', 'much hurt?" she asked. "he is dead," cried several voices. "no, no, there\'s life in him shouted anot', 'hurt?" she asked. "he is dead," cried several voices. "no, no, there\'s life in him shouted another. ', '" she asked. "he is dead," cried several voices. "no, no, there\'s life in him shouted another. "but ', ' asked. "he is dead," cried several voices. "no, no, there\'s life in him shouted another. "but he\'ll', 'd. "he is dead," cried several voices. "no, no, there\'s life in him shouted another. "but he\'ll be g', 'e is dead," cried several voices. "no, no, there\'s life in him shouted another. "but he\'ll be gone b', 'dead," cried several voices. "no, no, there\'s life in him shouted another. "but he\'ll be gone before', '" cried several voices. "no, no, there\'s life in him shouted another. "but he\'ll be gone before you ', 'ed several voices. "no, no, there\'s life in him shouted another. "but he\'ll be gone before you can g', 'veral voices. "no, no, there\'s life in him shouted another. "but he\'ll be gone before you can get hi', ' voices. "no, no, there\'s life in him shouted another. "but he\'ll be gone before you can get him to ', 'es. "no, no, there\'s life in him shouted another. "but he\'ll be gone before you can get him to hospi', 'no, no, there\'s life in him shouted another. "but he\'ll be gone before you can get him to hospital."', 'o, there\'s life in him shouted another. "but he\'ll be gone before you can get him to hospital." "he\'', 'ere\'s life in him shouted another. "but he\'ll be gone before you can get him to hospital." "he\'s a b', ' life in him shouted another. "but he\'ll be gone before you can get him to hospital." "he\'s a brave ', ' in him shouted another. "but he\'ll be gone before you can get him to hospital." "he\'s a brave fello', 'im shouted another. "but he\'ll be gone before you can get him to hospital." "he\'s a brave fellow," s', 'outed another. "but he\'ll be gone before you can get him to hospital." "he\'s a brave fellow," said a', ' another. "but he\'ll be gone before you can get him to hospital." "he\'s a brave fellow," said a woma', 'her. "but he\'ll be gone before you can get him to hospital." "he\'s a brave fellow," said a woman. "t', '"but he\'ll be gone before you can get him to hospital." "he\'s a brave fellow," said a woman. "they w', 'he\'ll be gone before you can get him to hospital." "he\'s a brave fellow," said a woman. "they would ', ' be gone before you can get him to hospital." "he\'s a brave fellow," said a woman. "they would have ', 'one before you can get him to hospital." "he\'s a brave fellow," said a woman. "they would have had t', 'efore you can get him to hospital." "he\'s a brave fellow," said a woman. "they would have had the la', ' you can get him to hospital." "he\'s a brave fellow," said a woman. "they would have had the lady\'s ', 'can get him to hospital." "he\'s a brave fellow," said a woman. "they would have had the lady\'s purse', 'et him to hospital." "he\'s a brave fellow," said a woman. "they would have had the lady\'s purse and ', 'm to hospital." "he\'s a brave fellow," said a woman. "they would have had the lady\'s purse and watch', 'hospital." "he\'s a brave fellow," said a woman. "they would have had the lady\'s purse and watch if i', 'tal." "he\'s a brave fellow," said a woman. "they would have had the lady\'s purse and watch if it had', ' "he\'s a brave fellow," said a woman. "they would have had the lady\'s purse and watch if it hadn\'t b', 's a brave fellow," said a woman. "they would have had the lady\'s purse and watch if it hadn\'t been f', 'rave fellow," said a woman. "they would have had the lady\'s purse and watch if it hadn\'t been for hi', 'fellow," said a woman. "they would have had the lady\'s purse and watch if it hadn\'t been for him. th', 'w," said a woman. "they would have had the lady\'s purse and watch if it hadn\'t been for him. they we', 'aid a woman. "they would have had the lady\'s purse and watch if it hadn\'t been for him. they were a ', ' woman. "they would have had the lady\'s purse and watch if it hadn\'t been for him. they were a gang,', 'n. "they would have had the lady\'s purse and watch if it hadn\'t been for him. they were a gang, and ', "hey would have had the lady's purse and watch if it hadn't been for him. they were a gang, and a rou", "ould have had the lady's purse and watch if it hadn't been for him. they were a gang, and a rough on", "have had the lady's purse and watch if it hadn't been for him. they were a gang, and a rough one, to", "had the lady's purse and watch if it hadn't been for him. they were a gang, and a rough one, too. ah", "he lady's purse and watch if it hadn't been for him. they were a gang, and a rough one, too. ah, he'", "dy's purse and watch if it hadn't been for him. they were a gang, and a rough one, too. ah, he's bre", "purse and watch if it hadn't been for him. they were a gang, and a rough one, too. ah, he's breathin", " and watch if it hadn't been for him. they were a gang, and a rough one, too. ah, he's breathing now", 'watch if it hadn\'t been for him. they were a gang, and a rough one, too. ah, he\'s breathing now." "h', ' if it hadn\'t been for him. they were a gang, and a rough one, too. ah, he\'s breathing now." "he can', 't hadn\'t been for him. they were a gang, and a rough one, too. ah, he\'s breathing now." "he can\'t li', 'n\'t been for him. they were a gang, and a rough one, too. ah, he\'s breathing now." "he can\'t lie in ', 'een for him. they were a gang, and a rough one, too. ah, he\'s breathing now." "he can\'t lie in the s', 'or him. they were a gang, and a rough one, too. ah, he\'s breathing now." "he can\'t lie in the street', 'm. they were a gang, and a rough one, too. ah, he\'s breathing now." "he can\'t lie in the street. may', 'ey were a gang, and a rough one, too. ah, he\'s breathing now." "he can\'t lie in the street. may we b', 're a gang, and a rough one, too. ah, he\'s breathing now." "he can\'t lie in the street. may we bring ', 'gang, and a rough one, too. ah, he\'s breathing now." "he can\'t lie in the street. may we bring him i', ' and a rough one, too. ah, he\'s breathing now." "he can\'t lie in the street. may we bring him in, ma', 'a rough one, too. ah, he\'s breathing now." "he can\'t lie in the street. may we bring him in, marm?" ', 'gh one, too. ah, he\'s breathing now." "he can\'t lie in the street. may we bring him in, marm?" "sure', 'e, too. ah, he\'s breathing now." "he can\'t lie in the street. may we bring him in, marm?" "surely. b', 'o. ah, he\'s breathing now." "he can\'t lie in the street. may we bring him in, marm?" "surely. bring ', ', he\'s breathing now." "he can\'t lie in the street. may we bring him in, marm?" "surely. bring him i', 's breathing now." "he can\'t lie in the street. may we bring him in, marm?" "surely. bring him into t', 'athing now." "he can\'t lie in the street. may we bring him in, marm?" "surely. bring him into the si', 'g now." "he can\'t lie in the street. may we bring him in, marm?" "surely. bring him into the sitting', '." "he can\'t lie in the street. may we bring him in, marm?" "surely. bring him into the sitting-room', 'e can\'t lie in the street. may we bring him in, marm?" "surely. bring him into the sitting-room. the', '\'t lie in the street. may we bring him in, marm?" "surely. bring him into the sitting-room. there is', 'e in the street. may we bring him in, marm?" "surely. bring him into the sitting-room. there is a co', 'the street. may we bring him in, marm?" "surely. bring him into the sitting-room. there is a comfort', 'treet. may we bring him in, marm?" "surely. bring him into the sitting-room. there is a comfortable ', '. may we bring him in, marm?" "surely. bring him into the sitting-room. there is a comfortable sofa.', ' we bring him in, marm?" "surely. bring him into the sitting-room. there is a comfortable sofa. this', 'ring him in, marm?" "surely. bring him into the sitting-room. there is a comfortable sofa. this way,', 'him in, marm?" "surely. bring him into the sitting-room. there is a comfortable sofa. this way, plea', 'n, marm?" "surely. bring him into the sitting-room. there is a comfortable sofa. this way, please s', 'rm?" "surely. bring him into the sitting-room. there is a comfortable sofa. this way, please slowly', '"surely. bring him into the sitting-room. there is a comfortable sofa. this way, please slowly and ', 'ly. bring him into the sitting-room. there is a comfortable sofa. this way, please slowly and solem', 'ring him into the sitting-room. there is a comfortable sofa. this way, please slowly and solemnly h', 'him into the sitting-room. there is a comfortable sofa. this way, please slowly and solemnly he was', 'nto the sitting-room. there is a comfortable sofa. this way, please slowly and solemnly he was born', 'he sitting-room. there is a comfortable sofa. this way, please slowly and solemnly he was borne int', 'tting-room. there is a comfortable sofa. this way, please slowly and solemnly he was borne into bri', '-room. there is a comfortable sofa. this way, please slowly and solemnly he was borne into briony l', '. there is a comfortable sofa. this way, please slowly and solemnly he was borne into briony lodge ', 're is a comfortable sofa. this way, please slowly and solemnly he was borne into briony lodge and l', ' a comfortable sofa. this way, please slowly and solemnly he was borne into briony lodge and laid o', 'mfortable sofa. this way, please slowly and solemnly he was borne into briony lodge and laid out in', 'able sofa. this way, please slowly and solemnly he was borne into briony lodge and laid out in the ', 'sofa. this way, please slowly and solemnly he was borne into briony lodge and laid out in the princ', ' this way, please slowly and solemnly he was borne into briony lodge and laid out in the principal ', ' way, please slowly and solemnly he was borne into briony lodge and laid out in the principal room,', ' please slowly and solemnly he was borne into briony lodge and laid out in the principal room, whil', 'se slowly and solemnly he was borne into briony lodge and laid out in the principal room, while i s', 'lowly and solemnly he was borne into briony lodge and laid out in the principal room, while i still ', ' and solemnly he was borne into briony lodge and laid out in the principal room, while i still obser', 'solemnly he was borne into briony lodge and laid out in the principal room, while i still observed t', 'nly he was borne into briony lodge and laid out in the principal room, while i still observed the pr', 'e was borne into briony lodge and laid out in the principal room, while i still observed the proceed', ' borne into briony lodge and laid out in the principal room, while i still observed the proceedings ', 'e into briony lodge and laid out in the principal room, while i still observed the proceedings from ', 'o briony lodge and laid out in the principal room, while i still observed the proceedings from my po', 'ony lodge and laid out in the principal room, while i still observed the proceedings from my post by', 'odge and laid out in the principal room, while i still observed the proceedings from my post by the ', 'and laid out in the principal room, while i still observed the proceedings from my post by the windo', 'aid out in the principal room, while i still observed the proceedings from my post by the window. th', 'ut in the principal room, while i still observed the proceedings from my post by the window. the lam', ' the principal room, while i still observed the proceedings from my post by the window. the lamps ha', 'principal room, while i still observed the proceedings from my post by the window. the lamps had bee', 'ipal room, while i still observed the proceedings from my post by the window. the lamps had been lit', 'room, while i still observed the proceedings from my post by the window. the lamps had been lit, but', ' while i still observed the proceedings from my post by the window. the lamps had been lit, but the ', 'e i still observed the proceedings from my post by the window. the lamps had been lit, but the blind', 'till observed the proceedings from my post by the window. the lamps had been lit, but the blinds had', 'observed the proceedings from my post by the window. the lamps had been lit, but the blinds had not ', 'ved the proceedings from my post by the window. the lamps had been lit, but the blinds had not been ', 'he proceedings from my post by the window. the lamps had been lit, but the blinds had not been drawn', 'oceedings from my post by the window. the lamps had been lit, but the blinds had not been drawn, so ', 'ings from my post by the window. the lamps had been lit, but the blinds had not been drawn, so that ', 'from my post by the window. the lamps had been lit, but the blinds had not been drawn, so that i cou', 'my post by the window. the lamps had been lit, but the blinds had not been drawn, so that i could se', 'st by the window. the lamps had been lit, but the blinds had not been drawn, so that i could see hol', ' the window. the lamps had been lit, but the blinds had not been drawn, so that i could see holmes a', 'window. the lamps had been lit, but the blinds had not been drawn, so that i could see holmes as he ', 'w. the lamps had been lit, but the blinds had not been drawn, so that i could see holmes as he lay u', 'e lamps had been lit, but the blinds had not been drawn, so that i could see holmes as he lay upon t', 'ps had been lit, but the blinds had not been drawn, so that i could see holmes as he lay upon the co', 'd been lit, but the blinds had not been drawn, so that i could see holmes as he lay upon the couch. ', 'n lit, but the blinds had not been drawn, so that i could see holmes as he lay upon the couch. i do ', ', but the blinds had not been drawn, so that i could see holmes as he lay upon the couch. i do not k', ' the blinds had not been drawn, so that i could see holmes as he lay upon the couch. i do not know w', 'blinds had not been drawn, so that i could see holmes as he lay upon the couch. i do not know whethe', 's had not been drawn, so that i could see holmes as he lay upon the couch. i do not know whether he ', ' not been drawn, so that i could see holmes as he lay upon the couch. i do not know whether he was s', 'been drawn, so that i could see holmes as he lay upon the couch. i do not know whether he was seized', 'drawn, so that i could see holmes as he lay upon the couch. i do not know whether he was seized with', ', so that i could see holmes as he lay upon the couch. i do not know whether he was seized with comp', 'that i could see holmes as he lay upon the couch. i do not know whether he was seized with compuncti', 'i could see holmes as he lay upon the couch. i do not know whether he was seized with compunction at', 'ld see holmes as he lay upon the couch. i do not know whether he was seized with compunction at that', 'e holmes as he lay upon the couch. i do not know whether he was seized with compunction at that mome', 'mes as he lay upon the couch. i do not know whether he was seized with compunction at that moment fo', 's he lay upon the couch. i do not know whether he was seized with compunction at that moment for the', 'lay upon the couch. i do not know whether he was seized with compunction at that moment for the part', 'pon the couch. i do not know whether he was seized with compunction at that moment for the part he w', 'he couch. i do not know whether he was seized with compunction at that moment for the part he was pl', 'uch. i do not know whether he was seized with compunction at that moment for the part he was playing', 'i do not know whether he was seized with compunction at that moment for the part he was playing, but', 'not know whether he was seized with compunction at that moment for the part he was playing, but i kn', 'now whether he was seized with compunction at that moment for the part he was playing, but i know th', 'hether he was seized with compunction at that moment for the part he was playing, but i know that i ', 'r he was seized with compunction at that moment for the part he was playing, but i know that i never', 'was seized with compunction at that moment for the part he was playing, but i know that i never felt', 'eized with compunction at that moment for the part he was playing, but i know that i never felt more', ' with compunction at that moment for the part he was playing, but i know that i never felt more hear', ' compunction at that moment for the part he was playing, but i know that i never felt more heartily ', 'unction at that moment for the part he was playing, but i know that i never felt more heartily asham', 'on at that moment for the part he was playing, but i know that i never felt more heartily ashamed of', ' that moment for the part he was playing, but i know that i never felt more heartily ashamed of myse', ' moment for the part he was playing, but i know that i never felt more heartily ashamed of myself in', 'nt for the part he was playing, but i know that i never felt more heartily ashamed of myself in my l', 'r the part he was playing, but i know that i never felt more heartily ashamed of myself in my life t', ' part he was playing, but i know that i never felt more heartily ashamed of myself in my life than w', ' he was playing, but i know that i never felt more heartily ashamed of myself in my life than when i', 'as playing, but i know that i never felt more heartily ashamed of myself in my life than when i saw ', 'aying, but i know that i never felt more heartily ashamed of myself in my life than when i saw the b', ', but i know that i never felt more heartily ashamed of myself in my life than when i saw the beauti', ' i know that i never felt more heartily ashamed of myself in my life than when i saw the beautiful c', 'ow that i never felt more heartily ashamed of myself in my life than when i saw the beautiful creatu', 'at i never felt more heartily ashamed of myself in my life than when i saw the beautiful creature ag', 'never felt more heartily ashamed of myself in my life than when i saw the beautiful creature against', ' felt more heartily ashamed of myself in my life than when i saw the beautiful creature against whom', ' more heartily ashamed of myself in my life than when i saw the beautiful creature against whom i wa', ' heartily ashamed of myself in my life than when i saw the beautiful creature against whom i was con', 'tily ashamed of myself in my life than when i saw the beautiful creature against whom i was conspiri', 'ashamed of myself in my life than when i saw the beautiful creature against whom i was conspiring, o', 'ed of myself in my life than when i saw the beautiful creature against whom i was conspiring, or the', ' myself in my life than when i saw the beautiful creature against whom i was conspiring, or the grac', 'lf in my life than when i saw the beautiful creature against whom i was conspiring, or the grace and', ' my life than when i saw the beautiful creature against whom i was conspiring, or the grace and kind', 'ife than when i saw the beautiful creature against whom i was conspiring, or the grace and kindlines', 'han when i saw the beautiful creature against whom i was conspiring, or the grace and kindliness wit', 'hen i saw the beautiful creature against whom i was conspiring, or the grace and kindliness with whi', ' saw the beautiful creature against whom i was conspiring, or the grace and kindliness with which sh', 'the beautiful creature against whom i was conspiring, or the grace and kindliness with which she wai', 'eautiful creature against whom i was conspiring, or the grace and kindliness with which she waited u', 'ful creature against whom i was conspiring, or the grace and kindliness with which she waited upon t', 'reature against whom i was conspiring, or the grace and kindliness with which she waited upon the in', 're against whom i was conspiring, or the grace and kindliness with which she waited upon the injured', 'ainst whom i was conspiring, or the grace and kindliness with which she waited upon the injured man.', ' whom i was conspiring, or the grace and kindliness with which she waited upon the injured man. and ', ' i was conspiring, or the grace and kindliness with which she waited upon the injured man. and yet i', 's conspiring, or the grace and kindliness with which she waited upon the injured man. and yet it wou', 'spiring, or the grace and kindliness with which she waited upon the injured man. and yet it would be', 'ng, or the grace and kindliness with which she waited upon the injured man. and yet it would be the ', 'r the grace and kindliness with which she waited upon the injured man. and yet it would be the black', ' grace and kindliness with which she waited upon the injured man. and yet it would be the blackest t', 'e and kindliness with which she waited upon the injured man. and yet it would be the blackest treach', ' kindliness with which she waited upon the injured man. and yet it would be the blackest treachery t', 'liness with which she waited upon the injured man. and yet it would be the blackest treachery to hol', 's with which she waited upon the injured man. and yet it would be the blackest treachery to holmes t', 'h which she waited upon the injured man. and yet it would be the blackest treachery to holmes to dra', 'ch she waited upon the injured man. and yet it would be the blackest treachery to holmes to draw bac', 'e waited upon the injured man. and yet it would be the blackest treachery to holmes to draw back now', 'ted upon the injured man. and yet it would be the blackest treachery to holmes to draw back now from', 'pon the injured man. and yet it would be the blackest treachery to holmes to draw back now from the ', 'he injured man. and yet it would be the blackest treachery to holmes to draw back now from the part ', 'jured man. and yet it would be the blackest treachery to holmes to draw back now from the part which', ' man. and yet it would be the blackest treachery to holmes to draw back now from the part which he h', ' and yet it would be the blackest treachery to holmes to draw back now from the part which he had in', 'yet it would be the blackest treachery to holmes to draw back now from the part which he had intrust', 't would be the blackest treachery to holmes to draw back now from the part which he had intrusted to', 'ld be the blackest treachery to holmes to draw back now from the part which he had intrusted to me. ', ' the blackest treachery to holmes to draw back now from the part which he had intrusted to me. i har', 'blackest treachery to holmes to draw back now from the part which he had intrusted to me. i hardened', 'est treachery to holmes to draw back now from the part which he had intrusted to me. i hardened my h', 'reachery to holmes to draw back now from the part which he had intrusted to me. i hardened my heart,', 'ery to holmes to draw back now from the part which he had intrusted to me. i hardened my heart, and ', 'o holmes to draw back now from the part which he had intrusted to me. i hardened my heart, and took ', 'mes to draw back now from the part which he had intrusted to me. i hardened my heart, and took the s', 'o draw back now from the part which he had intrusted to me. i hardened my heart, and took the smoke-', 'w back now from the part which he had intrusted to me. i hardened my heart, and took the smoke-rocke', 'k now from the part which he had intrusted to me. i hardened my heart, and took the smoke-rocket fro', ' from the part which he had intrusted to me. i hardened my heart, and took the smoke-rocket from und', ' the part which he had intrusted to me. i hardened my heart, and took the smoke-rocket from under my', 'part which he had intrusted to me. i hardened my heart, and took the smoke-rocket from under my ulst', 'which he had intrusted to me. i hardened my heart, and took the smoke-rocket from under my ulster. a', ' he had intrusted to me. i hardened my heart, and took the smoke-rocket from under my ulster. after ', 'ad intrusted to me. i hardened my heart, and took the smoke-rocket from under my ulster. after all, ', 'trusted to me. i hardened my heart, and took the smoke-rocket from under my ulster. after all, i tho', 'ed to me. i hardened my heart, and took the smoke-rocket from under my ulster. after all, i thought,', ' me. i hardened my heart, and took the smoke-rocket from under my ulster. after all, i thought, we a', 'i hardened my heart, and took the smoke-rocket from under my ulster. after all, i thought, we are no', 'dened my heart, and took the smoke-rocket from under my ulster. after all, i thought, we are not inj', ' my heart, and took the smoke-rocket from under my ulster. after all, i thought, we are not injuring', 'eart, and took the smoke-rocket from under my ulster. after all, i thought, we are not injuring her.', ' and took the smoke-rocket from under my ulster. after all, i thought, we are not injuring her. we a', 'took the smoke-rocket from under my ulster. after all, i thought, we are not injuring her. we are bu', 'the smoke-rocket from under my ulster. after all, i thought, we are not injuring her. we are but pre', 'moke-rocket from under my ulster. after all, i thought, we are not injuring her. we are but preventi', 'rocket from under my ulster. after all, i thought, we are not injuring her. we are but preventing he', 't from under my ulster. after all, i thought, we are not injuring her. we are but preventing her fro', 'm under my ulster. after all, i thought, we are not injuring her. we are but preventing her from inj', 'er my ulster. after all, i thought, we are not injuring her. we are but preventing her from injuring', ' ulster. after all, i thought, we are not injuring her. we are but preventing her from injuring anot', 'er. after all, i thought, we are not injuring her. we are but preventing her from injuring another. ', 'fter all, i thought, we are not injuring her. we are but preventing her from injuring another. holme', 'all, i thought, we are not injuring her. we are but preventing her from injuring another. holmes had', 'i thought, we are not injuring her. we are but preventing her from injuring another. holmes had sat ', 'ught, we are not injuring her. we are but preventing her from injuring another. holmes had sat up up', ' we are not injuring her. we are but preventing her from injuring another. holmes had sat up upon th', 're not injuring her. we are but preventing her from injuring another. holmes had sat up upon the cou', 't injuring her. we are but preventing her from injuring another. holmes had sat up upon the couch, a', 'uring her. we are but preventing her from injuring another. holmes had sat up upon the couch, and i ', ' her. we are but preventing her from injuring another. holmes had sat up upon the couch, and i saw h', ' we are but preventing her from injuring another. holmes had sat up upon the couch, and i saw him mo', 're but preventing her from injuring another. holmes had sat up upon the couch, and i saw him motion ', 't preventing her from injuring another. holmes had sat up upon the couch, and i saw him motion like ', 'venting her from injuring another. holmes had sat up upon the couch, and i saw him motion like a man', 'ng her from injuring another. holmes had sat up upon the couch, and i saw him motion like a man who ', 'r from injuring another. holmes had sat up upon the couch, and i saw him motion like a man who is in', 'm injuring another. holmes had sat up upon the couch, and i saw him motion like a man who is in need', 'uring another. holmes had sat up upon the couch, and i saw him motion like a man who is in need of a', ' another. holmes had sat up upon the couch, and i saw him motion like a man who is in need of air. a', 'her. holmes had sat up upon the couch, and i saw him motion like a man who is in need of air. a maid', 'holmes had sat up upon the couch, and i saw him motion like a man who is in need of air. a maid rush', 's had sat up upon the couch, and i saw him motion like a man who is in need of air. a maid rushed ac', ' sat up upon the couch, and i saw him motion like a man who is in need of air. a maid rushed across ', 'up upon the couch, and i saw him motion like a man who is in need of air. a maid rushed across and t', 'on the couch, and i saw him motion like a man who is in need of air. a maid rushed across and threw ', 'e couch, and i saw him motion like a man who is in need of air. a maid rushed across and threw open ', 'ch, and i saw him motion like a man who is in need of air. a maid rushed across and threw open the w', 'nd i saw him motion like a man who is in need of air. a maid rushed across and threw open the window', 'saw him motion like a man who is in need of air. a maid rushed across and threw open the window. at ', 'im motion like a man who is in need of air. a maid rushed across and threw open the window. at the s', 'tion like a man who is in need of air. a maid rushed across and threw open the window. at the same i', 'like a man who is in need of air. a maid rushed across and threw open the window. at the same instan', 'a man who is in need of air. a maid rushed across and threw open the window. at the same instant i s', ' who is in need of air. a maid rushed across and threw open the window. at the same instant i saw hi', 'is in need of air. a maid rushed across and threw open the window. at the same instant i saw him rai', ' need of air. a maid rushed across and threw open the window. at the same instant i saw him raise hi', ' of air. a maid rushed across and threw open the window. at the same instant i saw him raise his han', 'ir. a maid rushed across and threw open the window. at the same instant i saw him raise his hand and', ' maid rushed across and threw open the window. at the same instant i saw him raise his hand and at t', ' rushed across and threw open the window. at the same instant i saw him raise his hand and at the si', 'ed across and threw open the window. at the same instant i saw him raise his hand and at the signal ', 'ross and threw open the window. at the same instant i saw him raise his hand and at the signal i tos', 'and threw open the window. at the same instant i saw him raise his hand and at the signal i tossed m', 'hrew open the window. at the same instant i saw him raise his hand and at the signal i tossed my roc', 'open the window. at the same instant i saw him raise his hand and at the signal i tossed my rocket i', 'the window. at the same instant i saw him raise his hand and at the signal i tossed my rocket into t', 'indow. at the same instant i saw him raise his hand and at the signal i tossed my rocket into the ro', '. at the same instant i saw him raise his hand and at the signal i tossed my rocket into the room wi', 'the same instant i saw him raise his hand and at the signal i tossed my rocket into the room with a ', 'ame instant i saw him raise his hand and at the signal i tossed my rocket into the room with a cry o', 'nstant i saw him raise his hand and at the signal i tossed my rocket into the room with a cry of "fi', 't i saw him raise his hand and at the signal i tossed my rocket into the room with a cry of "fire th', 'aw him raise his hand and at the signal i tossed my rocket into the room with a cry of "fire the wor', 'm raise his hand and at the signal i tossed my rocket into the room with a cry of "fire the word was', 'se his hand and at the signal i tossed my rocket into the room with a cry of "fire the word was no s', 's hand and at the signal i tossed my rocket into the room with a cry of "fire the word was no sooner', 'd and at the signal i tossed my rocket into the room with a cry of "fire the word was no sooner out ', ' at the signal i tossed my rocket into the room with a cry of "fire the word was no sooner out of my', 'he signal i tossed my rocket into the room with a cry of "fire the word was no sooner out of my mout', 'gnal i tossed my rocket into the room with a cry of "fire the word was no sooner out of my mouth tha', 'i tossed my rocket into the room with a cry of "fire the word was no sooner out of my mouth than the', 'sed my rocket into the room with a cry of "fire the word was no sooner out of my mouth than the whol', 'y rocket into the room with a cry of "fire the word was no sooner out of my mouth than the whole cro', 'ket into the room with a cry of "fire the word was no sooner out of my mouth than the whole crowd of', 'nto the room with a cry of "fire the word was no sooner out of my mouth than the whole crowd of spec', 'he room with a cry of "fire the word was no sooner out of my mouth than the whole crowd of spectator', 'om with a cry of "fire the word was no sooner out of my mouth than the whole crowd of spectators, we', 'th a cry of "fire the word was no sooner out of my mouth than the whole crowd of spectators, well dr', 'cry of "fire the word was no sooner out of my mouth than the whole crowd of spectators, well dressed', 'f "fire the word was no sooner out of my mouth than the whole crowd of spectators, well dressed and ', 're the word was no sooner out of my mouth than the whole crowd of spectators, well dressed and illge', 'e word was no sooner out of my mouth than the whole crowd of spectators, well dressed and illgentlem', 'd was no sooner out of my mouth than the whole crowd of spectators, well dressed and illgentlemen, o', ' no sooner out of my mouth than the whole crowd of spectators, well dressed and illgentlemen, ostler', 'ooner out of my mouth than the whole crowd of spectators, well dressed and illgentlemen, ostlers, an', ' out of my mouth than the whole crowd of spectators, well dressed and illgentlemen, ostlers, and ser', 'of my mouth than the whole crowd of spectators, well dressed and illgentlemen, ostlers, and servant-', ' mouth than the whole crowd of spectators, well dressed and illgentlemen, ostlers, and servant-maids', 'h than the whole crowd of spectators, well dressed and illgentlemen, ostlers, and servant-maidsjoine', 'n the whole crowd of spectators, well dressed and illgentlemen, ostlers, and servant-maidsjoined in ', ' whole crowd of spectators, well dressed and illgentlemen, ostlers, and servant-maidsjoined in a gen', 'e crowd of spectators, well dressed and illgentlemen, ostlers, and servant-maidsjoined in a general ', 'wd of spectators, well dressed and illgentlemen, ostlers, and servant-maidsjoined in a general shrie', ' spectators, well dressed and illgentlemen, ostlers, and servant-maidsjoined in a general shriek of ', 'tators, well dressed and illgentlemen, ostlers, and servant-maidsjoined in a general shriek of "fire', 's, well dressed and illgentlemen, ostlers, and servant-maidsjoined in a general shriek of "fire thic', 'll dressed and illgentlemen, ostlers, and servant-maidsjoined in a general shriek of "fire thick clo', 'essed and illgentlemen, ostlers, and servant-maidsjoined in a general shriek of "fire thick clouds o', ' and illgentlemen, ostlers, and servant-maidsjoined in a general shriek of "fire thick clouds of smo', 'illgentlemen, ostlers, and servant-maidsjoined in a general shriek of "fire thick clouds of smoke cu', 'ntlemen, ostlers, and servant-maidsjoined in a general shriek of "fire thick clouds of smoke curled ', 'en, ostlers, and servant-maidsjoined in a general shriek of "fire thick clouds of smoke curled throu', 'stlers, and servant-maidsjoined in a general shriek of "fire thick clouds of smoke curled through th', 's, and servant-maidsjoined in a general shriek of "fire thick clouds of smoke curled through the roo', 'd servant-maidsjoined in a general shriek of "fire thick clouds of smoke curled through the room and', 'vant-maidsjoined in a general shriek of "fire thick clouds of smoke curled through the room and out ', 'maidsjoined in a general shriek of "fire thick clouds of smoke curled through the room and out at th', 'joined in a general shriek of "fire thick clouds of smoke curled through the room and out at the ope', 'd in a general shriek of "fire thick clouds of smoke curled through the room and out at the open win', 'a general shriek of "fire thick clouds of smoke curled through the room and out at the open window. ', 'eral shriek of "fire thick clouds of smoke curled through the room and out at the open window. i cau', 'shriek of "fire thick clouds of smoke curled through the room and out at the open window. i caught a', 'k of "fire thick clouds of smoke curled through the room and out at the open window. i caught a glim', '"fire thick clouds of smoke curled through the room and out at the open window. i caught a glimpse o', ' thick clouds of smoke curled through the room and out at the open window. i caught a glimpse of rus', 'k clouds of smoke curled through the room and out at the open window. i caught a glimpse of rushing ', 'uds of smoke curled through the room and out at the open window. i caught a glimpse of rushing figur', 'f smoke curled through the room and out at the open window. i caught a glimpse of rushing figures, a', 'ke curled through the room and out at the open window. i caught a glimpse of rushing figures, and a ', 'rled through the room and out at the open window. i caught a glimpse of rushing figures, and a momen', 'through the room and out at the open window. i caught a glimpse of rushing figures, and a moment lat', 'gh the room and out at the open window. i caught a glimpse of rushing figures, and a moment later th', 'e room and out at the open window. i caught a glimpse of rushing figures, and a moment later the voi', 'm and out at the open window. i caught a glimpse of rushing figures, and a moment later the voice of', ' out at the open window. i caught a glimpse of rushing figures, and a moment later the voice of holm', 'at the open window. i caught a glimpse of rushing figures, and a moment later the voice of holmes fr', 'e open window. i caught a glimpse of rushing figures, and a moment later the voice of holmes from wi', 'n window. i caught a glimpse of rushing figures, and a moment later the voice of holmes from within ', 'dow. i caught a glimpse of rushing figures, and a moment later the voice of holmes from within assur', 'i caught a glimpse of rushing figures, and a moment later the voice of holmes from within assuring t', 'ght a glimpse of rushing figures, and a moment later the voice of holmes from within assuring them t', ' glimpse of rushing figures, and a moment later the voice of holmes from within assuring them that i', 'pse of rushing figures, and a moment later the voice of holmes from within assuring them that it was', 'f rushing figures, and a moment later the voice of holmes from within assuring them that it was a fa', 'hing figures, and a moment later the voice of holmes from within assuring them that it was a false a', 'figures, and a moment later the voice of holmes from within assuring them that it was a false alarm.', 'es, and a moment later the voice of holmes from within assuring them that it was a false alarm. slip', 'nd a moment later the voice of holmes from within assuring them that it was a false alarm. slipping ', 'moment later the voice of holmes from within assuring them that it was a false alarm. slipping throu', 't later the voice of holmes from within assuring them that it was a false alarm. slipping through th', 'er the voice of holmes from within assuring them that it was a false alarm. slipping through the sho', 'e voice of holmes from within assuring them that it was a false alarm. slipping through the shouting', 'ce of holmes from within assuring them that it was a false alarm. slipping through the shouting crow', ' holmes from within assuring them that it was a false alarm. slipping through the shouting crowd i m', 'es from within assuring them that it was a false alarm. slipping through the shouting crowd i made m', 'om within assuring them that it was a false alarm. slipping through the shouting crowd i made my way', 'thin assuring them that it was a false alarm. slipping through the shouting crowd i made my way to t', 'assuring them that it was a false alarm. slipping through the shouting crowd i made my way to the co', 'ing them that it was a false alarm. slipping through the shouting crowd i made my way to the corner ', 'hem that it was a false alarm. slipping through the shouting crowd i made my way to the corner of th', 'hat it was a false alarm. slipping through the shouting crowd i made my way to the corner of the str', 't was a false alarm. slipping through the shouting crowd i made my way to the corner of the street, ', ' a false alarm. slipping through the shouting crowd i made my way to the corner of the street, and i', 'lse alarm. slipping through the shouting crowd i made my way to the corner of the street, and in ten', 'larm. slipping through the shouting crowd i made my way to the corner of the street, and in ten minu', ' slipping through the shouting crowd i made my way to the corner of the street, and in ten minutes w', 'ping through the shouting crowd i made my way to the corner of the street, and in ten minutes was re', 'through the shouting crowd i made my way to the corner of the street, and in ten minutes was rejoice', 'gh the shouting crowd i made my way to the corner of the street, and in ten minutes was rejoiced to ', 'e shouting crowd i made my way to the corner of the street, and in ten minutes was rejoiced to find ', 'uting crowd i made my way to the corner of the street, and in ten minutes was rejoiced to find my fr', " crowd i made my way to the corner of the street, and in ten minutes was rejoiced to find my friend'", "d i made my way to the corner of the street, and in ten minutes was rejoiced to find my friend's arm", "ade my way to the corner of the street, and in ten minutes was rejoiced to find my friend's arm in m", "y way to the corner of the street, and in ten minutes was rejoiced to find my friend's arm in mine, ", " to the corner of the street, and in ten minutes was rejoiced to find my friend's arm in mine, and t", "he corner of the street, and in ten minutes was rejoiced to find my friend's arm in mine, and to get", "rner of the street, and in ten minutes was rejoiced to find my friend's arm in mine, and to get away", "of the street, and in ten minutes was rejoiced to find my friend's arm in mine, and to get away from", "e street, and in ten minutes was rejoiced to find my friend's arm in mine, and to get away from the ", "eet, and in ten minutes was rejoiced to find my friend's arm in mine, and to get away from the scene", "and in ten minutes was rejoiced to find my friend's arm in mine, and to get away from the scene of u", "n ten minutes was rejoiced to find my friend's arm in mine, and to get away from the scene of uproar", " minutes was rejoiced to find my friend's arm in mine, and to get away from the scene of uproar. he ", "tes was rejoiced to find my friend's arm in mine, and to get away from the scene of uproar. he walke", "as rejoiced to find my friend's arm in mine, and to get away from the scene of uproar. he walked swi", "joiced to find my friend's arm in mine, and to get away from the scene of uproar. he walked swiftly ", "d to find my friend's arm in mine, and to get away from the scene of uproar. he walked swiftly and i", "find my friend's arm in mine, and to get away from the scene of uproar. he walked swiftly and in sil", "my friend's arm in mine, and to get away from the scene of uproar. he walked swiftly and in silence ", "iend's arm in mine, and to get away from the scene of uproar. he walked swiftly and in silence for s", 's arm in mine, and to get away from the scene of uproar. he walked swiftly and in silence for some f', ' in mine, and to get away from the scene of uproar. he walked swiftly and in silence for some few mi', 'ine, and to get away from the scene of uproar. he walked swiftly and in silence for some few minutes', 'and to get away from the scene of uproar. he walked swiftly and in silence for some few minutes unti', 'o get away from the scene of uproar. he walked swiftly and in silence for some few minutes until we ', ' away from the scene of uproar. he walked swiftly and in silence for some few minutes until we had t', ' from the scene of uproar. he walked swiftly and in silence for some few minutes until we had turned', ' the scene of uproar. he walked swiftly and in silence for some few minutes until we had turned down', 'scene of uproar. he walked swiftly and in silence for some few minutes until we had turned down one ', ' of uproar. he walked swiftly and in silence for some few minutes until we had turned down one of th', 'proar. he walked swiftly and in silence for some few minutes until we had turned down one of the qui', '. he walked swiftly and in silence for some few minutes until we had turned down one of the quiet st', 'walked swiftly and in silence for some few minutes until we had turned down one of the quiet streets', 'd swiftly and in silence for some few minutes until we had turned down one of the quiet streets whic', 'ftly and in silence for some few minutes until we had turned down one of the quiet streets which lea', 'and in silence for some few minutes until we had turned down one of the quiet streets which lead tow', 'n silence for some few minutes until we had turned down one of the quiet streets which lead towards ', 'ence for some few minutes until we had turned down one of the quiet streets which lead towards the e', 'for some few minutes until we had turned down one of the quiet streets which lead towards the edgewa', 'ome few minutes until we had turned down one of the quiet streets which lead towards the edgeware ro', 'ew minutes until we had turned down one of the quiet streets which lead towards the edgeware road. "', 'nutes until we had turned down one of the quiet streets which lead towards the edgeware road. "you d', ' until we had turned down one of the quiet streets which lead towards the edgeware road. "you did it', 'l we had turned down one of the quiet streets which lead towards the edgeware road. "you did it very', 'had turned down one of the quiet streets which lead towards the edgeware road. "you did it very nice', 'urned down one of the quiet streets which lead towards the edgeware road. "you did it very nicely, d', ' down one of the quiet streets which lead towards the edgeware road. "you did it very nicely, doctor', ' one of the quiet streets which lead towards the edgeware road. "you did it very nicely, doctor," he', 'of the quiet streets which lead towards the edgeware road. "you did it very nicely, doctor," he rema', 'e quiet streets which lead towards the edgeware road. "you did it very nicely, doctor," he remarked.', 'et streets which lead towards the edgeware road. "you did it very nicely, doctor," he remarked. "not', 'reets which lead towards the edgeware road. "you did it very nicely, doctor," he remarked. "nothing ', ' which lead towards the edgeware road. "you did it very nicely, doctor," he remarked. "nothing could', 'h lead towards the edgeware road. "you did it very nicely, doctor," he remarked. "nothing could have', 'd towards the edgeware road. "you did it very nicely, doctor," he remarked. "nothing could have been', 'ards the edgeware road. "you did it very nicely, doctor," he remarked. "nothing could have been bett', 'the edgeware road. "you did it very nicely, doctor," he remarked. "nothing could have been better. i', 'dgeware road. "you did it very nicely, doctor," he remarked. "nothing could have been better. it is ', 're road. "you did it very nicely, doctor," he remarked. "nothing could have been better. it is all r', 'ad. "you did it very nicely, doctor," he remarked. "nothing could have been better. it is all right.', 'you did it very nicely, doctor," he remarked. "nothing could have been better. it is all right." "yo', 'id it very nicely, doctor," he remarked. "nothing could have been better. it is all right." "you hav', ' very nicely, doctor," he remarked. "nothing could have been better. it is all right." "you have the', ' nicely, doctor," he remarked. "nothing could have been better. it is all right." "you have the phot', 'ly, doctor," he remarked. "nothing could have been better. it is all right." "you have the photograp', 'octor," he remarked. "nothing could have been better. it is all right." "you have the photograph?" "', '," he remarked. "nothing could have been better. it is all right." "you have the photograph?" "i kno', ' remarked. "nothing could have been better. it is all right." "you have the photograph?" "i know whe', 'rked. "nothing could have been better. it is all right." "you have the photograph?" "i know where it', ' "nothing could have been better. it is all right." "you have the photograph?" "i know where it is."', 'hing could have been better. it is all right." "you have the photograph?" "i know where it is." "and', 'could have been better. it is all right." "you have the photograph?" "i know where it is." "and how ', ' have been better. it is all right." "you have the photograph?" "i know where it is." "and how did y', ' been better. it is all right." "you have the photograph?" "i know where it is." "and how did you fi', ' better. it is all right." "you have the photograph?" "i know where it is." "and how did you find ou', 'er. it is all right." "you have the photograph?" "i know where it is." "and how did you find out?" "', 't is all right." "you have the photograph?" "i know where it is." "and how did you find out?" "she s', 'all right." "you have the photograph?" "i know where it is." "and how did you find out?" "she showed', 'ight." "you have the photograph?" "i know where it is." "and how did you find out?" "she showed me, ', '" "you have the photograph?" "i know where it is." "and how did you find out?" "she showed me, as i ', 'u have the photograph?" "i know where it is." "and how did you find out?" "she showed me, as i told ', 'e the photograph?" "i know where it is." "and how did you find out?" "she showed me, as i told you s', ' photograph?" "i know where it is." "and how did you find out?" "she showed me, as i told you she wo', 'ograph?" "i know where it is." "and how did you find out?" "she showed me, as i told you she would."', 'h?" "i know where it is." "and how did you find out?" "she showed me, as i told you she would." "i a', 'i know where it is." "and how did you find out?" "she showed me, as i told you she would." "i am sti', 'w where it is." "and how did you find out?" "she showed me, as i told you she would." "i am still in', 're it is." "and how did you find out?" "she showed me, as i told you she would." "i am still in the ', ' is." "and how did you find out?" "she showed me, as i told you she would." "i am still in the dark.', ' "and how did you find out?" "she showed me, as i told you she would." "i am still in the dark." "i ', ' how did you find out?" "she showed me, as i told you she would." "i am still in the dark." "i do no', 'did you find out?" "she showed me, as i told you she would." "i am still in the dark." "i do not wis', 'ou find out?" "she showed me, as i told you she would." "i am still in the dark." "i do not wish to ', 'nd out?" "she showed me, as i told you she would." "i am still in the dark." "i do not wish to make ', 't?" "she showed me, as i told you she would." "i am still in the dark." "i do not wish to make a mys', 'she showed me, as i told you she would." "i am still in the dark." "i do not wish to make a mystery,', 'howed me, as i told you she would." "i am still in the dark." "i do not wish to make a mystery," sai', ' me, as i told you she would." "i am still in the dark." "i do not wish to make a mystery," said he,', 'as i told you she would." "i am still in the dark." "i do not wish to make a mystery," said he, laug', 'told you she would." "i am still in the dark." "i do not wish to make a mystery," said he, laughing.', 'you she would." "i am still in the dark." "i do not wish to make a mystery," said he, laughing. "the', 'he would." "i am still in the dark." "i do not wish to make a mystery," said he, laughing. "the matt', 'uld." "i am still in the dark." "i do not wish to make a mystery," said he, laughing. "the matter wa', ' "i am still in the dark." "i do not wish to make a mystery," said he, laughing. "the matter was per', 'm still in the dark." "i do not wish to make a mystery," said he, laughing. "the matter was perfectl', 'll in the dark." "i do not wish to make a mystery," said he, laughing. "the matter was perfectly sim', ' the dark." "i do not wish to make a mystery," said he, laughing. "the matter was perfectly simple. ', 'dark." "i do not wish to make a mystery," said he, laughing. "the matter was perfectly simple. you, ', '" "i do not wish to make a mystery," said he, laughing. "the matter was perfectly simple. you, of co', 'do not wish to make a mystery," said he, laughing. "the matter was perfectly simple. you, of course,', 't wish to make a mystery," said he, laughing. "the matter was perfectly simple. you, of course, saw ', 'h to make a mystery," said he, laughing. "the matter was perfectly simple. you, of course, saw that ', 'make a mystery," said he, laughing. "the matter was perfectly simple. you, of course, saw that every', 'a mystery," said he, laughing. "the matter was perfectly simple. you, of course, saw that everyone i', 'tery," said he, laughing. "the matter was perfectly simple. you, of course, saw that everyone in the', '" said he, laughing. "the matter was perfectly simple. you, of course, saw that everyone in the stre', 'd he, laughing. "the matter was perfectly simple. you, of course, saw that everyone in the street wa', ' laughing. "the matter was perfectly simple. you, of course, saw that everyone in the street was an ', 'hing. "the matter was perfectly simple. you, of course, saw that everyone in the street was an accom', ' "the matter was perfectly simple. you, of course, saw that everyone in the street was an accomplice', ' matter was perfectly simple. you, of course, saw that everyone in the street was an accomplice. the', 'er was perfectly simple. you, of course, saw that everyone in the street was an accomplice. they wer', 's perfectly simple. you, of course, saw that everyone in the street was an accomplice. they were all', 'fectly simple. you, of course, saw that everyone in the street was an accomplice. they were all enga', 'y simple. you, of course, saw that everyone in the street was an accomplice. they were all engaged f', 'ple. you, of course, saw that everyone in the street was an accomplice. they were all engaged for th', 'you, of course, saw that everyone in the street was an accomplice. they were all engaged for the eve', 'of course, saw that everyone in the street was an accomplice. they were all engaged for the evening.', 'urse, saw that everyone in the street was an accomplice. they were all engaged for the evening." "i ', ' saw that everyone in the street was an accomplice. they were all engaged for the evening." "i guess', 'that everyone in the street was an accomplice. they were all engaged for the evening." "i guessed as', 'everyone in the street was an accomplice. they were all engaged for the evening." "i guessed as much', 'one in the street was an accomplice. they were all engaged for the evening." "i guessed as much." "t', 'n the street was an accomplice. they were all engaged for the evening." "i guessed as much." "then, ', ' street was an accomplice. they were all engaged for the evening." "i guessed as much." "then, when ', 'et was an accomplice. they were all engaged for the evening." "i guessed as much." "then, when the r', 's an accomplice. they were all engaged for the evening." "i guessed as much." "then, when the row br', 'accomplice. they were all engaged for the evening." "i guessed as much." "then, when the row broke o', 'plice. they were all engaged for the evening." "i guessed as much." "then, when the row broke out, i', '. they were all engaged for the evening." "i guessed as much." "then, when the row broke out, i had ', 'y were all engaged for the evening." "i guessed as much." "then, when the row broke out, i had a lit', 'e all engaged for the evening." "i guessed as much." "then, when the row broke out, i had a little m', ' engaged for the evening." "i guessed as much." "then, when the row broke out, i had a little moist ', 'ged for the evening." "i guessed as much." "then, when the row broke out, i had a little moist red p', 'or the evening." "i guessed as much." "then, when the row broke out, i had a little moist red paint ', 'e evening." "i guessed as much." "then, when the row broke out, i had a little moist red paint in th', 'ning." "i guessed as much." "then, when the row broke out, i had a little moist red paint in the pal', '" "i guessed as much." "then, when the row broke out, i had a little moist red paint in the palm of ', 'guessed as much." "then, when the row broke out, i had a little moist red paint in the palm of my ha', 'ed as much." "then, when the row broke out, i had a little moist red paint in the palm of my hand. i', ' much." "then, when the row broke out, i had a little moist red paint in the palm of my hand. i rush', '." "then, when the row broke out, i had a little moist red paint in the palm of my hand. i rushed fo', 'hen, when the row broke out, i had a little moist red paint in the palm of my hand. i rushed forward', 'when the row broke out, i had a little moist red paint in the palm of my hand. i rushed forward, fel', 'the row broke out, i had a little moist red paint in the palm of my hand. i rushed forward, fell dow', 'ow broke out, i had a little moist red paint in the palm of my hand. i rushed forward, fell down, cl', 'oke out, i had a little moist red paint in the palm of my hand. i rushed forward, fell down, clapped', 'ut, i had a little moist red paint in the palm of my hand. i rushed forward, fell down, clapped my h', ' had a little moist red paint in the palm of my hand. i rushed forward, fell down, clapped my hand t', 'a little moist red paint in the palm of my hand. i rushed forward, fell down, clapped my hand to my ', 'tle moist red paint in the palm of my hand. i rushed forward, fell down, clapped my hand to my face,', 'oist red paint in the palm of my hand. i rushed forward, fell down, clapped my hand to my face, and ', 'red paint in the palm of my hand. i rushed forward, fell down, clapped my hand to my face, and becam', 'aint in the palm of my hand. i rushed forward, fell down, clapped my hand to my face, and became a p', 'in the palm of my hand. i rushed forward, fell down, clapped my hand to my face, and became a piteou', 'e palm of my hand. i rushed forward, fell down, clapped my hand to my face, and became a piteous spe', 'm of my hand. i rushed forward, fell down, clapped my hand to my face, and became a piteous spectacl', 'my hand. i rushed forward, fell down, clapped my hand to my face, and became a piteous spectacle. it', 'nd. i rushed forward, fell down, clapped my hand to my face, and became a piteous spectacle. it is a', ' rushed forward, fell down, clapped my hand to my face, and became a piteous spectacle. it is an old', 'ed forward, fell down, clapped my hand to my face, and became a piteous spectacle. it is an old tric', 'rward, fell down, clapped my hand to my face, and became a piteous spectacle. it is an old trick." "', ', fell down, clapped my hand to my face, and became a piteous spectacle. it is an old trick." "that ', 'l down, clapped my hand to my face, and became a piteous spectacle. it is an old trick." "that also ', 'n, clapped my hand to my face, and became a piteous spectacle. it is an old trick." "that also i cou', 'apped my hand to my face, and became a piteous spectacle. it is an old trick." "that also i could fa', ' my hand to my face, and became a piteous spectacle. it is an old trick." "that also i could fathom.', 'and to my face, and became a piteous spectacle. it is an old trick." "that also i could fathom." "th', 'o my face, and became a piteous spectacle. it is an old trick." "that also i could fathom." "then th', 'face, and became a piteous spectacle. it is an old trick." "that also i could fathom." "then they ca', ' and became a piteous spectacle. it is an old trick." "that also i could fathom." "then they carried', 'became a piteous spectacle. it is an old trick." "that also i could fathom." "then they carried me i', 'e a piteous spectacle. it is an old trick." "that also i could fathom." "then they carried me in. sh', 'iteous spectacle. it is an old trick." "that also i could fathom." "then they carried me in. she was', 's spectacle. it is an old trick." "that also i could fathom." "then they carried me in. she was boun', 'ctacle. it is an old trick." "that also i could fathom." "then they carried me in. she was bound to ', 'e. it is an old trick." "that also i could fathom." "then they carried me in. she was bound to have ', ' is an old trick." "that also i could fathom." "then they carried me in. she was bound to have me in', 'n old trick." "that also i could fathom." "then they carried me in. she was bound to have me in. wha', ' trick." "that also i could fathom." "then they carried me in. she was bound to have me in. what els', 'k." "that also i could fathom." "then they carried me in. she was bound to have me in. what else cou', 'that also i could fathom." "then they carried me in. she was bound to have me in. what else could sh', 'also i could fathom." "then they carried me in. she was bound to have me in. what else could she do?', 'i could fathom." "then they carried me in. she was bound to have me in. what else could she do? and ', 'ld fathom." "then they carried me in. she was bound to have me in. what else could she do? and into ', 'thom." "then they carried me in. she was bound to have me in. what else could she do? and into her s', '" "then they carried me in. she was bound to have me in. what else could she do? and into her sittin', 'en they carried me in. she was bound to have me in. what else could she do? and into her sitting-roo', 'ey carried me in. she was bound to have me in. what else could she do? and into her sitting-room, wh', 'rried me in. she was bound to have me in. what else could she do? and into her sitting-room, which w', ' me in. she was bound to have me in. what else could she do? and into her sitting-room, which was th', 'n. she was bound to have me in. what else could she do? and into her sitting-room, which was the ver', 'e was bound to have me in. what else could she do? and into her sitting-room, which was the very roo', ' bound to have me in. what else could she do? and into her sitting-room, which was the very room whi', 'd to have me in. what else could she do? and into her sitting-room, which was the very room which i ', 'have me in. what else could she do? and into her sitting-room, which was the very room which i suspe', 'me in. what else could she do? and into her sitting-room, which was the very room which i suspected.', '. what else could she do? and into her sitting-room, which was the very room which i suspected. it l', 't else could she do? and into her sitting-room, which was the very room which i suspected. it lay be', 'e could she do? and into her sitting-room, which was the very room which i suspected. it lay between', 'ld she do? and into her sitting-room, which was the very room which i suspected. it lay between that', 'e do? and into her sitting-room, which was the very room which i suspected. it lay between that and ', ' and into her sitting-room, which was the very room which i suspected. it lay between that and her b', 'into her sitting-room, which was the very room which i suspected. it lay between that and her bedroo', 'her sitting-room, which was the very room which i suspected. it lay between that and her bedroom, an', 'itting-room, which was the very room which i suspected. it lay between that and her bedroom, and i w', 'g-room, which was the very room which i suspected. it lay between that and her bedroom, and i was de', 'm, which was the very room which i suspected. it lay between that and her bedroom, and i was determi', 'ich was the very room which i suspected. it lay between that and her bedroom, and i was determined t', 'as the very room which i suspected. it lay between that and her bedroom, and i was determined to see', 'e very room which i suspected. it lay between that and her bedroom, and i was determined to see whic', 'y room which i suspected. it lay between that and her bedroom, and i was determined to see which. th', 'm which i suspected. it lay between that and her bedroom, and i was determined to see which. they la', 'ch i suspected. it lay between that and her bedroom, and i was determined to see which. they laid me', 'suspected. it lay between that and her bedroom, and i was determined to see which. they laid me on a', 'cted. it lay between that and her bedroom, and i was determined to see which. they laid me on a couc', ' it lay between that and her bedroom, and i was determined to see which. they laid me on a couch, i ', 'ay between that and her bedroom, and i was determined to see which. they laid me on a couch, i motio', 'tween that and her bedroom, and i was determined to see which. they laid me on a couch, i motioned f', ' that and her bedroom, and i was determined to see which. they laid me on a couch, i motioned for ai', ' and her bedroom, and i was determined to see which. they laid me on a couch, i motioned for air, th', 'her bedroom, and i was determined to see which. they laid me on a couch, i motioned for air, they we', 'edroom, and i was determined to see which. they laid me on a couch, i motioned for air, they were co', 'm, and i was determined to see which. they laid me on a couch, i motioned for air, they were compell', 'd i was determined to see which. they laid me on a couch, i motioned for air, they were compelled to', 'as determined to see which. they laid me on a couch, i motioned for air, they were compelled to open', 'termined to see which. they laid me on a couch, i motioned for air, they were compelled to open the ', 'ned to see which. they laid me on a couch, i motioned for air, they were compelled to open the windo', 'o see which. they laid me on a couch, i motioned for air, they were compelled to open the window, an', ' which. they laid me on a couch, i motioned for air, they were compelled to open the window, and you', 'h. they laid me on a couch, i motioned for air, they were compelled to open the window, and you had ', 'ey laid me on a couch, i motioned for air, they were compelled to open the window, and you had your ', 'id me on a couch, i motioned for air, they were compelled to open the window, and you had your chanc', ' on a couch, i motioned for air, they were compelled to open the window, and you had your chance." "', ' couch, i motioned for air, they were compelled to open the window, and you had your chance." "how d', 'h, i motioned for air, they were compelled to open the window, and you had your chance." "how did th', 'motioned for air, they were compelled to open the window, and you had your chance." "how did that he', 'ned for air, they were compelled to open the window, and you had your chance." "how did that help yo', 'or air, they were compelled to open the window, and you had your chance." "how did that help you?" "', 'r, they were compelled to open the window, and you had your chance." "how did that help you?" "it wa', 'ey were compelled to open the window, and you had your chance." "how did that help you?" "it was all', 're compelled to open the window, and you had your chance." "how did that help you?" "it was all-impo', 'mpelled to open the window, and you had your chance." "how did that help you?" "it was all-important', 'ed to open the window, and you had your chance." "how did that help you?" "it was all-important. whe', ' open the window, and you had your chance." "how did that help you?" "it was all-important. when a w', ' the window, and you had your chance." "how did that help you?" "it was all-important. when a woman ', 'window, and you had your chance." "how did that help you?" "it was all-important. when a woman think', 'w, and you had your chance." "how did that help you?" "it was all-important. when a woman thinks tha', 'd you had your chance." "how did that help you?" "it was all-important. when a woman thinks that her', ' had your chance." "how did that help you?" "it was all-important. when a woman thinks that her hous', 'your chance." "how did that help you?" "it was all-important. when a woman thinks that her house is ', 'chance." "how did that help you?" "it was all-important. when a woman thinks that her house is on fi', 'e." "how did that help you?" "it was all-important. when a woman thinks that her house is on fire, h', 'how did that help you?" "it was all-important. when a woman thinks that her house is on fire, her in', 'id that help you?" "it was all-important. when a woman thinks that her house is on fire, her instinc', 'at help you?" "it was all-important. when a woman thinks that her house is on fire, her instinct is ', 'lp you?" "it was all-important. when a woman thinks that her house is on fire, her instinct is at on', 'u?" "it was all-important. when a woman thinks that her house is on fire, her instinct is at once to', 'it was all-important. when a woman thinks that her house is on fire, her instinct is at once to rush', 's all-important. when a woman thinks that her house is on fire, her instinct is at once to rush to t', '-important. when a woman thinks that her house is on fire, her instinct is at once to rush to the th', 'rtant. when a woman thinks that her house is on fire, her instinct is at once to rush to the thing w', '. when a woman thinks that her house is on fire, her instinct is at once to rush to the thing which ', 'n a woman thinks that her house is on fire, her instinct is at once to rush to the thing which she v', 'oman thinks that her house is on fire, her instinct is at once to rush to the thing which she values', 'thinks that her house is on fire, her instinct is at once to rush to the thing which she values most', 's that her house is on fire, her instinct is at once to rush to the thing which she values most. it ', 't her house is on fire, her instinct is at once to rush to the thing which she values most. it is a ', ' house is on fire, her instinct is at once to rush to the thing which she values most. it is a perfe', 'e is on fire, her instinct is at once to rush to the thing which she values most. it is a perfectly ', 'on fire, her instinct is at once to rush to the thing which she values most. it is a perfectly overp', 're, her instinct is at once to rush to the thing which she values most. it is a perfectly overpoweri', 'er instinct is at once to rush to the thing which she values most. it is a perfectly overpowering im', 'stinct is at once to rush to the thing which she values most. it is a perfectly overpowering impulse', 't is at once to rush to the thing which she values most. it is a perfectly overpowering impulse, and', 'at once to rush to the thing which she values most. it is a perfectly overpowering impulse, and i ha', 'ce to rush to the thing which she values most. it is a perfectly overpowering impulse, and i have mo', ' rush to the thing which she values most. it is a perfectly overpowering impulse, and i have more th', ' to the thing which she values most. it is a perfectly overpowering impulse, and i have more than on', 'he thing which she values most. it is a perfectly overpowering impulse, and i have more than once ta', 'ing which she values most. it is a perfectly overpowering impulse, and i have more than once taken a', 'hich she values most. it is a perfectly overpowering impulse, and i have more than once taken advant', 'she values most. it is a perfectly overpowering impulse, and i have more than once taken advantage o', 'alues most. it is a perfectly overpowering impulse, and i have more than once taken advantage of it.', ' most. it is a perfectly overpowering impulse, and i have more than once taken advantage of it. in t', '. it is a perfectly overpowering impulse, and i have more than once taken advantage of it. in the ca', 'is a perfectly overpowering impulse, and i have more than once taken advantage of it. in the case of', 'perfectly overpowering impulse, and i have more than once taken advantage of it. in the case of the ', 'ctly overpowering impulse, and i have more than once taken advantage of it. in the case of the darli', 'overpowering impulse, and i have more than once taken advantage of it. in the case of the darlington', 'owering impulse, and i have more than once taken advantage of it. in the case of the darlington subs', 'ng impulse, and i have more than once taken advantage of it. in the case of the darlington substitut', 'pulse, and i have more than once taken advantage of it. in the case of the darlington substitution s', ', and i have more than once taken advantage of it. in the case of the darlington substitution scanda', ' i have more than once taken advantage of it. in the case of the darlington substitution scandal it ', 've more than once taken advantage of it. in the case of the darlington substitution scandal it was o', 're than once taken advantage of it. in the case of the darlington substitution scandal it was of use', 'an once taken advantage of it. in the case of the darlington substitution scandal it was of use to m', 'ce taken advantage of it. in the case of the darlington substitution scandal it was of use to me, an', 'ken advantage of it. in the case of the darlington substitution scandal it was of use to me, and als', 'dvantage of it. in the case of the darlington substitution scandal it was of use to me, and also in ', 'age of it. in the case of the darlington substitution scandal it was of use to me, and also in the a', 'f it. in the case of the darlington substitution scandal it was of use to me, and also in the arnswo', ' in the case of the darlington substitution scandal it was of use to me, and also in the arnsworth c', 'he case of the darlington substitution scandal it was of use to me, and also in the arnsworth castle', 'se of the darlington substitution scandal it was of use to me, and also in the arnsworth castle busi', ' the darlington substitution scandal it was of use to me, and also in the arnsworth castle business.', 'darlington substitution scandal it was of use to me, and also in the arnsworth castle business. a ma', 'ngton substitution scandal it was of use to me, and also in the arnsworth castle business. a married', ' substitution scandal it was of use to me, and also in the arnsworth castle business. a married woma', 'titution scandal it was of use to me, and also in the arnsworth castle business. a married woman gra', 'ion scandal it was of use to me, and also in the arnsworth castle business. a married woman grabs at', 'candal it was of use to me, and also in the arnsworth castle business. a married woman grabs at her ', 'l it was of use to me, and also in the arnsworth castle business. a married woman grabs at her baby;', 'was of use to me, and also in the arnsworth castle business. a married woman grabs at her baby; an u', 'f use to me, and also in the arnsworth castle business. a married woman grabs at her baby; an unmarr', ' to me, and also in the arnsworth castle business. a married woman grabs at her baby; an unmarried o', 'e, and also in the arnsworth castle business. a married woman grabs at her baby; an unmarried one re', 'd also in the arnsworth castle business. a married woman grabs at her baby; an unmarried one reaches', 'o in the arnsworth castle business. a married woman grabs at her baby; an unmarried one reaches for ', 'the arnsworth castle business. a married woman grabs at her baby; an unmarried one reaches for her j', 'rnsworth castle business. a married woman grabs at her baby; an unmarried one reaches for her jewel-', 'rth castle business. a married woman grabs at her baby; an unmarried one reaches for her jewel-box. ', 'astle business. a married woman grabs at her baby; an unmarried one reaches for her jewel-box. now i', ' business. a married woman grabs at her baby; an unmarried one reaches for her jewel-box. now it was', 'ness. a married woman grabs at her baby; an unmarried one reaches for her jewel-box. now it was clea', ' a married woman grabs at her baby; an unmarried one reaches for her jewel-box. now it was clear to ', 'rried woman grabs at her baby; an unmarried one reaches for her jewel-box. now it was clear to me th', ' woman grabs at her baby; an unmarried one reaches for her jewel-box. now it was clear to me that ou', 'n grabs at her baby; an unmarried one reaches for her jewel-box. now it was clear to me that our lad', 'bs at her baby; an unmarried one reaches for her jewel-box. now it was clear to me that our lady of ', ' her baby; an unmarried one reaches for her jewel-box. now it was clear to me that our lady of to-da', 'baby; an unmarried one reaches for her jewel-box. now it was clear to me that our lady of to-day had', ' an unmarried one reaches for her jewel-box. now it was clear to me that our lady of to-day had noth', 'nmarried one reaches for her jewel-box. now it was clear to me that our lady of to-day had nothing i', 'ied one reaches for her jewel-box. now it was clear to me that our lady of to-day had nothing in the', 'ne reaches for her jewel-box. now it was clear to me that our lady of to-day had nothing in the hous', 'aches for her jewel-box. now it was clear to me that our lady of to-day had nothing in the house mor', ' for her jewel-box. now it was clear to me that our lady of to-day had nothing in the house more pre', 'her jewel-box. now it was clear to me that our lady of to-day had nothing in the house more precious', 'ewel-box. now it was clear to me that our lady of to-day had nothing in the house more precious to h', 'box. now it was clear to me that our lady of to-day had nothing in the house more precious to her th', 'now it was clear to me that our lady of to-day had nothing in the house more precious to her than wh', 't was clear to me that our lady of to-day had nothing in the house more precious to her than what we', ' clear to me that our lady of to-day had nothing in the house more precious to her than what we are ', 'r to me that our lady of to-day had nothing in the house more precious to her than what we are in qu', 'me that our lady of to-day had nothing in the house more precious to her than what we are in quest o', 'at our lady of to-day had nothing in the house more precious to her than what we are in quest of. sh', 'r lady of to-day had nothing in the house more precious to her than what we are in quest of. she wou', 'y of to-day had nothing in the house more precious to her than what we are in quest of. she would ru', 'to-day had nothing in the house more precious to her than what we are in quest of. she would rush to', 'y had nothing in the house more precious to her than what we are in quest of. she would rush to secu', ' nothing in the house more precious to her than what we are in quest of. she would rush to secure it', 'ing in the house more precious to her than what we are in quest of. she would rush to secure it. the', 'n the house more precious to her than what we are in quest of. she would rush to secure it. the alar', ' house more precious to her than what we are in quest of. she would rush to secure it. the alarm of ', 'e more precious to her than what we are in quest of. she would rush to secure it. the alarm of fire ', 'e precious to her than what we are in quest of. she would rush to secure it. the alarm of fire was a', 'cious to her than what we are in quest of. she would rush to secure it. the alarm of fire was admira', ' to her than what we are in quest of. she would rush to secure it. the alarm of fire was admirably d', 'er than what we are in quest of. she would rush to secure it. the alarm of fire was admirably done. ', 'an what we are in quest of. she would rush to secure it. the alarm of fire was admirably done. the s', 'at we are in quest of. she would rush to secure it. the alarm of fire was admirably done. the smoke ', ' are in quest of. she would rush to secure it. the alarm of fire was admirably done. the smoke and s', 'in quest of. she would rush to secure it. the alarm of fire was admirably done. the smoke and shouti', 'est of. she would rush to secure it. the alarm of fire was admirably done. the smoke and shouting we', 'f. she would rush to secure it. the alarm of fire was admirably done. the smoke and shouting were en', 'e would rush to secure it. the alarm of fire was admirably done. the smoke and shouting were enough ', 'ld rush to secure it. the alarm of fire was admirably done. the smoke and shouting were enough to sh', 'sh to secure it. the alarm of fire was admirably done. the smoke and shouting were enough to shake n', ' secure it. the alarm of fire was admirably done. the smoke and shouting were enough to shake nerves', 're it. the alarm of fire was admirably done. the smoke and shouting were enough to shake nerves of s', '. the alarm of fire was admirably done. the smoke and shouting were enough to shake nerves of steel.', ' alarm of fire was admirably done. the smoke and shouting were enough to shake nerves of steel. she ', 'm of fire was admirably done. the smoke and shouting were enough to shake nerves of steel. she respo', 'fire was admirably done. the smoke and shouting were enough to shake nerves of steel. she responded ', 'was admirably done. the smoke and shouting were enough to shake nerves of steel. she responded beaut', 'dmirably done. the smoke and shouting were enough to shake nerves of steel. she responded beautifull', 'bly done. the smoke and shouting were enough to shake nerves of steel. she responded beautifully. th', 'one. the smoke and shouting were enough to shake nerves of steel. she responded beautifully. the pho', 'the smoke and shouting were enough to shake nerves of steel. she responded beautifully. the photogra', 'moke and shouting were enough to shake nerves of steel. she responded beautifully. the photograph is', 'and shouting were enough to shake nerves of steel. she responded beautifully. the photograph is in a', 'houting were enough to shake nerves of steel. she responded beautifully. the photograph is in a rece', 'ng were enough to shake nerves of steel. she responded beautifully. the photograph is in a recess be', 're enough to shake nerves of steel. she responded beautifully. the photograph is in a recess behind ', 'ough to shake nerves of steel. she responded beautifully. the photograph is in a recess behind a sli', 'to shake nerves of steel. she responded beautifully. the photograph is in a recess behind a sliding ', 'ake nerves of steel. she responded beautifully. the photograph is in a recess behind a sliding panel', 'erves of steel. she responded beautifully. the photograph is in a recess behind a sliding panel just', ' of steel. she responded beautifully. the photograph is in a recess behind a sliding panel just abov', 'teel. she responded beautifully. the photograph is in a recess behind a sliding panel just above the', ' she responded beautifully. the photograph is in a recess behind a sliding panel just above the righ', 'responded beautifully. the photograph is in a recess behind a sliding panel just above the right bel', 'nded beautifully. the photograph is in a recess behind a sliding panel just above the right bell-pul', 'beautifully. the photograph is in a recess behind a sliding panel just above the right bell-pull. sh', 'ifully. the photograph is in a recess behind a sliding panel just above the right bell-pull. she was', 'y. the photograph is in a recess behind a sliding panel just above the right bell-pull. she was ther', 'e photograph is in a recess behind a sliding panel just above the right bell-pull. she was there in ', 'tograph is in a recess behind a sliding panel just above the right bell-pull. she was there in an in', 'ph is in a recess behind a sliding panel just above the right bell-pull. she was there in an instant', ' in a recess behind a sliding panel just above the right bell-pull. she was there in an instant, and', ' recess behind a sliding panel just above the right bell-pull. she was there in an instant, and i ca', 'ss behind a sliding panel just above the right bell-pull. she was there in an instant, and i caught ', 'hind a sliding panel just above the right bell-pull. she was there in an instant, and i caught a gli', 'a sliding panel just above the right bell-pull. she was there in an instant, and i caught a glimpse ', 'ding panel just above the right bell-pull. she was there in an instant, and i caught a glimpse of it', 'panel just above the right bell-pull. she was there in an instant, and i caught a glimpse of it as s', ' just above the right bell-pull. she was there in an instant, and i caught a glimpse of it as she ha', ' above the right bell-pull. she was there in an instant, and i caught a glimpse of it as she half-dr', 'e the right bell-pull. she was there in an instant, and i caught a glimpse of it as she half-drew it', ' right bell-pull. she was there in an instant, and i caught a glimpse of it as she half-drew it out.', 't bell-pull. she was there in an instant, and i caught a glimpse of it as she half-drew it out. when', 'l-pull. she was there in an instant, and i caught a glimpse of it as she half-drew it out. when i cr', 'l. she was there in an instant, and i caught a glimpse of it as she half-drew it out. when i cried o', 'e was there in an instant, and i caught a glimpse of it as she half-drew it out. when i cried out th', ' there in an instant, and i caught a glimpse of it as she half-drew it out. when i cried out that it', 'e in an instant, and i caught a glimpse of it as she half-drew it out. when i cried out that it was ', 'an instant, and i caught a glimpse of it as she half-drew it out. when i cried out that it was a fal', 'stant, and i caught a glimpse of it as she half-drew it out. when i cried out that it was a false al', ', and i caught a glimpse of it as she half-drew it out. when i cried out that it was a false alarm, ', ' i caught a glimpse of it as she half-drew it out. when i cried out that it was a false alarm, she r', 'ught a glimpse of it as she half-drew it out. when i cried out that it was a false alarm, she replac', 'a glimpse of it as she half-drew it out. when i cried out that it was a false alarm, she replaced it', 'mpse of it as she half-drew it out. when i cried out that it was a false alarm, she replaced it, gla', 'of it as she half-drew it out. when i cried out that it was a false alarm, she replaced it, glanced ', ' as she half-drew it out. when i cried out that it was a false alarm, she replaced it, glanced at th', 'he half-drew it out. when i cried out that it was a false alarm, she replaced it, glanced at the roc', 'lf-drew it out. when i cried out that it was a false alarm, she replaced it, glanced at the rocket, ', 'ew it out. when i cried out that it was a false alarm, she replaced it, glanced at the rocket, rushe', ' out. when i cried out that it was a false alarm, she replaced it, glanced at the rocket, rushed fro', ' when i cried out that it was a false alarm, she replaced it, glanced at the rocket, rushed from the', ' i cried out that it was a false alarm, she replaced it, glanced at the rocket, rushed from the room', 'ied out that it was a false alarm, she replaced it, glanced at the rocket, rushed from the room, and', 'ut that it was a false alarm, she replaced it, glanced at the rocket, rushed from the room, and i ha', 'at it was a false alarm, she replaced it, glanced at the rocket, rushed from the room, and i have no', ' was a false alarm, she replaced it, glanced at the rocket, rushed from the room, and i have not see', 'a false alarm, she replaced it, glanced at the rocket, rushed from the room, and i have not seen her', 'se alarm, she replaced it, glanced at the rocket, rushed from the room, and i have not seen her sinc', 'arm, she replaced it, glanced at the rocket, rushed from the room, and i have not seen her since. i ', 'she replaced it, glanced at the rocket, rushed from the room, and i have not seen her since. i rose,', 'eplaced it, glanced at the rocket, rushed from the room, and i have not seen her since. i rose, and,', 'ed it, glanced at the rocket, rushed from the room, and i have not seen her since. i rose, and, maki', ', glanced at the rocket, rushed from the room, and i have not seen her since. i rose, and, making my', 'nced at the rocket, rushed from the room, and i have not seen her since. i rose, and, making my excu', 'at the rocket, rushed from the room, and i have not seen her since. i rose, and, making my excuses, ', 'e rocket, rushed from the room, and i have not seen her since. i rose, and, making my excuses, escap', 'ket, rushed from the room, and i have not seen her since. i rose, and, making my excuses, escaped fr', 'rushed from the room, and i have not seen her since. i rose, and, making my excuses, escaped from th', 'd from the room, and i have not seen her since. i rose, and, making my excuses, escaped from the hou', 'm the room, and i have not seen her since. i rose, and, making my excuses, escaped from the house. i', ' room, and i have not seen her since. i rose, and, making my excuses, escaped from the house. i hesi', ', and i have not seen her since. i rose, and, making my excuses, escaped from the house. i hesitated', ' i have not seen her since. i rose, and, making my excuses, escaped from the house. i hesitated whet', 've not seen her since. i rose, and, making my excuses, escaped from the house. i hesitated whether t', 't seen her since. i rose, and, making my excuses, escaped from the house. i hesitated whether to att', 'n her since. i rose, and, making my excuses, escaped from the house. i hesitated whether to attempt ', ' since. i rose, and, making my excuses, escaped from the house. i hesitated whether to attempt to se', 'e. i rose, and, making my excuses, escaped from the house. i hesitated whether to attempt to secure ', 'rose, and, making my excuses, escaped from the house. i hesitated whether to attempt to secure the p', ' and, making my excuses, escaped from the house. i hesitated whether to attempt to secure the photog', ' making my excuses, escaped from the house. i hesitated whether to attempt to secure the photograph ', 'ng my excuses, escaped from the house. i hesitated whether to attempt to secure the photograph at on', ' excuses, escaped from the house. i hesitated whether to attempt to secure the photograph at once; b', 'ses, escaped from the house. i hesitated whether to attempt to secure the photograph at once; but th', 'escaped from the house. i hesitated whether to attempt to secure the photograph at once; but the coa', 'ed from the house. i hesitated whether to attempt to secure the photograph at once; but the coachman', 'om the house. i hesitated whether to attempt to secure the photograph at once; but the coachman had ', 'e house. i hesitated whether to attempt to secure the photograph at once; but the coachman had come ', 'se. i hesitated whether to attempt to secure the photograph at once; but the coachman had come in, a', ' hesitated whether to attempt to secure the photograph at once; but the coachman had come in, and as', 'tated whether to attempt to secure the photograph at once; but the coachman had come in, and as he w', ' whether to attempt to secure the photograph at once; but the coachman had come in, and as he was wa', 'her to attempt to secure the photograph at once; but the coachman had come in, and as he was watchin', 'o attempt to secure the photograph at once; but the coachman had come in, and as he was watching me ', 'empt to secure the photograph at once; but the coachman had come in, and as he was watching me narro', 'to secure the photograph at once; but the coachman had come in, and as he was watching me narrowly i', 'cure the photograph at once; but the coachman had come in, and as he was watching me narrowly it see', 'the photograph at once; but the coachman had come in, and as he was watching me narrowly it seemed s', 'hotograph at once; but the coachman had come in, and as he was watching me narrowly it seemed safer ', 'raph at once; but the coachman had come in, and as he was watching me narrowly it seemed safer to wa', 'at once; but the coachman had come in, and as he was watching me narrowly it seemed safer to wait. a', 'ce; but the coachman had come in, and as he was watching me narrowly it seemed safer to wait. a litt', 'ut the coachman had come in, and as he was watching me narrowly it seemed safer to wait. a little ov', 'e coachman had come in, and as he was watching me narrowly it seemed safer to wait. a little over-pr', 'chman had come in, and as he was watching me narrowly it seemed safer to wait. a little over-precipi', ' had come in, and as he was watching me narrowly it seemed safer to wait. a little over-precipitance', 'come in, and as he was watching me narrowly it seemed safer to wait. a little over-precipitance may ', 'in, and as he was watching me narrowly it seemed safer to wait. a little over-precipitance may ruin ', 'nd as he was watching me narrowly it seemed safer to wait. a little over-precipitance may ruin all."', ' he was watching me narrowly it seemed safer to wait. a little over-precipitance may ruin all." "and', 'as watching me narrowly it seemed safer to wait. a little over-precipitance may ruin all." "and now?', 'tching me narrowly it seemed safer to wait. a little over-precipitance may ruin all." "and now?" i a', 'g me narrowly it seemed safer to wait. a little over-precipitance may ruin all." "and now?" i asked.', 'narrowly it seemed safer to wait. a little over-precipitance may ruin all." "and now?" i asked. "our', 'wly it seemed safer to wait. a little over-precipitance may ruin all." "and now?" i asked. "our ques', 't seemed safer to wait. a little over-precipitance may ruin all." "and now?" i asked. "our quest is ', 'med safer to wait. a little over-precipitance may ruin all." "and now?" i asked. "our quest is pract', 'afer to wait. a little over-precipitance may ruin all." "and now?" i asked. "our quest is practicall', 'to wait. a little over-precipitance may ruin all." "and now?" i asked. "our quest is practically fin', 'it. a little over-precipitance may ruin all." "and now?" i asked. "our quest is practically finished', ' little over-precipitance may ruin all." "and now?" i asked. "our quest is practically finished. i s', 'le over-precipitance may ruin all." "and now?" i asked. "our quest is practically finished. i shall ', 'er-precipitance may ruin all." "and now?" i asked. "our quest is practically finished. i shall call ', 'ecipitance may ruin all." "and now?" i asked. "our quest is practically finished. i shall call with ', 'tance may ruin all." "and now?" i asked. "our quest is practically finished. i shall call with the k', ' may ruin all." "and now?" i asked. "our quest is practically finished. i shall call with the king t', 'ruin all." "and now?" i asked. "our quest is practically finished. i shall call with the king to-mor', 'all." "and now?" i asked. "our quest is practically finished. i shall call with the king to-morrow, ', ' "and now?" i asked. "our quest is practically finished. i shall call with the king to-morrow, and w', ' now?" i asked. "our quest is practically finished. i shall call with the king to-morrow, and with y', '" i asked. "our quest is practically finished. i shall call with the king to-morrow, and with you, i', 'sked. "our quest is practically finished. i shall call with the king to-morrow, and with you, if you', ' "our quest is practically finished. i shall call with the king to-morrow, and with you, if you care', ' quest is practically finished. i shall call with the king to-morrow, and with you, if you care to c', 't is practically finished. i shall call with the king to-morrow, and with you, if you care to come w', 'practically finished. i shall call with the king to-morrow, and with you, if you care to come with u', 'ically finished. i shall call with the king to-morrow, and with you, if you care to come with us. we', 'y finished. i shall call with the king to-morrow, and with you, if you care to come with us. we will', 'ished. i shall call with the king to-morrow, and with you, if you care to come with us. we will be s', '. i shall call with the king to-morrow, and with you, if you care to come with us. we will be shown ', 'hall call with the king to-morrow, and with you, if you care to come with us. we will be shown into ', 'call with the king to-morrow, and with you, if you care to come with us. we will be shown into the s', 'with the king to-morrow, and with you, if you care to come with us. we will be shown into the sittin', 'the king to-morrow, and with you, if you care to come with us. we will be shown into the sitting-roo', 'ing to-morrow, and with you, if you care to come with us. we will be shown into the sitting-room to ', 'o-morrow, and with you, if you care to come with us. we will be shown into the sitting-room to wait ', 'row, and with you, if you care to come with us. we will be shown into the sitting-room to wait for t', 'and with you, if you care to come with us. we will be shown into the sitting-room to wait for the la', 'ith you, if you care to come with us. we will be shown into the sitting-room to wait for the lady, b', 'ou, if you care to come with us. we will be shown into the sitting-room to wait for the lady, but it', 'f you care to come with us. we will be shown into the sitting-room to wait for the lady, but it is p', ' care to come with us. we will be shown into the sitting-room to wait for the lady, but it is probab', ' to come with us. we will be shown into the sitting-room to wait for the lady, but it is probable th', 'ome with us. we will be shown into the sitting-room to wait for the lady, but it is probable that wh', 'ith us. we will be shown into the sitting-room to wait for the lady, but it is probable that when sh', 's. we will be shown into the sitting-room to wait for the lady, but it is probable that when she com', ' will be shown into the sitting-room to wait for the lady, but it is probable that when she comes sh', ' be shown into the sitting-room to wait for the lady, but it is probable that when she comes she may', 'hown into the sitting-room to wait for the lady, but it is probable that when she comes she may find', 'into the sitting-room to wait for the lady, but it is probable that when she comes she may find neit', 'the sitting-room to wait for the lady, but it is probable that when she comes she may find neither u', 'itting-room to wait for the lady, but it is probable that when she comes she may find neither us nor', 'g-room to wait for the lady, but it is probable that when she comes she may find neither us nor the ', 'm to wait for the lady, but it is probable that when she comes she may find neither us nor the photo', 'wait for the lady, but it is probable that when she comes she may find neither us nor the photograph', 'for the lady, but it is probable that when she comes she may find neither us nor the photograph. it ', 'he lady, but it is probable that when she comes she may find neither us nor the photograph. it might', 'dy, but it is probable that when she comes she may find neither us nor the photograph. it might be a', 'ut it is probable that when she comes she may find neither us nor the photograph. it might be a sati', ' is probable that when she comes she may find neither us nor the photograph. it might be a satisfact', 'robable that when she comes she may find neither us nor the photograph. it might be a satisfaction t', 'le that when she comes she may find neither us nor the photograph. it might be a satisfaction to his', 'at when she comes she may find neither us nor the photograph. it might be a satisfaction to his maje', 'en she comes she may find neither us nor the photograph. it might be a satisfaction to his majesty t', 'e comes she may find neither us nor the photograph. it might be a satisfaction to his majesty to reg', 'es she may find neither us nor the photograph. it might be a satisfaction to his majesty to regain i', 'e may find neither us nor the photograph. it might be a satisfaction to his majesty to regain it wit', ' find neither us nor the photograph. it might be a satisfaction to his majesty to regain it with his', ' neither us nor the photograph. it might be a satisfaction to his majesty to regain it with his own ', 'her us nor the photograph. it might be a satisfaction to his majesty to regain it with his own hands', 's nor the photograph. it might be a satisfaction to his majesty to regain it with his own hands." "a', ' the photograph. it might be a satisfaction to his majesty to regain it with his own hands." "and wh', 'photograph. it might be a satisfaction to his majesty to regain it with his own hands." "and when wi', 'graph. it might be a satisfaction to his majesty to regain it with his own hands." "and when will yo', '. it might be a satisfaction to his majesty to regain it with his own hands." "and when will you cal', 'might be a satisfaction to his majesty to regain it with his own hands." "and when will you call?" "', ' be a satisfaction to his majesty to regain it with his own hands." "and when will you call?" "at ei', ' satisfaction to his majesty to regain it with his own hands." "and when will you call?" "at eight i', 'sfaction to his majesty to regain it with his own hands." "and when will you call?" "at eight in the', 'ion to his majesty to regain it with his own hands." "and when will you call?" "at eight in the morn', 'o his majesty to regain it with his own hands." "and when will you call?" "at eight in the morning. ', ' majesty to regain it with his own hands." "and when will you call?" "at eight in the morning. she w', 'sty to regain it with his own hands." "and when will you call?" "at eight in the morning. she will n', 'o regain it with his own hands." "and when will you call?" "at eight in the morning. she will not be', 'ain it with his own hands." "and when will you call?" "at eight in the morning. she will not be up, ', 't with his own hands." "and when will you call?" "at eight in the morning. she will not be up, so th', 'h his own hands." "and when will you call?" "at eight in the morning. she will not be up, so that we', ' own hands." "and when will you call?" "at eight in the morning. she will not be up, so that we shal', 'hands." "and when will you call?" "at eight in the morning. she will not be up, so that we shall hav', '." "and when will you call?" "at eight in the morning. she will not be up, so that we shall have a c', 'nd when will you call?" "at eight in the morning. she will not be up, so that we shall have a clear ', 'en will you call?" "at eight in the morning. she will not be up, so that we shall have a clear field', 'll you call?" "at eight in the morning. she will not be up, so that we shall have a clear field. bes', 'u call?" "at eight in the morning. she will not be up, so that we shall have a clear field. besides,', 'l?" "at eight in the morning. she will not be up, so that we shall have a clear field. besides, we m', 'at eight in the morning. she will not be up, so that we shall have a clear field. besides, we must b', 'ght in the morning. she will not be up, so that we shall have a clear field. besides, we must be pro', 'n the morning. she will not be up, so that we shall have a clear field. besides, we must be prompt, ', ' morning. she will not be up, so that we shall have a clear field. besides, we must be prompt, for t', 'ing. she will not be up, so that we shall have a clear field. besides, we must be prompt, for this m', 'she will not be up, so that we shall have a clear field. besides, we must be prompt, for this marria', 'ill not be up, so that we shall have a clear field. besides, we must be prompt, for this marriage ma', 'ot be up, so that we shall have a clear field. besides, we must be prompt, for this marriage may mea', ' up, so that we shall have a clear field. besides, we must be prompt, for this marriage may mean a c', 'so that we shall have a clear field. besides, we must be prompt, for this marriage may mean a comple', 'at we shall have a clear field. besides, we must be prompt, for this marriage may mean a complete ch', ' shall have a clear field. besides, we must be prompt, for this marriage may mean a complete change ', 'l have a clear field. besides, we must be prompt, for this marriage may mean a complete change in he', 'e a clear field. besides, we must be prompt, for this marriage may mean a complete change in her lif', 'lear field. besides, we must be prompt, for this marriage may mean a complete change in her life and', 'field. besides, we must be prompt, for this marriage may mean a complete change in her life and habi', '. besides, we must be prompt, for this marriage may mean a complete change in her life and habits. i', 'ides, we must be prompt, for this marriage may mean a complete change in her life and habits. i must', ' we must be prompt, for this marriage may mean a complete change in her life and habits. i must wire', 'ust be prompt, for this marriage may mean a complete change in her life and habits. i must wire to t', 'e prompt, for this marriage may mean a complete change in her life and habits. i must wire to the ki', 'mpt, for this marriage may mean a complete change in her life and habits. i must wire to the king wi', 'for this marriage may mean a complete change in her life and habits. i must wire to the king without', 'his marriage may mean a complete change in her life and habits. i must wire to the king without dela', 'arriage may mean a complete change in her life and habits. i must wire to the king without delay." w', 'ge may mean a complete change in her life and habits. i must wire to the king without delay." we had', 'y mean a complete change in her life and habits. i must wire to the king without delay." we had reac', 'n a complete change in her life and habits. i must wire to the king without delay." we had reached b', 'omplete change in her life and habits. i must wire to the king without delay." we had reached baker ', 'te change in her life and habits. i must wire to the king without delay." we had reached baker stree', 'ange in her life and habits. i must wire to the king without delay." we had reached baker street and', 'in her life and habits. i must wire to the king without delay." we had reached baker street and had ', 'r life and habits. i must wire to the king without delay." we had reached baker street and had stopp', 'e and habits. i must wire to the king without delay." we had reached baker street and had stopped at', ' habits. i must wire to the king without delay." we had reached baker street and had stopped at the ', 'ts. i must wire to the king without delay." we had reached baker street and had stopped at the door.', ' must wire to the king without delay." we had reached baker street and had stopped at the door. he w', ' wire to the king without delay." we had reached baker street and had stopped at the door. he was se', ' to the king without delay." we had reached baker street and had stopped at the door. he was searchi', 'he king without delay." we had reached baker street and had stopped at the door. he was searching hi', 'ng without delay." we had reached baker street and had stopped at the door. he was searching his poc', 'thout delay." we had reached baker street and had stopped at the door. he was searching his pockets ', ' delay." we had reached baker street and had stopped at the door. he was searching his pockets for t', 'y." we had reached baker street and had stopped at the door. he was searching his pockets for the ke', 'e had reached baker street and had stopped at the door. he was searching his pockets for the key whe', ' reached baker street and had stopped at the door. he was searching his pockets for the key when som', 'hed baker street and had stopped at the door. he was searching his pockets for the key when someone ', 'aker street and had stopped at the door. he was searching his pockets for the key when someone passi', 'street and had stopped at the door. he was searching his pockets for the key when someone passing sa', 't and had stopped at the door. he was searching his pockets for the key when someone passing said: "', ' had stopped at the door. he was searching his pockets for the key when someone passing said: "good-', 'stopped at the door. he was searching his pockets for the key when someone passing said: "good-night', 'ed at the door. he was searching his pockets for the key when someone passing said: "good-night, mis', ' the door. he was searching his pockets for the key when someone passing said: "good-night, mister s', 'door. he was searching his pockets for the key when someone passing said: "good-night, mister sherlo', ' he was searching his pockets for the key when someone passing said: "good-night, mister sherlock ho', 'as searching his pockets for the key when someone passing said: "good-night, mister sherlock holmes.', 'arching his pockets for the key when someone passing said: "good-night, mister sherlock holmes." the', 'ng his pockets for the key when someone passing said: "good-night, mister sherlock holmes." there we', 's pockets for the key when someone passing said: "good-night, mister sherlock holmes." there were se', 'kets for the key when someone passing said: "good-night, mister sherlock holmes." there were several', 'for the key when someone passing said: "good-night, mister sherlock holmes." there were several peop', 'he key when someone passing said: "good-night, mister sherlock holmes." there were several people on', 'y when someone passing said: "good-night, mister sherlock holmes." there were several people on the ', 'n someone passing said: "good-night, mister sherlock holmes." there were several people on the pavem', 'eone passing said: "good-night, mister sherlock holmes." there were several people on the pavement a', 'passing said: "good-night, mister sherlock holmes." there were several people on the pavement at the', 'ng said: "good-night, mister sherlock holmes." there were several people on the pavement at the time', 'id: "good-night, mister sherlock holmes." there were several people on the pavement at the time, but', 'good-night, mister sherlock holmes." there were several people on the pavement at the time, but the ', 'night, mister sherlock holmes." there were several people on the pavement at the time, but the greet', ', mister sherlock holmes." there were several people on the pavement at the time, but the greeting a', 'ter sherlock holmes." there were several people on the pavement at the time, but the greeting appear', 'herlock holmes." there were several people on the pavement at the time, but the greeting appeared to', 'ck holmes." there were several people on the pavement at the time, but the greeting appeared to come', 'lmes." there were several people on the pavement at the time, but the greeting appeared to come from', '" there were several people on the pavement at the time, but the greeting appeared to come from a sl', 're were several people on the pavement at the time, but the greeting appeared to come from a slim yo', 're several people on the pavement at the time, but the greeting appeared to come from a slim youth i', 'veral people on the pavement at the time, but the greeting appeared to come from a slim youth in an ', ' people on the pavement at the time, but the greeting appeared to come from a slim youth in an ulste', 'le on the pavement at the time, but the greeting appeared to come from a slim youth in an ulster who', ' the pavement at the time, but the greeting appeared to come from a slim youth in an ulster who had ', 'pavement at the time, but the greeting appeared to come from a slim youth in an ulster who had hurri', 'ent at the time, but the greeting appeared to come from a slim youth in an ulster who had hurried by', 't the time, but the greeting appeared to come from a slim youth in an ulster who had hurried by. "i\'', ' time, but the greeting appeared to come from a slim youth in an ulster who had hurried by. "i\'ve he', ', but the greeting appeared to come from a slim youth in an ulster who had hurried by. "i\'ve heard t', ' the greeting appeared to come from a slim youth in an ulster who had hurried by. "i\'ve heard that v', 'greeting appeared to come from a slim youth in an ulster who had hurried by. "i\'ve heard that voice ', 'ing appeared to come from a slim youth in an ulster who had hurried by. "i\'ve heard that voice befor', 'ppeared to come from a slim youth in an ulster who had hurried by. "i\'ve heard that voice before," s', 'ed to come from a slim youth in an ulster who had hurried by. "i\'ve heard that voice before," said h', ' come from a slim youth in an ulster who had hurried by. "i\'ve heard that voice before," said holmes', ' from a slim youth in an ulster who had hurried by. "i\'ve heard that voice before," said holmes, sta', ' a slim youth in an ulster who had hurried by. "i\'ve heard that voice before," said holmes, staring ', 'im youth in an ulster who had hurried by. "i\'ve heard that voice before," said holmes, staring down ', 'uth in an ulster who had hurried by. "i\'ve heard that voice before," said holmes, staring down the d', 'n an ulster who had hurried by. "i\'ve heard that voice before," said holmes, staring down the dimly ', 'ulster who had hurried by. "i\'ve heard that voice before," said holmes, staring down the dimly lit s', 'r who had hurried by. "i\'ve heard that voice before," said holmes, staring down the dimly lit street', ' had hurried by. "i\'ve heard that voice before," said holmes, staring down the dimly lit street. "no', 'hurried by. "i\'ve heard that voice before," said holmes, staring down the dimly lit street. "now, i ', 'ed by. "i\'ve heard that voice before," said holmes, staring down the dimly lit street. "now, i wonde', '. "i\'ve heard that voice before," said holmes, staring down the dimly lit street. "now, i wonder who', 've heard that voice before," said holmes, staring down the dimly lit street. "now, i wonder who the ', 'ard that voice before," said holmes, staring down the dimly lit street. "now, i wonder who the deuce', 'hat voice before," said holmes, staring down the dimly lit street. "now, i wonder who the deuce that', 'oice before," said holmes, staring down the dimly lit street. "now, i wonder who the deuce that coul', 'before," said holmes, staring down the dimly lit street. "now, i wonder who the deuce that could hav', 'e," said holmes, staring down the dimly lit street. "now, i wonder who the deuce that could have bee', 'aid holmes, staring down the dimly lit street. "now, i wonder who the deuce that could have been." ', 'olmes, staring down the dimly lit street. "now, i wonder who the deuce that could have been." iii. ', ', staring down the dimly lit street. "now, i wonder who the deuce that could have been." iii. i sle', 'ring down the dimly lit street. "now, i wonder who the deuce that could have been." iii. i slept at', 'down the dimly lit street. "now, i wonder who the deuce that could have been." iii. i slept at bake', 'the dimly lit street. "now, i wonder who the deuce that could have been." iii. i slept at baker str', 'imly lit street. "now, i wonder who the deuce that could have been." iii. i slept at baker street t', 'lit street. "now, i wonder who the deuce that could have been." iii. i slept at baker street that n', 'treet. "now, i wonder who the deuce that could have been." iii. i slept at baker street that night,', '. "now, i wonder who the deuce that could have been." iii. i slept at baker street that night, and ', 'w, i wonder who the deuce that could have been." iii. i slept at baker street that night, and we we', 'wonder who the deuce that could have been." iii. i slept at baker street that night, and we were en', 'r who the deuce that could have been." iii. i slept at baker street that night, and we were engaged', ' the deuce that could have been." iii. i slept at baker street that night, and we were engaged upon', 'deuce that could have been." iii. i slept at baker street that night, and we were engaged upon our ', ' that could have been." iii. i slept at baker street that night, and we were engaged upon our toast', ' could have been." iii. i slept at baker street that night, and we were engaged upon our toast and ', 'd have been." iii. i slept at baker street that night, and we were engaged upon our toast and coffe', 'e been." iii. i slept at baker street that night, and we were engaged upon our toast and coffee in ', 'n." iii. i slept at baker street that night, and we were engaged upon our toast and coffee in the m', 'iii. i slept at baker street that night, and we were engaged upon our toast and coffee in the mornin', 'i slept at baker street that night, and we were engaged upon our toast and coffee in the morning whe', 'pt at baker street that night, and we were engaged upon our toast and coffee in the morning when the', ' baker street that night, and we were engaged upon our toast and coffee in the morning when the king', 'r street that night, and we were engaged upon our toast and coffee in the morning when the king of b', 'eet that night, and we were engaged upon our toast and coffee in the morning when the king of bohemi', 'hat night, and we were engaged upon our toast and coffee in the morning when the king of bohemia rus', 'ight, and we were engaged upon our toast and coffee in the morning when the king of bohemia rushed i', ' and we were engaged upon our toast and coffee in the morning when the king of bohemia rushed into t', 'we were engaged upon our toast and coffee in the morning when the king of bohemia rushed into the ro', 're engaged upon our toast and coffee in the morning when the king of bohemia rushed into the room. "', 'gaged upon our toast and coffee in the morning when the king of bohemia rushed into the room. "you h', ' upon our toast and coffee in the morning when the king of bohemia rushed into the room. "you have r', ' our toast and coffee in the morning when the king of bohemia rushed into the room. "you have really', 'toast and coffee in the morning when the king of bohemia rushed into the room. "you have really got ', ' and coffee in the morning when the king of bohemia rushed into the room. "you have really got it he', 'coffee in the morning when the king of bohemia rushed into the room. "you have really got it he crie', 'e in the morning when the king of bohemia rushed into the room. "you have really got it he cried, gr', 'the morning when the king of bohemia rushed into the room. "you have really got it he cried, graspin', 'orning when the king of bohemia rushed into the room. "you have really got it he cried, grasping she', 'g when the king of bohemia rushed into the room. "you have really got it he cried, grasping sherlock', 'n the king of bohemia rushed into the room. "you have really got it he cried, grasping sherlock holm', ' king of bohemia rushed into the room. "you have really got it he cried, grasping sherlock holmes by', ' of bohemia rushed into the room. "you have really got it he cried, grasping sherlock holmes by eith', 'ohemia rushed into the room. "you have really got it he cried, grasping sherlock holmes by either sh', 'a rushed into the room. "you have really got it he cried, grasping sherlock holmes by either shoulde', 'hed into the room. "you have really got it he cried, grasping sherlock holmes by either shoulder and', 'nto the room. "you have really got it he cried, grasping sherlock holmes by either shoulder and look', 'he room. "you have really got it he cried, grasping sherlock holmes by either shoulder and looking e', 'om. "you have really got it he cried, grasping sherlock holmes by either shoulder and looking eagerl', 'you have really got it he cried, grasping sherlock holmes by either shoulder and looking eagerly int', 'ave really got it he cried, grasping sherlock holmes by either shoulder and looking eagerly into his', 'eally got it he cried, grasping sherlock holmes by either shoulder and looking eagerly into his face', ' got it he cried, grasping sherlock holmes by either shoulder and looking eagerly into his face. "no', 'it he cried, grasping sherlock holmes by either shoulder and looking eagerly into his face. "not yet', ' cried, grasping sherlock holmes by either shoulder and looking eagerly into his face. "not yet." "b', 'd, grasping sherlock holmes by either shoulder and looking eagerly into his face. "not yet." "but yo', 'asping sherlock holmes by either shoulder and looking eagerly into his face. "not yet." "but you hav', 'g sherlock holmes by either shoulder and looking eagerly into his face. "not yet." "but you have hop', 'rlock holmes by either shoulder and looking eagerly into his face. "not yet." "but you have hopes?" ', ' holmes by either shoulder and looking eagerly into his face. "not yet." "but you have hopes?" "i ha', 'es by either shoulder and looking eagerly into his face. "not yet." "but you have hopes?" "i have ho', ' either shoulder and looking eagerly into his face. "not yet." "but you have hopes?" "i have hopes."', 'er shoulder and looking eagerly into his face. "not yet." "but you have hopes?" "i have hopes." "the', 'oulder and looking eagerly into his face. "not yet." "but you have hopes?" "i have hopes." "then, co', 'r and looking eagerly into his face. "not yet." "but you have hopes?" "i have hopes." "then, come. i', ' looking eagerly into his face. "not yet." "but you have hopes?" "i have hopes." "then, come. i am a', 'ing eagerly into his face. "not yet." "but you have hopes?" "i have hopes." "then, come. i am all im', 'agerly into his face. "not yet." "but you have hopes?" "i have hopes." "then, come. i am all impatie', 'y into his face. "not yet." "but you have hopes?" "i have hopes." "then, come. i am all impatience t', 'o his face. "not yet." "but you have hopes?" "i have hopes." "then, come. i am all impatience to be ', ' face. "not yet." "but you have hopes?" "i have hopes." "then, come. i am all impatience to be gone.', '. "not yet." "but you have hopes?" "i have hopes." "then, come. i am all impatience to be gone." "we', 't yet." "but you have hopes?" "i have hopes." "then, come. i am all impatience to be gone." "we must', '." "but you have hopes?" "i have hopes." "then, come. i am all impatience to be gone." "we must have', 'ut you have hopes?" "i have hopes." "then, come. i am all impatience to be gone." "we must have a ca', 'u have hopes?" "i have hopes." "then, come. i am all impatience to be gone." "we must have a cab." "', 'e hopes?" "i have hopes." "then, come. i am all impatience to be gone." "we must have a cab." "no, m', 'es?" "i have hopes." "then, come. i am all impatience to be gone." "we must have a cab." "no, my bro', '"i have hopes." "then, come. i am all impatience to be gone." "we must have a cab." "no, my brougham', 've hopes." "then, come. i am all impatience to be gone." "we must have a cab." "no, my brougham is w', 'pes." "then, come. i am all impatience to be gone." "we must have a cab." "no, my brougham is waitin', ' "then, come. i am all impatience to be gone." "we must have a cab." "no, my brougham is waiting." "', 'n, come. i am all impatience to be gone." "we must have a cab." "no, my brougham is waiting." "then ', 'me. i am all impatience to be gone." "we must have a cab." "no, my brougham is waiting." "then that ', ' am all impatience to be gone." "we must have a cab." "no, my brougham is waiting." "then that will ', 'll impatience to be gone." "we must have a cab." "no, my brougham is waiting." "then that will simpl', 'patience to be gone." "we must have a cab." "no, my brougham is waiting." "then that will simplify m', 'nce to be gone." "we must have a cab." "no, my brougham is waiting." "then that will simplify matter', 'o be gone." "we must have a cab." "no, my brougham is waiting." "then that will simplify matters." w', 'gone." "we must have a cab." "no, my brougham is waiting." "then that will simplify matters." we des', '" "we must have a cab." "no, my brougham is waiting." "then that will simplify matters." we descende', ' must have a cab." "no, my brougham is waiting." "then that will simplify matters." we descended and', ' have a cab." "no, my brougham is waiting." "then that will simplify matters." we descended and star', ' a cab." "no, my brougham is waiting." "then that will simplify matters." we descended and started o', 'b." "no, my brougham is waiting." "then that will simplify matters." we descended and started off on', 'no, my brougham is waiting." "then that will simplify matters." we descended and started off once mo', 'y brougham is waiting." "then that will simplify matters." we descended and started off once more fo', 'ugham is waiting." "then that will simplify matters." we descended and started off once more for bri', ' is waiting." "then that will simplify matters." we descended and started off once more for briony l', 'aiting." "then that will simplify matters." we descended and started off once more for briony lodge.', 'g." "then that will simplify matters." we descended and started off once more for briony lodge. "ire', 'then that will simplify matters." we descended and started off once more for briony lodge. "irene ad', 'that will simplify matters." we descended and started off once more for briony lodge. "irene adler i', 'will simplify matters." we descended and started off once more for briony lodge. "irene adler is mar', 'simplify matters." we descended and started off once more for briony lodge. "irene adler is married,', 'ify matters." we descended and started off once more for briony lodge. "irene adler is married," rem', 'atters." we descended and started off once more for briony lodge. "irene adler is married," remarked', 's." we descended and started off once more for briony lodge. "irene adler is married," remarked holm', 'e descended and started off once more for briony lodge. "irene adler is married," remarked holmes. "', 'cended and started off once more for briony lodge. "irene adler is married," remarked holmes. "marri', 'd and started off once more for briony lodge. "irene adler is married," remarked holmes. "married! w', ' started off once more for briony lodge. "irene adler is married," remarked holmes. "married! when?"', 'ted off once more for briony lodge. "irene adler is married," remarked holmes. "married! when?" "yes', 'ff once more for briony lodge. "irene adler is married," remarked holmes. "married! when?" "yesterda', 'ce more for briony lodge. "irene adler is married," remarked holmes. "married! when?" "yesterday." "', 're for briony lodge. "irene adler is married," remarked holmes. "married! when?" "yesterday." "but t', 'r briony lodge. "irene adler is married," remarked holmes. "married! when?" "yesterday." "but to who', 'ony lodge. "irene adler is married," remarked holmes. "married! when?" "yesterday." "but to whom?" "', 'odge. "irene adler is married," remarked holmes. "married! when?" "yesterday." "but to whom?" "to an', ' "irene adler is married," remarked holmes. "married! when?" "yesterday." "but to whom?" "to an engl', 'ne adler is married," remarked holmes. "married! when?" "yesterday." "but to whom?" "to an english l', 'ler is married," remarked holmes. "married! when?" "yesterday." "but to whom?" "to an english lawyer', 's married," remarked holmes. "married! when?" "yesterday." "but to whom?" "to an english lawyer name', 'ried," remarked holmes. "married! when?" "yesterday." "but to whom?" "to an english lawyer named nor', '" remarked holmes. "married! when?" "yesterday." "but to whom?" "to an english lawyer named norton."', 'arked holmes. "married! when?" "yesterday." "but to whom?" "to an english lawyer named norton." "but', ' holmes. "married! when?" "yesterday." "but to whom?" "to an english lawyer named norton." "but she ', 'es. "married! when?" "yesterday." "but to whom?" "to an english lawyer named norton." "but she could', 'married! when?" "yesterday." "but to whom?" "to an english lawyer named norton." "but she could not ', 'ed! when?" "yesterday." "but to whom?" "to an english lawyer named norton." "but she could not love ', 'hen?" "yesterday." "but to whom?" "to an english lawyer named norton." "but she could not love him."', ' "yesterday." "but to whom?" "to an english lawyer named norton." "but she could not love him." "i a', 'terday." "but to whom?" "to an english lawyer named norton." "but she could not love him." "i am in ', 'y." "but to whom?" "to an english lawyer named norton." "but she could not love him." "i am in hopes', 'but to whom?" "to an english lawyer named norton." "but she could not love him." "i am in hopes that', 'o whom?" "to an english lawyer named norton." "but she could not love him." "i am in hopes that she ', 'm?" "to an english lawyer named norton." "but she could not love him." "i am in hopes that she does.', 'to an english lawyer named norton." "but she could not love him." "i am in hopes that she does." "an', ' english lawyer named norton." "but she could not love him." "i am in hopes that she does." "and why', 'ish lawyer named norton." "but she could not love him." "i am in hopes that she does." "and why in h', 'awyer named norton." "but she could not love him." "i am in hopes that she does." "and why in hopes?', ' named norton." "but she could not love him." "i am in hopes that she does." "and why in hopes?" "be', 'd norton." "but she could not love him." "i am in hopes that she does." "and why in hopes?" "because', 'ton." "but she could not love him." "i am in hopes that she does." "and why in hopes?" "because it w', ' "but she could not love him." "i am in hopes that she does." "and why in hopes?" "because it would ', ' she could not love him." "i am in hopes that she does." "and why in hopes?" "because it would spare', 'could not love him." "i am in hopes that she does." "and why in hopes?" "because it would spare your', ' not love him." "i am in hopes that she does." "and why in hopes?" "because it would spare your maje', 'love him." "i am in hopes that she does." "and why in hopes?" "because it would spare your majesty a', 'him." "i am in hopes that she does." "and why in hopes?" "because it would spare your majesty all fe', ' "i am in hopes that she does." "and why in hopes?" "because it would spare your majesty all fear of', 'm in hopes that she does." "and why in hopes?" "because it would spare your majesty all fear of futu', 'hopes that she does." "and why in hopes?" "because it would spare your majesty all fear of future an', ' that she does." "and why in hopes?" "because it would spare your majesty all fear of future annoyan', ' she does." "and why in hopes?" "because it would spare your majesty all fear of future annoyance. i', 'does." "and why in hopes?" "because it would spare your majesty all fear of future annoyance. if the', '" "and why in hopes?" "because it would spare your majesty all fear of future annoyance. if the lady', 'd why in hopes?" "because it would spare your majesty all fear of future annoyance. if the lady love', ' in hopes?" "because it would spare your majesty all fear of future annoyance. if the lady loves her', 'opes?" "because it would spare your majesty all fear of future annoyance. if the lady loves her husb', '" "because it would spare your majesty all fear of future annoyance. if the lady loves her husband, ', 'cause it would spare your majesty all fear of future annoyance. if the lady loves her husband, she d', ' it would spare your majesty all fear of future annoyance. if the lady loves her husband, she does n', 'ould spare your majesty all fear of future annoyance. if the lady loves her husband, she does not lo', 'spare your majesty all fear of future annoyance. if the lady loves her husband, she does not love yo', ' your majesty all fear of future annoyance. if the lady loves her husband, she does not love your ma', ' majesty all fear of future annoyance. if the lady loves her husband, she does not love your majesty', 'sty all fear of future annoyance. if the lady loves her husband, she does not love your majesty. if ', 'll fear of future annoyance. if the lady loves her husband, she does not love your majesty. if she d', 'ar of future annoyance. if the lady loves her husband, she does not love your majesty. if she does n', ' future annoyance. if the lady loves her husband, she does not love your majesty. if she does not lo', 're annoyance. if the lady loves her husband, she does not love your majesty. if she does not love yo', 'noyance. if the lady loves her husband, she does not love your majesty. if she does not love your ma', 'ce. if the lady loves her husband, she does not love your majesty. if she does not love your majesty', 'f the lady loves her husband, she does not love your majesty. if she does not love your majesty, the', ' lady loves her husband, she does not love your majesty. if she does not love your majesty, there is', ' loves her husband, she does not love your majesty. if she does not love your majesty, there is no r', 's her husband, she does not love your majesty. if she does not love your majesty, there is no reason', ' husband, she does not love your majesty. if she does not love your majesty, there is no reason why ', 'and, she does not love your majesty. if she does not love your majesty, there is no reason why she s', 'she does not love your majesty. if she does not love your majesty, there is no reason why she should', 'oes not love your majesty. if she does not love your majesty, there is no reason why she should inte', 'ot love your majesty. if she does not love your majesty, there is no reason why she should interfere', 've your majesty. if she does not love your majesty, there is no reason why she should interfere with', 'ur majesty. if she does not love your majesty, there is no reason why she should interfere with your', 'jesty. if she does not love your majesty, there is no reason why she should interfere with your maje', ". if she does not love your majesty, there is no reason why she should interfere with your majesty's", "she does not love your majesty, there is no reason why she should interfere with your majesty's plan", 'oes not love your majesty, there is no reason why she should interfere with your majesty\'s plan." "i', 'ot love your majesty, there is no reason why she should interfere with your majesty\'s plan." "it is ', 've your majesty, there is no reason why she should interfere with your majesty\'s plan." "it is true.', 'ur majesty, there is no reason why she should interfere with your majesty\'s plan." "it is true. and ', 'jesty, there is no reason why she should interfere with your majesty\'s plan." "it is true. and yetwe', ', there is no reason why she should interfere with your majesty\'s plan." "it is true. and yetwell! i', 're is no reason why she should interfere with your majesty\'s plan." "it is true. and yetwell! i wish', ' no reason why she should interfere with your majesty\'s plan." "it is true. and yetwell! i wish she ', 'eason why she should interfere with your majesty\'s plan." "it is true. and yetwell! i wish she had b', ' why she should interfere with your majesty\'s plan." "it is true. and yetwell! i wish she had been o', 'she should interfere with your majesty\'s plan." "it is true. and yetwell! i wish she had been of my ', 'hould interfere with your majesty\'s plan." "it is true. and yetwell! i wish she had been of my own s', ' interfere with your majesty\'s plan." "it is true. and yetwell! i wish she had been of my own statio', 'rfere with your majesty\'s plan." "it is true. and yetwell! i wish she had been of my own station! wh', ' with your majesty\'s plan." "it is true. and yetwell! i wish she had been of my own station! what a ', ' your majesty\'s plan." "it is true. and yetwell! i wish she had been of my own station! what a queen', ' majesty\'s plan." "it is true. and yetwell! i wish she had been of my own station! what a queen she ', 'sty\'s plan." "it is true. and yetwell! i wish she had been of my own station! what a queen she would', ' plan." "it is true. and yetwell! i wish she had been of my own station! what a queen she would have', '." "it is true. and yetwell! i wish she had been of my own station! what a queen she would have made', 't is true. and yetwell! i wish she had been of my own station! what a queen she would have made he r', 'true. and yetwell! i wish she had been of my own station! what a queen she would have made he relaps', ' and yetwell! i wish she had been of my own station! what a queen she would have made he relapsed in', 'yetwell! i wish she had been of my own station! what a queen she would have made he relapsed into a ', 'll! i wish she had been of my own station! what a queen she would have made he relapsed into a moody', ' wish she had been of my own station! what a queen she would have made he relapsed into a moody sile', ' she had been of my own station! what a queen she would have made he relapsed into a moody silence, ', 'had been of my own station! what a queen she would have made he relapsed into a moody silence, which', 'een of my own station! what a queen she would have made he relapsed into a moody silence, which was ', 'f my own station! what a queen she would have made he relapsed into a moody silence, which was not b', 'own station! what a queen she would have made he relapsed into a moody silence, which was not broken', 'tation! what a queen she would have made he relapsed into a moody silence, which was not broken unti', 'n! what a queen she would have made he relapsed into a moody silence, which was not broken until we ', 'at a queen she would have made he relapsed into a moody silence, which was not broken until we drew ', 'queen she would have made he relapsed into a moody silence, which was not broken until we drew up in', ' she would have made he relapsed into a moody silence, which was not broken until we drew up in serp', 'would have made he relapsed into a moody silence, which was not broken until we drew up in serpentin', ' have made he relapsed into a moody silence, which was not broken until we drew up in serpentine ave', ' made he relapsed into a moody silence, which was not broken until we drew up in serpentine avenue. ', ' he relapsed into a moody silence, which was not broken until we drew up in serpentine avenue. the d', 'elapsed into a moody silence, which was not broken until we drew up in serpentine avenue. the door o', 'ed into a moody silence, which was not broken until we drew up in serpentine avenue. the door of bri', 'to a moody silence, which was not broken until we drew up in serpentine avenue. the door of briony l', 'moody silence, which was not broken until we drew up in serpentine avenue. the door of briony lodge ', ' silence, which was not broken until we drew up in serpentine avenue. the door of briony lodge was o', 'nce, which was not broken until we drew up in serpentine avenue. the door of briony lodge was open, ', 'which was not broken until we drew up in serpentine avenue. the door of briony lodge was open, and a', ' was not broken until we drew up in serpentine avenue. the door of briony lodge was open, and an eld', 'not broken until we drew up in serpentine avenue. the door of briony lodge was open, and an elderly ', 'roken until we drew up in serpentine avenue. the door of briony lodge was open, and an elderly woman', ' until we drew up in serpentine avenue. the door of briony lodge was open, and an elderly woman stoo', 'l we drew up in serpentine avenue. the door of briony lodge was open, and an elderly woman stood upo', 'drew up in serpentine avenue. the door of briony lodge was open, and an elderly woman stood upon the', 'up in serpentine avenue. the door of briony lodge was open, and an elderly woman stood upon the step', ' serpentine avenue. the door of briony lodge was open, and an elderly woman stood upon the steps. sh', 'entine avenue. the door of briony lodge was open, and an elderly woman stood upon the steps. she wat', 'e avenue. the door of briony lodge was open, and an elderly woman stood upon the steps. she watched ', 'nue. the door of briony lodge was open, and an elderly woman stood upon the steps. she watched us wi', 'the door of briony lodge was open, and an elderly woman stood upon the steps. she watched us with a ', 'oor of briony lodge was open, and an elderly woman stood upon the steps. she watched us with a sardo', 'f briony lodge was open, and an elderly woman stood upon the steps. she watched us with a sardonic e', 'ony lodge was open, and an elderly woman stood upon the steps. she watched us with a sardonic eye as', 'odge was open, and an elderly woman stood upon the steps. she watched us with a sardonic eye as we s', 'was open, and an elderly woman stood upon the steps. she watched us with a sardonic eye as we steppe', 'pen, and an elderly woman stood upon the steps. she watched us with a sardonic eye as we stepped fro', 'and an elderly woman stood upon the steps. she watched us with a sardonic eye as we stepped from the', 'n elderly woman stood upon the steps. she watched us with a sardonic eye as we stepped from the brou', 'erly woman stood upon the steps. she watched us with a sardonic eye as we stepped from the brougham.', 'woman stood upon the steps. she watched us with a sardonic eye as we stepped from the brougham. "mr.', ' stood upon the steps. she watched us with a sardonic eye as we stepped from the brougham. "mr. sher', 'd upon the steps. she watched us with a sardonic eye as we stepped from the brougham. "mr. sherlock ', 'n the steps. she watched us with a sardonic eye as we stepped from the brougham. "mr. sherlock holme', ' steps. she watched us with a sardonic eye as we stepped from the brougham. "mr. sherlock holmes, i ', 's. she watched us with a sardonic eye as we stepped from the brougham. "mr. sherlock holmes, i belie', 'e watched us with a sardonic eye as we stepped from the brougham. "mr. sherlock holmes, i believe?" ', 'ched us with a sardonic eye as we stepped from the brougham. "mr. sherlock holmes, i believe?" said ', 'us with a sardonic eye as we stepped from the brougham. "mr. sherlock holmes, i believe?" said she. ', 'th a sardonic eye as we stepped from the brougham. "mr. sherlock holmes, i believe?" said she. "i am', 'sardonic eye as we stepped from the brougham. "mr. sherlock holmes, i believe?" said she. "i am mr. ', 'nic eye as we stepped from the brougham. "mr. sherlock holmes, i believe?" said she. "i am mr. holme', 'ye as we stepped from the brougham. "mr. sherlock holmes, i believe?" said she. "i am mr. holmes," a', ' we stepped from the brougham. "mr. sherlock holmes, i believe?" said she. "i am mr. holmes," answer', 'tepped from the brougham. "mr. sherlock holmes, i believe?" said she. "i am mr. holmes," answered my', 'd from the brougham. "mr. sherlock holmes, i believe?" said she. "i am mr. holmes," answered my comp', 'm the brougham. "mr. sherlock holmes, i believe?" said she. "i am mr. holmes," answered my companion', ' brougham. "mr. sherlock holmes, i believe?" said she. "i am mr. holmes," answered my companion, loo', 'gham. "mr. sherlock holmes, i believe?" said she. "i am mr. holmes," answered my companion, looking ', ' "mr. sherlock holmes, i believe?" said she. "i am mr. holmes," answered my companion, looking at he', ' sherlock holmes, i believe?" said she. "i am mr. holmes," answered my companion, looking at her wit', 'lock holmes, i believe?" said she. "i am mr. holmes," answered my companion, looking at her with a q', 'holmes, i believe?" said she. "i am mr. holmes," answered my companion, looking at her with a questi', 's, i believe?" said she. "i am mr. holmes," answered my companion, looking at her with a questioning', 'believe?" said she. "i am mr. holmes," answered my companion, looking at her with a questioning and ', 've?" said she. "i am mr. holmes," answered my companion, looking at her with a questioning and rathe', 'said she. "i am mr. holmes," answered my companion, looking at her with a questioning and rather sta', 'she. "i am mr. holmes," answered my companion, looking at her with a questioning and rather startled', '"i am mr. holmes," answered my companion, looking at her with a questioning and rather startled gaze', ' mr. holmes," answered my companion, looking at her with a questioning and rather startled gaze. "in', 'holmes," answered my companion, looking at her with a questioning and rather startled gaze. "indeed!', 's," answered my companion, looking at her with a questioning and rather startled gaze. "indeed! my m', 'nswered my companion, looking at her with a questioning and rather startled gaze. "indeed! my mistre', 'ed my companion, looking at her with a questioning and rather startled gaze. "indeed! my mistress to', ' companion, looking at her with a questioning and rather startled gaze. "indeed! my mistress told me', 'anion, looking at her with a questioning and rather startled gaze. "indeed! my mistress told me that', ', looking at her with a questioning and rather startled gaze. "indeed! my mistress told me that you ', 'king at her with a questioning and rather startled gaze. "indeed! my mistress told me that you were ', 'at her with a questioning and rather startled gaze. "indeed! my mistress told me that you were likel', 'r with a questioning and rather startled gaze. "indeed! my mistress told me that you were likely to ', 'h a questioning and rather startled gaze. "indeed! my mistress told me that you were likely to call.', 'uestioning and rather startled gaze. "indeed! my mistress told me that you were likely to call. she ', 'oning and rather startled gaze. "indeed! my mistress told me that you were likely to call. she left ', ' and rather startled gaze. "indeed! my mistress told me that you were likely to call. she left this ', 'rather startled gaze. "indeed! my mistress told me that you were likely to call. she left this morni', 'r startled gaze. "indeed! my mistress told me that you were likely to call. she left this morning wi', 'rtled gaze. "indeed! my mistress told me that you were likely to call. she left this morning with he', ' gaze. "indeed! my mistress told me that you were likely to call. she left this morning with her hus', '. "indeed! my mistress told me that you were likely to call. she left this morning with her husband ', 'deed! my mistress told me that you were likely to call. she left this morning with her husband by th', ' my mistress told me that you were likely to call. she left this morning with her husband by the : ', 'istress told me that you were likely to call. she left this morning with her husband by the : train', 'ss told me that you were likely to call. she left this morning with her husband by the : train from', 'ld me that you were likely to call. she left this morning with her husband by the : train from char', ' that you were likely to call. she left this morning with her husband by the : train from charing c', ' you were likely to call. she left this morning with her husband by the : train from charing cross ', 'were likely to call. she left this morning with her husband by the : train from charing cross for t', 'likely to call. she left this morning with her husband by the : train from charing cross for the co', 'y to call. she left this morning with her husband by the : train from charing cross for the contine', 'call. she left this morning with her husband by the : train from charing cross for the continent." ', ' she left this morning with her husband by the : train from charing cross for the continent." "what', 'left this morning with her husband by the : train from charing cross for the continent." "what sher', 'this morning with her husband by the : train from charing cross for the continent." "what sherlock ', 'morning with her husband by the : train from charing cross for the continent." "what sherlock holme', 'ng with her husband by the : train from charing cross for the continent." "what sherlock holmes sta', 'th her husband by the : train from charing cross for the continent." "what sherlock holmes staggere', 'r husband by the : train from charing cross for the continent." "what sherlock holmes staggered bac', 'band by the : train from charing cross for the continent." "what sherlock holmes staggered back, wh', 'by the : train from charing cross for the continent." "what sherlock holmes staggered back, white w', 'e : train from charing cross for the continent." "what sherlock holmes staggered back, white with c', 'train from charing cross for the continent." "what sherlock holmes staggered back, white with chagri', ' from charing cross for the continent." "what sherlock holmes staggered back, white with chagrin and', ' charing cross for the continent." "what sherlock holmes staggered back, white with chagrin and surp', 'ing cross for the continent." "what sherlock holmes staggered back, white with chagrin and surprise.', 'ross for the continent." "what sherlock holmes staggered back, white with chagrin and surprise. "do ', 'for the continent." "what sherlock holmes staggered back, white with chagrin and surprise. "do you m', 'he continent." "what sherlock holmes staggered back, white with chagrin and surprise. "do you mean t', 'ntinent." "what sherlock holmes staggered back, white with chagrin and surprise. "do you mean that s', 'nt." "what sherlock holmes staggered back, white with chagrin and surprise. "do you mean that she ha', '"what sherlock holmes staggered back, white with chagrin and surprise. "do you mean that she has lef', ' sherlock holmes staggered back, white with chagrin and surprise. "do you mean that she has left eng', 'lock holmes staggered back, white with chagrin and surprise. "do you mean that she has left england?', 'holmes staggered back, white with chagrin and surprise. "do you mean that she has left england?" "ne', 's staggered back, white with chagrin and surprise. "do you mean that she has left england?" "never t', 'ggered back, white with chagrin and surprise. "do you mean that she has left england?" "never to ret', 'd back, white with chagrin and surprise. "do you mean that she has left england?" "never to return."', 'k, white with chagrin and surprise. "do you mean that she has left england?" "never to return." "and', 'ite with chagrin and surprise. "do you mean that she has left england?" "never to return." "and the ', 'ith chagrin and surprise. "do you mean that she has left england?" "never to return." "and the paper', 'hagrin and surprise. "do you mean that she has left england?" "never to return." "and the papers?" a', 'n and surprise. "do you mean that she has left england?" "never to return." "and the papers?" asked ', ' surprise. "do you mean that she has left england?" "never to return." "and the papers?" asked the k', 'rise. "do you mean that she has left england?" "never to return." "and the papers?" asked the king h', ' "do you mean that she has left england?" "never to return." "and the papers?" asked the king hoarse', 'you mean that she has left england?" "never to return." "and the papers?" asked the king hoarsely. "', 'ean that she has left england?" "never to return." "and the papers?" asked the king hoarsely. "all i', 'hat she has left england?" "never to return." "and the papers?" asked the king hoarsely. "all is los', 'he has left england?" "never to return." "and the papers?" asked the king hoarsely. "all is lost." "', 's left england?" "never to return." "and the papers?" asked the king hoarsely. "all is lost." "we sh', 't england?" "never to return." "and the papers?" asked the king hoarsely. "all is lost." "we shall s', 'land?" "never to return." "and the papers?" asked the king hoarsely. "all is lost." "we shall see." ', '" "never to return." "and the papers?" asked the king hoarsely. "all is lost." "we shall see." he pu', 'ver to return." "and the papers?" asked the king hoarsely. "all is lost." "we shall see." he pushed ', 'o return." "and the papers?" asked the king hoarsely. "all is lost." "we shall see." he pushed past ', 'urn." "and the papers?" asked the king hoarsely. "all is lost." "we shall see." he pushed past the s', ' "and the papers?" asked the king hoarsely. "all is lost." "we shall see." he pushed past the servan', ' the papers?" asked the king hoarsely. "all is lost." "we shall see." he pushed past the servant and', 'papers?" asked the king hoarsely. "all is lost." "we shall see." he pushed past the servant and rush', 's?" asked the king hoarsely. "all is lost." "we shall see." he pushed past the servant and rushed in', 'sked the king hoarsely. "all is lost." "we shall see." he pushed past the servant and rushed into th', 'the king hoarsely. "all is lost." "we shall see." he pushed past the servant and rushed into the dra', 'ing hoarsely. "all is lost." "we shall see." he pushed past the servant and rushed into the drawing-', 'oarsely. "all is lost." "we shall see." he pushed past the servant and rushed into the drawing-room,', 'ly. "all is lost." "we shall see." he pushed past the servant and rushed into the drawing-room, foll', 'all is lost." "we shall see." he pushed past the servant and rushed into the drawing-room, followed ', 's lost." "we shall see." he pushed past the servant and rushed into the drawing-room, followed by th', 't." "we shall see." he pushed past the servant and rushed into the drawing-room, followed by the kin', 'we shall see." he pushed past the servant and rushed into the drawing-room, followed by the king and', 'all see." he pushed past the servant and rushed into the drawing-room, followed by the king and myse', 'ee." he pushed past the servant and rushed into the drawing-room, followed by the king and myself. t', 'he pushed past the servant and rushed into the drawing-room, followed by the king and myself. the fu', 'shed past the servant and rushed into the drawing-room, followed by the king and myself. the furnitu', 'past the servant and rushed into the drawing-room, followed by the king and myself. the furniture wa', 'the servant and rushed into the drawing-room, followed by the king and myself. the furniture was sca', 'ervant and rushed into the drawing-room, followed by the king and myself. the furniture was scattere', 't and rushed into the drawing-room, followed by the king and myself. the furniture was scattered abo', ' rushed into the drawing-room, followed by the king and myself. the furniture was scattered about in', 'ed into the drawing-room, followed by the king and myself. the furniture was scattered about in ever', 'to the drawing-room, followed by the king and myself. the furniture was scattered about in every dir', 'e drawing-room, followed by the king and myself. the furniture was scattered about in every directio', 'wing-room, followed by the king and myself. the furniture was scattered about in every direction, wi', 'room, followed by the king and myself. the furniture was scattered about in every direction, with di', ' followed by the king and myself. the furniture was scattered about in every direction, with dismant', 'owed by the king and myself. the furniture was scattered about in every direction, with dismantled s', 'by the king and myself. the furniture was scattered about in every direction, with dismantled shelve', 'e king and myself. the furniture was scattered about in every direction, with dismantled shelves and', 'g and myself. the furniture was scattered about in every direction, with dismantled shelves and open', ' myself. the furniture was scattered about in every direction, with dismantled shelves and open draw', 'lf. the furniture was scattered about in every direction, with dismantled shelves and open drawers, ', 'he furniture was scattered about in every direction, with dismantled shelves and open drawers, as if', 'rniture was scattered about in every direction, with dismantled shelves and open drawers, as if the ', 're was scattered about in every direction, with dismantled shelves and open drawers, as if the lady ', 's scattered about in every direction, with dismantled shelves and open drawers, as if the lady had h', 'ttered about in every direction, with dismantled shelves and open drawers, as if the lady had hurrie', 'd about in every direction, with dismantled shelves and open drawers, as if the lady had hurriedly r', 'ut in every direction, with dismantled shelves and open drawers, as if the lady had hurriedly ransac', ' every direction, with dismantled shelves and open drawers, as if the lady had hurriedly ransacked t', 'y direction, with dismantled shelves and open drawers, as if the lady had hurriedly ransacked them b', 'ection, with dismantled shelves and open drawers, as if the lady had hurriedly ransacked them before', 'n, with dismantled shelves and open drawers, as if the lady had hurriedly ransacked them before her ', 'th dismantled shelves and open drawers, as if the lady had hurriedly ransacked them before her fligh', 'smantled shelves and open drawers, as if the lady had hurriedly ransacked them before her flight. ho', 'led shelves and open drawers, as if the lady had hurriedly ransacked them before her flight. holmes ', 'helves and open drawers, as if the lady had hurriedly ransacked them before her flight. holmes rushe', 's and open drawers, as if the lady had hurriedly ransacked them before her flight. holmes rushed at ', ' open drawers, as if the lady had hurriedly ransacked them before her flight. holmes rushed at the b', ' drawers, as if the lady had hurriedly ransacked them before her flight. holmes rushed at the bell-p', 'ers, as if the lady had hurriedly ransacked them before her flight. holmes rushed at the bell-pull, ', 'as if the lady had hurriedly ransacked them before her flight. holmes rushed at the bell-pull, tore ', ' the lady had hurriedly ransacked them before her flight. holmes rushed at the bell-pull, tore back ', 'lady had hurriedly ransacked them before her flight. holmes rushed at the bell-pull, tore back a sma', 'had hurriedly ransacked them before her flight. holmes rushed at the bell-pull, tore back a small sl', 'urriedly ransacked them before her flight. holmes rushed at the bell-pull, tore back a small sliding', 'dly ransacked them before her flight. holmes rushed at the bell-pull, tore back a small sliding shut', 'ansacked them before her flight. holmes rushed at the bell-pull, tore back a small sliding shutter, ', 'ked them before her flight. holmes rushed at the bell-pull, tore back a small sliding shutter, and, ', 'hem before her flight. holmes rushed at the bell-pull, tore back a small sliding shutter, and, plung', 'efore her flight. holmes rushed at the bell-pull, tore back a small sliding shutter, and, plunging i', ' her flight. holmes rushed at the bell-pull, tore back a small sliding shutter, and, plunging in his', 'flight. holmes rushed at the bell-pull, tore back a small sliding shutter, and, plunging in his hand', 't. holmes rushed at the bell-pull, tore back a small sliding shutter, and, plunging in his hand, pul', 'lmes rushed at the bell-pull, tore back a small sliding shutter, and, plunging in his hand, pulled o', 'rushed at the bell-pull, tore back a small sliding shutter, and, plunging in his hand, pulled out a ', 'd at the bell-pull, tore back a small sliding shutter, and, plunging in his hand, pulled out a photo', 'the bell-pull, tore back a small sliding shutter, and, plunging in his hand, pulled out a photograph', 'ell-pull, tore back a small sliding shutter, and, plunging in his hand, pulled out a photograph and ', 'ull, tore back a small sliding shutter, and, plunging in his hand, pulled out a photograph and a let', 'tore back a small sliding shutter, and, plunging in his hand, pulled out a photograph and a letter. ', 'back a small sliding shutter, and, plunging in his hand, pulled out a photograph and a letter. the p', 'a small sliding shutter, and, plunging in his hand, pulled out a photograph and a letter. the photog', 'll sliding shutter, and, plunging in his hand, pulled out a photograph and a letter. the photograph ', 'iding shutter, and, plunging in his hand, pulled out a photograph and a letter. the photograph was o', ' shutter, and, plunging in his hand, pulled out a photograph and a letter. the photograph was of ire', 'ter, and, plunging in his hand, pulled out a photograph and a letter. the photograph was of irene ad', 'and, plunging in his hand, pulled out a photograph and a letter. the photograph was of irene adler h', 'plunging in his hand, pulled out a photograph and a letter. the photograph was of irene adler hersel', 'ing in his hand, pulled out a photograph and a letter. the photograph was of irene adler herself in ', 'n his hand, pulled out a photograph and a letter. the photograph was of irene adler herself in eveni', ' hand, pulled out a photograph and a letter. the photograph was of irene adler herself in evening dr', ', pulled out a photograph and a letter. the photograph was of irene adler herself in evening dress, ', 'led out a photograph and a letter. the photograph was of irene adler herself in evening dress, the l', 'ut a photograph and a letter. the photograph was of irene adler herself in evening dress, the letter', 'photograph and a letter. the photograph was of irene adler herself in evening dress, the letter was ', 'graph and a letter. the photograph was of irene adler herself in evening dress, the letter was super', ' and a letter. the photograph was of irene adler herself in evening dress, the letter was superscrib', 'a letter. the photograph was of irene adler herself in evening dress, the letter was superscribed to', 'ter. the photograph was of irene adler herself in evening dress, the letter was superscribed to "she', 'the photograph was of irene adler herself in evening dress, the letter was superscribed to "sherlock', 'hotograph was of irene adler herself in evening dress, the letter was superscribed to "sherlock holm', 'raph was of irene adler herself in evening dress, the letter was superscribed to "sherlock holmes, e', 'was of irene adler herself in evening dress, the letter was superscribed to "sherlock holmes, esq. t', 'f irene adler herself in evening dress, the letter was superscribed to "sherlock holmes, esq. to be ', 'ne adler herself in evening dress, the letter was superscribed to "sherlock holmes, esq. to be left ', 'ler herself in evening dress, the letter was superscribed to "sherlock holmes, esq. to be left till ', 'erself in evening dress, the letter was superscribed to "sherlock holmes, esq. to be left till calle', 'f in evening dress, the letter was superscribed to "sherlock holmes, esq. to be left till called for', 'evening dress, the letter was superscribed to "sherlock holmes, esq. to be left till called for." my', 'ng dress, the letter was superscribed to "sherlock holmes, esq. to be left till called for." my frie', 'ess, the letter was superscribed to "sherlock holmes, esq. to be left till called for." my friend to', 'the letter was superscribed to "sherlock holmes, esq. to be left till called for." my friend tore it', 'etter was superscribed to "sherlock holmes, esq. to be left till called for." my friend tore it open', ' was superscribed to "sherlock holmes, esq. to be left till called for." my friend tore it open and ', 'superscribed to "sherlock holmes, esq. to be left till called for." my friend tore it open and we al', 'scribed to "sherlock holmes, esq. to be left till called for." my friend tore it open and we all thr', 'ed to "sherlock holmes, esq. to be left till called for." my friend tore it open and we all three re', ' "sherlock holmes, esq. to be left till called for." my friend tore it open and we all three read it', 'rlock holmes, esq. to be left till called for." my friend tore it open and we all three read it toge', ' holmes, esq. to be left till called for." my friend tore it open and we all three read it together.', 'es, esq. to be left till called for." my friend tore it open and we all three read it together. it w', 'sq. to be left till called for." my friend tore it open and we all three read it together. it was da', 'o be left till called for." my friend tore it open and we all three read it together. it was dated a', 'left till called for." my friend tore it open and we all three read it together. it was dated at mid', 'till called for." my friend tore it open and we all three read it together. it was dated at midnight', 'called for." my friend tore it open and we all three read it together. it was dated at midnight of t', 'd for." my friend tore it open and we all three read it together. it was dated at midnight of the pr', '." my friend tore it open and we all three read it together. it was dated at midnight of the precedi', ' friend tore it open and we all three read it together. it was dated at midnight of the preceding ni', 'nd tore it open and we all three read it together. it was dated at midnight of the preceding night a', 're it open and we all three read it together. it was dated at midnight of the preceding night and ra', ' open and we all three read it together. it was dated at midnight of the preceding night and ran in ', ' and we all three read it together. it was dated at midnight of the preceding night and ran in this ', 'we all three read it together. it was dated at midnight of the preceding night and ran in this way: ', 'l three read it together. it was dated at midnight of the preceding night and ran in this way: "my d', 'ee read it together. it was dated at midnight of the preceding night and ran in this way: "my dear m', 'ad it together. it was dated at midnight of the preceding night and ran in this way: "my dear mr. sh', ' together. it was dated at midnight of the preceding night and ran in this way: "my dear mr. sherloc', 'ther. it was dated at midnight of the preceding night and ran in this way: "my dear mr. sherlock hol', ' it was dated at midnight of the preceding night and ran in this way: "my dear mr. sherlock holmes,y', 'as dated at midnight of the preceding night and ran in this way: "my dear mr. sherlock holmes,you re', 'ted at midnight of the preceding night and ran in this way: "my dear mr. sherlock holmes,you really ', 't midnight of the preceding night and ran in this way: "my dear mr. sherlock holmes,you really did i', 'night of the preceding night and ran in this way: "my dear mr. sherlock holmes,you really did it ver', ' of the preceding night and ran in this way: "my dear mr. sherlock holmes,you really did it very wel', 'he preceding night and ran in this way: "my dear mr. sherlock holmes,you really did it very well. yo', 'eceding night and ran in this way: "my dear mr. sherlock holmes,you really did it very well. you too', 'ng night and ran in this way: "my dear mr. sherlock holmes,you really did it very well. you took me ', 'ght and ran in this way: "my dear mr. sherlock holmes,you really did it very well. you took me in co', 'nd ran in this way: "my dear mr. sherlock holmes,you really did it very well. you took me in complet', 'n in this way: "my dear mr. sherlock holmes,you really did it very well. you took me in completely. ', 'this way: "my dear mr. sherlock holmes,you really did it very well. you took me in completely. until', 'way: "my dear mr. sherlock holmes,you really did it very well. you took me in completely. until afte', '"my dear mr. sherlock holmes,you really did it very well. you took me in completely. until after the', 'ear mr. sherlock holmes,you really did it very well. you took me in completely. until after the alar', 'r. sherlock holmes,you really did it very well. you took me in completely. until after the alarm of ', 'erlock holmes,you really did it very well. you took me in completely. until after the alarm of fire,', 'k holmes,you really did it very well. you took me in completely. until after the alarm of fire, i ha', 'mes,you really did it very well. you took me in completely. until after the alarm of fire, i had not', 'ou really did it very well. you took me in completely. until after the alarm of fire, i had not a su', 'ally did it very well. you took me in completely. until after the alarm of fire, i had not a suspici', 'did it very well. you took me in completely. until after the alarm of fire, i had not a suspicion. b', 't very well. you took me in completely. until after the alarm of fire, i had not a suspicion. but th', 'y well. you took me in completely. until after the alarm of fire, i had not a suspicion. but then, w', 'l. you took me in completely. until after the alarm of fire, i had not a suspicion. but then, when i', 'u took me in completely. until after the alarm of fire, i had not a suspicion. but then, when i foun', 'k me in completely. until after the alarm of fire, i had not a suspicion. but then, when i found how', 'in completely. until after the alarm of fire, i had not a suspicion. but then, when i found how i ha', 'mpletely. until after the alarm of fire, i had not a suspicion. but then, when i found how i had bet', 'ely. until after the alarm of fire, i had not a suspicion. but then, when i found how i had betrayed', 'until after the alarm of fire, i had not a suspicion. but then, when i found how i had betrayed myse', ' after the alarm of fire, i had not a suspicion. but then, when i found how i had betrayed myself, i', 'r the alarm of fire, i had not a suspicion. but then, when i found how i had betrayed myself, i bega', ' alarm of fire, i had not a suspicion. but then, when i found how i had betrayed myself, i began to ', 'm of fire, i had not a suspicion. but then, when i found how i had betrayed myself, i began to think', 'fire, i had not a suspicion. but then, when i found how i had betrayed myself, i began to think. i h', ' i had not a suspicion. but then, when i found how i had betrayed myself, i began to think. i had be', 'd not a suspicion. but then, when i found how i had betrayed myself, i began to think. i had been wa', ' a suspicion. but then, when i found how i had betrayed myself, i began to think. i had been warned ', 'spicion. but then, when i found how i had betrayed myself, i began to think. i had been warned again', 'on. but then, when i found how i had betrayed myself, i began to think. i had been warned against yo', 'ut then, when i found how i had betrayed myself, i began to think. i had been warned against you mon', 'en, when i found how i had betrayed myself, i began to think. i had been warned against you months a', 'hen i found how i had betrayed myself, i began to think. i had been warned against you months ago. i', ' found how i had betrayed myself, i began to think. i had been warned against you months ago. i had ', 'd how i had betrayed myself, i began to think. i had been warned against you months ago. i had been ', ' i had betrayed myself, i began to think. i had been warned against you months ago. i had been told ', 'd betrayed myself, i began to think. i had been warned against you months ago. i had been told that ', 'rayed myself, i began to think. i had been warned against you months ago. i had been told that if th', ' myself, i began to think. i had been warned against you months ago. i had been told that if the kin', 'lf, i began to think. i had been warned against you months ago. i had been told that if the king emp', ' began to think. i had been warned against you months ago. i had been told that if the king employed', 'n to think. i had been warned against you months ago. i had been told that if the king employed an a', 'think. i had been warned against you months ago. i had been told that if the king employed an agent ', '. i had been warned against you months ago. i had been told that if the king employed an agent it wo', 'ad been warned against you months ago. i had been told that if the king employed an agent it would c', 'en warned against you months ago. i had been told that if the king employed an agent it would certai', 'rned against you months ago. i had been told that if the king employed an agent it would certainly b', 'against you months ago. i had been told that if the king employed an agent it would certainly be you', 'st you months ago. i had been told that if the king employed an agent it would certainly be you. and', 'u months ago. i had been told that if the king employed an agent it would certainly be you. and your', 'ths ago. i had been told that if the king employed an agent it would certainly be you. and your addr', 'go. i had been told that if the king employed an agent it would certainly be you. and your address h', ' had been told that if the king employed an agent it would certainly be you. and your address had be', 'been told that if the king employed an agent it would certainly be you. and your address had been gi', 'told that if the king employed an agent it would certainly be you. and your address had been given m', 'that if the king employed an agent it would certainly be you. and your address had been given me. ye', 'if the king employed an agent it would certainly be you. and your address had been given me. yet, wi', 'e king employed an agent it would certainly be you. and your address had been given me. yet, with al', 'g employed an agent it would certainly be you. and your address had been given me. yet, with all thi', 'loyed an agent it would certainly be you. and your address had been given me. yet, with all this, yo', ' an agent it would certainly be you. and your address had been given me. yet, with all this, you mad', 'gent it would certainly be you. and your address had been given me. yet, with all this, you made me ', 'it would certainly be you. and your address had been given me. yet, with all this, you made me revea', 'uld certainly be you. and your address had been given me. yet, with all this, you made me reveal wha', 'ertainly be you. and your address had been given me. yet, with all this, you made me reveal what you', 'nly be you. and your address had been given me. yet, with all this, you made me reveal what you want', 'e you. and your address had been given me. yet, with all this, you made me reveal what you wanted to', '. and your address had been given me. yet, with all this, you made me reveal what you wanted to know', ' your address had been given me. yet, with all this, you made me reveal what you wanted to know. eve', ' address had been given me. yet, with all this, you made me reveal what you wanted to know. even aft', 'ess had been given me. yet, with all this, you made me reveal what you wanted to know. even after i ', 'ad been given me. yet, with all this, you made me reveal what you wanted to know. even after i becam', 'en given me. yet, with all this, you made me reveal what you wanted to know. even after i became sus', 'ven me. yet, with all this, you made me reveal what you wanted to know. even after i became suspicio', 'e. yet, with all this, you made me reveal what you wanted to know. even after i became suspicious, i', 't, with all this, you made me reveal what you wanted to know. even after i became suspicious, i foun', 'th all this, you made me reveal what you wanted to know. even after i became suspicious, i found it ', 'l this, you made me reveal what you wanted to know. even after i became suspicious, i found it hard ', 's, you made me reveal what you wanted to know. even after i became suspicious, i found it hard to th', 'u made me reveal what you wanted to know. even after i became suspicious, i found it hard to think e', 'e me reveal what you wanted to know. even after i became suspicious, i found it hard to think evil o', 'reveal what you wanted to know. even after i became suspicious, i found it hard to think evil of suc', 'l what you wanted to know. even after i became suspicious, i found it hard to think evil of such a d', 't you wanted to know. even after i became suspicious, i found it hard to think evil of such a dear, ', ' wanted to know. even after i became suspicious, i found it hard to think evil of such a dear, kind ', 'ed to know. even after i became suspicious, i found it hard to think evil of such a dear, kind old c', ' know. even after i became suspicious, i found it hard to think evil of such a dear, kind old clergy', '. even after i became suspicious, i found it hard to think evil of such a dear, kind old clergyman. ', 'n after i became suspicious, i found it hard to think evil of such a dear, kind old clergyman. but, ', 'er i became suspicious, i found it hard to think evil of such a dear, kind old clergyman. but, you k', 'became suspicious, i found it hard to think evil of such a dear, kind old clergyman. but, you know, ', 'e suspicious, i found it hard to think evil of such a dear, kind old clergyman. but, you know, i hav', 'picious, i found it hard to think evil of such a dear, kind old clergyman. but, you know, i have bee', 'us, i found it hard to think evil of such a dear, kind old clergyman. but, you know, i have been tra', ' found it hard to think evil of such a dear, kind old clergyman. but, you know, i have been trained ', 'd it hard to think evil of such a dear, kind old clergyman. but, you know, i have been trained as an', 'hard to think evil of such a dear, kind old clergyman. but, you know, i have been trained as an actr', 'to think evil of such a dear, kind old clergyman. but, you know, i have been trained as an actress m', 'ink evil of such a dear, kind old clergyman. but, you know, i have been trained as an actress myself', 'vil of such a dear, kind old clergyman. but, you know, i have been trained as an actress myself. mal', 'f such a dear, kind old clergyman. but, you know, i have been trained as an actress myself. male cos', 'h a dear, kind old clergyman. but, you know, i have been trained as an actress myself. male costume ', 'ear, kind old clergyman. but, you know, i have been trained as an actress myself. male costume is no', 'kind old clergyman. but, you know, i have been trained as an actress myself. male costume is nothing', 'old clergyman. but, you know, i have been trained as an actress myself. male costume is nothing new ', 'lergyman. but, you know, i have been trained as an actress myself. male costume is nothing new to me', 'man. but, you know, i have been trained as an actress myself. male costume is nothing new to me. i o', 'but, you know, i have been trained as an actress myself. male costume is nothing new to me. i often ', 'you know, i have been trained as an actress myself. male costume is nothing new to me. i often take ', 'now, i have been trained as an actress myself. male costume is nothing new to me. i often take advan', 'i have been trained as an actress myself. male costume is nothing new to me. i often take advantage ', 'e been trained as an actress myself. male costume is nothing new to me. i often take advantage of th', 'n trained as an actress myself. male costume is nothing new to me. i often take advantage of the fre', 'ined as an actress myself. male costume is nothing new to me. i often take advantage of the freedom ', 'as an actress myself. male costume is nothing new to me. i often take advantage of the freedom which', ' actress myself. male costume is nothing new to me. i often take advantage of the freedom which it g', 'ess myself. male costume is nothing new to me. i often take advantage of the freedom which it gives.', 'yself. male costume is nothing new to me. i often take advantage of the freedom which it gives. i se', '. male costume is nothing new to me. i often take advantage of the freedom which it gives. i sent jo', 'e costume is nothing new to me. i often take advantage of the freedom which it gives. i sent john, t', 'tume is nothing new to me. i often take advantage of the freedom which it gives. i sent john, the co', 'is nothing new to me. i often take advantage of the freedom which it gives. i sent john, the coachma', 'thing new to me. i often take advantage of the freedom which it gives. i sent john, the coachman, to', ' new to me. i often take advantage of the freedom which it gives. i sent john, the coachman, to watc', 'to me. i often take advantage of the freedom which it gives. i sent john, the coachman, to watch you', '. i often take advantage of the freedom which it gives. i sent john, the coachman, to watch you, ran', 'ften take advantage of the freedom which it gives. i sent john, the coachman, to watch you, ran up s', 'take advantage of the freedom which it gives. i sent john, the coachman, to watch you, ran up stairs', 'advantage of the freedom which it gives. i sent john, the coachman, to watch you, ran up stairs, got', 'tage of the freedom which it gives. i sent john, the coachman, to watch you, ran up stairs, got into', 'of the freedom which it gives. i sent john, the coachman, to watch you, ran up stairs, got into my w', 'e freedom which it gives. i sent john, the coachman, to watch you, ran up stairs, got into my walkin', 'edom which it gives. i sent john, the coachman, to watch you, ran up stairs, got into my walking-clo', 'which it gives. i sent john, the coachman, to watch you, ran up stairs, got into my walking-clothes,', ' it gives. i sent john, the coachman, to watch you, ran up stairs, got into my walking-clothes, as i', 'ives. i sent john, the coachman, to watch you, ran up stairs, got into my walking-clothes, as i call', ' i sent john, the coachman, to watch you, ran up stairs, got into my walking-clothes, as i call them', 'nt john, the coachman, to watch you, ran up stairs, got into my walking-clothes, as i call them, and', 'hn, the coachman, to watch you, ran up stairs, got into my walking-clothes, as i call them, and came', 'he coachman, to watch you, ran up stairs, got into my walking-clothes, as i call them, and came down', 'achman, to watch you, ran up stairs, got into my walking-clothes, as i call them, and came down just', 'n, to watch you, ran up stairs, got into my walking-clothes, as i call them, and came down just as y', ' watch you, ran up stairs, got into my walking-clothes, as i call them, and came down just as you de', 'h you, ran up stairs, got into my walking-clothes, as i call them, and came down just as you departe', ', ran up stairs, got into my walking-clothes, as i call them, and came down just as you departed. "w', ' up stairs, got into my walking-clothes, as i call them, and came down just as you departed. "well, ', 'tairs, got into my walking-clothes, as i call them, and came down just as you departed. "well, i fol', ', got into my walking-clothes, as i call them, and came down just as you departed. "well, i followed', ' into my walking-clothes, as i call them, and came down just as you departed. "well, i followed you ', ' my walking-clothes, as i call them, and came down just as you departed. "well, i followed you to yo', 'alking-clothes, as i call them, and came down just as you departed. "well, i followed you to your do', 'g-clothes, as i call them, and came down just as you departed. "well, i followed you to your door, a', 'thes, as i call them, and came down just as you departed. "well, i followed you to your door, and so', ' as i call them, and came down just as you departed. "well, i followed you to your door, and so made', ' call them, and came down just as you departed. "well, i followed you to your door, and so made sure', ' them, and came down just as you departed. "well, i followed you to your door, and so made sure that', ', and came down just as you departed. "well, i followed you to your door, and so made sure that i wa', ' came down just as you departed. "well, i followed you to your door, and so made sure that i was rea', ' down just as you departed. "well, i followed you to your door, and so made sure that i was really a', ' just as you departed. "well, i followed you to your door, and so made sure that i was really an obj', ' as you departed. "well, i followed you to your door, and so made sure that i was really an object o', 'ou departed. "well, i followed you to your door, and so made sure that i was really an object of int', 'parted. "well, i followed you to your door, and so made sure that i was really an object of interest', 'd. "well, i followed you to your door, and so made sure that i was really an object of interest to t', 'ell, i followed you to your door, and so made sure that i was really an object of interest to the ce', 'i followed you to your door, and so made sure that i was really an object of interest to the celebra', 'lowed you to your door, and so made sure that i was really an object of interest to the celebrated m', ' you to your door, and so made sure that i was really an object of interest to the celebrated mr. sh', 'to your door, and so made sure that i was really an object of interest to the celebrated mr. sherloc', 'ur door, and so made sure that i was really an object of interest to the celebrated mr. sherlock hol', 'or, and so made sure that i was really an object of interest to the celebrated mr. sherlock holmes. ', 'nd so made sure that i was really an object of interest to the celebrated mr. sherlock holmes. then ', ' made sure that i was really an object of interest to the celebrated mr. sherlock holmes. then i, ra', ' sure that i was really an object of interest to the celebrated mr. sherlock holmes. then i, rather ', ' that i was really an object of interest to the celebrated mr. sherlock holmes. then i, rather impru', ' i was really an object of interest to the celebrated mr. sherlock holmes. then i, rather imprudentl', 's really an object of interest to the celebrated mr. sherlock holmes. then i, rather imprudently, wi', 'lly an object of interest to the celebrated mr. sherlock holmes. then i, rather imprudently, wished ', 'n object of interest to the celebrated mr. sherlock holmes. then i, rather imprudently, wished you g', 'ect of interest to the celebrated mr. sherlock holmes. then i, rather imprudently, wished you good-n', 'f interest to the celebrated mr. sherlock holmes. then i, rather imprudently, wished you good-night,', 'erest to the celebrated mr. sherlock holmes. then i, rather imprudently, wished you good-night, and ', ' to the celebrated mr. sherlock holmes. then i, rather imprudently, wished you good-night, and start', 'he celebrated mr. sherlock holmes. then i, rather imprudently, wished you good-night, and started fo', 'lebrated mr. sherlock holmes. then i, rather imprudently, wished you good-night, and started for the', 'ted mr. sherlock holmes. then i, rather imprudently, wished you good-night, and started for the temp', 'r. sherlock holmes. then i, rather imprudently, wished you good-night, and started for the temple to', 'erlock holmes. then i, rather imprudently, wished you good-night, and started for the temple to see ', 'k holmes. then i, rather imprudently, wished you good-night, and started for the temple to see my hu', 'mes. then i, rather imprudently, wished you good-night, and started for the temple to see my husband', 'then i, rather imprudently, wished you good-night, and started for the temple to see my husband. "we', 'i, rather imprudently, wished you good-night, and started for the temple to see my husband. "we both', 'ther imprudently, wished you good-night, and started for the temple to see my husband. "we both thou', 'imprudently, wished you good-night, and started for the temple to see my husband. "we both thought t', 'dently, wished you good-night, and started for the temple to see my husband. "we both thought the be', 'y, wished you good-night, and started for the temple to see my husband. "we both thought the best re', 'shed you good-night, and started for the temple to see my husband. "we both thought the best resourc', 'you good-night, and started for the temple to see my husband. "we both thought the best resource was', 'ood-night, and started for the temple to see my husband. "we both thought the best resource was flig', 'ight, and started for the temple to see my husband. "we both thought the best resource was flight, w', ' and started for the temple to see my husband. "we both thought the best resource was flight, when p', 'started for the temple to see my husband. "we both thought the best resource was flight, when pursue', 'ed for the temple to see my husband. "we both thought the best resource was flight, when pursued by ', 'r the temple to see my husband. "we both thought the best resource was flight, when pursued by so fo', ' temple to see my husband. "we both thought the best resource was flight, when pursued by so formida', 'le to see my husband. "we both thought the best resource was flight, when pursued by so formidable a', ' see my husband. "we both thought the best resource was flight, when pursued by so formidable an ant', 'my husband. "we both thought the best resource was flight, when pursued by so formidable an antagoni', 'sband. "we both thought the best resource was flight, when pursued by so formidable an antagonist; s', '. "we both thought the best resource was flight, when pursued by so formidable an antagonist; so you', ' both thought the best resource was flight, when pursued by so formidable an antagonist; so you will', ' thought the best resource was flight, when pursued by so formidable an antagonist; so you will find', 'ght the best resource was flight, when pursued by so formidable an antagonist; so you will find the ', 'he best resource was flight, when pursued by so formidable an antagonist; so you will find the nest ', 'st resource was flight, when pursued by so formidable an antagonist; so you will find the nest empty', 'source was flight, when pursued by so formidable an antagonist; so you will find the nest empty when', 'e was flight, when pursued by so formidable an antagonist; so you will find the nest empty when you ', ' flight, when pursued by so formidable an antagonist; so you will find the nest empty when you call ', 'ht, when pursued by so formidable an antagonist; so you will find the nest empty when you call to-mo', 'hen pursued by so formidable an antagonist; so you will find the nest empty when you call to-morrow.', 'ursued by so formidable an antagonist; so you will find the nest empty when you call to-morrow. as t', 'd by so formidable an antagonist; so you will find the nest empty when you call to-morrow. as to the', 'so formidable an antagonist; so you will find the nest empty when you call to-morrow. as to the phot', 'rmidable an antagonist; so you will find the nest empty when you call to-morrow. as to the photograp', 'ble an antagonist; so you will find the nest empty when you call to-morrow. as to the photograph, yo', 'n antagonist; so you will find the nest empty when you call to-morrow. as to the photograph, your cl', 'agonist; so you will find the nest empty when you call to-morrow. as to the photograph, your client ', 'st; so you will find the nest empty when you call to-morrow. as to the photograph, your client may r', 'o you will find the nest empty when you call to-morrow. as to the photograph, your client may rest i', ' will find the nest empty when you call to-morrow. as to the photograph, your client may rest in pea', ' find the nest empty when you call to-morrow. as to the photograph, your client may rest in peace. i', ' the nest empty when you call to-morrow. as to the photograph, your client may rest in peace. i love', 'nest empty when you call to-morrow. as to the photograph, your client may rest in peace. i love and ', 'empty when you call to-morrow. as to the photograph, your client may rest in peace. i love and am lo', ' when you call to-morrow. as to the photograph, your client may rest in peace. i love and am loved b', ' you call to-morrow. as to the photograph, your client may rest in peace. i love and am loved by a b', 'call to-morrow. as to the photograph, your client may rest in peace. i love and am loved by a better', 'to-morrow. as to the photograph, your client may rest in peace. i love and am loved by a better man ', 'rrow. as to the photograph, your client may rest in peace. i love and am loved by a better man than ', ' as to the photograph, your client may rest in peace. i love and am loved by a better man than he. t', 'o the photograph, your client may rest in peace. i love and am loved by a better man than he. the ki', ' photograph, your client may rest in peace. i love and am loved by a better man than he. the king ma', 'ograph, your client may rest in peace. i love and am loved by a better man than he. the king may do ', 'h, your client may rest in peace. i love and am loved by a better man than he. the king may do what ', 'ur client may rest in peace. i love and am loved by a better man than he. the king may do what he wi', 'ient may rest in peace. i love and am loved by a better man than he. the king may do what he will wi', 'may rest in peace. i love and am loved by a better man than he. the king may do what he will without', 'est in peace. i love and am loved by a better man than he. the king may do what he will without hind', 'n peace. i love and am loved by a better man than he. the king may do what he will without hindrance', 'ce. i love and am loved by a better man than he. the king may do what he will without hindrance from', ' love and am loved by a better man than he. the king may do what he will without hindrance from one ', ' and am loved by a better man than he. the king may do what he will without hindrance from one whom ', 'am loved by a better man than he. the king may do what he will without hindrance from one whom he ha', 'ved by a better man than he. the king may do what he will without hindrance from one whom he has cru', 'y a better man than he. the king may do what he will without hindrance from one whom he has cruelly ', 'etter man than he. the king may do what he will without hindrance from one whom he has cruelly wrong', ' man than he. the king may do what he will without hindrance from one whom he has cruelly wronged. i', 'than he. the king may do what he will without hindrance from one whom he has cruelly wronged. i keep', 'he. the king may do what he will without hindrance from one whom he has cruelly wronged. i keep it o', 'he king may do what he will without hindrance from one whom he has cruelly wronged. i keep it only t', 'ng may do what he will without hindrance from one whom he has cruelly wronged. i keep it only to saf', 'y do what he will without hindrance from one whom he has cruelly wronged. i keep it only to safeguar', 'what he will without hindrance from one whom he has cruelly wronged. i keep it only to safeguard mys', 'he will without hindrance from one whom he has cruelly wronged. i keep it only to safeguard myself, ', 'll without hindrance from one whom he has cruelly wronged. i keep it only to safeguard myself, and t', 'thout hindrance from one whom he has cruelly wronged. i keep it only to safeguard myself, and to pre', ' hindrance from one whom he has cruelly wronged. i keep it only to safeguard myself, and to preserve', 'rance from one whom he has cruelly wronged. i keep it only to safeguard myself, and to preserve a we', ' from one whom he has cruelly wronged. i keep it only to safeguard myself, and to preserve a weapon ', ' one whom he has cruelly wronged. i keep it only to safeguard myself, and to preserve a weapon which', 'whom he has cruelly wronged. i keep it only to safeguard myself, and to preserve a weapon which will', 'he has cruelly wronged. i keep it only to safeguard myself, and to preserve a weapon which will alwa', 's cruelly wronged. i keep it only to safeguard myself, and to preserve a weapon which will always se', 'elly wronged. i keep it only to safeguard myself, and to preserve a weapon which will always secure ', 'wronged. i keep it only to safeguard myself, and to preserve a weapon which will always secure me fr', 'ed. i keep it only to safeguard myself, and to preserve a weapon which will always secure me from an', ' keep it only to safeguard myself, and to preserve a weapon which will always secure me from any ste', ' it only to safeguard myself, and to preserve a weapon which will always secure me from any steps wh', 'nly to safeguard myself, and to preserve a weapon which will always secure me from any steps which h', 'o safeguard myself, and to preserve a weapon which will always secure me from any steps which he mig', 'eguard myself, and to preserve a weapon which will always secure me from any steps which he might ta', 'd myself, and to preserve a weapon which will always secure me from any steps which he might take in', 'elf, and to preserve a weapon which will always secure me from any steps which he might take in the ', 'and to preserve a weapon which will always secure me from any steps which he might take in the futur', 'o preserve a weapon which will always secure me from any steps which he might take in the future. i ', 'serve a weapon which will always secure me from any steps which he might take in the future. i leave', ' a weapon which will always secure me from any steps which he might take in the future. i leave a ph', 'apon which will always secure me from any steps which he might take in the future. i leave a photogr', 'which will always secure me from any steps which he might take in the future. i leave a photograph w', ' will always secure me from any steps which he might take in the future. i leave a photograph which ', ' always secure me from any steps which he might take in the future. i leave a photograph which he mi', 'ys secure me from any steps which he might take in the future. i leave a photograph which he might c', 'cure me from any steps which he might take in the future. i leave a photograph which he might care t', 'me from any steps which he might take in the future. i leave a photograph which he might care to pos', 'om any steps which he might take in the future. i leave a photograph which he might care to possess;', 'y steps which he might take in the future. i leave a photograph which he might care to possess; and ', 'ps which he might take in the future. i leave a photograph which he might care to possess; and i rem', 'ich he might take in the future. i leave a photograph which he might care to possess; and i remain, ', 'e might take in the future. i leave a photograph which he might care to possess; and i remain, dear ', 'ht take in the future. i leave a photograph which he might care to possess; and i remain, dear mr. s', 'ke in the future. i leave a photograph which he might care to possess; and i remain, dear mr. sherlo', ' the future. i leave a photograph which he might care to possess; and i remain, dear mr. sherlock ho', 'future. i leave a photograph which he might care to possess; and i remain, dear mr. sherlock holmes,', 'e. i leave a photograph which he might care to possess; and i remain, dear mr. sherlock holmes, ', 'leave a photograph which he might care to possess; and i remain, dear mr. sherlock holmes, ', ' a photograph which he might care to possess; and i remain, dear mr. sherlock holmes, ', 'otograph which he might care to possess; and i remain, dear mr. sherlock holmes, ', 'aph which he might care to possess; and i remain, dear mr. sherlock holmes, "very', 'hich he might care to possess; and i remain, dear mr. sherlock holmes, "very trul', 'he might care to possess; and i remain, dear mr. sherlock holmes, "very truly you', 'ght care to possess; and i remain, dear mr. sherlock holmes, "very truly yours, ', 'are to possess; and i remain, dear mr. sherlock holmes, "very truly yours, ', 'o possess; and i remain, dear mr. sherlock holmes, "very truly yours, ', 'sess; and i remain, dear mr. sherlock holmes, "very truly yours, ', ' and i remain, dear mr. sherlock holmes, "very truly yours, "ire', 'i remain, dear mr. sherlock holmes, "very truly yours, "irene no', 'ain, dear mr. sherlock holmes, "very truly yours, "irene norton,', 'dear mr. sherlock holmes, "very truly yours, "irene norton, n e ', 'mr. sherlock holmes, "very truly yours, "irene norton, n e adler', 'herlock holmes, "very truly yours, "irene norton, n e adler." "w', 'ck holmes, "very truly yours, "irene norton, n e adler." "what a', 'lmes, "very truly yours, "irene norton, n e adler." "what a woma', ' "very truly yours, "irene norton, n e adler." "what a womanoh, ', ' "very truly yours, "irene norton, n e adler." "what a womanoh, what ', ' "very truly yours, "irene norton, n e adler." "what a womanoh, what a wom', ' "very truly yours, "irene norton, n e adler." "what a womanoh, what a woman cr', '"very truly yours, "irene norton, n e adler." "what a womanoh, what a woman cried t', ' truly yours, "irene norton, n e adler." "what a womanoh, what a woman cried the ki', 'y yours, "irene norton, n e adler." "what a womanoh, what a woman cried the king of', 'rs, "irene norton, n e adler." "what a womanoh, what a woman cried the king of bohe', ' "irene norton, n e adler." "what a womanoh, what a woman cried the king of bohemia, ', ' "irene norton, n e adler." "what a womanoh, what a woman cried the king of bohemia, when ', ' "irene norton, n e adler." "what a womanoh, what a woman cried the king of bohemia, when we ha', ' "irene norton, n e adler." "what a womanoh, what a woman cried the king of bohemia, when we had all', 'ne norton, n e adler." "what a womanoh, what a woman cried the king of bohemia, when we had all thre', 'rton, n e adler." "what a womanoh, what a woman cried the king of bohemia, when we had all three rea', ' n e adler." "what a womanoh, what a woman cried the king of bohemia, when we had all three read thi', 'adler." "what a womanoh, what a woman cried the king of bohemia, when we had all three read this epi', '." "what a womanoh, what a woman cried the king of bohemia, when we had all three read this epistle.', 'hat a womanoh, what a woman cried the king of bohemia, when we had all three read this epistle. "did', ' womanoh, what a woman cried the king of bohemia, when we had all three read this epistle. "did i no', 'noh, what a woman cried the king of bohemia, when we had all three read this epistle. "did i not tel', 'what a woman cried the king of bohemia, when we had all three read this epistle. "did i not tell you', 'a woman cried the king of bohemia, when we had all three read this epistle. "did i not tell you how ', 'an cried the king of bohemia, when we had all three read this epistle. "did i not tell you how quick', 'ied the king of bohemia, when we had all three read this epistle. "did i not tell you how quick and ', 'he king of bohemia, when we had all three read this epistle. "did i not tell you how quick and resol', 'ng of bohemia, when we had all three read this epistle. "did i not tell you how quick and resolute s', ' bohemia, when we had all three read this epistle. "did i not tell you how quick and resolute she wa', 'mia, when we had all three read this epistle. "did i not tell you how quick and resolute she was? wo', 'when we had all three read this epistle. "did i not tell you how quick and resolute she was? would s', 'we had all three read this epistle. "did i not tell you how quick and resolute she was? would she no', 'd all three read this epistle. "did i not tell you how quick and resolute she was? would she not hav', ' three read this epistle. "did i not tell you how quick and resolute she was? would she not have mad', 'e read this epistle. "did i not tell you how quick and resolute she was? would she not have made an ', 'd this epistle. "did i not tell you how quick and resolute she was? would she not have made an admir', 's epistle. "did i not tell you how quick and resolute she was? would she not have made an admirable ', 'stle. "did i not tell you how quick and resolute she was? would she not have made an admirable queen', ' "did i not tell you how quick and resolute she was? would she not have made an admirable queen? is ', ' i not tell you how quick and resolute she was? would she not have made an admirable queen? is it no', 't tell you how quick and resolute she was? would she not have made an admirable queen? is it not a p', 'l you how quick and resolute she was? would she not have made an admirable queen? is it not a pity t', ' how quick and resolute she was? would she not have made an admirable queen? is it not a pity that s', 'quick and resolute she was? would she not have made an admirable queen? is it not a pity that she wa', ' and resolute she was? would she not have made an admirable queen? is it not a pity that she was not', 'resolute she was? would she not have made an admirable queen? is it not a pity that she was not on m', 'ute she was? would she not have made an admirable queen? is it not a pity that she was not on my lev', 'he was? would she not have made an admirable queen? is it not a pity that she was not on my level?" ', 's? would she not have made an admirable queen? is it not a pity that she was not on my level?" "from', 'uld she not have made an admirable queen? is it not a pity that she was not on my level?" "from what', 'he not have made an admirable queen? is it not a pity that she was not on my level?" "from what i ha', 't have made an admirable queen? is it not a pity that she was not on my level?" "from what i have se', 'e made an admirable queen? is it not a pity that she was not on my level?" "from what i have seen of', 'e an admirable queen? is it not a pity that she was not on my level?" "from what i have seen of the ', 'admirable queen? is it not a pity that she was not on my level?" "from what i have seen of the lady ', 'able queen? is it not a pity that she was not on my level?" "from what i have seen of the lady she s', 'queen? is it not a pity that she was not on my level?" "from what i have seen of the lady she seems ', '? is it not a pity that she was not on my level?" "from what i have seen of the lady she seems indee', 'it not a pity that she was not on my level?" "from what i have seen of the lady she seems indeed to ', 't a pity that she was not on my level?" "from what i have seen of the lady she seems indeed to be on', 'ity that she was not on my level?" "from what i have seen of the lady she seems indeed to be on a ve', 'hat she was not on my level?" "from what i have seen of the lady she seems indeed to be on a very di', 'he was not on my level?" "from what i have seen of the lady she seems indeed to be on a very differe', 's not on my level?" "from what i have seen of the lady she seems indeed to be on a very different le', ' on my level?" "from what i have seen of the lady she seems indeed to be on a very different level t', 'y level?" "from what i have seen of the lady she seems indeed to be on a very different level to you', 'el?" "from what i have seen of the lady she seems indeed to be on a very different level to your maj', '"from what i have seen of the lady she seems indeed to be on a very different level to your majesty,', ' what i have seen of the lady she seems indeed to be on a very different level to your majesty," sai', ' i have seen of the lady she seems indeed to be on a very different level to your majesty," said hol', 've seen of the lady she seems indeed to be on a very different level to your majesty," said holmes c', 'en of the lady she seems indeed to be on a very different level to your majesty," said holmes coldly', ' the lady she seems indeed to be on a very different level to your majesty," said holmes coldly. "i ', 'lady she seems indeed to be on a very different level to your majesty," said holmes coldly. "i am so', 'she seems indeed to be on a very different level to your majesty," said holmes coldly. "i am sorry t', 'eems indeed to be on a very different level to your majesty," said holmes coldly. "i am sorry that i', 'indeed to be on a very different level to your majesty," said holmes coldly. "i am sorry that i have', 'd to be on a very different level to your majesty," said holmes coldly. "i am sorry that i have not ', 'be on a very different level to your majesty," said holmes coldly. "i am sorry that i have not been ', ' a very different level to your majesty," said holmes coldly. "i am sorry that i have not been able ', 'ry different level to your majesty," said holmes coldly. "i am sorry that i have not been able to br', 'fferent level to your majesty," said holmes coldly. "i am sorry that i have not been able to bring y', 'nt level to your majesty," said holmes coldly. "i am sorry that i have not been able to bring your m', 'vel to your majesty," said holmes coldly. "i am sorry that i have not been able to bring your majest', 'o your majesty," said holmes coldly. "i am sorry that i have not been able to bring your majesty\'s b', 'r majesty," said holmes coldly. "i am sorry that i have not been able to bring your majesty\'s busine', 'esty," said holmes coldly. "i am sorry that i have not been able to bring your majesty\'s business to', '" said holmes coldly. "i am sorry that i have not been able to bring your majesty\'s business to a mo', 'd holmes coldly. "i am sorry that i have not been able to bring your majesty\'s business to a more su', 'mes coldly. "i am sorry that i have not been able to bring your majesty\'s business to a more success', 'oldly. "i am sorry that i have not been able to bring your majesty\'s business to a more successful c', '. "i am sorry that i have not been able to bring your majesty\'s business to a more successful conclu', "am sorry that i have not been able to bring your majesty's business to a more successful conclusion.", 'rry that i have not been able to bring your majesty\'s business to a more successful conclusion." "on', 'hat i have not been able to bring your majesty\'s business to a more successful conclusion." "on the ', ' have not been able to bring your majesty\'s business to a more successful conclusion." "on the contr', ' not been able to bring your majesty\'s business to a more successful conclusion." "on the contrary, ', 'been able to bring your majesty\'s business to a more successful conclusion." "on the contrary, my de', 'able to bring your majesty\'s business to a more successful conclusion." "on the contrary, my dear si', 'to bring your majesty\'s business to a more successful conclusion." "on the contrary, my dear sir," c', 'ing your majesty\'s business to a more successful conclusion." "on the contrary, my dear sir," cried ', 'our majesty\'s business to a more successful conclusion." "on the contrary, my dear sir," cried the k', 'ajesty\'s business to a more successful conclusion." "on the contrary, my dear sir," cried the king; ', 'y\'s business to a more successful conclusion." "on the contrary, my dear sir," cried the king; "noth', 'usiness to a more successful conclusion." "on the contrary, my dear sir," cried the king; "nothing c', 'ss to a more successful conclusion." "on the contrary, my dear sir," cried the king; "nothing could ', ' a more successful conclusion." "on the contrary, my dear sir," cried the king; "nothing could be mo', 're successful conclusion." "on the contrary, my dear sir," cried the king; "nothing could be more su', 'ccessful conclusion." "on the contrary, my dear sir," cried the king; "nothing could be more success', 'ful conclusion." "on the contrary, my dear sir," cried the king; "nothing could be more successful. ', 'onclusion." "on the contrary, my dear sir," cried the king; "nothing could be more successful. i kno', 'sion." "on the contrary, my dear sir," cried the king; "nothing could be more successful. i know tha', '" "on the contrary, my dear sir," cried the king; "nothing could be more successful. i know that her', ' the contrary, my dear sir," cried the king; "nothing could be more successful. i know that her word', 'contrary, my dear sir," cried the king; "nothing could be more successful. i know that her word is i', 'ary, my dear sir," cried the king; "nothing could be more successful. i know that her word is inviol', 'my dear sir," cried the king; "nothing could be more successful. i know that her word is inviolate. ', 'ar sir," cried the king; "nothing could be more successful. i know that her word is inviolate. the p', 'r," cried the king; "nothing could be more successful. i know that her word is inviolate. the photog', 'ried the king; "nothing could be more successful. i know that her word is inviolate. the photograph ', 'the king; "nothing could be more successful. i know that her word is inviolate. the photograph is no', 'ing; "nothing could be more successful. i know that her word is inviolate. the photograph is now as ', '"nothing could be more successful. i know that her word is inviolate. the photograph is now as safe ', 'ing could be more successful. i know that her word is inviolate. the photograph is now as safe as if', 'ould be more successful. i know that her word is inviolate. the photograph is now as safe as if it w', 'be more successful. i know that her word is inviolate. the photograph is now as safe as if it were i', 're successful. i know that her word is inviolate. the photograph is now as safe as if it were in the', 'ccessful. i know that her word is inviolate. the photograph is now as safe as if it were in the fire', 'ful. i know that her word is inviolate. the photograph is now as safe as if it were in the fire." "i', 'i know that her word is inviolate. the photograph is now as safe as if it were in the fire." "i am g', 'w that her word is inviolate. the photograph is now as safe as if it were in the fire." "i am glad t', 't her word is inviolate. the photograph is now as safe as if it were in the fire." "i am glad to hea', ' word is inviolate. the photograph is now as safe as if it were in the fire." "i am glad to hear you', ' is inviolate. the photograph is now as safe as if it were in the fire." "i am glad to hear your maj', 'nviolate. the photograph is now as safe as if it were in the fire." "i am glad to hear your majesty ', 'ate. the photograph is now as safe as if it were in the fire." "i am glad to hear your majesty say s', 'the photograph is now as safe as if it were in the fire." "i am glad to hear your majesty say so." "', 'hotograph is now as safe as if it were in the fire." "i am glad to hear your majesty say so." "i am ', 'raph is now as safe as if it were in the fire." "i am glad to hear your majesty say so." "i am immen', 'is now as safe as if it were in the fire." "i am glad to hear your majesty say so." "i am immensely ', 'w as safe as if it were in the fire." "i am glad to hear your majesty say so." "i am immensely indeb', 'safe as if it were in the fire." "i am glad to hear your majesty say so." "i am immensely indebted t', 'as if it were in the fire." "i am glad to hear your majesty say so." "i am immensely indebted to you', ' it were in the fire." "i am glad to hear your majesty say so." "i am immensely indebted to you. pra', 'ere in the fire." "i am glad to hear your majesty say so." "i am immensely indebted to you. pray tel', 'n the fire." "i am glad to hear your majesty say so." "i am immensely indebted to you. pray tell me ', ' fire." "i am glad to hear your majesty say so." "i am immensely indebted to you. pray tell me in wh', '." "i am glad to hear your majesty say so." "i am immensely indebted to you. pray tell me in what wa', ' am glad to hear your majesty say so." "i am immensely indebted to you. pray tell me in what way i c', 'lad to hear your majesty say so." "i am immensely indebted to you. pray tell me in what way i can re', 'o hear your majesty say so." "i am immensely indebted to you. pray tell me in what way i can reward ', 'r your majesty say so." "i am immensely indebted to you. pray tell me in what way i can reward you. ', 'r majesty say so." "i am immensely indebted to you. pray tell me in what way i can reward you. this ', 'esty say so." "i am immensely indebted to you. pray tell me in what way i can reward you. this ring"', 'say so." "i am immensely indebted to you. pray tell me in what way i can reward you. this ring" he s', 'o." "i am immensely indebted to you. pray tell me in what way i can reward you. this ring" he slippe', 'i am immensely indebted to you. pray tell me in what way i can reward you. this ring" he slipped an ', 'immensely indebted to you. pray tell me in what way i can reward you. this ring" he slipped an emera', 'sely indebted to you. pray tell me in what way i can reward you. this ring" he slipped an emerald sn', 'indebted to you. pray tell me in what way i can reward you. this ring" he slipped an emerald snake r', 'ted to you. pray tell me in what way i can reward you. this ring" he slipped an emerald snake ring f', 'o you. pray tell me in what way i can reward you. this ring" he slipped an emerald snake ring from h', '. pray tell me in what way i can reward you. this ring" he slipped an emerald snake ring from his fi', 'y tell me in what way i can reward you. this ring" he slipped an emerald snake ring from his finger ', 'l me in what way i can reward you. this ring" he slipped an emerald snake ring from his finger and h', 'in what way i can reward you. this ring" he slipped an emerald snake ring from his finger and held i', 'at way i can reward you. this ring" he slipped an emerald snake ring from his finger and held it out', 'y i can reward you. this ring" he slipped an emerald snake ring from his finger and held it out upon', 'an reward you. this ring" he slipped an emerald snake ring from his finger and held it out upon the ', 'ward you. this ring" he slipped an emerald snake ring from his finger and held it out upon the palm ', 'you. this ring" he slipped an emerald snake ring from his finger and held it out upon the palm of hi', 'this ring" he slipped an emerald snake ring from his finger and held it out upon the palm of his han', 'ring" he slipped an emerald snake ring from his finger and held it out upon the palm of his hand. "y', ' he slipped an emerald snake ring from his finger and held it out upon the palm of his hand. "your m', 'lipped an emerald snake ring from his finger and held it out upon the palm of his hand. "your majest', 'd an emerald snake ring from his finger and held it out upon the palm of his hand. "your majesty has', 'emerald snake ring from his finger and held it out upon the palm of his hand. "your majesty has some', 'ld snake ring from his finger and held it out upon the palm of his hand. "your majesty has something', 'ake ring from his finger and held it out upon the palm of his hand. "your majesty has something whic', 'ing from his finger and held it out upon the palm of his hand. "your majesty has something which i s', 'rom his finger and held it out upon the palm of his hand. "your majesty has something which i should', 'is finger and held it out upon the palm of his hand. "your majesty has something which i should valu', 'nger and held it out upon the palm of his hand. "your majesty has something which i should value eve', 'and held it out upon the palm of his hand. "your majesty has something which i should value even mor', 'eld it out upon the palm of his hand. "your majesty has something which i should value even more hig', 't out upon the palm of his hand. "your majesty has something which i should value even more highly,"', ' upon the palm of his hand. "your majesty has something which i should value even more highly," said', ' the palm of his hand. "your majesty has something which i should value even more highly," said holm', 'palm of his hand. "your majesty has something which i should value even more highly," said holmes. "', 'of his hand. "your majesty has something which i should value even more highly," said holmes. "you h', 's hand. "your majesty has something which i should value even more highly," said holmes. "you have b', 'd. "your majesty has something which i should value even more highly," said holmes. "you have but to', 'our majesty has something which i should value even more highly," said holmes. "you have but to name', 'ajesty has something which i should value even more highly," said holmes. "you have but to name it."', 'y has something which i should value even more highly," said holmes. "you have but to name it." "thi', ' something which i should value even more highly," said holmes. "you have but to name it." "this pho', 'thing which i should value even more highly," said holmes. "you have but to name it." "this photogra', ' which i should value even more highly," said holmes. "you have but to name it." "this photograph t', 'h i should value even more highly," said holmes. "you have but to name it." "this photograph the ki', 'hould value even more highly," said holmes. "you have but to name it." "this photograph the king st', ' value even more highly," said holmes. "you have but to name it." "this photograph the king stared ', 'e even more highly," said holmes. "you have but to name it." "this photograph the king stared at hi', 'n more highly," said holmes. "you have but to name it." "this photograph the king stared at him in ', 'e highly," said holmes. "you have but to name it." "this photograph the king stared at him in amaze', 'hly," said holmes. "you have but to name it." "this photograph the king stared at him in amazement.', ' said holmes. "you have but to name it." "this photograph the king stared at him in amazement. "ire', ' holmes. "you have but to name it." "this photograph the king stared at him in amazement. "irene\'s ', 'es. "you have but to name it." "this photograph the king stared at him in amazement. "irene\'s photo', 'you have but to name it." "this photograph the king stared at him in amazement. "irene\'s photograph', 'ave but to name it." "this photograph the king stared at him in amazement. "irene\'s photograph he c', 'ut to name it." "this photograph the king stared at him in amazement. "irene\'s photograph he cried.', ' name it." "this photograph the king stared at him in amazement. "irene\'s photograph he cried. "cer', ' it." "this photograph the king stared at him in amazement. "irene\'s photograph he cried. "certainl', ' "this photograph the king stared at him in amazement. "irene\'s photograph he cried. "certainly, if', 's photograph the king stared at him in amazement. "irene\'s photograph he cried. "certainly, if you ', 'tograph the king stared at him in amazement. "irene\'s photograph he cried. "certainly, if you wish ', 'ph the king stared at him in amazement. "irene\'s photograph he cried. "certainly, if you wish it." ', 'he king stared at him in amazement. "irene\'s photograph he cried. "certainly, if you wish it." "i th', 'ng stared at him in amazement. "irene\'s photograph he cried. "certainly, if you wish it." "i thank y', 'ared at him in amazement. "irene\'s photograph he cried. "certainly, if you wish it." "i thank your m', 'at him in amazement. "irene\'s photograph he cried. "certainly, if you wish it." "i thank your majest', 'm in amazement. "irene\'s photograph he cried. "certainly, if you wish it." "i thank your majesty. th', 'amazement. "irene\'s photograph he cried. "certainly, if you wish it." "i thank your majesty. then th', 'ment. "irene\'s photograph he cried. "certainly, if you wish it." "i thank your majesty. then there i', ' "irene\'s photograph he cried. "certainly, if you wish it." "i thank your majesty. then there is no ', 'ne\'s photograph he cried. "certainly, if you wish it." "i thank your majesty. then there is no more ', 'photograph he cried. "certainly, if you wish it." "i thank your majesty. then there is no more to be', 'graph he cried. "certainly, if you wish it." "i thank your majesty. then there is no more to be done', ' he cried. "certainly, if you wish it." "i thank your majesty. then there is no more to be done in t', 'ried. "certainly, if you wish it." "i thank your majesty. then there is no more to be done in the ma', ' "certainly, if you wish it." "i thank your majesty. then there is no more to be done in the matter.', 'tainly, if you wish it." "i thank your majesty. then there is no more to be done in the matter. i ha', 'y, if you wish it." "i thank your majesty. then there is no more to be done in the matter. i have th', ' you wish it." "i thank your majesty. then there is no more to be done in the matter. i have the hon', 'wish it." "i thank your majesty. then there is no more to be done in the matter. i have the honour t', 'it." "i thank your majesty. then there is no more to be done in the matter. i have the honour to wis', '"i thank your majesty. then there is no more to be done in the matter. i have the honour to wish you', 'ank your majesty. then there is no more to be done in the matter. i have the honour to wish you a ve', 'our majesty. then there is no more to be done in the matter. i have the honour to wish you a very go', 'ajesty. then there is no more to be done in the matter. i have the honour to wish you a very good-mo', 'y. then there is no more to be done in the matter. i have the honour to wish you a very good-morning', 'en there is no more to be done in the matter. i have the honour to wish you a very good-morning." he', 'ere is no more to be done in the matter. i have the honour to wish you a very good-morning." he bowe', 's no more to be done in the matter. i have the honour to wish you a very good-morning." he bowed, an', 'more to be done in the matter. i have the honour to wish you a very good-morning." he bowed, and, tu', 'to be done in the matter. i have the honour to wish you a very good-morning." he bowed, and, turning', ' done in the matter. i have the honour to wish you a very good-morning." he bowed, and, turning away', ' in the matter. i have the honour to wish you a very good-morning." he bowed, and, turning away with', 'he matter. i have the honour to wish you a very good-morning." he bowed, and, turning away without o', 'tter. i have the honour to wish you a very good-morning." he bowed, and, turning away without observ', ' i have the honour to wish you a very good-morning." he bowed, and, turning away without observing t', 've the honour to wish you a very good-morning." he bowed, and, turning away without observing the ha', 'e honour to wish you a very good-morning." he bowed, and, turning away without observing the hand wh', 'our to wish you a very good-morning." he bowed, and, turning away without observing the hand which t', 'o wish you a very good-morning." he bowed, and, turning away without observing the hand which the ki', 'h you a very good-morning." he bowed, and, turning away without observing the hand which the king ha', ' a very good-morning." he bowed, and, turning away without observing the hand which the king had str', 'ry good-morning." he bowed, and, turning away without observing the hand which the king had stretche', 'od-morning." he bowed, and, turning away without observing the hand which the king had stretched out', 'rning." he bowed, and, turning away without observing the hand which the king had stretched out to h', '." he bowed, and, turning away without observing the hand which the king had stretched out to him, h', ' bowed, and, turning away without observing the hand which the king had stretched out to him, he set', 'd, and, turning away without observing the hand which the king had stretched out to him, he set off ', 'd, turning away without observing the hand which the king had stretched out to him, he set off in my', 'rning away without observing the hand which the king had stretched out to him, he set off in my comp', ' away without observing the hand which the king had stretched out to him, he set off in my company f', ' without observing the hand which the king had stretched out to him, he set off in my company for hi', 'out observing the hand which the king had stretched out to him, he set off in my company for his cha', 'bserving the hand which the king had stretched out to him, he set off in my company for his chambers', 'ing the hand which the king had stretched out to him, he set off in my company for his chambers. and', 'he hand which the king had stretched out to him, he set off in my company for his chambers. and that', 'nd which the king had stretched out to him, he set off in my company for his chambers. and that was ', 'ich the king had stretched out to him, he set off in my company for his chambers. and that was how a', 'he king had stretched out to him, he set off in my company for his chambers. and that was how a grea', 'ng had stretched out to him, he set off in my company for his chambers. and that was how a great sca', 'd stretched out to him, he set off in my company for his chambers. and that was how a great scandal ', 'etched out to him, he set off in my company for his chambers. and that was how a great scandal threa', 'd out to him, he set off in my company for his chambers. and that was how a great scandal threatened', ' to him, he set off in my company for his chambers. and that was how a great scandal threatened to a', 'im, he set off in my company for his chambers. and that was how a great scandal threatened to affect', 'e set off in my company for his chambers. and that was how a great scandal threatened to affect the ', ' off in my company for his chambers. and that was how a great scandal threatened to affect the kingd', 'in my company for his chambers. and that was how a great scandal threatened to affect the kingdom of', ' company for his chambers. and that was how a great scandal threatened to affect the kingdom of bohe', 'any for his chambers. and that was how a great scandal threatened to affect the kingdom of bohemia, ', 'or his chambers. and that was how a great scandal threatened to affect the kingdom of bohemia, and h', 's chambers. and that was how a great scandal threatened to affect the kingdom of bohemia, and how th', 'mbers. and that was how a great scandal threatened to affect the kingdom of bohemia, and how the bes', '. and that was how a great scandal threatened to affect the kingdom of bohemia, and how the best pla', ' that was how a great scandal threatened to affect the kingdom of bohemia, and how the best plans of', ' was how a great scandal threatened to affect the kingdom of bohemia, and how the best plans of mr. ', 'how a great scandal threatened to affect the kingdom of bohemia, and how the best plans of mr. sherl', ' great scandal threatened to affect the kingdom of bohemia, and how the best plans of mr. sherlock h', 't scandal threatened to affect the kingdom of bohemia, and how the best plans of mr. sherlock holmes', 'ndal threatened to affect the kingdom of bohemia, and how the best plans of mr. sherlock holmes were', 'threatened to affect the kingdom of bohemia, and how the best plans of mr. sherlock holmes were beat', 'tened to affect the kingdom of bohemia, and how the best plans of mr. sherlock holmes were beaten by', ' to affect the kingdom of bohemia, and how the best plans of mr. sherlock holmes were beaten by a wo', "ffect the kingdom of bohemia, and how the best plans of mr. sherlock holmes were beaten by a woman's", " the kingdom of bohemia, and how the best plans of mr. sherlock holmes were beaten by a woman's wit.", "kingdom of bohemia, and how the best plans of mr. sherlock holmes were beaten by a woman's wit. he u", "om of bohemia, and how the best plans of mr. sherlock holmes were beaten by a woman's wit. he used t", " bohemia, and how the best plans of mr. sherlock holmes were beaten by a woman's wit. he used to mak", "mia, and how the best plans of mr. sherlock holmes were beaten by a woman's wit. he used to make mer", "and how the best plans of mr. sherlock holmes were beaten by a woman's wit. he used to make merry ov", "ow the best plans of mr. sherlock holmes were beaten by a woman's wit. he used to make merry over th", "e best plans of mr. sherlock holmes were beaten by a woman's wit. he used to make merry over the cle", "t plans of mr. sherlock holmes were beaten by a woman's wit. he used to make merry over the cleverne", "ns of mr. sherlock holmes were beaten by a woman's wit. he used to make merry over the cleverness of", " mr. sherlock holmes were beaten by a woman's wit. he used to make merry over the cleverness of wome", "sherlock holmes were beaten by a woman's wit. he used to make merry over the cleverness of women, bu", "ock holmes were beaten by a woman's wit. he used to make merry over the cleverness of women, but i h", "olmes were beaten by a woman's wit. he used to make merry over the cleverness of women, but i have n", " were beaten by a woman's wit. he used to make merry over the cleverness of women, but i have not he", " beaten by a woman's wit. he used to make merry over the cleverness of women, but i have not heard h", "en by a woman's wit. he used to make merry over the cleverness of women, but i have not heard him do", " a woman's wit. he used to make merry over the cleverness of women, but i have not heard him do it o", "man's wit. he used to make merry over the cleverness of women, but i have not heard him do it of lat", ' wit. he used to make merry over the cleverness of women, but i have not heard him do it of late. an', ' he used to make merry over the cleverness of women, but i have not heard him do it of late. and whe', 'sed to make merry over the cleverness of women, but i have not heard him do it of late. and when he ', 'o make merry over the cleverness of women, but i have not heard him do it of late. and when he speak', 'e merry over the cleverness of women, but i have not heard him do it of late. and when he speaks of ', 'ry over the cleverness of women, but i have not heard him do it of late. and when he speaks of irene', 'er the cleverness of women, but i have not heard him do it of late. and when he speaks of irene adle', 'e cleverness of women, but i have not heard him do it of late. and when he speaks of irene adler, or', 'verness of women, but i have not heard him do it of late. and when he speaks of irene adler, or when', 'ss of women, but i have not heard him do it of late. and when he speaks of irene adler, or when he r', ' women, but i have not heard him do it of late. and when he speaks of irene adler, or when he refers', 'n, but i have not heard him do it of late. and when he speaks of irene adler, or when he refers to h', 't i have not heard him do it of late. and when he speaks of irene adler, or when he refers to her ph', 'ave not heard him do it of late. and when he speaks of irene adler, or when he refers to her photogr', 'ot heard him do it of late. and when he speaks of irene adler, or when he refers to her photograph, ', 'ard him do it of late. and when he speaks of irene adler, or when he refers to her photograph, it is', 'im do it of late. and when he speaks of irene adler, or when he refers to her photograph, it is alwa', ' it of late. and when he speaks of irene adler, or when he refers to her photograph, it is always un', 'f late. and when he speaks of irene adler, or when he refers to her photograph, it is always under t', 'e. and when he speaks of irene adler, or when he refers to her photograph, it is always under the ho', 'd when he speaks of irene adler, or when he refers to her photograph, it is always under the honoura', 'n he speaks of irene adler, or when he refers to her photograph, it is always under the honourable t', 'speaks of irene adler, or when he refers to her photograph, it is always under the honourable title ', 's of irene adler, or when he refers to her photograph, it is always under the honourable title of th', 'irene adler, or when he refers to her photograph, it is always under the honourable title of the wom', ' adler, or when he refers to her photograph, it is always under the honourable title of the woman. ', 'r, or when he refers to her photograph, it is always under the honourable title of the woman. adven', ' when he refers to her photograph, it is always under the honourable title of the woman. adventure ', ' he refers to her photograph, it is always under the honourable title of the woman. adventure ii. t', 'efers to her photograph, it is always under the honourable title of the woman. adventure ii. the re', ' to her photograph, it is always under the honourable title of the woman. adventure ii. the red-hea', 'er photograph, it is always under the honourable title of the woman. adventure ii. the red-headed l', 'otograph, it is always under the honourable title of the woman. adventure ii. the red-headed league', 'aph, it is always under the honourable title of the woman. adventure ii. the red-headed league i ha', 'it is always under the honourable title of the woman. adventure ii. the red-headed league i had cal', ' always under the honourable title of the woman. adventure ii. the red-headed league i had called u', 'ys under the honourable title of the woman. adventure ii. the red-headed league i had called upon m', 'der the honourable title of the woman. adventure ii. the red-headed league i had called upon my fri', 'he honourable title of the woman. adventure ii. the red-headed league i had called upon my friend, ', 'nourable title of the woman. adventure ii. the red-headed league i had called upon my friend, mr. s', 'ble title of the woman. adventure ii. the red-headed league i had called upon my friend, mr. sherlo', 'itle of the woman. adventure ii. the red-headed league i had called upon my friend, mr. sherlock ho', 'of the woman. adventure ii. the red-headed league i had called upon my friend, mr. sherlock holmes,', 'e woman. adventure ii. the red-headed league i had called upon my friend, mr. sherlock holmes, one ', 'an. adventure ii. the red-headed league i had called upon my friend, mr. sherlock holmes, one day i', 'adventure ii. the red-headed league i had called upon my friend, mr. sherlock holmes, one day in the', 'ture ii. the red-headed league i had called upon my friend, mr. sherlock holmes, one day in the autu', 'ii. the red-headed league i had called upon my friend, mr. sherlock holmes, one day in the autumn of', 'he red-headed league i had called upon my friend, mr. sherlock holmes, one day in the autumn of last', 'd-headed league i had called upon my friend, mr. sherlock holmes, one day in the autumn of last year', 'ded league i had called upon my friend, mr. sherlock holmes, one day in the autumn of last year and ', 'eague i had called upon my friend, mr. sherlock holmes, one day in the autumn of last year and found', ' i had called upon my friend, mr. sherlock holmes, one day in the autumn of last year and found him ', 'd called upon my friend, mr. sherlock holmes, one day in the autumn of last year and found him in de', 'led upon my friend, mr. sherlock holmes, one day in the autumn of last year and found him in deep co', 'pon my friend, mr. sherlock holmes, one day in the autumn of last year and found him in deep convers', 'y friend, mr. sherlock holmes, one day in the autumn of last year and found him in deep conversation', 'end, mr. sherlock holmes, one day in the autumn of last year and found him in deep conversation with', 'mr. sherlock holmes, one day in the autumn of last year and found him in deep conversation with a ve', 'herlock holmes, one day in the autumn of last year and found him in deep conversation with a very st', 'ck holmes, one day in the autumn of last year and found him in deep conversation with a very stout, ', 'lmes, one day in the autumn of last year and found him in deep conversation with a very stout, flori', ' one day in the autumn of last year and found him in deep conversation with a very stout, florid-fac', 'day in the autumn of last year and found him in deep conversation with a very stout, florid-faced, e', 'n the autumn of last year and found him in deep conversation with a very stout, florid-faced, elderl', ' autumn of last year and found him in deep conversation with a very stout, florid-faced, elderly gen', 'mn of last year and found him in deep conversation with a very stout, florid-faced, elderly gentlema', ' last year and found him in deep conversation with a very stout, florid-faced, elderly gentleman wit', ' year and found him in deep conversation with a very stout, florid-faced, elderly gentleman with fie', ' and found him in deep conversation with a very stout, florid-faced, elderly gentleman with fiery re', 'found him in deep conversation with a very stout, florid-faced, elderly gentleman with fiery red hai', ' him in deep conversation with a very stout, florid-faced, elderly gentleman with fiery red hair. wi', 'in deep conversation with a very stout, florid-faced, elderly gentleman with fiery red hair. with an', 'ep conversation with a very stout, florid-faced, elderly gentleman with fiery red hair. with an apol', 'nversation with a very stout, florid-faced, elderly gentleman with fiery red hair. with an apology f', 'ation with a very stout, florid-faced, elderly gentleman with fiery red hair. with an apology for my', ' with a very stout, florid-faced, elderly gentleman with fiery red hair. with an apology for my intr', ' a very stout, florid-faced, elderly gentleman with fiery red hair. with an apology for my intrusion', 'ry stout, florid-faced, elderly gentleman with fiery red hair. with an apology for my intrusion, i w', 'out, florid-faced, elderly gentleman with fiery red hair. with an apology for my intrusion, i was ab', 'florid-faced, elderly gentleman with fiery red hair. with an apology for my intrusion, i was about t', 'd-faced, elderly gentleman with fiery red hair. with an apology for my intrusion, i was about to wit', 'ed, elderly gentleman with fiery red hair. with an apology for my intrusion, i was about to withdraw', 'lderly gentleman with fiery red hair. with an apology for my intrusion, i was about to withdraw when', 'y gentleman with fiery red hair. with an apology for my intrusion, i was about to withdraw when holm', 'tleman with fiery red hair. with an apology for my intrusion, i was about to withdraw when holmes pu', 'n with fiery red hair. with an apology for my intrusion, i was about to withdraw when holmes pulled ', 'h fiery red hair. with an apology for my intrusion, i was about to withdraw when holmes pulled me ab', 'ry red hair. with an apology for my intrusion, i was about to withdraw when holmes pulled me abruptl', 'd hair. with an apology for my intrusion, i was about to withdraw when holmes pulled me abruptly int', 'r. with an apology for my intrusion, i was about to withdraw when holmes pulled me abruptly into the', 'th an apology for my intrusion, i was about to withdraw when holmes pulled me abruptly into the room', ' apology for my intrusion, i was about to withdraw when holmes pulled me abruptly into the room and ', 'ogy for my intrusion, i was about to withdraw when holmes pulled me abruptly into the room and close', 'or my intrusion, i was about to withdraw when holmes pulled me abruptly into the room and closed the', ' intrusion, i was about to withdraw when holmes pulled me abruptly into the room and closed the door', 'usion, i was about to withdraw when holmes pulled me abruptly into the room and closed the door behi', ', i was about to withdraw when holmes pulled me abruptly into the room and closed the door behind me', 'as about to withdraw when holmes pulled me abruptly into the room and closed the door behind me. "yo', 'out to withdraw when holmes pulled me abruptly into the room and closed the door behind me. "you cou', 'o withdraw when holmes pulled me abruptly into the room and closed the door behind me. "you could no', 'hdraw when holmes pulled me abruptly into the room and closed the door behind me. "you could not pos', ' when holmes pulled me abruptly into the room and closed the door behind me. "you could not possibly', ' holmes pulled me abruptly into the room and closed the door behind me. "you could not possibly have', 'es pulled me abruptly into the room and closed the door behind me. "you could not possibly have come', 'lled me abruptly into the room and closed the door behind me. "you could not possibly have come at a', 'me abruptly into the room and closed the door behind me. "you could not possibly have come at a bett', 'ruptly into the room and closed the door behind me. "you could not possibly have come at a better ti', 'y into the room and closed the door behind me. "you could not possibly have come at a better time, m', 'o the room and closed the door behind me. "you could not possibly have come at a better time, my dea', ' room and closed the door behind me. "you could not possibly have come at a better time, my dear wat', ' and closed the door behind me. "you could not possibly have come at a better time, my dear watson,"', 'closed the door behind me. "you could not possibly have come at a better time, my dear watson," he s', 'd the door behind me. "you could not possibly have come at a better time, my dear watson," he said c', ' door behind me. "you could not possibly have come at a better time, my dear watson," he said cordia', ' behind me. "you could not possibly have come at a better time, my dear watson," he said cordially. ', 'nd me. "you could not possibly have come at a better time, my dear watson," he said cordially. "i wa', '. "you could not possibly have come at a better time, my dear watson," he said cordially. "i was afr', 'u could not possibly have come at a better time, my dear watson," he said cordially. "i was afraid t', 'ld not possibly have come at a better time, my dear watson," he said cordially. "i was afraid that y', 't possibly have come at a better time, my dear watson," he said cordially. "i was afraid that you we', 'sibly have come at a better time, my dear watson," he said cordially. "i was afraid that you were en', ' have come at a better time, my dear watson," he said cordially. "i was afraid that you were engaged', ' come at a better time, my dear watson," he said cordially. "i was afraid that you were engaged." "s', ' at a better time, my dear watson," he said cordially. "i was afraid that you were engaged." "so i a', ' better time, my dear watson," he said cordially. "i was afraid that you were engaged." "so i am. ve', 'er time, my dear watson," he said cordially. "i was afraid that you were engaged." "so i am. very mu', 'me, my dear watson," he said cordially. "i was afraid that you were engaged." "so i am. very much so', 'y dear watson," he said cordially. "i was afraid that you were engaged." "so i am. very much so." "t', 'r watson," he said cordially. "i was afraid that you were engaged." "so i am. very much so." "then i', 'son," he said cordially. "i was afraid that you were engaged." "so i am. very much so." "then i can ', ' he said cordially. "i was afraid that you were engaged." "so i am. very much so." "then i can wait ', 'aid cordially. "i was afraid that you were engaged." "so i am. very much so." "then i can wait in th', 'ordially. "i was afraid that you were engaged." "so i am. very much so." "then i can wait in the nex', 'lly. "i was afraid that you were engaged." "so i am. very much so." "then i can wait in the next roo', '"i was afraid that you were engaged." "so i am. very much so." "then i can wait in the next room." "', 's afraid that you were engaged." "so i am. very much so." "then i can wait in the next room." "not a', 'aid that you were engaged." "so i am. very much so." "then i can wait in the next room." "not at all', 'hat you were engaged." "so i am. very much so." "then i can wait in the next room." "not at all. thi', 'ou were engaged." "so i am. very much so." "then i can wait in the next room." "not at all. this gen', 're engaged." "so i am. very much so." "then i can wait in the next room." "not at all. this gentlema', 'gaged." "so i am. very much so." "then i can wait in the next room." "not at all. this gentleman, mr', '." "so i am. very much so." "then i can wait in the next room." "not at all. this gentleman, mr. wil', 'o i am. very much so." "then i can wait in the next room." "not at all. this gentleman, mr. wilson, ', 'm. very much so." "then i can wait in the next room." "not at all. this gentleman, mr. wilson, has b', 'ry much so." "then i can wait in the next room." "not at all. this gentleman, mr. wilson, has been m', 'ch so." "then i can wait in the next room." "not at all. this gentleman, mr. wilson, has been my par', '." "then i can wait in the next room." "not at all. this gentleman, mr. wilson, has been my partner ', 'hen i can wait in the next room." "not at all. this gentleman, mr. wilson, has been my partner and h', ' can wait in the next room." "not at all. this gentleman, mr. wilson, has been my partner and helper', 'wait in the next room." "not at all. this gentleman, mr. wilson, has been my partner and helper in m', 'in the next room." "not at all. this gentleman, mr. wilson, has been my partner and helper in many o', 'e next room." "not at all. this gentleman, mr. wilson, has been my partner and helper in many of my ', 't room." "not at all. this gentleman, mr. wilson, has been my partner and helper in many of my most ', 'm." "not at all. this gentleman, mr. wilson, has been my partner and helper in many of my most succe', 'not at all. this gentleman, mr. wilson, has been my partner and helper in many of my most successful', 't all. this gentleman, mr. wilson, has been my partner and helper in many of my most successful case', '. this gentleman, mr. wilson, has been my partner and helper in many of my most successful cases, an', 's gentleman, mr. wilson, has been my partner and helper in many of my most successful cases, and i h', 'tleman, mr. wilson, has been my partner and helper in many of my most successful cases, and i have n', 'n, mr. wilson, has been my partner and helper in many of my most successful cases, and i have no dou', '. wilson, has been my partner and helper in many of my most successful cases, and i have no doubt th', 'son, has been my partner and helper in many of my most successful cases, and i have no doubt that he', 'has been my partner and helper in many of my most successful cases, and i have no doubt that he will', 'een my partner and helper in many of my most successful cases, and i have no doubt that he will be o', 'y partner and helper in many of my most successful cases, and i have no doubt that he will be of the', 'tner and helper in many of my most successful cases, and i have no doubt that he will be of the utmo', 'and helper in many of my most successful cases, and i have no doubt that he will be of the utmost us', 'elper in many of my most successful cases, and i have no doubt that he will be of the utmost use to ', ' in many of my most successful cases, and i have no doubt that he will be of the utmost use to me in', 'any of my most successful cases, and i have no doubt that he will be of the utmost use to me in your', 'f my most successful cases, and i have no doubt that he will be of the utmost use to me in yours als', 'most successful cases, and i have no doubt that he will be of the utmost use to me in yours also." t', 'successful cases, and i have no doubt that he will be of the utmost use to me in yours also." the st', 'ssful cases, and i have no doubt that he will be of the utmost use to me in yours also." the stout g', ' cases, and i have no doubt that he will be of the utmost use to me in yours also." the stout gentle', 's, and i have no doubt that he will be of the utmost use to me in yours also." the stout gentleman h', 'd i have no doubt that he will be of the utmost use to me in yours also." the stout gentleman half r', 'ave no doubt that he will be of the utmost use to me in yours also." the stout gentleman half rose f', 'o doubt that he will be of the utmost use to me in yours also." the stout gentleman half rose from h', 'bt that he will be of the utmost use to me in yours also." the stout gentleman half rose from his ch', 'at he will be of the utmost use to me in yours also." the stout gentleman half rose from his chair a', ' will be of the utmost use to me in yours also." the stout gentleman half rose from his chair and ga', ' be of the utmost use to me in yours also." the stout gentleman half rose from his chair and gave a ', 'f the utmost use to me in yours also." the stout gentleman half rose from his chair and gave a bob o', ' utmost use to me in yours also." the stout gentleman half rose from his chair and gave a bob of gre', 'st use to me in yours also." the stout gentleman half rose from his chair and gave a bob of greeting', 'e to me in yours also." the stout gentleman half rose from his chair and gave a bob of greeting, wit', 'me in yours also." the stout gentleman half rose from his chair and gave a bob of greeting, with a q', ' yours also." the stout gentleman half rose from his chair and gave a bob of greeting, with a quick ', 's also." the stout gentleman half rose from his chair and gave a bob of greeting, with a quick littl', 'o." the stout gentleman half rose from his chair and gave a bob of greeting, with a quick little que', 'he stout gentleman half rose from his chair and gave a bob of greeting, with a quick little question', 'out gentleman half rose from his chair and gave a bob of greeting, with a quick little questioning g', 'entleman half rose from his chair and gave a bob of greeting, with a quick little questioning glance', 'man half rose from his chair and gave a bob of greeting, with a quick little questioning glance from', 'alf rose from his chair and gave a bob of greeting, with a quick little questioning glance from his ', 'ose from his chair and gave a bob of greeting, with a quick little questioning glance from his small', 'rom his chair and gave a bob of greeting, with a quick little questioning glance from his small fat-', 'is chair and gave a bob of greeting, with a quick little questioning glance from his small fat-encir', 'air and gave a bob of greeting, with a quick little questioning glance from his small fat-encircled ', 'nd gave a bob of greeting, with a quick little questioning glance from his small fat-encircled eyes.', 've a bob of greeting, with a quick little questioning glance from his small fat-encircled eyes. "try', 'bob of greeting, with a quick little questioning glance from his small fat-encircled eyes. "try the ', 'f greeting, with a quick little questioning glance from his small fat-encircled eyes. "try the sette', 'eting, with a quick little questioning glance from his small fat-encircled eyes. "try the settee," s', ', with a quick little questioning glance from his small fat-encircled eyes. "try the settee," said h', 'h a quick little questioning glance from his small fat-encircled eyes. "try the settee," said holmes', 'uick little questioning glance from his small fat-encircled eyes. "try the settee," said holmes, rel', 'little questioning glance from his small fat-encircled eyes. "try the settee," said holmes, relapsin', 'e questioning glance from his small fat-encircled eyes. "try the settee," said holmes, relapsing int', 'stioning glance from his small fat-encircled eyes. "try the settee," said holmes, relapsing into his', 'ing glance from his small fat-encircled eyes. "try the settee," said holmes, relapsing into his armc', 'lance from his small fat-encircled eyes. "try the settee," said holmes, relapsing into his armchair ', ' from his small fat-encircled eyes. "try the settee," said holmes, relapsing into his armchair and p', ' his small fat-encircled eyes. "try the settee," said holmes, relapsing into his armchair and puttin', 'small fat-encircled eyes. "try the settee," said holmes, relapsing into his armchair and putting his', ' fat-encircled eyes. "try the settee," said holmes, relapsing into his armchair and putting his fing', 'encircled eyes. "try the settee," said holmes, relapsing into his armchair and putting his fingertip', 'cled eyes. "try the settee," said holmes, relapsing into his armchair and putting his fingertips tog', 'eyes. "try the settee," said holmes, relapsing into his armchair and putting his fingertips together', ' "try the settee," said holmes, relapsing into his armchair and putting his fingertips together, as ', ' the settee," said holmes, relapsing into his armchair and putting his fingertips together, as was h', 'settee," said holmes, relapsing into his armchair and putting his fingertips together, as was his cu', 'e," said holmes, relapsing into his armchair and putting his fingertips together, as was his custom ', 'aid holmes, relapsing into his armchair and putting his fingertips together, as was his custom when ', 'olmes, relapsing into his armchair and putting his fingertips together, as was his custom when in ju', ', relapsing into his armchair and putting his fingertips together, as was his custom when in judicia', 'apsing into his armchair and putting his fingertips together, as was his custom when in judicial moo', 'g into his armchair and putting his fingertips together, as was his custom when in judicial moods. "', 'o his armchair and putting his fingertips together, as was his custom when in judicial moods. "i kno', ' armchair and putting his fingertips together, as was his custom when in judicial moods. "i know, my', 'hair and putting his fingertips together, as was his custom when in judicial moods. "i know, my dear', 'and putting his fingertips together, as was his custom when in judicial moods. "i know, my dear wats', 'utting his fingertips together, as was his custom when in judicial moods. "i know, my dear watson, t', 'g his fingertips together, as was his custom when in judicial moods. "i know, my dear watson, that y', ' fingertips together, as was his custom when in judicial moods. "i know, my dear watson, that you sh', 'ertips together, as was his custom when in judicial moods. "i know, my dear watson, that you share m', 's together, as was his custom when in judicial moods. "i know, my dear watson, that you share my lov', 'ether, as was his custom when in judicial moods. "i know, my dear watson, that you share my love of ', ', as was his custom when in judicial moods. "i know, my dear watson, that you share my love of all t', 'was his custom when in judicial moods. "i know, my dear watson, that you share my love of all that i', 'is custom when in judicial moods. "i know, my dear watson, that you share my love of all that is biz', 'stom when in judicial moods. "i know, my dear watson, that you share my love of all that is bizarre ', 'when in judicial moods. "i know, my dear watson, that you share my love of all that is bizarre and o', 'in judicial moods. "i know, my dear watson, that you share my love of all that is bizarre and outsid', 'dicial moods. "i know, my dear watson, that you share my love of all that is bizarre and outside the', 'l moods. "i know, my dear watson, that you share my love of all that is bizarre and outside the conv', 'ds. "i know, my dear watson, that you share my love of all that is bizarre and outside the conventio', 'i know, my dear watson, that you share my love of all that is bizarre and outside the conventions an', 'w, my dear watson, that you share my love of all that is bizarre and outside the conventions and hum', ' dear watson, that you share my love of all that is bizarre and outside the conventions and humdrum ', ' watson, that you share my love of all that is bizarre and outside the conventions and humdrum routi', 'on, that you share my love of all that is bizarre and outside the conventions and humdrum routine of', 'hat you share my love of all that is bizarre and outside the conventions and humdrum routine of ever', 'ou share my love of all that is bizarre and outside the conventions and humdrum routine of everyday ', 'are my love of all that is bizarre and outside the conventions and humdrum routine of everyday life.', 'y love of all that is bizarre and outside the conventions and humdrum routine of everyday life. you ', 'e of all that is bizarre and outside the conventions and humdrum routine of everyday life. you have ', 'all that is bizarre and outside the conventions and humdrum routine of everyday life. you have shown', 'hat is bizarre and outside the conventions and humdrum routine of everyday life. you have shown your', 's bizarre and outside the conventions and humdrum routine of everyday life. you have shown your reli', 'arre and outside the conventions and humdrum routine of everyday life. you have shown your relish fo', 'and outside the conventions and humdrum routine of everyday life. you have shown your relish for it ', 'utside the conventions and humdrum routine of everyday life. you have shown your relish for it by th', 'e the conventions and humdrum routine of everyday life. you have shown your relish for it by the ent', ' conventions and humdrum routine of everyday life. you have shown your relish for it by the enthusia', 'entions and humdrum routine of everyday life. you have shown your relish for it by the enthusiasm wh', 'ns and humdrum routine of everyday life. you have shown your relish for it by the enthusiasm which h', 'd humdrum routine of everyday life. you have shown your relish for it by the enthusiasm which has pr', 'drum routine of everyday life. you have shown your relish for it by the enthusiasm which has prompte', 'routine of everyday life. you have shown your relish for it by the enthusiasm which has prompted you', 'ne of everyday life. you have shown your relish for it by the enthusiasm which has prompted you to c', ' everyday life. you have shown your relish for it by the enthusiasm which has prompted you to chroni', 'yday life. you have shown your relish for it by the enthusiasm which has prompted you to chronicle, ', 'life. you have shown your relish for it by the enthusiasm which has prompted you to chronicle, and, ', ' you have shown your relish for it by the enthusiasm which has prompted you to chronicle, and, if yo', 'have shown your relish for it by the enthusiasm which has prompted you to chronicle, and, if you wil', 'shown your relish for it by the enthusiasm which has prompted you to chronicle, and, if you will exc', ' your relish for it by the enthusiasm which has prompted you to chronicle, and, if you will excuse m', ' relish for it by the enthusiasm which has prompted you to chronicle, and, if you will excuse my say', 'sh for it by the enthusiasm which has prompted you to chronicle, and, if you will excuse my saying s', 'r it by the enthusiasm which has prompted you to chronicle, and, if you will excuse my saying so, so', 'by the enthusiasm which has prompted you to chronicle, and, if you will excuse my saying so, somewha', 'e enthusiasm which has prompted you to chronicle, and, if you will excuse my saying so, somewhat to ', 'husiasm which has prompted you to chronicle, and, if you will excuse my saying so, somewhat to embel', 'sm which has prompted you to chronicle, and, if you will excuse my saying so, somewhat to embellish ', 'ich has prompted you to chronicle, and, if you will excuse my saying so, somewhat to embellish so ma', 'as prompted you to chronicle, and, if you will excuse my saying so, somewhat to embellish so many of', 'ompted you to chronicle, and, if you will excuse my saying so, somewhat to embellish so many of my o', 'd you to chronicle, and, if you will excuse my saying so, somewhat to embellish so many of my own li', ' to chronicle, and, if you will excuse my saying so, somewhat to embellish so many of my own little ', 'hronicle, and, if you will excuse my saying so, somewhat to embellish so many of my own little adven', 'cle, and, if you will excuse my saying so, somewhat to embellish so many of my own little adventures', 'and, if you will excuse my saying so, somewhat to embellish so many of my own little adventures." "y', 'if you will excuse my saying so, somewhat to embellish so many of my own little adventures." "your c', 'u will excuse my saying so, somewhat to embellish so many of my own little adventures." "your cases ', 'l excuse my saying so, somewhat to embellish so many of my own little adventures." "your cases have ', 'use my saying so, somewhat to embellish so many of my own little adventures." "your cases have indee', 'y saying so, somewhat to embellish so many of my own little adventures." "your cases have indeed bee', 'ing so, somewhat to embellish so many of my own little adventures." "your cases have indeed been of ', 'o, somewhat to embellish so many of my own little adventures." "your cases have indeed been of the g', 'mewhat to embellish so many of my own little adventures." "your cases have indeed been of the greate', 't to embellish so many of my own little adventures." "your cases have indeed been of the greatest in', 'embellish so many of my own little adventures." "your cases have indeed been of the greatest interes', 'lish so many of my own little adventures." "your cases have indeed been of the greatest interest to ', 'so many of my own little adventures." "your cases have indeed been of the greatest interest to me," ', 'ny of my own little adventures." "your cases have indeed been of the greatest interest to me," i obs', ' my own little adventures." "your cases have indeed been of the greatest interest to me," i observed', 'wn little adventures." "your cases have indeed been of the greatest interest to me," i observed. "yo', 'ttle adventures." "your cases have indeed been of the greatest interest to me," i observed. "you wil', 'adventures." "your cases have indeed been of the greatest interest to me," i observed. "you will rem', 'tures." "your cases have indeed been of the greatest interest to me," i observed. "you will remember', '." "your cases have indeed been of the greatest interest to me," i observed. "you will remember that', 'our cases have indeed been of the greatest interest to me," i observed. "you will remember that i re', 'ases have indeed been of the greatest interest to me," i observed. "you will remember that i remarke', 'have indeed been of the greatest interest to me," i observed. "you will remember that i remarked the', 'indeed been of the greatest interest to me," i observed. "you will remember that i remarked the othe', 'd been of the greatest interest to me," i observed. "you will remember that i remarked the other day', 'n of the greatest interest to me," i observed. "you will remember that i remarked the other day, jus', 'the greatest interest to me," i observed. "you will remember that i remarked the other day, just bef', 'reatest interest to me," i observed. "you will remember that i remarked the other day, just before w', 'st interest to me," i observed. "you will remember that i remarked the other day, just before we wen', 'terest to me," i observed. "you will remember that i remarked the other day, just before we went int', 't to me," i observed. "you will remember that i remarked the other day, just before we went into the', 'me," i observed. "you will remember that i remarked the other day, just before we went into the very', 'i observed. "you will remember that i remarked the other day, just before we went into the very simp', 'erved. "you will remember that i remarked the other day, just before we went into the very simple pr', '. "you will remember that i remarked the other day, just before we went into the very simple problem', 'u will remember that i remarked the other day, just before we went into the very simple problem pres', 'l remember that i remarked the other day, just before we went into the very simple problem presented', 'ember that i remarked the other day, just before we went into the very simple problem presented by m', ' that i remarked the other day, just before we went into the very simple problem presented by miss m', ' i remarked the other day, just before we went into the very simple problem presented by miss mary s', 'marked the other day, just before we went into the very simple problem presented by miss mary suther', 'd the other day, just before we went into the very simple problem presented by miss mary sutherland,', ' other day, just before we went into the very simple problem presented by miss mary sutherland, that', 'r day, just before we went into the very simple problem presented by miss mary sutherland, that for ', ', just before we went into the very simple problem presented by miss mary sutherland, that for stran', 't before we went into the very simple problem presented by miss mary sutherland, that for strange ef', 'ore we went into the very simple problem presented by miss mary sutherland, that for strange effects', 'e went into the very simple problem presented by miss mary sutherland, that for strange effects and ', 't into the very simple problem presented by miss mary sutherland, that for strange effects and extra', 'o the very simple problem presented by miss mary sutherland, that for strange effects and extraordin', ' very simple problem presented by miss mary sutherland, that for strange effects and extraordinary c', ' simple problem presented by miss mary sutherland, that for strange effects and extraordinary combin', 'le problem presented by miss mary sutherland, that for strange effects and extraordinary combination', 'oblem presented by miss mary sutherland, that for strange effects and extraordinary combinations we ', ' presented by miss mary sutherland, that for strange effects and extraordinary combinations we must ', 'ented by miss mary sutherland, that for strange effects and extraordinary combinations we must go to', ' by miss mary sutherland, that for strange effects and extraordinary combinations we must go to life', 'iss mary sutherland, that for strange effects and extraordinary combinations we must go to life itse', 'ary sutherland, that for strange effects and extraordinary combinations we must go to life itself, w', 'utherland, that for strange effects and extraordinary combinations we must go to life itself, which ', 'land, that for strange effects and extraordinary combinations we must go to life itself, which is al', ' that for strange effects and extraordinary combinations we must go to life itself, which is always ', ' for strange effects and extraordinary combinations we must go to life itself, which is always far m', 'strange effects and extraordinary combinations we must go to life itself, which is always far more d', 'ge effects and extraordinary combinations we must go to life itself, which is always far more daring', 'fects and extraordinary combinations we must go to life itself, which is always far more daring than', ' and extraordinary combinations we must go to life itself, which is always far more daring than any ', 'extraordinary combinations we must go to life itself, which is always far more daring than any effor', 'ordinary combinations we must go to life itself, which is always far more daring than any effort of ', 'ary combinations we must go to life itself, which is always far more daring than any effort of the i', 'ombinations we must go to life itself, which is always far more daring than any effort of the imagin', 'ations we must go to life itself, which is always far more daring than any effort of the imagination', 's we must go to life itself, which is always far more daring than any effort of the imagination." "a', 'must go to life itself, which is always far more daring than any effort of the imagination." "a prop', 'go to life itself, which is always far more daring than any effort of the imagination." "a propositi', ' life itself, which is always far more daring than any effort of the imagination." "a proposition wh', ' itself, which is always far more daring than any effort of the imagination." "a proposition which i', 'lf, which is always far more daring than any effort of the imagination." "a proposition which i took', 'hich is always far more daring than any effort of the imagination." "a proposition which i took the ', 'is always far more daring than any effort of the imagination." "a proposition which i took the liber', 'ways far more daring than any effort of the imagination." "a proposition which i took the liberty of', 'far more daring than any effort of the imagination." "a proposition which i took the liberty of doub', 'ore daring than any effort of the imagination." "a proposition which i took the liberty of doubting.', 'aring than any effort of the imagination." "a proposition which i took the liberty of doubting." "yo', ' than any effort of the imagination." "a proposition which i took the liberty of doubting." "you did', ' any effort of the imagination." "a proposition which i took the liberty of doubting." "you did, doc', 'effort of the imagination." "a proposition which i took the liberty of doubting." "you did, doctor, ', 't of the imagination." "a proposition which i took the liberty of doubting." "you did, doctor, but n', 'the imagination." "a proposition which i took the liberty of doubting." "you did, doctor, but none t', 'magination." "a proposition which i took the liberty of doubting." "you did, doctor, but none the le', 'ation." "a proposition which i took the liberty of doubting." "you did, doctor, but none the less yo', '." "a proposition which i took the liberty of doubting." "you did, doctor, but none the less you mus', ' proposition which i took the liberty of doubting." "you did, doctor, but none the less you must com', 'osition which i took the liberty of doubting." "you did, doctor, but none the less you must come rou', 'on which i took the liberty of doubting." "you did, doctor, but none the less you must come round to', 'ich i took the liberty of doubting." "you did, doctor, but none the less you must come round to my v', ' took the liberty of doubting." "you did, doctor, but none the less you must come round to my view, ', ' the liberty of doubting." "you did, doctor, but none the less you must come round to my view, for o', 'liberty of doubting." "you did, doctor, but none the less you must come round to my view, for otherw', 'ty of doubting." "you did, doctor, but none the less you must come round to my view, for otherwise i', ' doubting." "you did, doctor, but none the less you must come round to my view, for otherwise i shal', 'ting." "you did, doctor, but none the less you must come round to my view, for otherwise i shall kee', '" "you did, doctor, but none the less you must come round to my view, for otherwise i shall keep on ', 'u did, doctor, but none the less you must come round to my view, for otherwise i shall keep on pilin', ', doctor, but none the less you must come round to my view, for otherwise i shall keep on piling fac', 'tor, but none the less you must come round to my view, for otherwise i shall keep on piling fact upo', 'but none the less you must come round to my view, for otherwise i shall keep on piling fact upon fac', 'one the less you must come round to my view, for otherwise i shall keep on piling fact upon fact on ', 'he less you must come round to my view, for otherwise i shall keep on piling fact upon fact on you u', 'ss you must come round to my view, for otherwise i shall keep on piling fact upon fact on you until ', 'u must come round to my view, for otherwise i shall keep on piling fact upon fact on you until your ', 't come round to my view, for otherwise i shall keep on piling fact upon fact on you until your reaso', 'e round to my view, for otherwise i shall keep on piling fact upon fact on you until your reason bre', 'nd to my view, for otherwise i shall keep on piling fact upon fact on you until your reason breaks d', ' my view, for otherwise i shall keep on piling fact upon fact on you until your reason breaks down u', 'iew, for otherwise i shall keep on piling fact upon fact on you until your reason breaks down under ', 'for otherwise i shall keep on piling fact upon fact on you until your reason breaks down under them ', 'therwise i shall keep on piling fact upon fact on you until your reason breaks down under them and a', 'ise i shall keep on piling fact upon fact on you until your reason breaks down under them and acknow', ' shall keep on piling fact upon fact on you until your reason breaks down under them and acknowledge', 'l keep on piling fact upon fact on you until your reason breaks down under them and acknowledges me ', 'p on piling fact upon fact on you until your reason breaks down under them and acknowledges me to be', 'piling fact upon fact on you until your reason breaks down under them and acknowledges me to be righ', 'g fact upon fact on you until your reason breaks down under them and acknowledges me to be right. no', 't upon fact on you until your reason breaks down under them and acknowledges me to be right. now, mr', 'n fact on you until your reason breaks down under them and acknowledges me to be right. now, mr. jab', 't on you until your reason breaks down under them and acknowledges me to be right. now, mr. jabez wi', 'you until your reason breaks down under them and acknowledges me to be right. now, mr. jabez wilson ', 'ntil your reason breaks down under them and acknowledges me to be right. now, mr. jabez wilson here ', 'your reason breaks down under them and acknowledges me to be right. now, mr. jabez wilson here has b', 'reason breaks down under them and acknowledges me to be right. now, mr. jabez wilson here has been g', 'n breaks down under them and acknowledges me to be right. now, mr. jabez wilson here has been good e', 'aks down under them and acknowledges me to be right. now, mr. jabez wilson here has been good enough', 'own under them and acknowledges me to be right. now, mr. jabez wilson here has been good enough to c', 'nder them and acknowledges me to be right. now, mr. jabez wilson here has been good enough to call u', 'them and acknowledges me to be right. now, mr. jabez wilson here has been good enough to call upon m', 'and acknowledges me to be right. now, mr. jabez wilson here has been good enough to call upon me thi', 'cknowledges me to be right. now, mr. jabez wilson here has been good enough to call upon me this mor', 'ledges me to be right. now, mr. jabez wilson here has been good enough to call upon me this morning,', 's me to be right. now, mr. jabez wilson here has been good enough to call upon me this morning, and ', 'to be right. now, mr. jabez wilson here has been good enough to call upon me this morning, and to be', ' right. now, mr. jabez wilson here has been good enough to call upon me this morning, and to begin a', 't. now, mr. jabez wilson here has been good enough to call upon me this morning, and to begin a narr', 'w, mr. jabez wilson here has been good enough to call upon me this morning, and to begin a narrative', '. jabez wilson here has been good enough to call upon me this morning, and to begin a narrative whic', 'ez wilson here has been good enough to call upon me this morning, and to begin a narrative which pro', 'lson here has been good enough to call upon me this morning, and to begin a narrative which promises', 'here has been good enough to call upon me this morning, and to begin a narrative which promises to b', 'has been good enough to call upon me this morning, and to begin a narrative which promises to be one', 'een good enough to call upon me this morning, and to begin a narrative which promises to be one of t', 'ood enough to call upon me this morning, and to begin a narrative which promises to be one of the mo', 'nough to call upon me this morning, and to begin a narrative which promises to be one of the most si', ' to call upon me this morning, and to begin a narrative which promises to be one of the most singula', 'all upon me this morning, and to begin a narrative which promises to be one of the most singular whi', 'pon me this morning, and to begin a narrative which promises to be one of the most singular which i ', 'e this morning, and to begin a narrative which promises to be one of the most singular which i have ', 's morning, and to begin a narrative which promises to be one of the most singular which i have liste', 'ning, and to begin a narrative which promises to be one of the most singular which i have listened t', ' and to begin a narrative which promises to be one of the most singular which i have listened to for', 'to begin a narrative which promises to be one of the most singular which i have listened to for some', 'gin a narrative which promises to be one of the most singular which i have listened to for some time', ' narrative which promises to be one of the most singular which i have listened to for some time. you', 'ative which promises to be one of the most singular which i have listened to for some time. you have', ' which promises to be one of the most singular which i have listened to for some time. you have hear', 'h promises to be one of the most singular which i have listened to for some time. you have heard me ', 'mises to be one of the most singular which i have listened to for some time. you have heard me remar', ' to be one of the most singular which i have listened to for some time. you have heard me remark tha', 'e one of the most singular which i have listened to for some time. you have heard me remark that the', ' of the most singular which i have listened to for some time. you have heard me remark that the stra', 'he most singular which i have listened to for some time. you have heard me remark that the strangest', 'st singular which i have listened to for some time. you have heard me remark that the strangest and ', 'ngular which i have listened to for some time. you have heard me remark that the strangest and most ', 'r which i have listened to for some time. you have heard me remark that the strangest and most uniqu', 'ch i have listened to for some time. you have heard me remark that the strangest and most unique thi', 'have listened to for some time. you have heard me remark that the strangest and most unique things a', 'listened to for some time. you have heard me remark that the strangest and most unique things are ve', 'ned to for some time. you have heard me remark that the strangest and most unique things are very of', 'o for some time. you have heard me remark that the strangest and most unique things are very often c', ' some time. you have heard me remark that the strangest and most unique things are very often connec', ' time. you have heard me remark that the strangest and most unique things are very often connected n', '. you have heard me remark that the strangest and most unique things are very often connected not wi', ' have heard me remark that the strangest and most unique things are very often connected not with th', ' heard me remark that the strangest and most unique things are very often connected not with the lar', 'd me remark that the strangest and most unique things are very often connected not with the larger b', 'remark that the strangest and most unique things are very often connected not with the larger but wi', 'k that the strangest and most unique things are very often connected not with the larger but with th', 't the strangest and most unique things are very often connected not with the larger but with the sma', ' strangest and most unique things are very often connected not with the larger but with the smaller ', 'ngest and most unique things are very often connected not with the larger but with the smaller crime', ' and most unique things are very often connected not with the larger but with the smaller crimes, an', 'most unique things are very often connected not with the larger but with the smaller crimes, and occ', 'unique things are very often connected not with the larger but with the smaller crimes, and occasion', 'e things are very often connected not with the larger but with the smaller crimes, and occasionally,', 'ngs are very often connected not with the larger but with the smaller crimes, and occasionally, inde', 're very often connected not with the larger but with the smaller crimes, and occasionally, indeed, w', 'ry often connected not with the larger but with the smaller crimes, and occasionally, indeed, where ', 'ten connected not with the larger but with the smaller crimes, and occasionally, indeed, where there', 'onnected not with the larger but with the smaller crimes, and occasionally, indeed, where there is r', 'ted not with the larger but with the smaller crimes, and occasionally, indeed, where there is room f', 'ot with the larger but with the smaller crimes, and occasionally, indeed, where there is room for do', 'th the larger but with the smaller crimes, and occasionally, indeed, where there is room for doubt w', 'e larger but with the smaller crimes, and occasionally, indeed, where there is room for doubt whethe', 'ger but with the smaller crimes, and occasionally, indeed, where there is room for doubt whether any', 'ut with the smaller crimes, and occasionally, indeed, where there is room for doubt whether any posi', 'th the smaller crimes, and occasionally, indeed, where there is room for doubt whether any positive ', 'e smaller crimes, and occasionally, indeed, where there is room for doubt whether any positive crime', 'ller crimes, and occasionally, indeed, where there is room for doubt whether any positive crime has ', 'crimes, and occasionally, indeed, where there is room for doubt whether any positive crime has been ', 's, and occasionally, indeed, where there is room for doubt whether any positive crime has been commi', 'd occasionally, indeed, where there is room for doubt whether any positive crime has been committed.', 'asionally, indeed, where there is room for doubt whether any positive crime has been committed. as f', 'ally, indeed, where there is room for doubt whether any positive crime has been committed. as far as', ' indeed, where there is room for doubt whether any positive crime has been committed. as far as i ha', 'ed, where there is room for doubt whether any positive crime has been committed. as far as i have he', 'here there is room for doubt whether any positive crime has been committed. as far as i have heard i', 'there is room for doubt whether any positive crime has been committed. as far as i have heard it is ', ' is room for doubt whether any positive crime has been committed. as far as i have heard it is impos', 'oom for doubt whether any positive crime has been committed. as far as i have heard it is impossible', 'or doubt whether any positive crime has been committed. as far as i have heard it is impossible for ', 'ubt whether any positive crime has been committed. as far as i have heard it is impossible for me to', 'hether any positive crime has been committed. as far as i have heard it is impossible for me to say ', 'r any positive crime has been committed. as far as i have heard it is impossible for me to say wheth', ' positive crime has been committed. as far as i have heard it is impossible for me to say whether th', 'tive crime has been committed. as far as i have heard it is impossible for me to say whether the pre', 'crime has been committed. as far as i have heard it is impossible for me to say whether the present ', ' has been committed. as far as i have heard it is impossible for me to say whether the present case ', 'been committed. as far as i have heard it is impossible for me to say whether the present case is an', 'committed. as far as i have heard it is impossible for me to say whether the present case is an inst', 'tted. as far as i have heard it is impossible for me to say whether the present case is an instance ', ' as far as i have heard it is impossible for me to say whether the present case is an instance of cr', 'ar as i have heard it is impossible for me to say whether the present case is an instance of crime o', ' i have heard it is impossible for me to say whether the present case is an instance of crime or not', 've heard it is impossible for me to say whether the present case is an instance of crime or not, but', 'ard it is impossible for me to say whether the present case is an instance of crime or not, but the ', 't is impossible for me to say whether the present case is an instance of crime or not, but the cours', 'impossible for me to say whether the present case is an instance of crime or not, but the course of ', 'sible for me to say whether the present case is an instance of crime or not, but the course of event', ' for me to say whether the present case is an instance of crime or not, but the course of events is ', 'me to say whether the present case is an instance of crime or not, but the course of events is certa', ' say whether the present case is an instance of crime or not, but the course of events is certainly ', 'whether the present case is an instance of crime or not, but the course of events is certainly among', 'er the present case is an instance of crime or not, but the course of events is certainly among the ', 'e present case is an instance of crime or not, but the course of events is certainly among the most ', 'sent case is an instance of crime or not, but the course of events is certainly among the most singu', 'case is an instance of crime or not, but the course of events is certainly among the most singular t', 'is an instance of crime or not, but the course of events is certainly among the most singular that i', ' instance of crime or not, but the course of events is certainly among the most singular that i have', 'ance of crime or not, but the course of events is certainly among the most singular that i have ever', 'of crime or not, but the course of events is certainly among the most singular that i have ever list', 'ime or not, but the course of events is certainly among the most singular that i have ever listened ', 'r not, but the course of events is certainly among the most singular that i have ever listened to. p', ', but the course of events is certainly among the most singular that i have ever listened to. perhap', ' the course of events is certainly among the most singular that i have ever listened to. perhaps, mr', 'course of events is certainly among the most singular that i have ever listened to. perhaps, mr. wil', 'e of events is certainly among the most singular that i have ever listened to. perhaps, mr. wilson, ', 'events is certainly among the most singular that i have ever listened to. perhaps, mr. wilson, you w', 's is certainly among the most singular that i have ever listened to. perhaps, mr. wilson, you would ', 'certainly among the most singular that i have ever listened to. perhaps, mr. wilson, you would have ', 'inly among the most singular that i have ever listened to. perhaps, mr. wilson, you would have the g', 'among the most singular that i have ever listened to. perhaps, mr. wilson, you would have the great ', ' the most singular that i have ever listened to. perhaps, mr. wilson, you would have the great kindn', 'most singular that i have ever listened to. perhaps, mr. wilson, you would have the great kindness t', 'singular that i have ever listened to. perhaps, mr. wilson, you would have the great kindness to rec', 'lar that i have ever listened to. perhaps, mr. wilson, you would have the great kindness to recommen', 'hat i have ever listened to. perhaps, mr. wilson, you would have the great kindness to recommence yo', ' have ever listened to. perhaps, mr. wilson, you would have the great kindness to recommence your na', ' ever listened to. perhaps, mr. wilson, you would have the great kindness to recommence your narrati', ' listened to. perhaps, mr. wilson, you would have the great kindness to recommence your narrative. i', 'ened to. perhaps, mr. wilson, you would have the great kindness to recommence your narrative. i ask ', 'to. perhaps, mr. wilson, you would have the great kindness to recommence your narrative. i ask you n', 'erhaps, mr. wilson, you would have the great kindness to recommence your narrative. i ask you not me', 's, mr. wilson, you would have the great kindness to recommence your narrative. i ask you not merely ', '. wilson, you would have the great kindness to recommence your narrative. i ask you not merely becau', 'son, you would have the great kindness to recommence your narrative. i ask you not merely because my', 'you would have the great kindness to recommence your narrative. i ask you not merely because my frie', 'ould have the great kindness to recommence your narrative. i ask you not merely because my friend dr', 'have the great kindness to recommence your narrative. i ask you not merely because my friend dr. wat', 'the great kindness to recommence your narrative. i ask you not merely because my friend dr. watson h', 'reat kindness to recommence your narrative. i ask you not merely because my friend dr. watson has no', 'kindness to recommence your narrative. i ask you not merely because my friend dr. watson has not hea', 'ess to recommence your narrative. i ask you not merely because my friend dr. watson has not heard th', 'o recommence your narrative. i ask you not merely because my friend dr. watson has not heard the ope', 'ommence your narrative. i ask you not merely because my friend dr. watson has not heard the opening ', 'ce your narrative. i ask you not merely because my friend dr. watson has not heard the opening part ', 'ur narrative. i ask you not merely because my friend dr. watson has not heard the opening part but a', 'rrative. i ask you not merely because my friend dr. watson has not heard the opening part but also b', 've. i ask you not merely because my friend dr. watson has not heard the opening part but also becaus', ' ask you not merely because my friend dr. watson has not heard the opening part but also because the', 'you not merely because my friend dr. watson has not heard the opening part but also because the pecu', 'ot merely because my friend dr. watson has not heard the opening part but also because the peculiar ', 'rely because my friend dr. watson has not heard the opening part but also because the peculiar natur', 'because my friend dr. watson has not heard the opening part but also because the peculiar nature of ', 'se my friend dr. watson has not heard the opening part but also because the peculiar nature of the s', ' friend dr. watson has not heard the opening part but also because the peculiar nature of the story ', 'nd dr. watson has not heard the opening part but also because the peculiar nature of the story makes', '. watson has not heard the opening part but also because the peculiar nature of the story makes me a', 'son has not heard the opening part but also because the peculiar nature of the story makes me anxiou', 'as not heard the opening part but also because the peculiar nature of the story makes me anxious to ', 't heard the opening part but also because the peculiar nature of the story makes me anxious to have ', 'rd the opening part but also because the peculiar nature of the story makes me anxious to have every', 'e opening part but also because the peculiar nature of the story makes me anxious to have every poss', 'ning part but also because the peculiar nature of the story makes me anxious to have every possible ', 'part but also because the peculiar nature of the story makes me anxious to have every possible detai', 'but also because the peculiar nature of the story makes me anxious to have every possible detail fro', 'lso because the peculiar nature of the story makes me anxious to have every possible detail from you', 'ecause the peculiar nature of the story makes me anxious to have every possible detail from your lip', 'e the peculiar nature of the story makes me anxious to have every possible detail from your lips. as', ' peculiar nature of the story makes me anxious to have every possible detail from your lips. as a ru', 'liar nature of the story makes me anxious to have every possible detail from your lips. as a rule, w', 'nature of the story makes me anxious to have every possible detail from your lips. as a rule, when i', 'e of the story makes me anxious to have every possible detail from your lips. as a rule, when i have', 'the story makes me anxious to have every possible detail from your lips. as a rule, when i have hear', 'tory makes me anxious to have every possible detail from your lips. as a rule, when i have heard som', 'makes me anxious to have every possible detail from your lips. as a rule, when i have heard some sli', ' me anxious to have every possible detail from your lips. as a rule, when i have heard some slight i', 'nxious to have every possible detail from your lips. as a rule, when i have heard some slight indica', 's to have every possible detail from your lips. as a rule, when i have heard some slight indication ', 'have every possible detail from your lips. as a rule, when i have heard some slight indication of th', 'every possible detail from your lips. as a rule, when i have heard some slight indication of the cou', ' possible detail from your lips. as a rule, when i have heard some slight indication of the course o', 'ible detail from your lips. as a rule, when i have heard some slight indication of the course of eve', 'detail from your lips. as a rule, when i have heard some slight indication of the course of events, ', 'l from your lips. as a rule, when i have heard some slight indication of the course of events, i am ', 'm your lips. as a rule, when i have heard some slight indication of the course of events, i am able ', 'r lips. as a rule, when i have heard some slight indication of the course of events, i am able to gu', 's. as a rule, when i have heard some slight indication of the course of events, i am able to guide m', ' a rule, when i have heard some slight indication of the course of events, i am able to guide myself', 'le, when i have heard some slight indication of the course of events, i am able to guide myself by t', 'hen i have heard some slight indication of the course of events, i am able to guide myself by the th', ' have heard some slight indication of the course of events, i am able to guide myself by the thousan', ' heard some slight indication of the course of events, i am able to guide myself by the thousands of', 'd some slight indication of the course of events, i am able to guide myself by the thousands of othe', 'e slight indication of the course of events, i am able to guide myself by the thousands of other sim', 'ght indication of the course of events, i am able to guide myself by the thousands of other similar ', 'ndication of the course of events, i am able to guide myself by the thousands of other similar cases', 'tion of the course of events, i am able to guide myself by the thousands of other similar cases whic', 'of the course of events, i am able to guide myself by the thousands of other similar cases which occ', 'e course of events, i am able to guide myself by the thousands of other similar cases which occur to', 'rse of events, i am able to guide myself by the thousands of other similar cases which occur to my m', 'f events, i am able to guide myself by the thousands of other similar cases which occur to my memory', 'nts, i am able to guide myself by the thousands of other similar cases which occur to my memory. in ', 'i am able to guide myself by the thousands of other similar cases which occur to my memory. in the p', 'able to guide myself by the thousands of other similar cases which occur to my memory. in the presen', 'to guide myself by the thousands of other similar cases which occur to my memory. in the present ins', 'ide myself by the thousands of other similar cases which occur to my memory. in the present instance', 'yself by the thousands of other similar cases which occur to my memory. in the present instance i am', ' by the thousands of other similar cases which occur to my memory. in the present instance i am forc', 'he thousands of other similar cases which occur to my memory. in the present instance i am forced to', 'ousands of other similar cases which occur to my memory. in the present instance i am forced to admi', 'ds of other similar cases which occur to my memory. in the present instance i am forced to admit tha', ' other similar cases which occur to my memory. in the present instance i am forced to admit that the', 'r similar cases which occur to my memory. in the present instance i am forced to admit that the fact', 'ilar cases which occur to my memory. in the present instance i am forced to admit that the facts are', 'cases which occur to my memory. in the present instance i am forced to admit that the facts are, to ', ' which occur to my memory. in the present instance i am forced to admit that the facts are, to the b', 'h occur to my memory. in the present instance i am forced to admit that the facts are, to the best o', 'ur to my memory. in the present instance i am forced to admit that the facts are, to the best of my ', ' my memory. in the present instance i am forced to admit that the facts are, to the best of my belie', 'emory. in the present instance i am forced to admit that the facts are, to the best of my belief, un', '. in the present instance i am forced to admit that the facts are, to the best of my belief, unique.', 'the present instance i am forced to admit that the facts are, to the best of my belief, unique." the', 'resent instance i am forced to admit that the facts are, to the best of my belief, unique." the port', 't instance i am forced to admit that the facts are, to the best of my belief, unique." the portly cl', 'tance i am forced to admit that the facts are, to the best of my belief, unique." the portly client ', ' i am forced to admit that the facts are, to the best of my belief, unique." the portly client puffe', ' forced to admit that the facts are, to the best of my belief, unique." the portly client puffed out', 'ed to admit that the facts are, to the best of my belief, unique." the portly client puffed out his ', ' admit that the facts are, to the best of my belief, unique." the portly client puffed out his chest', 't that the facts are, to the best of my belief, unique." the portly client puffed out his chest with', 't the facts are, to the best of my belief, unique." the portly client puffed out his chest with an a', ' facts are, to the best of my belief, unique." the portly client puffed out his chest with an appear', 's are, to the best of my belief, unique." the portly client puffed out his chest with an appearance ', ', to the best of my belief, unique." the portly client puffed out his chest with an appearance of so', 'the best of my belief, unique." the portly client puffed out his chest with an appearance of some li', 'est of my belief, unique." the portly client puffed out his chest with an appearance of some little ', 'f my belief, unique." the portly client puffed out his chest with an appearance of some little pride', 'belief, unique." the portly client puffed out his chest with an appearance of some little pride and ', 'f, unique." the portly client puffed out his chest with an appearance of some little pride and pulle', 'ique." the portly client puffed out his chest with an appearance of some little pride and pulled a d', '" the portly client puffed out his chest with an appearance of some little pride and pulled a dirty ', ' portly client puffed out his chest with an appearance of some little pride and pulled a dirty and w', 'ly client puffed out his chest with an appearance of some little pride and pulled a dirty and wrinkl', 'ient puffed out his chest with an appearance of some little pride and pulled a dirty and wrinkled ne', 'puffed out his chest with an appearance of some little pride and pulled a dirty and wrinkled newspap', 'd out his chest with an appearance of some little pride and pulled a dirty and wrinkled newspaper fr', ' his chest with an appearance of some little pride and pulled a dirty and wrinkled newspaper from th', 'chest with an appearance of some little pride and pulled a dirty and wrinkled newspaper from the ins', ' with an appearance of some little pride and pulled a dirty and wrinkled newspaper from the inside p', ' an appearance of some little pride and pulled a dirty and wrinkled newspaper from the inside pocket', 'ppearance of some little pride and pulled a dirty and wrinkled newspaper from the inside pocket of h', 'ance of some little pride and pulled a dirty and wrinkled newspaper from the inside pocket of his gr', 'of some little pride and pulled a dirty and wrinkled newspaper from the inside pocket of his greatco', 'me little pride and pulled a dirty and wrinkled newspaper from the inside pocket of his greatcoat. a', 'ttle pride and pulled a dirty and wrinkled newspaper from the inside pocket of his greatcoat. as he ', 'pride and pulled a dirty and wrinkled newspaper from the inside pocket of his greatcoat. as he glanc', ' and pulled a dirty and wrinkled newspaper from the inside pocket of his greatcoat. as he glanced do', 'pulled a dirty and wrinkled newspaper from the inside pocket of his greatcoat. as he glanced down th', 'd a dirty and wrinkled newspaper from the inside pocket of his greatcoat. as he glanced down the adv', 'irty and wrinkled newspaper from the inside pocket of his greatcoat. as he glanced down the advertis', 'and wrinkled newspaper from the inside pocket of his greatcoat. as he glanced down the advertisement', 'rinkled newspaper from the inside pocket of his greatcoat. as he glanced down the advertisement colu', 'ed newspaper from the inside pocket of his greatcoat. as he glanced down the advertisement column, w', 'wspaper from the inside pocket of his greatcoat. as he glanced down the advertisement column, with h', 'er from the inside pocket of his greatcoat. as he glanced down the advertisement column, with his he', 'om the inside pocket of his greatcoat. as he glanced down the advertisement column, with his head th', 'e inside pocket of his greatcoat. as he glanced down the advertisement column, with his head thrust ', 'ide pocket of his greatcoat. as he glanced down the advertisement column, with his head thrust forwa', 'ocket of his greatcoat. as he glanced down the advertisement column, with his head thrust forward an', ' of his greatcoat. as he glanced down the advertisement column, with his head thrust forward and the', 'is greatcoat. as he glanced down the advertisement column, with his head thrust forward and the pape', 'eatcoat. as he glanced down the advertisement column, with his head thrust forward and the paper fla', 'at. as he glanced down the advertisement column, with his head thrust forward and the paper flattene', 's he glanced down the advertisement column, with his head thrust forward and the paper flattened out', 'glanced down the advertisement column, with his head thrust forward and the paper flattened out upon', 'ed down the advertisement column, with his head thrust forward and the paper flattened out upon his ', 'wn the advertisement column, with his head thrust forward and the paper flattened out upon his knee,', 'e advertisement column, with his head thrust forward and the paper flattened out upon his knee, i to', 'ertisement column, with his head thrust forward and the paper flattened out upon his knee, i took a ', 'ement column, with his head thrust forward and the paper flattened out upon his knee, i took a good ', ' column, with his head thrust forward and the paper flattened out upon his knee, i took a good look ', 'mn, with his head thrust forward and the paper flattened out upon his knee, i took a good look at th', 'ith his head thrust forward and the paper flattened out upon his knee, i took a good look at the man', 'is head thrust forward and the paper flattened out upon his knee, i took a good look at the man and ', 'ad thrust forward and the paper flattened out upon his knee, i took a good look at the man and endea', 'rust forward and the paper flattened out upon his knee, i took a good look at the man and endeavoure', 'forward and the paper flattened out upon his knee, i took a good look at the man and endeavoured, af', 'rd and the paper flattened out upon his knee, i took a good look at the man and endeavoured, after t', 'd the paper flattened out upon his knee, i took a good look at the man and endeavoured, after the fa', ' paper flattened out upon his knee, i took a good look at the man and endeavoured, after the fashion', 'r flattened out upon his knee, i took a good look at the man and endeavoured, after the fashion of m', 'ttened out upon his knee, i took a good look at the man and endeavoured, after the fashion of my com', 'd out upon his knee, i took a good look at the man and endeavoured, after the fashion of my companio', ' upon his knee, i took a good look at the man and endeavoured, after the fashion of my companion, to', ' his knee, i took a good look at the man and endeavoured, after the fashion of my companion, to read', 'knee, i took a good look at the man and endeavoured, after the fashion of my companion, to read the ', ' i took a good look at the man and endeavoured, after the fashion of my companion, to read the indic', 'ok a good look at the man and endeavoured, after the fashion of my companion, to read the indication', 'good look at the man and endeavoured, after the fashion of my companion, to read the indications whi', 'look at the man and endeavoured, after the fashion of my companion, to read the indications which mi', 'at the man and endeavoured, after the fashion of my companion, to read the indications which might b', 'e man and endeavoured, after the fashion of my companion, to read the indications which might be pre', ' and endeavoured, after the fashion of my companion, to read the indications which might be presente', 'endeavoured, after the fashion of my companion, to read the indications which might be presented by ', 'voured, after the fashion of my companion, to read the indications which might be presented by his d', 'd, after the fashion of my companion, to read the indications which might be presented by his dress ', 'ter the fashion of my companion, to read the indications which might be presented by his dress or ap', 'he fashion of my companion, to read the indications which might be presented by his dress or appeara', 'shion of my companion, to read the indications which might be presented by his dress or appearance. ', ' of my companion, to read the indications which might be presented by his dress or appearance. i did', 'y companion, to read the indications which might be presented by his dress or appearance. i did not ', 'panion, to read the indications which might be presented by his dress or appearance. i did not gain ', 'n, to read the indications which might be presented by his dress or appearance. i did not gain very ', ' read the indications which might be presented by his dress or appearance. i did not gain very much,', ' the indications which might be presented by his dress or appearance. i did not gain very much, howe', 'indications which might be presented by his dress or appearance. i did not gain very much, however, ', 'ations which might be presented by his dress or appearance. i did not gain very much, however, by my', 's which might be presented by his dress or appearance. i did not gain very much, however, by my insp', 'ch might be presented by his dress or appearance. i did not gain very much, however, by my inspectio', 'ght be presented by his dress or appearance. i did not gain very much, however, by my inspection. ou', 'e presented by his dress or appearance. i did not gain very much, however, by my inspection. our vis', 'sented by his dress or appearance. i did not gain very much, however, by my inspection. our visitor ', 'd by his dress or appearance. i did not gain very much, however, by my inspection. our visitor bore ', 'his dress or appearance. i did not gain very much, however, by my inspection. our visitor bore every', 'ress or appearance. i did not gain very much, however, by my inspection. our visitor bore every mark', 'or appearance. i did not gain very much, however, by my inspection. our visitor bore every mark of b', 'pearance. i did not gain very much, however, by my inspection. our visitor bore every mark of being ', 'nce. i did not gain very much, however, by my inspection. our visitor bore every mark of being an av', 'i did not gain very much, however, by my inspection. our visitor bore every mark of being an average', ' not gain very much, however, by my inspection. our visitor bore every mark of being an average comm', 'gain very much, however, by my inspection. our visitor bore every mark of being an average commonpla', 'very much, however, by my inspection. our visitor bore every mark of being an average commonplace br', 'much, however, by my inspection. our visitor bore every mark of being an average commonplace british', ' however, by my inspection. our visitor bore every mark of being an average commonplace british trad', 'ver, by my inspection. our visitor bore every mark of being an average commonplace british tradesman', 'by my inspection. our visitor bore every mark of being an average commonplace british tradesman, obe', ' inspection. our visitor bore every mark of being an average commonplace british tradesman, obese, p', 'ection. our visitor bore every mark of being an average commonplace british tradesman, obese, pompou', 'n. our visitor bore every mark of being an average commonplace british tradesman, obese, pompous, an', 'r visitor bore every mark of being an average commonplace british tradesman, obese, pompous, and slo', 'itor bore every mark of being an average commonplace british tradesman, obese, pompous, and slow. he', 'bore every mark of being an average commonplace british tradesman, obese, pompous, and slow. he wore', 'every mark of being an average commonplace british tradesman, obese, pompous, and slow. he wore rath', ' mark of being an average commonplace british tradesman, obese, pompous, and slow. he wore rather ba', ' of being an average commonplace british tradesman, obese, pompous, and slow. he wore rather baggy g', 'eing an average commonplace british tradesman, obese, pompous, and slow. he wore rather baggy grey s', 'an average commonplace british tradesman, obese, pompous, and slow. he wore rather baggy grey shephe', "erage commonplace british tradesman, obese, pompous, and slow. he wore rather baggy grey shepherd's ", " commonplace british tradesman, obese, pompous, and slow. he wore rather baggy grey shepherd's check", "onplace british tradesman, obese, pompous, and slow. he wore rather baggy grey shepherd's check trou", "ce british tradesman, obese, pompous, and slow. he wore rather baggy grey shepherd's check trousers,", "itish tradesman, obese, pompous, and slow. he wore rather baggy grey shepherd's check trousers, a no", " tradesman, obese, pompous, and slow. he wore rather baggy grey shepherd's check trousers, a not ove", "esman, obese, pompous, and slow. he wore rather baggy grey shepherd's check trousers, a not over-cle", ", obese, pompous, and slow. he wore rather baggy grey shepherd's check trousers, a not over-clean bl", "se, pompous, and slow. he wore rather baggy grey shepherd's check trousers, a not over-clean black f", "ompous, and slow. he wore rather baggy grey shepherd's check trousers, a not over-clean black frock-", "s, and slow. he wore rather baggy grey shepherd's check trousers, a not over-clean black frock-coat,", "d slow. he wore rather baggy grey shepherd's check trousers, a not over-clean black frock-coat, unbu", "w. he wore rather baggy grey shepherd's check trousers, a not over-clean black frock-coat, unbuttone", " wore rather baggy grey shepherd's check trousers, a not over-clean black frock-coat, unbuttoned in ", " rather baggy grey shepherd's check trousers, a not over-clean black frock-coat, unbuttoned in the f", "er baggy grey shepherd's check trousers, a not over-clean black frock-coat, unbuttoned in the front,", "ggy grey shepherd's check trousers, a not over-clean black frock-coat, unbuttoned in the front, and ", "rey shepherd's check trousers, a not over-clean black frock-coat, unbuttoned in the front, and a dra", "hepherd's check trousers, a not over-clean black frock-coat, unbuttoned in the front, and a drab wai", "rd's check trousers, a not over-clean black frock-coat, unbuttoned in the front, and a drab waistcoa", 'check trousers, a not over-clean black frock-coat, unbuttoned in the front, and a drab waistcoat wit', ' trousers, a not over-clean black frock-coat, unbuttoned in the front, and a drab waistcoat with a h', 'sers, a not over-clean black frock-coat, unbuttoned in the front, and a drab waistcoat with a heavy ', ' a not over-clean black frock-coat, unbuttoned in the front, and a drab waistcoat with a heavy brass', 't over-clean black frock-coat, unbuttoned in the front, and a drab waistcoat with a heavy brassy alb', 'r-clean black frock-coat, unbuttoned in the front, and a drab waistcoat with a heavy brassy albert c', 'an black frock-coat, unbuttoned in the front, and a drab waistcoat with a heavy brassy albert chain,', 'ack frock-coat, unbuttoned in the front, and a drab waistcoat with a heavy brassy albert chain, and ', 'rock-coat, unbuttoned in the front, and a drab waistcoat with a heavy brassy albert chain, and a squ', 'coat, unbuttoned in the front, and a drab waistcoat with a heavy brassy albert chain, and a square p', ' unbuttoned in the front, and a drab waistcoat with a heavy brassy albert chain, and a square pierce', 'ttoned in the front, and a drab waistcoat with a heavy brassy albert chain, and a square pierced bit', 'd in the front, and a drab waistcoat with a heavy brassy albert chain, and a square pierced bit of m', 'the front, and a drab waistcoat with a heavy brassy albert chain, and a square pierced bit of metal ', 'ront, and a drab waistcoat with a heavy brassy albert chain, and a square pierced bit of metal dangl', ' and a drab waistcoat with a heavy brassy albert chain, and a square pierced bit of metal dangling d', 'a drab waistcoat with a heavy brassy albert chain, and a square pierced bit of metal dangling down a', 'b waistcoat with a heavy brassy albert chain, and a square pierced bit of metal dangling down as an ', 'stcoat with a heavy brassy albert chain, and a square pierced bit of metal dangling down as an ornam', 't with a heavy brassy albert chain, and a square pierced bit of metal dangling down as an ornament. ', 'h a heavy brassy albert chain, and a square pierced bit of metal dangling down as an ornament. a fra', 'eavy brassy albert chain, and a square pierced bit of metal dangling down as an ornament. a frayed t', 'brassy albert chain, and a square pierced bit of metal dangling down as an ornament. a frayed top-ha', 'y albert chain, and a square pierced bit of metal dangling down as an ornament. a frayed top-hat and', 'ert chain, and a square pierced bit of metal dangling down as an ornament. a frayed top-hat and a fa', 'hain, and a square pierced bit of metal dangling down as an ornament. a frayed top-hat and a faded b', ' and a square pierced bit of metal dangling down as an ornament. a frayed top-hat and a faded brown ', 'a square pierced bit of metal dangling down as an ornament. a frayed top-hat and a faded brown overc', 'are pierced bit of metal dangling down as an ornament. a frayed top-hat and a faded brown overcoat w', 'ierced bit of metal dangling down as an ornament. a frayed top-hat and a faded brown overcoat with a', 'd bit of metal dangling down as an ornament. a frayed top-hat and a faded brown overcoat with a wrin', ' of metal dangling down as an ornament. a frayed top-hat and a faded brown overcoat with a wrinkled ', 'etal dangling down as an ornament. a frayed top-hat and a faded brown overcoat with a wrinkled velve', 'dangling down as an ornament. a frayed top-hat and a faded brown overcoat with a wrinkled velvet col', 'ing down as an ornament. a frayed top-hat and a faded brown overcoat with a wrinkled velvet collar l', 'own as an ornament. a frayed top-hat and a faded brown overcoat with a wrinkled velvet collar lay up', 's an ornament. a frayed top-hat and a faded brown overcoat with a wrinkled velvet collar lay upon a ', 'ornament. a frayed top-hat and a faded brown overcoat with a wrinkled velvet collar lay upon a chair', 'ent. a frayed top-hat and a faded brown overcoat with a wrinkled velvet collar lay upon a chair besi', 'a frayed top-hat and a faded brown overcoat with a wrinkled velvet collar lay upon a chair beside hi', 'yed top-hat and a faded brown overcoat with a wrinkled velvet collar lay upon a chair beside him. al', 'op-hat and a faded brown overcoat with a wrinkled velvet collar lay upon a chair beside him. altoget', 't and a faded brown overcoat with a wrinkled velvet collar lay upon a chair beside him. altogether, ', ' a faded brown overcoat with a wrinkled velvet collar lay upon a chair beside him. altogether, look ', 'ded brown overcoat with a wrinkled velvet collar lay upon a chair beside him. altogether, look as i ', 'rown overcoat with a wrinkled velvet collar lay upon a chair beside him. altogether, look as i would', 'overcoat with a wrinkled velvet collar lay upon a chair beside him. altogether, look as i would, the', 'oat with a wrinkled velvet collar lay upon a chair beside him. altogether, look as i would, there wa', 'ith a wrinkled velvet collar lay upon a chair beside him. altogether, look as i would, there was not', ' wrinkled velvet collar lay upon a chair beside him. altogether, look as i would, there was nothing ', 'kled velvet collar lay upon a chair beside him. altogether, look as i would, there was nothing remar', 'velvet collar lay upon a chair beside him. altogether, look as i would, there was nothing remarkable', 't collar lay upon a chair beside him. altogether, look as i would, there was nothing remarkable abou', 'lar lay upon a chair beside him. altogether, look as i would, there was nothing remarkable about the', 'ay upon a chair beside him. altogether, look as i would, there was nothing remarkable about the man ', 'on a chair beside him. altogether, look as i would, there was nothing remarkable about the man save ', 'chair beside him. altogether, look as i would, there was nothing remarkable about the man save his b', ' beside him. altogether, look as i would, there was nothing remarkable about the man save his blazin', 'de him. altogether, look as i would, there was nothing remarkable about the man save his blazing red', 'm. altogether, look as i would, there was nothing remarkable about the man save his blazing red head', 'together, look as i would, there was nothing remarkable about the man save his blazing red head, and', 'her, look as i would, there was nothing remarkable about the man save his blazing red head, and the ', 'look as i would, there was nothing remarkable about the man save his blazing red head, and the expre', 'as i would, there was nothing remarkable about the man save his blazing red head, and the expression', 'would, there was nothing remarkable about the man save his blazing red head, and the expression of e', ', there was nothing remarkable about the man save his blazing red head, and the expression of extrem', 're was nothing remarkable about the man save his blazing red head, and the expression of extreme cha', 's nothing remarkable about the man save his blazing red head, and the expression of extreme chagrin ', 'hing remarkable about the man save his blazing red head, and the expression of extreme chagrin and d', 'remarkable about the man save his blazing red head, and the expression of extreme chagrin and discon', 'kable about the man save his blazing red head, and the expression of extreme chagrin and discontent ', ' about the man save his blazing red head, and the expression of extreme chagrin and discontent upon ', 't the man save his blazing red head, and the expression of extreme chagrin and discontent upon his f', ' man save his blazing red head, and the expression of extreme chagrin and discontent upon his featur', 'save his blazing red head, and the expression of extreme chagrin and discontent upon his features. s', 'his blazing red head, and the expression of extreme chagrin and discontent upon his features. sherlo', 'lazing red head, and the expression of extreme chagrin and discontent upon his features. sherlock ho', "g red head, and the expression of extreme chagrin and discontent upon his features. sherlock holmes'", " head, and the expression of extreme chagrin and discontent upon his features. sherlock holmes' quic", ", and the expression of extreme chagrin and discontent upon his features. sherlock holmes' quick eye", " the expression of extreme chagrin and discontent upon his features. sherlock holmes' quick eye took", "expression of extreme chagrin and discontent upon his features. sherlock holmes' quick eye took in m", "ssion of extreme chagrin and discontent upon his features. sherlock holmes' quick eye took in my occ", " of extreme chagrin and discontent upon his features. sherlock holmes' quick eye took in my occupati", "xtreme chagrin and discontent upon his features. sherlock holmes' quick eye took in my occupation, a", "e chagrin and discontent upon his features. sherlock holmes' quick eye took in my occupation, and he", "grin and discontent upon his features. sherlock holmes' quick eye took in my occupation, and he shoo", "and discontent upon his features. sherlock holmes' quick eye took in my occupation, and he shook his", "iscontent upon his features. sherlock holmes' quick eye took in my occupation, and he shook his head", "tent upon his features. sherlock holmes' quick eye took in my occupation, and he shook his head with", "upon his features. sherlock holmes' quick eye took in my occupation, and he shook his head with a sm", "his features. sherlock holmes' quick eye took in my occupation, and he shook his head with a smile a", "eatures. sherlock holmes' quick eye took in my occupation, and he shook his head with a smile as he ", "es. sherlock holmes' quick eye took in my occupation, and he shook his head with a smile as he notic", "herlock holmes' quick eye took in my occupation, and he shook his head with a smile as he noticed my", "ck holmes' quick eye took in my occupation, and he shook his head with a smile as he noticed my ques", "lmes' quick eye took in my occupation, and he shook his head with a smile as he noticed my questioni", ' quick eye took in my occupation, and he shook his head with a smile as he noticed my questioning gl', 'k eye took in my occupation, and he shook his head with a smile as he noticed my questioning glances', ' took in my occupation, and he shook his head with a smile as he noticed my questioning glances. "be', ' in my occupation, and he shook his head with a smile as he noticed my questioning glances. "beyond ', 'y occupation, and he shook his head with a smile as he noticed my questioning glances. "beyond the o', 'upation, and he shook his head with a smile as he noticed my questioning glances. "beyond the obviou', 'on, and he shook his head with a smile as he noticed my questioning glances. "beyond the obvious fac', 'nd he shook his head with a smile as he noticed my questioning glances. "beyond the obvious facts th', ' shook his head with a smile as he noticed my questioning glances. "beyond the obvious facts that he', 'k his head with a smile as he noticed my questioning glances. "beyond the obvious facts that he has ', ' head with a smile as he noticed my questioning glances. "beyond the obvious facts that he has at so', ' with a smile as he noticed my questioning glances. "beyond the obvious facts that he has at some ti', ' a smile as he noticed my questioning glances. "beyond the obvious facts that he has at some time do', 'ile as he noticed my questioning glances. "beyond the obvious facts that he has at some time done ma', 's he noticed my questioning glances. "beyond the obvious facts that he has at some time done manual ', 'noticed my questioning glances. "beyond the obvious facts that he has at some time done manual labou', 'ed my questioning glances. "beyond the obvious facts that he has at some time done manual labour, th', ' questioning glances. "beyond the obvious facts that he has at some time done manual labour, that he', 'tioning glances. "beyond the obvious facts that he has at some time done manual labour, that he take', 'ng glances. "beyond the obvious facts that he has at some time done manual labour, that he takes snu', 'ances. "beyond the obvious facts that he has at some time done manual labour, that he takes snuff, t', '. "beyond the obvious facts that he has at some time done manual labour, that he takes snuff, that h', 'yond the obvious facts that he has at some time done manual labour, that he takes snuff, that he is ', 'the obvious facts that he has at some time done manual labour, that he takes snuff, that he is a fre', 'bvious facts that he has at some time done manual labour, that he takes snuff, that he is a freemaso', 's facts that he has at some time done manual labour, that he takes snuff, that he is a freemason, th', 'ts that he has at some time done manual labour, that he takes snuff, that he is a freemason, that he', 'at he has at some time done manual labour, that he takes snuff, that he is a freemason, that he has ', ' has at some time done manual labour, that he takes snuff, that he is a freemason, that he has been ', 'at some time done manual labour, that he takes snuff, that he is a freemason, that he has been in ch', 'me time done manual labour, that he takes snuff, that he is a freemason, that he has been in china, ', 'me done manual labour, that he takes snuff, that he is a freemason, that he has been in china, and t', 'ne manual labour, that he takes snuff, that he is a freemason, that he has been in china, and that h', 'nual labour, that he takes snuff, that he is a freemason, that he has been in china, and that he has', 'labour, that he takes snuff, that he is a freemason, that he has been in china, and that he has done', 'r, that he takes snuff, that he is a freemason, that he has been in china, and that he has done a co', 'at he takes snuff, that he is a freemason, that he has been in china, and that he has done a conside', ' takes snuff, that he is a freemason, that he has been in china, and that he has done a considerable', 's snuff, that he is a freemason, that he has been in china, and that he has done a considerable amou', 'ff, that he is a freemason, that he has been in china, and that he has done a considerable amount of', 'hat he is a freemason, that he has been in china, and that he has done a considerable amount of writ', 'e is a freemason, that he has been in china, and that he has done a considerable amount of writing l', 'a freemason, that he has been in china, and that he has done a considerable amount of writing lately', 'emason, that he has been in china, and that he has done a considerable amount of writing lately, i c', 'n, that he has been in china, and that he has done a considerable amount of writing lately, i can de', 'at he has been in china, and that he has done a considerable amount of writing lately, i can deduce ', ' has been in china, and that he has done a considerable amount of writing lately, i can deduce nothi', 'been in china, and that he has done a considerable amount of writing lately, i can deduce nothing el', 'in china, and that he has done a considerable amount of writing lately, i can deduce nothing else." ', 'ina, and that he has done a considerable amount of writing lately, i can deduce nothing else." mr. j', 'and that he has done a considerable amount of writing lately, i can deduce nothing else." mr. jabez ', 'hat he has done a considerable amount of writing lately, i can deduce nothing else." mr. jabez wilso', 'e has done a considerable amount of writing lately, i can deduce nothing else." mr. jabez wilson sta', ' done a considerable amount of writing lately, i can deduce nothing else." mr. jabez wilson started ', ' a considerable amount of writing lately, i can deduce nothing else." mr. jabez wilson started up in', 'nsiderable amount of writing lately, i can deduce nothing else." mr. jabez wilson started up in his ', 'rable amount of writing lately, i can deduce nothing else." mr. jabez wilson started up in his chair', ' amount of writing lately, i can deduce nothing else." mr. jabez wilson started up in his chair, wit', 'nt of writing lately, i can deduce nothing else." mr. jabez wilson started up in his chair, with his', ' writing lately, i can deduce nothing else." mr. jabez wilson started up in his chair, with his fore', 'ing lately, i can deduce nothing else." mr. jabez wilson started up in his chair, with his forefinge', 'ately, i can deduce nothing else." mr. jabez wilson started up in his chair, with his forefinger upo', ', i can deduce nothing else." mr. jabez wilson started up in his chair, with his forefinger upon the', 'an deduce nothing else." mr. jabez wilson started up in his chair, with his forefinger upon the pape', 'duce nothing else." mr. jabez wilson started up in his chair, with his forefinger upon the paper, bu', 'nothing else." mr. jabez wilson started up in his chair, with his forefinger upon the paper, but his', 'ng else." mr. jabez wilson started up in his chair, with his forefinger upon the paper, but his eyes', 'se." mr. jabez wilson started up in his chair, with his forefinger upon the paper, but his eyes upon', 'mr. jabez wilson started up in his chair, with his forefinger upon the paper, but his eyes upon my c', 'abez wilson started up in his chair, with his forefinger upon the paper, but his eyes upon my compan', 'wilson started up in his chair, with his forefinger upon the paper, but his eyes upon my companion. ', 'n started up in his chair, with his forefinger upon the paper, but his eyes upon my companion. "how,', 'rted up in his chair, with his forefinger upon the paper, but his eyes upon my companion. "how, in t', 'up in his chair, with his forefinger upon the paper, but his eyes upon my companion. "how, in the na', ' his chair, with his forefinger upon the paper, but his eyes upon my companion. "how, in the name of', 'chair, with his forefinger upon the paper, but his eyes upon my companion. "how, in the name of good', ', with his forefinger upon the paper, but his eyes upon my companion. "how, in the name of good-fort', 'h his forefinger upon the paper, but his eyes upon my companion. "how, in the name of good-fortune, ', ' forefinger upon the paper, but his eyes upon my companion. "how, in the name of good-fortune, did y', 'finger upon the paper, but his eyes upon my companion. "how, in the name of good-fortune, did you kn', 'r upon the paper, but his eyes upon my companion. "how, in the name of good-fortune, did you know al', 'n the paper, but his eyes upon my companion. "how, in the name of good-fortune, did you know all tha', ' paper, but his eyes upon my companion. "how, in the name of good-fortune, did you know all that, mr', 'r, but his eyes upon my companion. "how, in the name of good-fortune, did you know all that, mr. hol', 't his eyes upon my companion. "how, in the name of good-fortune, did you know all that, mr. holmes?"', ' eyes upon my companion. "how, in the name of good-fortune, did you know all that, mr. holmes?" he a', ' upon my companion. "how, in the name of good-fortune, did you know all that, mr. holmes?" he asked.', ' my companion. "how, in the name of good-fortune, did you know all that, mr. holmes?" he asked. "how', 'ompanion. "how, in the name of good-fortune, did you know all that, mr. holmes?" he asked. "how did ', 'ion. "how, in the name of good-fortune, did you know all that, mr. holmes?" he asked. "how did you k', '"how, in the name of good-fortune, did you know all that, mr. holmes?" he asked. "how did you know, ', ' in the name of good-fortune, did you know all that, mr. holmes?" he asked. "how did you know, for e', 'he name of good-fortune, did you know all that, mr. holmes?" he asked. "how did you know, for exampl', 'me of good-fortune, did you know all that, mr. holmes?" he asked. "how did you know, for example, th', ' good-fortune, did you know all that, mr. holmes?" he asked. "how did you know, for example, that i ', '-fortune, did you know all that, mr. holmes?" he asked. "how did you know, for example, that i did m', 'une, did you know all that, mr. holmes?" he asked. "how did you know, for example, that i did manual', 'did you know all that, mr. holmes?" he asked. "how did you know, for example, that i did manual labo', 'ou know all that, mr. holmes?" he asked. "how did you know, for example, that i did manual labour. i', 'ow all that, mr. holmes?" he asked. "how did you know, for example, that i did manual labour. it\'s a', 'l that, mr. holmes?" he asked. "how did you know, for example, that i did manual labour. it\'s as tru', 't, mr. holmes?" he asked. "how did you know, for example, that i did manual labour. it\'s as true as ', '. holmes?" he asked. "how did you know, for example, that i did manual labour. it\'s as true as gospe', 'mes?" he asked. "how did you know, for example, that i did manual labour. it\'s as true as gospel, fo', ' he asked. "how did you know, for example, that i did manual labour. it\'s as true as gospel, for i b', 'sked. "how did you know, for example, that i did manual labour. it\'s as true as gospel, for i began ', ' "how did you know, for example, that i did manual labour. it\'s as true as gospel, for i began as a ', " did you know, for example, that i did manual labour. it's as true as gospel, for i began as a ship'", "you know, for example, that i did manual labour. it's as true as gospel, for i began as a ship's car", "now, for example, that i did manual labour. it's as true as gospel, for i began as a ship's carpente", 'for example, that i did manual labour. it\'s as true as gospel, for i began as a ship\'s carpenter." "', 'xample, that i did manual labour. it\'s as true as gospel, for i began as a ship\'s carpenter." "your ', 'e, that i did manual labour. it\'s as true as gospel, for i began as a ship\'s carpenter." "your hands', 'at i did manual labour. it\'s as true as gospel, for i began as a ship\'s carpenter." "your hands, my ', 'did manual labour. it\'s as true as gospel, for i began as a ship\'s carpenter." "your hands, my dear ', 'anual labour. it\'s as true as gospel, for i began as a ship\'s carpenter." "your hands, my dear sir. ', ' labour. it\'s as true as gospel, for i began as a ship\'s carpenter." "your hands, my dear sir. your ', 'ur. it\'s as true as gospel, for i began as a ship\'s carpenter." "your hands, my dear sir. your right', 't\'s as true as gospel, for i began as a ship\'s carpenter." "your hands, my dear sir. your right hand', 's true as gospel, for i began as a ship\'s carpenter." "your hands, my dear sir. your right hand is q', 'e as gospel, for i began as a ship\'s carpenter." "your hands, my dear sir. your right hand is quite ', 'gospel, for i began as a ship\'s carpenter." "your hands, my dear sir. your right hand is quite a siz', 'l, for i began as a ship\'s carpenter." "your hands, my dear sir. your right hand is quite a size lar', 'r i began as a ship\'s carpenter." "your hands, my dear sir. your right hand is quite a size larger t', 'egan as a ship\'s carpenter." "your hands, my dear sir. your right hand is quite a size larger than y', 'as a ship\'s carpenter." "your hands, my dear sir. your right hand is quite a size larger than your l', 'ship\'s carpenter." "your hands, my dear sir. your right hand is quite a size larger than your left. ', 's carpenter." "your hands, my dear sir. your right hand is quite a size larger than your left. you h', 'penter." "your hands, my dear sir. your right hand is quite a size larger than your left. you have w', 'r." "your hands, my dear sir. your right hand is quite a size larger than your left. you have worked', 'your hands, my dear sir. your right hand is quite a size larger than your left. you have worked with', 'hands, my dear sir. your right hand is quite a size larger than your left. you have worked with it, ', ', my dear sir. your right hand is quite a size larger than your left. you have worked with it, and t', 'dear sir. your right hand is quite a size larger than your left. you have worked with it, and the mu', 'sir. your right hand is quite a size larger than your left. you have worked with it, and the muscles', 'your right hand is quite a size larger than your left. you have worked with it, and the muscles are ', 'right hand is quite a size larger than your left. you have worked with it, and the muscles are more ', ' hand is quite a size larger than your left. you have worked with it, and the muscles are more devel', ' is quite a size larger than your left. you have worked with it, and the muscles are more developed.', 'uite a size larger than your left. you have worked with it, and the muscles are more developed." "we', 'a size larger than your left. you have worked with it, and the muscles are more developed." "well, t', 'e larger than your left. you have worked with it, and the muscles are more developed." "well, the sn', 'ger than your left. you have worked with it, and the muscles are more developed." "well, the snuff, ', 'han your left. you have worked with it, and the muscles are more developed." "well, the snuff, then,', 'our left. you have worked with it, and the muscles are more developed." "well, the snuff, then, and ', 'eft. you have worked with it, and the muscles are more developed." "well, the snuff, then, and the f', 'you have worked with it, and the muscles are more developed." "well, the snuff, then, and the freema', 'ave worked with it, and the muscles are more developed." "well, the snuff, then, and the freemasonry', 'orked with it, and the muscles are more developed." "well, the snuff, then, and the freemasonry?" "i', ' with it, and the muscles are more developed." "well, the snuff, then, and the freemasonry?" "i won\'', ' it, and the muscles are more developed." "well, the snuff, then, and the freemasonry?" "i won\'t ins', 'and the muscles are more developed." "well, the snuff, then, and the freemasonry?" "i won\'t insult y', 'he muscles are more developed." "well, the snuff, then, and the freemasonry?" "i won\'t insult your i', 'scles are more developed." "well, the snuff, then, and the freemasonry?" "i won\'t insult your intell', ' are more developed." "well, the snuff, then, and the freemasonry?" "i won\'t insult your intelligenc', 'more developed." "well, the snuff, then, and the freemasonry?" "i won\'t insult your intelligence by ', 'developed." "well, the snuff, then, and the freemasonry?" "i won\'t insult your intelligence by telli', 'oped." "well, the snuff, then, and the freemasonry?" "i won\'t insult your intelligence by telling yo', '" "well, the snuff, then, and the freemasonry?" "i won\'t insult your intelligence by telling you how', 'll, the snuff, then, and the freemasonry?" "i won\'t insult your intelligence by telling you how i re', 'he snuff, then, and the freemasonry?" "i won\'t insult your intelligence by telling you how i read th', 'uff, then, and the freemasonry?" "i won\'t insult your intelligence by telling you how i read that, e', 'then, and the freemasonry?" "i won\'t insult your intelligence by telling you how i read that, especi', ' and the freemasonry?" "i won\'t insult your intelligence by telling you how i read that, especially ', 'the freemasonry?" "i won\'t insult your intelligence by telling you how i read that, especially as, r', 'reemasonry?" "i won\'t insult your intelligence by telling you how i read that, especially as, rather', 'sonry?" "i won\'t insult your intelligence by telling you how i read that, especially as, rather agai', '?" "i won\'t insult your intelligence by telling you how i read that, especially as, rather against t', " won't insult your intelligence by telling you how i read that, especially as, rather against the st", 't insult your intelligence by telling you how i read that, especially as, rather against the strict ', 'ult your intelligence by telling you how i read that, especially as, rather against the strict rules', 'our intelligence by telling you how i read that, especially as, rather against the strict rules of y', 'ntelligence by telling you how i read that, especially as, rather against the strict rules of your o', 'igence by telling you how i read that, especially as, rather against the strict rules of your order,', 'e by telling you how i read that, especially as, rather against the strict rules of your order, you ', 'telling you how i read that, especially as, rather against the strict rules of your order, you use a', 'ng you how i read that, especially as, rather against the strict rules of your order, you use an arc', 'u how i read that, especially as, rather against the strict rules of your order, you use an arc-and-', ' i read that, especially as, rather against the strict rules of your order, you use an arc-and-compa', 'ad that, especially as, rather against the strict rules of your order, you use an arc-and-compass br', 'at, especially as, rather against the strict rules of your order, you use an arc-and-compass breastp', 'specially as, rather against the strict rules of your order, you use an arc-and-compass breastpin." ', 'ally as, rather against the strict rules of your order, you use an arc-and-compass breastpin." "ah, ', 'as, rather against the strict rules of your order, you use an arc-and-compass breastpin." "ah, of co', 'ather against the strict rules of your order, you use an arc-and-compass breastpin." "ah, of course,', ' against the strict rules of your order, you use an arc-and-compass breastpin." "ah, of course, i fo', 'nst the strict rules of your order, you use an arc-and-compass breastpin." "ah, of course, i forgot ', 'he strict rules of your order, you use an arc-and-compass breastpin." "ah, of course, i forgot that.', 'rict rules of your order, you use an arc-and-compass breastpin." "ah, of course, i forgot that. but ', 'rules of your order, you use an arc-and-compass breastpin." "ah, of course, i forgot that. but the w', ' of your order, you use an arc-and-compass breastpin." "ah, of course, i forgot that. but the writin', 'our order, you use an arc-and-compass breastpin." "ah, of course, i forgot that. but the writing?" "', 'rder, you use an arc-and-compass breastpin." "ah, of course, i forgot that. but the writing?" "what ', ' you use an arc-and-compass breastpin." "ah, of course, i forgot that. but the writing?" "what else ', 'use an arc-and-compass breastpin." "ah, of course, i forgot that. but the writing?" "what else can b', 'n arc-and-compass breastpin." "ah, of course, i forgot that. but the writing?" "what else can be ind', '-and-compass breastpin." "ah, of course, i forgot that. but the writing?" "what else can be indicate', 'compass breastpin." "ah, of course, i forgot that. but the writing?" "what else can be indicated by ', 'ss breastpin." "ah, of course, i forgot that. but the writing?" "what else can be indicated by that ', 'eastpin." "ah, of course, i forgot that. but the writing?" "what else can be indicated by that right', 'in." "ah, of course, i forgot that. but the writing?" "what else can be indicated by that right cuff', '"ah, of course, i forgot that. but the writing?" "what else can be indicated by that right cuff so v', 'of course, i forgot that. but the writing?" "what else can be indicated by that right cuff so very s', 'urse, i forgot that. but the writing?" "what else can be indicated by that right cuff so very shiny ', ' i forgot that. but the writing?" "what else can be indicated by that right cuff so very shiny for f', 'rgot that. but the writing?" "what else can be indicated by that right cuff so very shiny for five i', 'that. but the writing?" "what else can be indicated by that right cuff so very shiny for five inches', ' but the writing?" "what else can be indicated by that right cuff so very shiny for five inches, and', 'the writing?" "what else can be indicated by that right cuff so very shiny for five inches, and the ', 'riting?" "what else can be indicated by that right cuff so very shiny for five inches, and the left ', 'g?" "what else can be indicated by that right cuff so very shiny for five inches, and the left one w', 'what else can be indicated by that right cuff so very shiny for five inches, and the left one with t', 'else can be indicated by that right cuff so very shiny for five inches, and the left one with the sm', 'can be indicated by that right cuff so very shiny for five inches, and the left one with the smooth ', 'e indicated by that right cuff so very shiny for five inches, and the left one with the smooth patch', 'icated by that right cuff so very shiny for five inches, and the left one with the smooth patch near', 'd by that right cuff so very shiny for five inches, and the left one with the smooth patch near the ', 'that right cuff so very shiny for five inches, and the left one with the smooth patch near the elbow', 'right cuff so very shiny for five inches, and the left one with the smooth patch near the elbow wher', ' cuff so very shiny for five inches, and the left one with the smooth patch near the elbow where you', ' so very shiny for five inches, and the left one with the smooth patch near the elbow where you rest', 'ery shiny for five inches, and the left one with the smooth patch near the elbow where you rest it u', 'hiny for five inches, and the left one with the smooth patch near the elbow where you rest it upon t', 'for five inches, and the left one with the smooth patch near the elbow where you rest it upon the de', 'ive inches, and the left one with the smooth patch near the elbow where you rest it upon the desk?" ', 'nches, and the left one with the smooth patch near the elbow where you rest it upon the desk?" "well', ', and the left one with the smooth patch near the elbow where you rest it upon the desk?" "well, but', ' the left one with the smooth patch near the elbow where you rest it upon the desk?" "well, but chin', 'left one with the smooth patch near the elbow where you rest it upon the desk?" "well, but china?" "', 'one with the smooth patch near the elbow where you rest it upon the desk?" "well, but china?" "the f', 'ith the smooth patch near the elbow where you rest it upon the desk?" "well, but china?" "the fish t', 'he smooth patch near the elbow where you rest it upon the desk?" "well, but china?" "the fish that y', 'ooth patch near the elbow where you rest it upon the desk?" "well, but china?" "the fish that you ha', 'patch near the elbow where you rest it upon the desk?" "well, but china?" "the fish that you have ta', ' near the elbow where you rest it upon the desk?" "well, but china?" "the fish that you have tattooe', ' the elbow where you rest it upon the desk?" "well, but china?" "the fish that you have tattooed imm', 'elbow where you rest it upon the desk?" "well, but china?" "the fish that you have tattooed immediat', ' where you rest it upon the desk?" "well, but china?" "the fish that you have tattooed immediately a', 'e you rest it upon the desk?" "well, but china?" "the fish that you have tattooed immediately above ', ' rest it upon the desk?" "well, but china?" "the fish that you have tattooed immediately above your ', ' it upon the desk?" "well, but china?" "the fish that you have tattooed immediately above your right', 'pon the desk?" "well, but china?" "the fish that you have tattooed immediately above your right wris', 'he desk?" "well, but china?" "the fish that you have tattooed immediately above your right wrist cou', 'sk?" "well, but china?" "the fish that you have tattooed immediately above your right wrist could on', '"well, but china?" "the fish that you have tattooed immediately above your right wrist could only ha', ', but china?" "the fish that you have tattooed immediately above your right wrist could only have be', ' china?" "the fish that you have tattooed immediately above your right wrist could only have been do', 'a?" "the fish that you have tattooed immediately above your right wrist could only have been done in', 'the fish that you have tattooed immediately above your right wrist could only have been done in chin', 'ish that you have tattooed immediately above your right wrist could only have been done in china. i ', 'hat you have tattooed immediately above your right wrist could only have been done in china. i have ', 'ou have tattooed immediately above your right wrist could only have been done in china. i have made ', 've tattooed immediately above your right wrist could only have been done in china. i have made a sma', 'ttooed immediately above your right wrist could only have been done in china. i have made a small st', 'd immediately above your right wrist could only have been done in china. i have made a small study o', 'ediately above your right wrist could only have been done in china. i have made a small study of tat', 'ely above your right wrist could only have been done in china. i have made a small study of tattoo m', 'bove your right wrist could only have been done in china. i have made a small study of tattoo marks ', 'your right wrist could only have been done in china. i have made a small study of tattoo marks and h', 'right wrist could only have been done in china. i have made a small study of tattoo marks and have e', ' wrist could only have been done in china. i have made a small study of tattoo marks and have even c', 't could only have been done in china. i have made a small study of tattoo marks and have even contri', 'ld only have been done in china. i have made a small study of tattoo marks and have even contributed', 'ly have been done in china. i have made a small study of tattoo marks and have even contributed to t', 've been done in china. i have made a small study of tattoo marks and have even contributed to the li', 'en done in china. i have made a small study of tattoo marks and have even contributed to the literat', 'ne in china. i have made a small study of tattoo marks and have even contributed to the literature o', ' china. i have made a small study of tattoo marks and have even contributed to the literature of the', 'a. i have made a small study of tattoo marks and have even contributed to the literature of the subj', 'have made a small study of tattoo marks and have even contributed to the literature of the subject. ', 'made a small study of tattoo marks and have even contributed to the literature of the subject. that ', 'a small study of tattoo marks and have even contributed to the literature of the subject. that trick', 'll study of tattoo marks and have even contributed to the literature of the subject. that trick of s', 'udy of tattoo marks and have even contributed to the literature of the subject. that trick of staini', 'f tattoo marks and have even contributed to the literature of the subject. that trick of staining th', 'too marks and have even contributed to the literature of the subject. that trick of staining the fis', "arks and have even contributed to the literature of the subject. that trick of staining the fishes' ", "and have even contributed to the literature of the subject. that trick of staining the fishes' scale", "ave even contributed to the literature of the subject. that trick of staining the fishes' scales of ", "ven contributed to the literature of the subject. that trick of staining the fishes' scales of a del", "ontributed to the literature of the subject. that trick of staining the fishes' scales of a delicate", "buted to the literature of the subject. that trick of staining the fishes' scales of a delicate pink", " to the literature of the subject. that trick of staining the fishes' scales of a delicate pink is q", "he literature of the subject. that trick of staining the fishes' scales of a delicate pink is quite ", "terature of the subject. that trick of staining the fishes' scales of a delicate pink is quite pecul", "ure of the subject. that trick of staining the fishes' scales of a delicate pink is quite peculiar t", "f the subject. that trick of staining the fishes' scales of a delicate pink is quite peculiar to chi", " subject. that trick of staining the fishes' scales of a delicate pink is quite peculiar to china. w", "ect. that trick of staining the fishes' scales of a delicate pink is quite peculiar to china. when, ", "that trick of staining the fishes' scales of a delicate pink is quite peculiar to china. when, in ad", "trick of staining the fishes' scales of a delicate pink is quite peculiar to china. when, in additio", " of staining the fishes' scales of a delicate pink is quite peculiar to china. when, in addition, i ", "taining the fishes' scales of a delicate pink is quite peculiar to china. when, in addition, i see a", "ng the fishes' scales of a delicate pink is quite peculiar to china. when, in addition, i see a chin", "e fishes' scales of a delicate pink is quite peculiar to china. when, in addition, i see a chinese c", "hes' scales of a delicate pink is quite peculiar to china. when, in addition, i see a chinese coin h", 'scales of a delicate pink is quite peculiar to china. when, in addition, i see a chinese coin hangin', 's of a delicate pink is quite peculiar to china. when, in addition, i see a chinese coin hanging fro', 'a delicate pink is quite peculiar to china. when, in addition, i see a chinese coin hanging from you', 'icate pink is quite peculiar to china. when, in addition, i see a chinese coin hanging from your wat', ' pink is quite peculiar to china. when, in addition, i see a chinese coin hanging from your watch-ch', ' is quite peculiar to china. when, in addition, i see a chinese coin hanging from your watch-chain, ', 'uite peculiar to china. when, in addition, i see a chinese coin hanging from your watch-chain, the m', 'peculiar to china. when, in addition, i see a chinese coin hanging from your watch-chain, the matter', 'iar to china. when, in addition, i see a chinese coin hanging from your watch-chain, the matter beco', 'o china. when, in addition, i see a chinese coin hanging from your watch-chain, the matter becomes e', 'na. when, in addition, i see a chinese coin hanging from your watch-chain, the matter becomes even m', 'hen, in addition, i see a chinese coin hanging from your watch-chain, the matter becomes even more s', 'in addition, i see a chinese coin hanging from your watch-chain, the matter becomes even more simple', 'dition, i see a chinese coin hanging from your watch-chain, the matter becomes even more simple." mr', 'n, i see a chinese coin hanging from your watch-chain, the matter becomes even more simple." mr. jab', 'see a chinese coin hanging from your watch-chain, the matter becomes even more simple." mr. jabez wi', ' chinese coin hanging from your watch-chain, the matter becomes even more simple." mr. jabez wilson ', 'ese coin hanging from your watch-chain, the matter becomes even more simple." mr. jabez wilson laugh', 'oin hanging from your watch-chain, the matter becomes even more simple." mr. jabez wilson laughed he', 'anging from your watch-chain, the matter becomes even more simple." mr. jabez wilson laughed heavily', 'g from your watch-chain, the matter becomes even more simple." mr. jabez wilson laughed heavily. "we', 'm your watch-chain, the matter becomes even more simple." mr. jabez wilson laughed heavily. "well, i', 'r watch-chain, the matter becomes even more simple." mr. jabez wilson laughed heavily. "well, i neve', 'ch-chain, the matter becomes even more simple." mr. jabez wilson laughed heavily. "well, i never sai', 'ain, the matter becomes even more simple." mr. jabez wilson laughed heavily. "well, i never said he.', 'the matter becomes even more simple." mr. jabez wilson laughed heavily. "well, i never said he. "i t', 'atter becomes even more simple." mr. jabez wilson laughed heavily. "well, i never said he. "i though', ' becomes even more simple." mr. jabez wilson laughed heavily. "well, i never said he. "i thought at ', 'mes even more simple." mr. jabez wilson laughed heavily. "well, i never said he. "i thought at first', 'ven more simple." mr. jabez wilson laughed heavily. "well, i never said he. "i thought at first that', 'ore simple." mr. jabez wilson laughed heavily. "well, i never said he. "i thought at first that you ', 'imple." mr. jabez wilson laughed heavily. "well, i never said he. "i thought at first that you had d', '." mr. jabez wilson laughed heavily. "well, i never said he. "i thought at first that you had done s', '. jabez wilson laughed heavily. "well, i never said he. "i thought at first that you had done someth', 'ez wilson laughed heavily. "well, i never said he. "i thought at first that you had done something c', 'lson laughed heavily. "well, i never said he. "i thought at first that you had done something clever', 'laughed heavily. "well, i never said he. "i thought at first that you had done something clever, but', 'ed heavily. "well, i never said he. "i thought at first that you had done something clever, but i se', 'avily. "well, i never said he. "i thought at first that you had done something clever, but i see tha', '. "well, i never said he. "i thought at first that you had done something clever, but i see that the', 'll, i never said he. "i thought at first that you had done something clever, but i see that there wa', ' never said he. "i thought at first that you had done something clever, but i see that there was not', 'r said he. "i thought at first that you had done something clever, but i see that there was nothing ', 'd he. "i thought at first that you had done something clever, but i see that there was nothing in it', ' "i thought at first that you had done something clever, but i see that there was nothing in it, aft', 'hought at first that you had done something clever, but i see that there was nothing in it, after al', 't at first that you had done something clever, but i see that there was nothing in it, after all." "', 'first that you had done something clever, but i see that there was nothing in it, after all." "i beg', ' that you had done something clever, but i see that there was nothing in it, after all." "i begin to', ' you had done something clever, but i see that there was nothing in it, after all." "i begin to thin', 'had done something clever, but i see that there was nothing in it, after all." "i begin to think, wa', 'one something clever, but i see that there was nothing in it, after all." "i begin to think, watson,', 'omething clever, but i see that there was nothing in it, after all." "i begin to think, watson," sai', 'ing clever, but i see that there was nothing in it, after all." "i begin to think, watson," said hol', 'lever, but i see that there was nothing in it, after all." "i begin to think, watson," said holmes, ', ', but i see that there was nothing in it, after all." "i begin to think, watson," said holmes, "that', ' i see that there was nothing in it, after all." "i begin to think, watson," said holmes, "that i ma', 'e that there was nothing in it, after all." "i begin to think, watson," said holmes, "that i make a ', 't there was nothing in it, after all." "i begin to think, watson," said holmes, "that i make a mista', 're was nothing in it, after all." "i begin to think, watson," said holmes, "that i make a mistake in', 's nothing in it, after all." "i begin to think, watson," said holmes, "that i make a mistake in expl', 'hing in it, after all." "i begin to think, watson," said holmes, "that i make a mistake in explainin', 'in it, after all." "i begin to think, watson," said holmes, "that i make a mistake in explaining. \'o', ', after all." "i begin to think, watson," said holmes, "that i make a mistake in explaining. \'omne i', 'er all." "i begin to think, watson," said holmes, "that i make a mistake in explaining. \'omne ignotu', 'l." "i begin to think, watson," said holmes, "that i make a mistake in explaining. \'omne ignotum pro', 'i begin to think, watson," said holmes, "that i make a mistake in explaining. \'omne ignotum pro magn', 'in to think, watson," said holmes, "that i make a mistake in explaining. \'omne ignotum pro magnifico', ' think, watson," said holmes, "that i make a mistake in explaining. \'omne ignotum pro magnifico,\' yo', 'k, watson," said holmes, "that i make a mistake in explaining. \'omne ignotum pro magnifico,\' you kno', 'tson," said holmes, "that i make a mistake in explaining. \'omne ignotum pro magnifico,\' you know, an', '" said holmes, "that i make a mistake in explaining. \'omne ignotum pro magnifico,\' you know, and my ', 'd holmes, "that i make a mistake in explaining. \'omne ignotum pro magnifico,\' you know, and my poor ', 'mes, "that i make a mistake in explaining. \'omne ignotum pro magnifico,\' you know, and my poor littl', '"that i make a mistake in explaining. \'omne ignotum pro magnifico,\' you know, and my poor little rep', " i make a mistake in explaining. 'omne ignotum pro magnifico,' you know, and my poor little reputati", "ke a mistake in explaining. 'omne ignotum pro magnifico,' you know, and my poor little reputation, s", "mistake in explaining. 'omne ignotum pro magnifico,' you know, and my poor little reputation, such a", "ke in explaining. 'omne ignotum pro magnifico,' you know, and my poor little reputation, such as it ", " explaining. 'omne ignotum pro magnifico,' you know, and my poor little reputation, such as it is, w", "aining. 'omne ignotum pro magnifico,' you know, and my poor little reputation, such as it is, will s", "g. 'omne ignotum pro magnifico,' you know, and my poor little reputation, such as it is, will suffer", "mne ignotum pro magnifico,' you know, and my poor little reputation, such as it is, will suffer ship", "gnotum pro magnifico,' you know, and my poor little reputation, such as it is, will suffer shipwreck", "m pro magnifico,' you know, and my poor little reputation, such as it is, will suffer shipwreck if i", " magnifico,' you know, and my poor little reputation, such as it is, will suffer shipwreck if i am s", "ifico,' you know, and my poor little reputation, such as it is, will suffer shipwreck if i am so can", ",' you know, and my poor little reputation, such as it is, will suffer shipwreck if i am so candid. ", 'u know, and my poor little reputation, such as it is, will suffer shipwreck if i am so candid. can y', 'w, and my poor little reputation, such as it is, will suffer shipwreck if i am so candid. can you no', 'd my poor little reputation, such as it is, will suffer shipwreck if i am so candid. can you not fin', 'poor little reputation, such as it is, will suffer shipwreck if i am so candid. can you not find the', 'little reputation, such as it is, will suffer shipwreck if i am so candid. can you not find the adve', 'e reputation, such as it is, will suffer shipwreck if i am so candid. can you not find the advertise', 'utation, such as it is, will suffer shipwreck if i am so candid. can you not find the advertisement,', 'on, such as it is, will suffer shipwreck if i am so candid. can you not find the advertisement, mr. ', 'uch as it is, will suffer shipwreck if i am so candid. can you not find the advertisement, mr. wilso', 's it is, will suffer shipwreck if i am so candid. can you not find the advertisement, mr. wilson?" "', 'is, will suffer shipwreck if i am so candid. can you not find the advertisement, mr. wilson?" "yes, ', 'ill suffer shipwreck if i am so candid. can you not find the advertisement, mr. wilson?" "yes, i hav', 'uffer shipwreck if i am so candid. can you not find the advertisement, mr. wilson?" "yes, i have got', ' shipwreck if i am so candid. can you not find the advertisement, mr. wilson?" "yes, i have got it n', 'wreck if i am so candid. can you not find the advertisement, mr. wilson?" "yes, i have got it now," ', ' if i am so candid. can you not find the advertisement, mr. wilson?" "yes, i have got it now," he an', ' am so candid. can you not find the advertisement, mr. wilson?" "yes, i have got it now," he answere', 'o candid. can you not find the advertisement, mr. wilson?" "yes, i have got it now," he answered wit', 'did. can you not find the advertisement, mr. wilson?" "yes, i have got it now," he answered with his', 'can you not find the advertisement, mr. wilson?" "yes, i have got it now," he answered with his thic', 'ou not find the advertisement, mr. wilson?" "yes, i have got it now," he answered with his thick red', 't find the advertisement, mr. wilson?" "yes, i have got it now," he answered with his thick red fing', 'd the advertisement, mr. wilson?" "yes, i have got it now," he answered with his thick red finger pl', ' advertisement, mr. wilson?" "yes, i have got it now," he answered with his thick red finger planted', 'rtisement, mr. wilson?" "yes, i have got it now," he answered with his thick red finger planted half', 'ment, mr. wilson?" "yes, i have got it now," he answered with his thick red finger planted halfway d', ' mr. wilson?" "yes, i have got it now," he answered with his thick red finger planted halfway down t', 'wilson?" "yes, i have got it now," he answered with his thick red finger planted halfway down the co', 'n?" "yes, i have got it now," he answered with his thick red finger planted halfway down the column.', 'yes, i have got it now," he answered with his thick red finger planted halfway down the column. "her', 'i have got it now," he answered with his thick red finger planted halfway down the column. "here it ', 'e got it now," he answered with his thick red finger planted halfway down the column. "here it is. t', ' it now," he answered with his thick red finger planted halfway down the column. "here it is. this i', 'ow," he answered with his thick red finger planted halfway down the column. "here it is. this is wha', 'he answered with his thick red finger planted halfway down the column. "here it is. this is what beg', 'swered with his thick red finger planted halfway down the column. "here it is. this is what began it', 'd with his thick red finger planted halfway down the column. "here it is. this is what began it all.', 'h his thick red finger planted halfway down the column. "here it is. this is what began it all. you ', ' thick red finger planted halfway down the column. "here it is. this is what began it all. you just ', 'k red finger planted halfway down the column. "here it is. this is what began it all. you just read ', ' finger planted halfway down the column. "here it is. this is what began it all. you just read it fo', 'er planted halfway down the column. "here it is. this is what began it all. you just read it for you', 'anted halfway down the column. "here it is. this is what began it all. you just read it for yourself', ' halfway down the column. "here it is. this is what began it all. you just read it for yourself, sir', 'way down the column. "here it is. this is what began it all. you just read it for yourself, sir." i ', 'own the column. "here it is. this is what began it all. you just read it for yourself, sir." i took ', 'he column. "here it is. this is what began it all. you just read it for yourself, sir." i took the p', 'lumn. "here it is. this is what began it all. you just read it for yourself, sir." i took the paper ', ' "here it is. this is what began it all. you just read it for yourself, sir." i took the paper from ', 'e it is. this is what began it all. you just read it for yourself, sir." i took the paper from him a', 'is. this is what began it all. you just read it for yourself, sir." i took the paper from him and re', 'his is what began it all. you just read it for yourself, sir." i took the paper from him and read as', 's what began it all. you just read it for yourself, sir." i took the paper from him and read as foll', 't began it all. you just read it for yourself, sir." i took the paper from him and read as follows: ', 'an it all. you just read it for yourself, sir." i took the paper from him and read as follows: "to t', ' all. you just read it for yourself, sir." i took the paper from him and read as follows: "to the re', ' you just read it for yourself, sir." i took the paper from him and read as follows: "to the red-hea', 'just read it for yourself, sir." i took the paper from him and read as follows: "to the red-headed l', 'read it for yourself, sir." i took the paper from him and read as follows: "to the red-headed league', 'it for yourself, sir." i took the paper from him and read as follows: "to the red-headed league: on ', 'r yourself, sir." i took the paper from him and read as follows: "to the red-headed league: on accou', 'rself, sir." i took the paper from him and read as follows: "to the red-headed league: on account of', ', sir." i took the paper from him and read as follows: "to the red-headed league: on account of the ', '." i took the paper from him and read as follows: "to the red-headed league: on account of the beque', 'took the paper from him and read as follows: "to the red-headed league: on account of the bequest of', 'the paper from him and read as follows: "to the red-headed league: on account of the bequest of the ', 'aper from him and read as follows: "to the red-headed league: on account of the bequest of the late ', 'from him and read as follows: "to the red-headed league: on account of the bequest of the late ezeki', 'him and read as follows: "to the red-headed league: on account of the bequest of the late ezekiah ho', 'nd read as follows: "to the red-headed league: on account of the bequest of the late ezekiah hopkins', 'ad as follows: "to the red-headed league: on account of the bequest of the late ezekiah hopkins, of ', ' follows: "to the red-headed league: on account of the bequest of the late ezekiah hopkins, of leban', 'ows: "to the red-headed league: on account of the bequest of the late ezekiah hopkins, of lebanon, p', '"to the red-headed league: on account of the bequest of the late ezekiah hopkins, of lebanon, pennsy', 'he red-headed league: on account of the bequest of the late ezekiah hopkins, of lebanon, pennsylvani', 'd-headed league: on account of the bequest of the late ezekiah hopkins, of lebanon, pennsylvania, u.', 'ded league: on account of the bequest of the late ezekiah hopkins, of lebanon, pennsylvania, u. s. a', 'eague: on account of the bequest of the late ezekiah hopkins, of lebanon, pennsylvania, u. s. a., th', ': on account of the bequest of the late ezekiah hopkins, of lebanon, pennsylvania, u. s. a., there i', 'account of the bequest of the late ezekiah hopkins, of lebanon, pennsylvania, u. s. a., there is now', 'nt of the bequest of the late ezekiah hopkins, of lebanon, pennsylvania, u. s. a., there is now anot', ' the bequest of the late ezekiah hopkins, of lebanon, pennsylvania, u. s. a., there is now another v', 'bequest of the late ezekiah hopkins, of lebanon, pennsylvania, u. s. a., there is now another vacanc', 'st of the late ezekiah hopkins, of lebanon, pennsylvania, u. s. a., there is now another vacancy ope', ' the late ezekiah hopkins, of lebanon, pennsylvania, u. s. a., there is now another vacancy open whi', 'late ezekiah hopkins, of lebanon, pennsylvania, u. s. a., there is now another vacancy open which en', 'ezekiah hopkins, of lebanon, pennsylvania, u. s. a., there is now another vacancy open which entitle', 'ah hopkins, of lebanon, pennsylvania, u. s. a., there is now another vacancy open which entitles a m', 'pkins, of lebanon, pennsylvania, u. s. a., there is now another vacancy open which entitles a member', ', of lebanon, pennsylvania, u. s. a., there is now another vacancy open which entitles a member of t', 'lebanon, pennsylvania, u. s. a., there is now another vacancy open which entitles a member of the le', 'on, pennsylvania, u. s. a., there is now another vacancy open which entitles a member of the league ', 'ennsylvania, u. s. a., there is now another vacancy open which entitles a member of the league to a ', 'lvania, u. s. a., there is now another vacancy open which entitles a member of the league to a salar', 'a, u. s. a., there is now another vacancy open which entitles a member of the league to a salary of ', ' s. a., there is now another vacancy open which entitles a member of the league to a salary of poun', '., there is now another vacancy open which entitles a member of the league to a salary of pounds a ', 'ere is now another vacancy open which entitles a member of the league to a salary of pounds a week ', 's now another vacancy open which entitles a member of the league to a salary of pounds a week for p', ' another vacancy open which entitles a member of the league to a salary of pounds a week for purely', 'her vacancy open which entitles a member of the league to a salary of pounds a week for purely nomi', 'acancy open which entitles a member of the league to a salary of pounds a week for purely nominal s', 'y open which entitles a member of the league to a salary of pounds a week for purely nominal servic', 'n which entitles a member of the league to a salary of pounds a week for purely nominal services. a', 'ch entitles a member of the league to a salary of pounds a week for purely nominal services. all re', 'titles a member of the league to a salary of pounds a week for purely nominal services. all red-hea', 's a member of the league to a salary of pounds a week for purely nominal services. all red-headed m', 'ember of the league to a salary of pounds a week for purely nominal services. all red-headed men wh', ' of the league to a salary of pounds a week for purely nominal services. all red-headed men who are', 'he league to a salary of pounds a week for purely nominal services. all red-headed men who are soun', 'ague to a salary of pounds a week for purely nominal services. all red-headed men who are sound in ', 'to a salary of pounds a week for purely nominal services. all red-headed men who are sound in body ', 'salary of pounds a week for purely nominal services. all red-headed men who are sound in body and m', 'y of pounds a week for purely nominal services. all red-headed men who are sound in body and mind a', ' pounds a week for purely nominal services. all red-headed men who are sound in body and mind and ab', 'ds a week for purely nominal services. all red-headed men who are sound in body and mind and above t', 'week for purely nominal services. all red-headed men who are sound in body and mind and above the ag', 'for purely nominal services. all red-headed men who are sound in body and mind and above the age of ', 'urely nominal services. all red-headed men who are sound in body and mind and above the age of twent', ' nominal services. all red-headed men who are sound in body and mind and above the age of twenty-one', 'nal services. all red-headed men who are sound in body and mind and above the age of twenty-one year', 'ervices. all red-headed men who are sound in body and mind and above the age of twenty-one years, ar', 'es. all red-headed men who are sound in body and mind and above the age of twenty-one years, are eli', 'll red-headed men who are sound in body and mind and above the age of twenty-one years, are eligible', 'd-headed men who are sound in body and mind and above the age of twenty-one years, are eligible. app', 'ded men who are sound in body and mind and above the age of twenty-one years, are eligible. apply in', 'en who are sound in body and mind and above the age of twenty-one years, are eligible. apply in pers', 'o are sound in body and mind and above the age of twenty-one years, are eligible. apply in person on', ' sound in body and mind and above the age of twenty-one years, are eligible. apply in person on mond', 'd in body and mind and above the age of twenty-one years, are eligible. apply in person on monday, a', 'body and mind and above the age of twenty-one years, are eligible. apply in person on monday, at ele', 'and mind and above the age of twenty-one years, are eligible. apply in person on monday, at eleven o', "ind and above the age of twenty-one years, are eligible. apply in person on monday, at eleven o'cloc", "nd above the age of twenty-one years, are eligible. apply in person on monday, at eleven o'clock, to", "ove the age of twenty-one years, are eligible. apply in person on monday, at eleven o'clock, to dunc", "he age of twenty-one years, are eligible. apply in person on monday, at eleven o'clock, to duncan ro", "e of twenty-one years, are eligible. apply in person on monday, at eleven o'clock, to duncan ross, a", "twenty-one years, are eligible. apply in person on monday, at eleven o'clock, to duncan ross, at the", "y-one years, are eligible. apply in person on monday, at eleven o'clock, to duncan ross, at the offi", " years, are eligible. apply in person on monday, at eleven o'clock, to duncan ross, at the offices o", "s, are eligible. apply in person on monday, at eleven o'clock, to duncan ross, at the offices of the", "e eligible. apply in person on monday, at eleven o'clock, to duncan ross, at the offices of the leag", "gible. apply in person on monday, at eleven o'clock, to duncan ross, at the offices of the league, ", ". apply in person on monday, at eleven o'clock, to duncan ross, at the offices of the league, pope'", "ly in person on monday, at eleven o'clock, to duncan ross, at the offices of the league, pope's cou", " person on monday, at eleven o'clock, to duncan ross, at the offices of the league, pope's court, f", "on on monday, at eleven o'clock, to duncan ross, at the offices of the league, pope's court, fleet ", " monday, at eleven o'clock, to duncan ross, at the offices of the league, pope's court, fleet stree", 'ay, at eleven o\'clock, to duncan ross, at the offices of the league, pope\'s court, fleet street." "', 't eleven o\'clock, to duncan ross, at the offices of the league, pope\'s court, fleet street." "what ', 'ven o\'clock, to duncan ross, at the offices of the league, pope\'s court, fleet street." "what on ea', '\'clock, to duncan ross, at the offices of the league, pope\'s court, fleet street." "what on earth d', 'k, to duncan ross, at the offices of the league, pope\'s court, fleet street." "what on earth does t', ' duncan ross, at the offices of the league, pope\'s court, fleet street." "what on earth does this m', 'an ross, at the offices of the league, pope\'s court, fleet street." "what on earth does this mean?"', 'ss, at the offices of the league, pope\'s court, fleet street." "what on earth does this mean?" i ej', 't the offices of the league, pope\'s court, fleet street." "what on earth does this mean?" i ejacula', ' offices of the league, pope\'s court, fleet street." "what on earth does this mean?" i ejaculated a', 'ces of the league, pope\'s court, fleet street." "what on earth does this mean?" i ejaculated after ', 'f the league, pope\'s court, fleet street." "what on earth does this mean?" i ejaculated after i had', ' league, pope\'s court, fleet street." "what on earth does this mean?" i ejaculated after i had twic', 'ue, pope\'s court, fleet street." "what on earth does this mean?" i ejaculated after i had twice rea', 'pope\'s court, fleet street." "what on earth does this mean?" i ejaculated after i had twice read ove', 's court, fleet street." "what on earth does this mean?" i ejaculated after i had twice read over the', 'rt, fleet street." "what on earth does this mean?" i ejaculated after i had twice read over the extr', 'leet street." "what on earth does this mean?" i ejaculated after i had twice read over the extraordi', 'street." "what on earth does this mean?" i ejaculated after i had twice read over the extraordinary ', 't." "what on earth does this mean?" i ejaculated after i had twice read over the extraordinary annou', 'what on earth does this mean?" i ejaculated after i had twice read over the extraordinary announceme', 'on earth does this mean?" i ejaculated after i had twice read over the extraordinary announcement. h', 'rth does this mean?" i ejaculated after i had twice read over the extraordinary announcement. holmes', 'oes this mean?" i ejaculated after i had twice read over the extraordinary announcement. holmes chuc', 'his mean?" i ejaculated after i had twice read over the extraordinary announcement. holmes chuckled ', 'ean?" i ejaculated after i had twice read over the extraordinary announcement. holmes chuckled and w', ' i ejaculated after i had twice read over the extraordinary announcement. holmes chuckled and wriggl', 'aculated after i had twice read over the extraordinary announcement. holmes chuckled and wriggled in', 'ted after i had twice read over the extraordinary announcement. holmes chuckled and wriggled in his ', 'fter i had twice read over the extraordinary announcement. holmes chuckled and wriggled in his chair', 'i had twice read over the extraordinary announcement. holmes chuckled and wriggled in his chair, as ', ' twice read over the extraordinary announcement. holmes chuckled and wriggled in his chair, as was h', 'e read over the extraordinary announcement. holmes chuckled and wriggled in his chair, as was his ha', 'd over the extraordinary announcement. holmes chuckled and wriggled in his chair, as was his habit w', 'r the extraordinary announcement. holmes chuckled and wriggled in his chair, as was his habit when i', ' extraordinary announcement. holmes chuckled and wriggled in his chair, as was his habit when in hig', 'aordinary announcement. holmes chuckled and wriggled in his chair, as was his habit when in high spi', 'nary announcement. holmes chuckled and wriggled in his chair, as was his habit when in high spirits.', 'announcement. holmes chuckled and wriggled in his chair, as was his habit when in high spirits. "it ', 'ncement. holmes chuckled and wriggled in his chair, as was his habit when in high spirits. "it is a ', 'nt. holmes chuckled and wriggled in his chair, as was his habit when in high spirits. "it is a littl', 'olmes chuckled and wriggled in his chair, as was his habit when in high spirits. "it is a little off', ' chuckled and wriggled in his chair, as was his habit when in high spirits. "it is a little off the ', 'kled and wriggled in his chair, as was his habit when in high spirits. "it is a little off the beate', 'and wriggled in his chair, as was his habit when in high spirits. "it is a little off the beaten tra', 'riggled in his chair, as was his habit when in high spirits. "it is a little off the beaten track, i', 'ed in his chair, as was his habit when in high spirits. "it is a little off the beaten track, isn\'t ', ' his chair, as was his habit when in high spirits. "it is a little off the beaten track, isn\'t it?" ', 'chair, as was his habit when in high spirits. "it is a little off the beaten track, isn\'t it?" said ', ', as was his habit when in high spirits. "it is a little off the beaten track, isn\'t it?" said he. "', 'was his habit when in high spirits. "it is a little off the beaten track, isn\'t it?" said he. "and n', 'is habit when in high spirits. "it is a little off the beaten track, isn\'t it?" said he. "and now, m', 'bit when in high spirits. "it is a little off the beaten track, isn\'t it?" said he. "and now, mr. wi', 'hen in high spirits. "it is a little off the beaten track, isn\'t it?" said he. "and now, mr. wilson,', 'n high spirits. "it is a little off the beaten track, isn\'t it?" said he. "and now, mr. wilson, off ', 'h spirits. "it is a little off the beaten track, isn\'t it?" said he. "and now, mr. wilson, off you g', 'rits. "it is a little off the beaten track, isn\'t it?" said he. "and now, mr. wilson, off you go at ', ' "it is a little off the beaten track, isn\'t it?" said he. "and now, mr. wilson, off you go at scrat', 'is a little off the beaten track, isn\'t it?" said he. "and now, mr. wilson, off you go at scratch an', 'little off the beaten track, isn\'t it?" said he. "and now, mr. wilson, off you go at scratch and tel', 'e off the beaten track, isn\'t it?" said he. "and now, mr. wilson, off you go at scratch and tell us ', ' the beaten track, isn\'t it?" said he. "and now, mr. wilson, off you go at scratch and tell us all a', 'beaten track, isn\'t it?" said he. "and now, mr. wilson, off you go at scratch and tell us all about ', 'n track, isn\'t it?" said he. "and now, mr. wilson, off you go at scratch and tell us all about yours', 'ck, isn\'t it?" said he. "and now, mr. wilson, off you go at scratch and tell us all about yourself, ', 'sn\'t it?" said he. "and now, mr. wilson, off you go at scratch and tell us all about yourself, your ', 'it?" said he. "and now, mr. wilson, off you go at scratch and tell us all about yourself, your house', 'said he. "and now, mr. wilson, off you go at scratch and tell us all about yourself, your household,', 'he. "and now, mr. wilson, off you go at scratch and tell us all about yourself, your household, and ', 'and now, mr. wilson, off you go at scratch and tell us all about yourself, your household, and the e', 'ow, mr. wilson, off you go at scratch and tell us all about yourself, your household, and the effect', 'r. wilson, off you go at scratch and tell us all about yourself, your household, and the effect whic', 'lson, off you go at scratch and tell us all about yourself, your household, and the effect which thi', ' off you go at scratch and tell us all about yourself, your household, and the effect which this adv', 'you go at scratch and tell us all about yourself, your household, and the effect which this advertis', 'o at scratch and tell us all about yourself, your household, and the effect which this advertisement', 'scratch and tell us all about yourself, your household, and the effect which this advertisement had ', 'ch and tell us all about yourself, your household, and the effect which this advertisement had upon ', 'd tell us all about yourself, your household, and the effect which this advertisement had upon your ', 'l us all about yourself, your household, and the effect which this advertisement had upon your fortu', 'all about yourself, your household, and the effect which this advertisement had upon your fortunes. ', 'bout yourself, your household, and the effect which this advertisement had upon your fortunes. you w', 'yourself, your household, and the effect which this advertisement had upon your fortunes. you will f', 'elf, your household, and the effect which this advertisement had upon your fortunes. you will first ', 'your household, and the effect which this advertisement had upon your fortunes. you will first make ', 'household, and the effect which this advertisement had upon your fortunes. you will first make a not', 'hold, and the effect which this advertisement had upon your fortunes. you will first make a note, do', ' and the effect which this advertisement had upon your fortunes. you will first make a note, doctor,', 'the effect which this advertisement had upon your fortunes. you will first make a note, doctor, of t', 'ffect which this advertisement had upon your fortunes. you will first make a note, doctor, of the pa', ' which this advertisement had upon your fortunes. you will first make a note, doctor, of the paper a', 'h this advertisement had upon your fortunes. you will first make a note, doctor, of the paper and th', 's advertisement had upon your fortunes. you will first make a note, doctor, of the paper and the dat', 'ertisement had upon your fortunes. you will first make a note, doctor, of the paper and the date." "', 'ement had upon your fortunes. you will first make a note, doctor, of the paper and the date." "it is', ' had upon your fortunes. you will first make a note, doctor, of the paper and the date." "it is the ', 'upon your fortunes. you will first make a note, doctor, of the paper and the date." "it is the morni', 'your fortunes. you will first make a note, doctor, of the paper and the date." "it is the morning ch', 'fortunes. you will first make a note, doctor, of the paper and the date." "it is the morning chronic', 'nes. you will first make a note, doctor, of the paper and the date." "it is the morning chronicle of', 'you will first make a note, doctor, of the paper and the date." "it is the morning chronicle of apri', 'ill first make a note, doctor, of the paper and the date." "it is the morning chronicle of april , ', 'irst make a note, doctor, of the paper and the date." "it is the morning chronicle of april , . j', 'make a note, doctor, of the paper and the date." "it is the morning chronicle of april , . just t', 'a note, doctor, of the paper and the date." "it is the morning chronicle of april , . just two mo', 'e, doctor, of the paper and the date." "it is the morning chronicle of april , . just two months ', 'ctor, of the paper and the date." "it is the morning chronicle of april , . just two months ago."', ' of the paper and the date." "it is the morning chronicle of april , . just two months ago." "ver', 'he paper and the date." "it is the morning chronicle of april , . just two months ago." "very goo', 'per and the date." "it is the morning chronicle of april , . just two months ago." "very good. no', 'nd the date." "it is the morning chronicle of april , . just two months ago." "very good. now, mr', 'e date." "it is the morning chronicle of april , . just two months ago." "very good. now, mr. wil', 'e." "it is the morning chronicle of april , . just two months ago." "very good. now, mr. wilson?"', 'it is the morning chronicle of april , . just two months ago." "very good. now, mr. wilson?" "wel', ' the morning chronicle of april , . just two months ago." "very good. now, mr. wilson?" "well, it', 'morning chronicle of april , . just two months ago." "very good. now, mr. wilson?" "well, it is j', 'ng chronicle of april , . just two months ago." "very good. now, mr. wilson?" "well, it is just a', 'ronicle of april , . just two months ago." "very good. now, mr. wilson?" "well, it is just as i h', 'le of april , . just two months ago." "very good. now, mr. wilson?" "well, it is just as i have b', ' april , . just two months ago." "very good. now, mr. wilson?" "well, it is just as i have been t', 'l , . just two months ago." "very good. now, mr. wilson?" "well, it is just as i have been tellin', ' . just two months ago." "very good. now, mr. wilson?" "well, it is just as i have been telling you', 'ust two months ago." "very good. now, mr. wilson?" "well, it is just as i have been telling you, mr.', 'wo months ago." "very good. now, mr. wilson?" "well, it is just as i have been telling you, mr. sher', 'nths ago." "very good. now, mr. wilson?" "well, it is just as i have been telling you, mr. sherlock ', 'ago." "very good. now, mr. wilson?" "well, it is just as i have been telling you, mr. sherlock holme', ' "very good. now, mr. wilson?" "well, it is just as i have been telling you, mr. sherlock holmes," s', 'y good. now, mr. wilson?" "well, it is just as i have been telling you, mr. sherlock holmes," said j', 'd. now, mr. wilson?" "well, it is just as i have been telling you, mr. sherlock holmes," said jabez ', 'w, mr. wilson?" "well, it is just as i have been telling you, mr. sherlock holmes," said jabez wilso', '. wilson?" "well, it is just as i have been telling you, mr. sherlock holmes," said jabez wilson, mo', 'son?" "well, it is just as i have been telling you, mr. sherlock holmes," said jabez wilson, mopping', ' "well, it is just as i have been telling you, mr. sherlock holmes," said jabez wilson, mopping his ', 'l, it is just as i have been telling you, mr. sherlock holmes," said jabez wilson, mopping his foreh', ' is just as i have been telling you, mr. sherlock holmes," said jabez wilson, mopping his forehead; ', 'ust as i have been telling you, mr. sherlock holmes," said jabez wilson, mopping his forehead; "i ha', 's i have been telling you, mr. sherlock holmes," said jabez wilson, mopping his forehead; "i have a ', 'ave been telling you, mr. sherlock holmes," said jabez wilson, mopping his forehead; "i have a small', 'een telling you, mr. sherlock holmes," said jabez wilson, mopping his forehead; "i have a small pawn', 'elling you, mr. sherlock holmes," said jabez wilson, mopping his forehead; "i have a small pawnbroke', 'g you, mr. sherlock holmes," said jabez wilson, mopping his forehead; "i have a small pawnbroker\'s b', ', mr. sherlock holmes," said jabez wilson, mopping his forehead; "i have a small pawnbroker\'s busine', ' sherlock holmes," said jabez wilson, mopping his forehead; "i have a small pawnbroker\'s business at', 'lock holmes," said jabez wilson, mopping his forehead; "i have a small pawnbroker\'s business at cobu', 'holmes," said jabez wilson, mopping his forehead; "i have a small pawnbroker\'s business at coburg sq', 's," said jabez wilson, mopping his forehead; "i have a small pawnbroker\'s business at coburg square,', 'aid jabez wilson, mopping his forehead; "i have a small pawnbroker\'s business at coburg square, near', 'abez wilson, mopping his forehead; "i have a small pawnbroker\'s business at coburg square, near the ', 'wilson, mopping his forehead; "i have a small pawnbroker\'s business at coburg square, near the city.', 'n, mopping his forehead; "i have a small pawnbroker\'s business at coburg square, near the city. it\'s', 'pping his forehead; "i have a small pawnbroker\'s business at coburg square, near the city. it\'s not ', ' his forehead; "i have a small pawnbroker\'s business at coburg square, near the city. it\'s not a ver', 'forehead; "i have a small pawnbroker\'s business at coburg square, near the city. it\'s not a very lar', 'ead; "i have a small pawnbroker\'s business at coburg square, near the city. it\'s not a very large af', '"i have a small pawnbroker\'s business at coburg square, near the city. it\'s not a very large affair,', "ve a small pawnbroker's business at coburg square, near the city. it's not a very large affair, and ", "small pawnbroker's business at coburg square, near the city. it's not a very large affair, and of la", " pawnbroker's business at coburg square, near the city. it's not a very large affair, and of late ye", "broker's business at coburg square, near the city. it's not a very large affair, and of late years i", "r's business at coburg square, near the city. it's not a very large affair, and of late years it has", "usiness at coburg square, near the city. it's not a very large affair, and of late years it has not ", "ss at coburg square, near the city. it's not a very large affair, and of late years it has not done ", " coburg square, near the city. it's not a very large affair, and of late years it has not done more ", "rg square, near the city. it's not a very large affair, and of late years it has not done more than ", "uare, near the city. it's not a very large affair, and of late years it has not done more than just ", " near the city. it's not a very large affair, and of late years it has not done more than just give ", " the city. it's not a very large affair, and of late years it has not done more than just give me a ", "city. it's not a very large affair, and of late years it has not done more than just give me a livin", " it's not a very large affair, and of late years it has not done more than just give me a living. i ", ' not a very large affair, and of late years it has not done more than just give me a living. i used ', 'a very large affair, and of late years it has not done more than just give me a living. i used to be', 'y large affair, and of late years it has not done more than just give me a living. i used to be able', 'ge affair, and of late years it has not done more than just give me a living. i used to be able to k', 'fair, and of late years it has not done more than just give me a living. i used to be able to keep t', ' and of late years it has not done more than just give me a living. i used to be able to keep two as', 'of late years it has not done more than just give me a living. i used to be able to keep two assista', 'te years it has not done more than just give me a living. i used to be able to keep two assistants, ', 'ars it has not done more than just give me a living. i used to be able to keep two assistants, but n', 't has not done more than just give me a living. i used to be able to keep two assistants, but now i ', ' not done more than just give me a living. i used to be able to keep two assistants, but now i only ', 'done more than just give me a living. i used to be able to keep two assistants, but now i only keep ', 'more than just give me a living. i used to be able to keep two assistants, but now i only keep one; ', 'than just give me a living. i used to be able to keep two assistants, but now i only keep one; and i', 'just give me a living. i used to be able to keep two assistants, but now i only keep one; and i woul', 'give me a living. i used to be able to keep two assistants, but now i only keep one; and i would hav', 'me a living. i used to be able to keep two assistants, but now i only keep one; and i would have a j', 'living. i used to be able to keep two assistants, but now i only keep one; and i would have a job to', 'g. i used to be able to keep two assistants, but now i only keep one; and i would have a job to pay ', 'used to be able to keep two assistants, but now i only keep one; and i would have a job to pay him b', 'to be able to keep two assistants, but now i only keep one; and i would have a job to pay him but th', ' able to keep two assistants, but now i only keep one; and i would have a job to pay him but that he', ' to keep two assistants, but now i only keep one; and i would have a job to pay him but that he is w', 'eep two assistants, but now i only keep one; and i would have a job to pay him but that he is willin', 'wo assistants, but now i only keep one; and i would have a job to pay him but that he is willing to ', 'sistants, but now i only keep one; and i would have a job to pay him but that he is willing to come ', 'nts, but now i only keep one; and i would have a job to pay him but that he is willing to come for h', 'but now i only keep one; and i would have a job to pay him but that he is willing to come for half w', 'ow i only keep one; and i would have a job to pay him but that he is willing to come for half wages ', 'only keep one; and i would have a job to pay him but that he is willing to come for half wages so as', 'keep one; and i would have a job to pay him but that he is willing to come for half wages so as to l', 'one; and i would have a job to pay him but that he is willing to come for half wages so as to learn ', 'and i would have a job to pay him but that he is willing to come for half wages so as to learn the b', ' would have a job to pay him but that he is willing to come for half wages so as to learn the busine', 'd have a job to pay him but that he is willing to come for half wages so as to learn the business." ', 'e a job to pay him but that he is willing to come for half wages so as to learn the business." "what', 'ob to pay him but that he is willing to come for half wages so as to learn the business." "what is t', ' pay him but that he is willing to come for half wages so as to learn the business." "what is the na', 'him but that he is willing to come for half wages so as to learn the business." "what is the name of', 'ut that he is willing to come for half wages so as to learn the business." "what is the name of this', 'at he is willing to come for half wages so as to learn the business." "what is the name of this obli', ' is willing to come for half wages so as to learn the business." "what is the name of this obliging ', 'illing to come for half wages so as to learn the business." "what is the name of this obliging youth', 'g to come for half wages so as to learn the business." "what is the name of this obliging youth?" as', 'come for half wages so as to learn the business." "what is the name of this obliging youth?" asked s', 'for half wages so as to learn the business." "what is the name of this obliging youth?" asked sherlo', 'alf wages so as to learn the business." "what is the name of this obliging youth?" asked sherlock ho', 'ages so as to learn the business." "what is the name of this obliging youth?" asked sherlock holmes.', 'so as to learn the business." "what is the name of this obliging youth?" asked sherlock holmes. "his', ' to learn the business." "what is the name of this obliging youth?" asked sherlock holmes. "his name', 'earn the business." "what is the name of this obliging youth?" asked sherlock holmes. "his name is v', 'the business." "what is the name of this obliging youth?" asked sherlock holmes. "his name is vincen', 'usiness." "what is the name of this obliging youth?" asked sherlock holmes. "his name is vincent spa', 'ss." "what is the name of this obliging youth?" asked sherlock holmes. "his name is vincent spauldin', '"what is the name of this obliging youth?" asked sherlock holmes. "his name is vincent spaulding, an', ' is the name of this obliging youth?" asked sherlock holmes. "his name is vincent spaulding, and he\'', 'he name of this obliging youth?" asked sherlock holmes. "his name is vincent spaulding, and he\'s not', 'me of this obliging youth?" asked sherlock holmes. "his name is vincent spaulding, and he\'s not such', ' this obliging youth?" asked sherlock holmes. "his name is vincent spaulding, and he\'s not such a yo', ' obliging youth?" asked sherlock holmes. "his name is vincent spaulding, and he\'s not such a youth, ', 'ging youth?" asked sherlock holmes. "his name is vincent spaulding, and he\'s not such a youth, eithe', 'youth?" asked sherlock holmes. "his name is vincent spaulding, and he\'s not such a youth, either. it', '?" asked sherlock holmes. "his name is vincent spaulding, and he\'s not such a youth, either. it\'s ha', 'ked sherlock holmes. "his name is vincent spaulding, and he\'s not such a youth, either. it\'s hard to', 'herlock holmes. "his name is vincent spaulding, and he\'s not such a youth, either. it\'s hard to say ', 'ck holmes. "his name is vincent spaulding, and he\'s not such a youth, either. it\'s hard to say his a', 'lmes. "his name is vincent spaulding, and he\'s not such a youth, either. it\'s hard to say his age. i', ' "his name is vincent spaulding, and he\'s not such a youth, either. it\'s hard to say his age. i shou', " name is vincent spaulding, and he's not such a youth, either. it's hard to say his age. i should no", " is vincent spaulding, and he's not such a youth, either. it's hard to say his age. i should not wis", "incent spaulding, and he's not such a youth, either. it's hard to say his age. i should not wish a s", "t spaulding, and he's not such a youth, either. it's hard to say his age. i should not wish a smarte", "ulding, and he's not such a youth, either. it's hard to say his age. i should not wish a smarter ass", "g, and he's not such a youth, either. it's hard to say his age. i should not wish a smarter assistan", "d he's not such a youth, either. it's hard to say his age. i should not wish a smarter assistant, mr", "s not such a youth, either. it's hard to say his age. i should not wish a smarter assistant, mr. hol", " such a youth, either. it's hard to say his age. i should not wish a smarter assistant, mr. holmes; ", " a youth, either. it's hard to say his age. i should not wish a smarter assistant, mr. holmes; and i", "uth, either. it's hard to say his age. i should not wish a smarter assistant, mr. holmes; and i know", "either. it's hard to say his age. i should not wish a smarter assistant, mr. holmes; and i know very", "r. it's hard to say his age. i should not wish a smarter assistant, mr. holmes; and i know very well", "'s hard to say his age. i should not wish a smarter assistant, mr. holmes; and i know very well that", 'rd to say his age. i should not wish a smarter assistant, mr. holmes; and i know very well that he c', ' say his age. i should not wish a smarter assistant, mr. holmes; and i know very well that he could ', 'his age. i should not wish a smarter assistant, mr. holmes; and i know very well that he could bette', 'ge. i should not wish a smarter assistant, mr. holmes; and i know very well that he could better him', ' should not wish a smarter assistant, mr. holmes; and i know very well that he could better himself ', 'ld not wish a smarter assistant, mr. holmes; and i know very well that he could better himself and e', 't wish a smarter assistant, mr. holmes; and i know very well that he could better himself and earn t', 'h a smarter assistant, mr. holmes; and i know very well that he could better himself and earn twice ', 'marter assistant, mr. holmes; and i know very well that he could better himself and earn twice what ', 'r assistant, mr. holmes; and i know very well that he could better himself and earn twice what i am ', 'istant, mr. holmes; and i know very well that he could better himself and earn twice what i am able ', 't, mr. holmes; and i know very well that he could better himself and earn twice what i am able to gi', '. holmes; and i know very well that he could better himself and earn twice what i am able to give hi', 'mes; and i know very well that he could better himself and earn twice what i am able to give him. bu', 'and i know very well that he could better himself and earn twice what i am able to give him. but, af', ' know very well that he could better himself and earn twice what i am able to give him. but, after a', ' very well that he could better himself and earn twice what i am able to give him. but, after all, i', ' well that he could better himself and earn twice what i am able to give him. but, after all, if he ', ' that he could better himself and earn twice what i am able to give him. but, after all, if he is sa', ' he could better himself and earn twice what i am able to give him. but, after all, if he is satisfi', 'ould better himself and earn twice what i am able to give him. but, after all, if he is satisfied, w', 'better himself and earn twice what i am able to give him. but, after all, if he is satisfied, why sh', 'r himself and earn twice what i am able to give him. but, after all, if he is satisfied, why should ', 'self and earn twice what i am able to give him. but, after all, if he is satisfied, why should i put', 'and earn twice what i am able to give him. but, after all, if he is satisfied, why should i put idea', 'arn twice what i am able to give him. but, after all, if he is satisfied, why should i put ideas in ', 'wice what i am able to give him. but, after all, if he is satisfied, why should i put ideas in his h', 'what i am able to give him. but, after all, if he is satisfied, why should i put ideas in his head?"', 'i am able to give him. but, after all, if he is satisfied, why should i put ideas in his head?" "why', 'able to give him. but, after all, if he is satisfied, why should i put ideas in his head?" "why, ind', 'to give him. but, after all, if he is satisfied, why should i put ideas in his head?" "why, indeed? ', 've him. but, after all, if he is satisfied, why should i put ideas in his head?" "why, indeed? you s', 'm. but, after all, if he is satisfied, why should i put ideas in his head?" "why, indeed? you seem m', 't, after all, if he is satisfied, why should i put ideas in his head?" "why, indeed? you seem most f', 'ter all, if he is satisfied, why should i put ideas in his head?" "why, indeed? you seem most fortun', 'll, if he is satisfied, why should i put ideas in his head?" "why, indeed? you seem most fortunate i', 'f he is satisfied, why should i put ideas in his head?" "why, indeed? you seem most fortunate in hav', 'is satisfied, why should i put ideas in his head?" "why, indeed? you seem most fortunate in having a', 'tisfied, why should i put ideas in his head?" "why, indeed? you seem most fortunate in having an emp', 'ed, why should i put ideas in his head?" "why, indeed? you seem most fortunate in having an employ w', 'hy should i put ideas in his head?" "why, indeed? you seem most fortunate in having an employ who co', 'ould i put ideas in his head?" "why, indeed? you seem most fortunate in having an employ who comes u', 'i put ideas in his head?" "why, indeed? you seem most fortunate in having an employ who comes under ', ' ideas in his head?" "why, indeed? you seem most fortunate in having an employ who comes under the f', 's in his head?" "why, indeed? you seem most fortunate in having an employ who comes under the full m', 'his head?" "why, indeed? you seem most fortunate in having an employ who comes under the full market', 'ead?" "why, indeed? you seem most fortunate in having an employ who comes under the full market pric', ' "why, indeed? you seem most fortunate in having an employ who comes under the full market price. it', ', indeed? you seem most fortunate in having an employ who comes under the full market price. it is n', 'eed? you seem most fortunate in having an employ who comes under the full market price. it is not a ', 'you seem most fortunate in having an employ who comes under the full market price. it is not a commo', 'eem most fortunate in having an employ who comes under the full market price. it is not a common exp', 'ost fortunate in having an employ who comes under the full market price. it is not a common experien', 'ortunate in having an employ who comes under the full market price. it is not a common experience am', 'ate in having an employ who comes under the full market price. it is not a common experience among e', 'n having an employ who comes under the full market price. it is not a common experience among employ', 'ing an employ who comes under the full market price. it is not a common experience among employers i', 'n employ who comes under the full market price. it is not a common experience among employers in thi', 'loy who comes under the full market price. it is not a common experience among employers in this age', 'ho comes under the full market price. it is not a common experience among employers in this age. i d', "mes under the full market price. it is not a common experience among employers in this age. i don't ", "nder the full market price. it is not a common experience among employers in this age. i don't know ", "the full market price. it is not a common experience among employers in this age. i don't know that ", "ull market price. it is not a common experience among employers in this age. i don't know that your ", "arket price. it is not a common experience among employers in this age. i don't know that your assis", " price. it is not a common experience among employers in this age. i don't know that your assistant ", "e. it is not a common experience among employers in this age. i don't know that your assistant is no", " is not a common experience among employers in this age. i don't know that your assistant is not as ", "ot a common experience among employers in this age. i don't know that your assistant is not as remar", "common experience among employers in this age. i don't know that your assistant is not as remarkable", "n experience among employers in this age. i don't know that your assistant is not as remarkable as y", "erience among employers in this age. i don't know that your assistant is not as remarkable as your a", "ce among employers in this age. i don't know that your assistant is not as remarkable as your advert", "ong employers in this age. i don't know that your assistant is not as remarkable as your advertiseme", 'mployers in this age. i don\'t know that your assistant is not as remarkable as your advertisement." ', 'ers in this age. i don\'t know that your assistant is not as remarkable as your advertisement." "oh, ', 'n this age. i don\'t know that your assistant is not as remarkable as your advertisement." "oh, he ha', 's age. i don\'t know that your assistant is not as remarkable as your advertisement." "oh, he has his', '. i don\'t know that your assistant is not as remarkable as your advertisement." "oh, he has his faul', 'on\'t know that your assistant is not as remarkable as your advertisement." "oh, he has his faults, t', 'know that your assistant is not as remarkable as your advertisement." "oh, he has his faults, too," ', 'that your assistant is not as remarkable as your advertisement." "oh, he has his faults, too," said ', 'your assistant is not as remarkable as your advertisement." "oh, he has his faults, too," said mr. w', 'assistant is not as remarkable as your advertisement." "oh, he has his faults, too," said mr. wilson', 'tant is not as remarkable as your advertisement." "oh, he has his faults, too," said mr. wilson. "ne', 'is not as remarkable as your advertisement." "oh, he has his faults, too," said mr. wilson. "never w', 't as remarkable as your advertisement." "oh, he has his faults, too," said mr. wilson. "never was su', 'remarkable as your advertisement." "oh, he has his faults, too," said mr. wilson. "never was such a ', 'kable as your advertisement." "oh, he has his faults, too," said mr. wilson. "never was such a fello', ' as your advertisement." "oh, he has his faults, too," said mr. wilson. "never was such a fellow for', 'our advertisement." "oh, he has his faults, too," said mr. wilson. "never was such a fellow for phot', 'dvertisement." "oh, he has his faults, too," said mr. wilson. "never was such a fellow for photograp', 'isement." "oh, he has his faults, too," said mr. wilson. "never was such a fellow for photography. s', 'nt." "oh, he has his faults, too," said mr. wilson. "never was such a fellow for photography. snappi', '"oh, he has his faults, too," said mr. wilson. "never was such a fellow for photography. snapping aw', 'he has his faults, too," said mr. wilson. "never was such a fellow for photography. snapping away wi', 's his faults, too," said mr. wilson. "never was such a fellow for photography. snapping away with a ', ' faults, too," said mr. wilson. "never was such a fellow for photography. snapping away with a camer', 'ts, too," said mr. wilson. "never was such a fellow for photography. snapping away with a camera whe', 'oo," said mr. wilson. "never was such a fellow for photography. snapping away with a camera when he ', 'said mr. wilson. "never was such a fellow for photography. snapping away with a camera when he ought', 'mr. wilson. "never was such a fellow for photography. snapping away with a camera when he ought to b', 'ilson. "never was such a fellow for photography. snapping away with a camera when he ought to be imp', '. "never was such a fellow for photography. snapping away with a camera when he ought to be improvin', 'ver was such a fellow for photography. snapping away with a camera when he ought to be improving his', 'as such a fellow for photography. snapping away with a camera when he ought to be improving his mind', 'ch a fellow for photography. snapping away with a camera when he ought to be improving his mind, and', 'fellow for photography. snapping away with a camera when he ought to be improving his mind, and then', 'w for photography. snapping away with a camera when he ought to be improving his mind, and then divi', ' photography. snapping away with a camera when he ought to be improving his mind, and then diving do', 'ography. snapping away with a camera when he ought to be improving his mind, and then diving down in', 'hy. snapping away with a camera when he ought to be improving his mind, and then diving down into th', 'napping away with a camera when he ought to be improving his mind, and then diving down into the cel', 'ng away with a camera when he ought to be improving his mind, and then diving down into the cellar l', 'ay with a camera when he ought to be improving his mind, and then diving down into the cellar like a', 'th a camera when he ought to be improving his mind, and then diving down into the cellar like a rabb', 'camera when he ought to be improving his mind, and then diving down into the cellar like a rabbit in', 'a when he ought to be improving his mind, and then diving down into the cellar like a rabbit into it', 'n he ought to be improving his mind, and then diving down into the cellar like a rabbit into its hol', 'ought to be improving his mind, and then diving down into the cellar like a rabbit into its hole to ', ' to be improving his mind, and then diving down into the cellar like a rabbit into its hole to devel', 'e improving his mind, and then diving down into the cellar like a rabbit into its hole to develop hi', 'roving his mind, and then diving down into the cellar like a rabbit into its hole to develop his pic', 'g his mind, and then diving down into the cellar like a rabbit into its hole to develop his pictures', ' mind, and then diving down into the cellar like a rabbit into its hole to develop his pictures. tha', ', and then diving down into the cellar like a rabbit into its hole to develop his pictures. that is ', ' then diving down into the cellar like a rabbit into its hole to develop his pictures. that is his m', ' diving down into the cellar like a rabbit into its hole to develop his pictures. that is his main f', 'ng down into the cellar like a rabbit into its hole to develop his pictures. that is his main fault,', 'wn into the cellar like a rabbit into its hole to develop his pictures. that is his main fault, but ', 'to the cellar like a rabbit into its hole to develop his pictures. that is his main fault, but on th', 'e cellar like a rabbit into its hole to develop his pictures. that is his main fault, but on the who', 'lar like a rabbit into its hole to develop his pictures. that is his main fault, but on the whole he', "ike a rabbit into its hole to develop his pictures. that is his main fault, but on the whole he's a ", " rabbit into its hole to develop his pictures. that is his main fault, but on the whole he's a good ", "it into its hole to develop his pictures. that is his main fault, but on the whole he's a good worke", "to its hole to develop his pictures. that is his main fault, but on the whole he's a good worker. th", "s hole to develop his pictures. that is his main fault, but on the whole he's a good worker. there's", "e to develop his pictures. that is his main fault, but on the whole he's a good worker. there's no v", "develop his pictures. that is his main fault, but on the whole he's a good worker. there's no vice i", "op his pictures. that is his main fault, but on the whole he's a good worker. there's no vice in him", 's pictures. that is his main fault, but on the whole he\'s a good worker. there\'s no vice in him." "h', 'tures. that is his main fault, but on the whole he\'s a good worker. there\'s no vice in him." "he is ', '. that is his main fault, but on the whole he\'s a good worker. there\'s no vice in him." "he is still', 't is his main fault, but on the whole he\'s a good worker. there\'s no vice in him." "he is still with', 'his main fault, but on the whole he\'s a good worker. there\'s no vice in him." "he is still with you,', 'ain fault, but on the whole he\'s a good worker. there\'s no vice in him." "he is still with you, i pr', 'ault, but on the whole he\'s a good worker. there\'s no vice in him." "he is still with you, i presume', ' but on the whole he\'s a good worker. there\'s no vice in him." "he is still with you, i presume?" "y', 'on the whole he\'s a good worker. there\'s no vice in him." "he is still with you, i presume?" "yes, s', 'e whole he\'s a good worker. there\'s no vice in him." "he is still with you, i presume?" "yes, sir. h', 'le he\'s a good worker. there\'s no vice in him." "he is still with you, i presume?" "yes, sir. he and', '\'s a good worker. there\'s no vice in him." "he is still with you, i presume?" "yes, sir. he and a gi', 'good worker. there\'s no vice in him." "he is still with you, i presume?" "yes, sir. he and a girl of', 'worker. there\'s no vice in him." "he is still with you, i presume?" "yes, sir. he and a girl of four', 'r. there\'s no vice in him." "he is still with you, i presume?" "yes, sir. he and a girl of fourteen,', 'ere\'s no vice in him." "he is still with you, i presume?" "yes, sir. he and a girl of fourteen, who ', ' no vice in him." "he is still with you, i presume?" "yes, sir. he and a girl of fourteen, who does ', 'ice in him." "he is still with you, i presume?" "yes, sir. he and a girl of fourteen, who does a bit', 'n him." "he is still with you, i presume?" "yes, sir. he and a girl of fourteen, who does a bit of s', '." "he is still with you, i presume?" "yes, sir. he and a girl of fourteen, who does a bit of simple', 'e is still with you, i presume?" "yes, sir. he and a girl of fourteen, who does a bit of simple cook', 'still with you, i presume?" "yes, sir. he and a girl of fourteen, who does a bit of simple cooking a', ' with you, i presume?" "yes, sir. he and a girl of fourteen, who does a bit of simple cooking and ke', ' you, i presume?" "yes, sir. he and a girl of fourteen, who does a bit of simple cooking and keeps t', ' i presume?" "yes, sir. he and a girl of fourteen, who does a bit of simple cooking and keeps the pl', 'esume?" "yes, sir. he and a girl of fourteen, who does a bit of simple cooking and keeps the place c', '?" "yes, sir. he and a girl of fourteen, who does a bit of simple cooking and keeps the place cleant', "es, sir. he and a girl of fourteen, who does a bit of simple cooking and keeps the place cleanthat's", "ir. he and a girl of fourteen, who does a bit of simple cooking and keeps the place cleanthat's all ", "e and a girl of fourteen, who does a bit of simple cooking and keeps the place cleanthat's all i hav", " a girl of fourteen, who does a bit of simple cooking and keeps the place cleanthat's all i have in ", "rl of fourteen, who does a bit of simple cooking and keeps the place cleanthat's all i have in the h", " fourteen, who does a bit of simple cooking and keeps the place cleanthat's all i have in the house,", "teen, who does a bit of simple cooking and keeps the place cleanthat's all i have in the house, for ", " who does a bit of simple cooking and keeps the place cleanthat's all i have in the house, for i am ", "does a bit of simple cooking and keeps the place cleanthat's all i have in the house, for i am a wid", "a bit of simple cooking and keeps the place cleanthat's all i have in the house, for i am a widower ", " of simple cooking and keeps the place cleanthat's all i have in the house, for i am a widower and n", "imple cooking and keeps the place cleanthat's all i have in the house, for i am a widower and never ", " cooking and keeps the place cleanthat's all i have in the house, for i am a widower and never had a", "ing and keeps the place cleanthat's all i have in the house, for i am a widower and never had any fa", "nd keeps the place cleanthat's all i have in the house, for i am a widower and never had any family.", "eps the place cleanthat's all i have in the house, for i am a widower and never had any family. we l", "he place cleanthat's all i have in the house, for i am a widower and never had any family. we live v", "ace cleanthat's all i have in the house, for i am a widower and never had any family. we live very q", "leanthat's all i have in the house, for i am a widower and never had any family. we live very quietl", "hat's all i have in the house, for i am a widower and never had any family. we live very quietly, si", ' all i have in the house, for i am a widower and never had any family. we live very quietly, sir, th', 'i have in the house, for i am a widower and never had any family. we live very quietly, sir, the thr', 'e in the house, for i am a widower and never had any family. we live very quietly, sir, the three of', 'the house, for i am a widower and never had any family. we live very quietly, sir, the three of us; ', 'ouse, for i am a widower and never had any family. we live very quietly, sir, the three of us; and w', ' for i am a widower and never had any family. we live very quietly, sir, the three of us; and we kee', 'i am a widower and never had any family. we live very quietly, sir, the three of us; and we keep a r', 'a widower and never had any family. we live very quietly, sir, the three of us; and we keep a roof o', 'ower and never had any family. we live very quietly, sir, the three of us; and we keep a roof over o', 'and never had any family. we live very quietly, sir, the three of us; and we keep a roof over our he', 'ever had any family. we live very quietly, sir, the three of us; and we keep a roof over our heads a', 'had any family. we live very quietly, sir, the three of us; and we keep a roof over our heads and pa', 'ny family. we live very quietly, sir, the three of us; and we keep a roof over our heads and pay our', 'mily. we live very quietly, sir, the three of us; and we keep a roof over our heads and pay our debt', ' we live very quietly, sir, the three of us; and we keep a roof over our heads and pay our debts, if', 'ive very quietly, sir, the three of us; and we keep a roof over our heads and pay our debts, if we d', 'ery quietly, sir, the three of us; and we keep a roof over our heads and pay our debts, if we do not', 'uietly, sir, the three of us; and we keep a roof over our heads and pay our debts, if we do nothing ', 'y, sir, the three of us; and we keep a roof over our heads and pay our debts, if we do nothing more.', 'r, the three of us; and we keep a roof over our heads and pay our debts, if we do nothing more. "the', 'e three of us; and we keep a roof over our heads and pay our debts, if we do nothing more. "the firs', 'ee of us; and we keep a roof over our heads and pay our debts, if we do nothing more. "the first thi', ' us; and we keep a roof over our heads and pay our debts, if we do nothing more. "the first thing th', 'and we keep a roof over our heads and pay our debts, if we do nothing more. "the first thing that pu', 'e keep a roof over our heads and pay our debts, if we do nothing more. "the first thing that put us ', 'p a roof over our heads and pay our debts, if we do nothing more. "the first thing that put us out w', 'oof over our heads and pay our debts, if we do nothing more. "the first thing that put us out was th', 'ver our heads and pay our debts, if we do nothing more. "the first thing that put us out was that ad', 'ur heads and pay our debts, if we do nothing more. "the first thing that put us out was that adverti', 'ads and pay our debts, if we do nothing more. "the first thing that put us out was that advertisemen', 'nd pay our debts, if we do nothing more. "the first thing that put us out was that advertisement. sp', 'y our debts, if we do nothing more. "the first thing that put us out was that advertisement. spauldi', ' debts, if we do nothing more. "the first thing that put us out was that advertisement. spaulding, h', 's, if we do nothing more. "the first thing that put us out was that advertisement. spaulding, he cam', ' we do nothing more. "the first thing that put us out was that advertisement. spaulding, he came dow', 'o nothing more. "the first thing that put us out was that advertisement. spaulding, he came down int', 'hing more. "the first thing that put us out was that advertisement. spaulding, he came down into the', 'more. "the first thing that put us out was that advertisement. spaulding, he came down into the offi', ' "the first thing that put us out was that advertisement. spaulding, he came down into the office ju', ' first thing that put us out was that advertisement. spaulding, he came down into the office just th', 't thing that put us out was that advertisement. spaulding, he came down into the office just this da', 'ng that put us out was that advertisement. spaulding, he came down into the office just this day eig', 'at put us out was that advertisement. spaulding, he came down into the office just this day eight we', 't us out was that advertisement. spaulding, he came down into the office just this day eight weeks, ', 'out was that advertisement. spaulding, he came down into the office just this day eight weeks, with ', 'as that advertisement. spaulding, he came down into the office just this day eight weeks, with this ', 'at advertisement. spaulding, he came down into the office just this day eight weeks, with this very ', 'vertisement. spaulding, he came down into the office just this day eight weeks, with this very paper', 'sement. spaulding, he came down into the office just this day eight weeks, with this very paper in h', 't. spaulding, he came down into the office just this day eight weeks, with this very paper in his ha', 'aulding, he came down into the office just this day eight weeks, with this very paper in his hand, a', 'ng, he came down into the office just this day eight weeks, with this very paper in his hand, and he', 'e came down into the office just this day eight weeks, with this very paper in his hand, and he says', 'e down into the office just this day eight weeks, with this very paper in his hand, and he says: "\'i', 'n into the office just this day eight weeks, with this very paper in his hand, and he says: "\'i wish', 'o the office just this day eight weeks, with this very paper in his hand, and he says: "\'i wish to t', ' office just this day eight weeks, with this very paper in his hand, and he says: "\'i wish to the lo', 'ce just this day eight weeks, with this very paper in his hand, and he says: "\'i wish to the lord, m', 'st this day eight weeks, with this very paper in his hand, and he says: "\'i wish to the lord, mr. wi', 'is day eight weeks, with this very paper in his hand, and he says: "\'i wish to the lord, mr. wilson,', 'y eight weeks, with this very paper in his hand, and he says: "\'i wish to the lord, mr. wilson, that', 'ht weeks, with this very paper in his hand, and he says: "\'i wish to the lord, mr. wilson, that i wa', 'eks, with this very paper in his hand, and he says: "\'i wish to the lord, mr. wilson, that i was a r', 'with this very paper in his hand, and he says: "\'i wish to the lord, mr. wilson, that i was a red-he', 'this very paper in his hand, and he says: "\'i wish to the lord, mr. wilson, that i was a red-headed ', 'very paper in his hand, and he says: "\'i wish to the lord, mr. wilson, that i was a red-headed man.\'', 'paper in his hand, and he says: "\'i wish to the lord, mr. wilson, that i was a red-headed man.\' "\'wh', ' in his hand, and he says: "\'i wish to the lord, mr. wilson, that i was a red-headed man.\' "\'why tha', 'is hand, and he says: "\'i wish to the lord, mr. wilson, that i was a red-headed man.\' "\'why that?\' i', 'nd, and he says: "\'i wish to the lord, mr. wilson, that i was a red-headed man.\' "\'why that?\' i asks', 'nd he says: "\'i wish to the lord, mr. wilson, that i was a red-headed man.\' "\'why that?\' i asks. "\'w', ' says: "\'i wish to the lord, mr. wilson, that i was a red-headed man.\' "\'why that?\' i asks. "\'why,\' ', ': "\'i wish to the lord, mr. wilson, that i was a red-headed man.\' "\'why that?\' i asks. "\'why,\' says ', ' wish to the lord, mr. wilson, that i was a red-headed man.\' "\'why that?\' i asks. "\'why,\' says he, \'', ' to the lord, mr. wilson, that i was a red-headed man.\' "\'why that?\' i asks. "\'why,\' says he, \'here\'', 'he lord, mr. wilson, that i was a red-headed man.\' "\'why that?\' i asks. "\'why,\' says he, \'here\'s ano', 'rd, mr. wilson, that i was a red-headed man.\' "\'why that?\' i asks. "\'why,\' says he, \'here\'s another ', 'r. wilson, that i was a red-headed man.\' "\'why that?\' i asks. "\'why,\' says he, \'here\'s another vacan', 'lson, that i was a red-headed man.\' "\'why that?\' i asks. "\'why,\' says he, \'here\'s another vacancy on', ' that i was a red-headed man.\' "\'why that?\' i asks. "\'why,\' says he, \'here\'s another vacancy on the ', ' i was a red-headed man.\' "\'why that?\' i asks. "\'why,\' says he, \'here\'s another vacancy on the leagu', 's a red-headed man.\' "\'why that?\' i asks. "\'why,\' says he, \'here\'s another vacancy on the league of ', 'ed-headed man.\' "\'why that?\' i asks. "\'why,\' says he, \'here\'s another vacancy on the league of the r', 'aded man.\' "\'why that?\' i asks. "\'why,\' says he, \'here\'s another vacancy on the league of the red-he', 'man.\' "\'why that?\' i asks. "\'why,\' says he, \'here\'s another vacancy on the league of the red-headed ', ' "\'why that?\' i asks. "\'why,\' says he, \'here\'s another vacancy on the league of the red-headed men. ', 'y that?\' i asks. "\'why,\' says he, \'here\'s another vacancy on the league of the red-headed men. it\'s ', 't?\' i asks. "\'why,\' says he, \'here\'s another vacancy on the league of the red-headed men. it\'s worth', ' asks. "\'why,\' says he, \'here\'s another vacancy on the league of the red-headed men. it\'s worth quit', '. "\'why,\' says he, \'here\'s another vacancy on the league of the red-headed men. it\'s worth quite a l', "hy,' says he, 'here's another vacancy on the league of the red-headed men. it's worth quite a little", "says he, 'here's another vacancy on the league of the red-headed men. it's worth quite a little fort", "he, 'here's another vacancy on the league of the red-headed men. it's worth quite a little fortune t", "here's another vacancy on the league of the red-headed men. it's worth quite a little fortune to any", "s another vacancy on the league of the red-headed men. it's worth quite a little fortune to any man ", "ther vacancy on the league of the red-headed men. it's worth quite a little fortune to any man who g", "vacancy on the league of the red-headed men. it's worth quite a little fortune to any man who gets i", "cy on the league of the red-headed men. it's worth quite a little fortune to any man who gets it, an", " the league of the red-headed men. it's worth quite a little fortune to any man who gets it, and i u", "league of the red-headed men. it's worth quite a little fortune to any man who gets it, and i unders", "e of the red-headed men. it's worth quite a little fortune to any man who gets it, and i understand ", "the red-headed men. it's worth quite a little fortune to any man who gets it, and i understand that ", "ed-headed men. it's worth quite a little fortune to any man who gets it, and i understand that there", "aded men. it's worth quite a little fortune to any man who gets it, and i understand that there are ", "men. it's worth quite a little fortune to any man who gets it, and i understand that there are more ", "it's worth quite a little fortune to any man who gets it, and i understand that there are more vacan", 'worth quite a little fortune to any man who gets it, and i understand that there are more vacancies ', ' quite a little fortune to any man who gets it, and i understand that there are more vacancies than ', 'e a little fortune to any man who gets it, and i understand that there are more vacancies than there', 'ittle fortune to any man who gets it, and i understand that there are more vacancies than there are ', ' fortune to any man who gets it, and i understand that there are more vacancies than there are men, ', 'une to any man who gets it, and i understand that there are more vacancies than there are men, so th', 'o any man who gets it, and i understand that there are more vacancies than there are men, so that th', ' man who gets it, and i understand that there are more vacancies than there are men, so that the tru', 'who gets it, and i understand that there are more vacancies than there are men, so that the trustees', 'ets it, and i understand that there are more vacancies than there are men, so that the trustees are ', 't, and i understand that there are more vacancies than there are men, so that the trustees are at th', 'd i understand that there are more vacancies than there are men, so that the trustees are at their w', "nderstand that there are more vacancies than there are men, so that the trustees are at their wits' ", "tand that there are more vacancies than there are men, so that the trustees are at their wits' end w", "that there are more vacancies than there are men, so that the trustees are at their wits' end what t", "there are more vacancies than there are men, so that the trustees are at their wits' end what to do ", " are more vacancies than there are men, so that the trustees are at their wits' end what to do with ", "more vacancies than there are men, so that the trustees are at their wits' end what to do with the m", "vacancies than there are men, so that the trustees are at their wits' end what to do with the money.", "cies than there are men, so that the trustees are at their wits' end what to do with the money. if m", "than there are men, so that the trustees are at their wits' end what to do with the money. if my hai", "there are men, so that the trustees are at their wits' end what to do with the money. if my hair wou", " are men, so that the trustees are at their wits' end what to do with the money. if my hair would on", "men, so that the trustees are at their wits' end what to do with the money. if my hair would only ch", "so that the trustees are at their wits' end what to do with the money. if my hair would only change ", "at the trustees are at their wits' end what to do with the money. if my hair would only change colou", "e trustees are at their wits' end what to do with the money. if my hair would only change colour, he", "stees are at their wits' end what to do with the money. if my hair would only change colour, here's ", " are at their wits' end what to do with the money. if my hair would only change colour, here's a nic", "at their wits' end what to do with the money. if my hair would only change colour, here's a nice lit", "eir wits' end what to do with the money. if my hair would only change colour, here's a nice little c", "its' end what to do with the money. if my hair would only change colour, here's a nice little crib a", "end what to do with the money. if my hair would only change colour, here's a nice little crib all re", "hat to do with the money. if my hair would only change colour, here's a nice little crib all ready f", "o do with the money. if my hair would only change colour, here's a nice little crib all ready for me", "with the money. if my hair would only change colour, here's a nice little crib all ready for me to s", "the money. if my hair would only change colour, here's a nice little crib all ready for me to step i", "oney. if my hair would only change colour, here's a nice little crib all ready for me to step into.'", ' if my hair would only change colour, here\'s a nice little crib all ready for me to step into.\' "\'wh', 'y hair would only change colour, here\'s a nice little crib all ready for me to step into.\' "\'why, wh', 'r would only change colour, here\'s a nice little crib all ready for me to step into.\' "\'why, what is', 'ld only change colour, here\'s a nice little crib all ready for me to step into.\' "\'why, what is it, ', 'ly change colour, here\'s a nice little crib all ready for me to step into.\' "\'why, what is it, then?', 'ange colour, here\'s a nice little crib all ready for me to step into.\' "\'why, what is it, then?\' i a', 'colour, here\'s a nice little crib all ready for me to step into.\' "\'why, what is it, then?\' i asked.', 'r, here\'s a nice little crib all ready for me to step into.\' "\'why, what is it, then?\' i asked. you ', 're\'s a nice little crib all ready for me to step into.\' "\'why, what is it, then?\' i asked. you see, ', 'a nice little crib all ready for me to step into.\' "\'why, what is it, then?\' i asked. you see, mr. h', 'e little crib all ready for me to step into.\' "\'why, what is it, then?\' i asked. you see, mr. holmes', 'tle crib all ready for me to step into.\' "\'why, what is it, then?\' i asked. you see, mr. holmes, i a', 'rib all ready for me to step into.\' "\'why, what is it, then?\' i asked. you see, mr. holmes, i am a v', 'll ready for me to step into.\' "\'why, what is it, then?\' i asked. you see, mr. holmes, i am a very s', 'ady for me to step into.\' "\'why, what is it, then?\' i asked. you see, mr. holmes, i am a very stay-a', 'or me to step into.\' "\'why, what is it, then?\' i asked. you see, mr. holmes, i am a very stay-at-hom', ' to step into.\' "\'why, what is it, then?\' i asked. you see, mr. holmes, i am a very stay-at-home man', 'tep into.\' "\'why, what is it, then?\' i asked. you see, mr. holmes, i am a very stay-at-home man, and', 'nto.\' "\'why, what is it, then?\' i asked. you see, mr. holmes, i am a very stay-at-home man, and as m', ' "\'why, what is it, then?\' i asked. you see, mr. holmes, i am a very stay-at-home man, and as my bus', "y, what is it, then?' i asked. you see, mr. holmes, i am a very stay-at-home man, and as my business", "at is it, then?' i asked. you see, mr. holmes, i am a very stay-at-home man, and as my business came", " it, then?' i asked. you see, mr. holmes, i am a very stay-at-home man, and as my business came to m", "then?' i asked. you see, mr. holmes, i am a very stay-at-home man, and as my business came to me ins", "' i asked. you see, mr. holmes, i am a very stay-at-home man, and as my business came to me instead ", 'sked. you see, mr. holmes, i am a very stay-at-home man, and as my business came to me instead of my', ' you see, mr. holmes, i am a very stay-at-home man, and as my business came to me instead of my havi', 'see, mr. holmes, i am a very stay-at-home man, and as my business came to me instead of my having to', 'mr. holmes, i am a very stay-at-home man, and as my business came to me instead of my having to go t', 'olmes, i am a very stay-at-home man, and as my business came to me instead of my having to go to it,', ', i am a very stay-at-home man, and as my business came to me instead of my having to go to it, i wa', 'm a very stay-at-home man, and as my business came to me instead of my having to go to it, i was oft', 'ery stay-at-home man, and as my business came to me instead of my having to go to it, i was often we', 'tay-at-home man, and as my business came to me instead of my having to go to it, i was often weeks o', 't-home man, and as my business came to me instead of my having to go to it, i was often weeks on end', 'e man, and as my business came to me instead of my having to go to it, i was often weeks on end with', ', and as my business came to me instead of my having to go to it, i was often weeks on end without p', ' as my business came to me instead of my having to go to it, i was often weeks on end without puttin', 'y business came to me instead of my having to go to it, i was often weeks on end without putting my ', 'iness came to me instead of my having to go to it, i was often weeks on end without putting my foot ', ' came to me instead of my having to go to it, i was often weeks on end without putting my foot over ', ' to me instead of my having to go to it, i was often weeks on end without putting my foot over the d', 'e instead of my having to go to it, i was often weeks on end without putting my foot over the door-m', 'tead of my having to go to it, i was often weeks on end without putting my foot over the door-mat. i', 'of my having to go to it, i was often weeks on end without putting my foot over the door-mat. in tha', ' having to go to it, i was often weeks on end without putting my foot over the door-mat. in that way', 'ng to go to it, i was often weeks on end without putting my foot over the door-mat. in that way i di', " go to it, i was often weeks on end without putting my foot over the door-mat. in that way i didn't ", "o it, i was often weeks on end without putting my foot over the door-mat. in that way i didn't know ", " i was often weeks on end without putting my foot over the door-mat. in that way i didn't know much ", "s often weeks on end without putting my foot over the door-mat. in that way i didn't know much of wh", "en weeks on end without putting my foot over the door-mat. in that way i didn't know much of what wa", "eks on end without putting my foot over the door-mat. in that way i didn't know much of what was goi", "n end without putting my foot over the door-mat. in that way i didn't know much of what was going on", " without putting my foot over the door-mat. in that way i didn't know much of what was going on outs", "out putting my foot over the door-mat. in that way i didn't know much of what was going on outside, ", "utting my foot over the door-mat. in that way i didn't know much of what was going on outside, and i", "g my foot over the door-mat. in that way i didn't know much of what was going on outside, and i was ", "foot over the door-mat. in that way i didn't know much of what was going on outside, and i was alway", "over the door-mat. in that way i didn't know much of what was going on outside, and i was always gla", "the door-mat. in that way i didn't know much of what was going on outside, and i was always glad of ", "oor-mat. in that way i didn't know much of what was going on outside, and i was always glad of a bit", "at. in that way i didn't know much of what was going on outside, and i was always glad of a bit of n", "n that way i didn't know much of what was going on outside, and i was always glad of a bit of news. ", 't way i didn\'t know much of what was going on outside, and i was always glad of a bit of news. "\'hav', ' i didn\'t know much of what was going on outside, and i was always glad of a bit of news. "\'have you', 'dn\'t know much of what was going on outside, and i was always glad of a bit of news. "\'have you neve', 'know much of what was going on outside, and i was always glad of a bit of news. "\'have you never hea', 'much of what was going on outside, and i was always glad of a bit of news. "\'have you never heard of', 'of what was going on outside, and i was always glad of a bit of news. "\'have you never heard of the ', 'at was going on outside, and i was always glad of a bit of news. "\'have you never heard of the leagu', 's going on outside, and i was always glad of a bit of news. "\'have you never heard of the league of ', 'ng on outside, and i was always glad of a bit of news. "\'have you never heard of the league of the r', ' outside, and i was always glad of a bit of news. "\'have you never heard of the league of the red-he', 'ide, and i was always glad of a bit of news. "\'have you never heard of the league of the red-headed ', 'and i was always glad of a bit of news. "\'have you never heard of the league of the red-headed men?\'', ' was always glad of a bit of news. "\'have you never heard of the league of the red-headed men?\' he a', 'always glad of a bit of news. "\'have you never heard of the league of the red-headed men?\' he asked ', 's glad of a bit of news. "\'have you never heard of the league of the red-headed men?\' he asked with ', 'd of a bit of news. "\'have you never heard of the league of the red-headed men?\' he asked with his e', 'a bit of news. "\'have you never heard of the league of the red-headed men?\' he asked with his eyes o', ' of news. "\'have you never heard of the league of the red-headed men?\' he asked with his eyes open. ', 'ews. "\'have you never heard of the league of the red-headed men?\' he asked with his eyes open. "\'nev', '"\'have you never heard of the league of the red-headed men?\' he asked with his eyes open. "\'never.\' ', 'e you never heard of the league of the red-headed men?\' he asked with his eyes open. "\'never.\' "\'why', ' never heard of the league of the red-headed men?\' he asked with his eyes open. "\'never.\' "\'why, i w', 'r heard of the league of the red-headed men?\' he asked with his eyes open. "\'never.\' "\'why, i wonder', 'rd of the league of the red-headed men?\' he asked with his eyes open. "\'never.\' "\'why, i wonder at t', ' the league of the red-headed men?\' he asked with his eyes open. "\'never.\' "\'why, i wonder at that, ', 'league of the red-headed men?\' he asked with his eyes open. "\'never.\' "\'why, i wonder at that, for y', 'e of the red-headed men?\' he asked with his eyes open. "\'never.\' "\'why, i wonder at that, for you ar', 'the red-headed men?\' he asked with his eyes open. "\'never.\' "\'why, i wonder at that, for you are eli', 'ed-headed men?\' he asked with his eyes open. "\'never.\' "\'why, i wonder at that, for you are eligible', 'aded men?\' he asked with his eyes open. "\'never.\' "\'why, i wonder at that, for you are eligible your', 'men?\' he asked with his eyes open. "\'never.\' "\'why, i wonder at that, for you are eligible yourself ', ' he asked with his eyes open. "\'never.\' "\'why, i wonder at that, for you are eligible yourself for o', 'sked with his eyes open. "\'never.\' "\'why, i wonder at that, for you are eligible yourself for one of', 'with his eyes open. "\'never.\' "\'why, i wonder at that, for you are eligible yourself for one of the ', 'his eyes open. "\'never.\' "\'why, i wonder at that, for you are eligible yourself for one of the vacan', 'yes open. "\'never.\' "\'why, i wonder at that, for you are eligible yourself for one of the vacancies.', 'pen. "\'never.\' "\'why, i wonder at that, for you are eligible yourself for one of the vacancies.\' "\'a', '"\'never.\' "\'why, i wonder at that, for you are eligible yourself for one of the vacancies.\' "\'and wh', 'er.\' "\'why, i wonder at that, for you are eligible yourself for one of the vacancies.\' "\'and what ar', '"\'why, i wonder at that, for you are eligible yourself for one of the vacancies.\' "\'and what are the', ', i wonder at that, for you are eligible yourself for one of the vacancies.\' "\'and what are they wor', 'onder at that, for you are eligible yourself for one of the vacancies.\' "\'and what are they worth?\' ', ' at that, for you are eligible yourself for one of the vacancies.\' "\'and what are they worth?\' i ask', 'hat, for you are eligible yourself for one of the vacancies.\' "\'and what are they worth?\' i asked. "', 'for you are eligible yourself for one of the vacancies.\' "\'and what are they worth?\' i asked. "\'oh, ', 'ou are eligible yourself for one of the vacancies.\' "\'and what are they worth?\' i asked. "\'oh, merel', 'e eligible yourself for one of the vacancies.\' "\'and what are they worth?\' i asked. "\'oh, merely a c', 'gible yourself for one of the vacancies.\' "\'and what are they worth?\' i asked. "\'oh, merely a couple', ' yourself for one of the vacancies.\' "\'and what are they worth?\' i asked. "\'oh, merely a couple of h', 'self for one of the vacancies.\' "\'and what are they worth?\' i asked. "\'oh, merely a couple of hundre', 'for one of the vacancies.\' "\'and what are they worth?\' i asked. "\'oh, merely a couple of hundred a y', 'ne of the vacancies.\' "\'and what are they worth?\' i asked. "\'oh, merely a couple of hundred a year, ', ' the vacancies.\' "\'and what are they worth?\' i asked. "\'oh, merely a couple of hundred a year, but t', 'vacancies.\' "\'and what are they worth?\' i asked. "\'oh, merely a couple of hundred a year, but the wo', 'cies.\' "\'and what are they worth?\' i asked. "\'oh, merely a couple of hundred a year, but the work is', '\' "\'and what are they worth?\' i asked. "\'oh, merely a couple of hundred a year, but the work is slig', 'nd what are they worth?\' i asked. "\'oh, merely a couple of hundred a year, but the work is slight, a', 'at are they worth?\' i asked. "\'oh, merely a couple of hundred a year, but the work is slight, and it', 'e they worth?\' i asked. "\'oh, merely a couple of hundred a year, but the work is slight, and it need', 'y worth?\' i asked. "\'oh, merely a couple of hundred a year, but the work is slight, and it need not ', 'th?\' i asked. "\'oh, merely a couple of hundred a year, but the work is slight, and it need not inter', 'i asked. "\'oh, merely a couple of hundred a year, but the work is slight, and it need not interfere ', 'ed. "\'oh, merely a couple of hundred a year, but the work is slight, and it need not interfere very ', "'oh, merely a couple of hundred a year, but the work is slight, and it need not interfere very much ", 'merely a couple of hundred a year, but the work is slight, and it need not interfere very much with ', "y a couple of hundred a year, but the work is slight, and it need not interfere very much with one's", "ouple of hundred a year, but the work is slight, and it need not interfere very much with one's othe", " of hundred a year, but the work is slight, and it need not interfere very much with one's other occ", "undred a year, but the work is slight, and it need not interfere very much with one's other occupati", "d a year, but the work is slight, and it need not interfere very much with one's other occupations.'", 'ear, but the work is slight, and it need not interfere very much with one\'s other occupations.\' "wel', 'but the work is slight, and it need not interfere very much with one\'s other occupations.\' "well, yo', 'he work is slight, and it need not interfere very much with one\'s other occupations.\' "well, you can', 'rk is slight, and it need not interfere very much with one\'s other occupations.\' "well, you can easi', ' slight, and it need not interfere very much with one\'s other occupations.\' "well, you can easily th', 'ht, and it need not interfere very much with one\'s other occupations.\' "well, you can easily think t', 'nd it need not interfere very much with one\'s other occupations.\' "well, you can easily think that t', ' need not interfere very much with one\'s other occupations.\' "well, you can easily think that that m', ' not interfere very much with one\'s other occupations.\' "well, you can easily think that that made m', 'interfere very much with one\'s other occupations.\' "well, you can easily think that that made me pri', 'fere very much with one\'s other occupations.\' "well, you can easily think that that made me prick up', 'very much with one\'s other occupations.\' "well, you can easily think that that made me prick up my e', 'much with one\'s other occupations.\' "well, you can easily think that that made me prick up my ears, ', 'with one\'s other occupations.\' "well, you can easily think that that made me prick up my ears, for t', 'one\'s other occupations.\' "well, you can easily think that that made me prick up my ears, for the bu', ' other occupations.\' "well, you can easily think that that made me prick up my ears, for the busines', 'r occupations.\' "well, you can easily think that that made me prick up my ears, for the business has', 'upations.\' "well, you can easily think that that made me prick up my ears, for the business has not ', 'ons.\' "well, you can easily think that that made me prick up my ears, for the business has not been ', ' "well, you can easily think that that made me prick up my ears, for the business has not been over-', 'l, you can easily think that that made me prick up my ears, for the business has not been over-good ', 'u can easily think that that made me prick up my ears, for the business has not been over-good for s', ' easily think that that made me prick up my ears, for the business has not been over-good for some y', 'ly think that that made me prick up my ears, for the business has not been over-good for some years,', 'ink that that made me prick up my ears, for the business has not been over-good for some years, and ', 'hat that made me prick up my ears, for the business has not been over-good for some years, and an ex', 'hat made me prick up my ears, for the business has not been over-good for some years, and an extra c', 'ade me prick up my ears, for the business has not been over-good for some years, and an extra couple', 'e prick up my ears, for the business has not been over-good for some years, and an extra couple of h', 'ck up my ears, for the business has not been over-good for some years, and an extra couple of hundre', ' my ears, for the business has not been over-good for some years, and an extra couple of hundred wou', 'ars, for the business has not been over-good for some years, and an extra couple of hundred would ha', 'for the business has not been over-good for some years, and an extra couple of hundred would have be', 'he business has not been over-good for some years, and an extra couple of hundred would have been ve', 'siness has not been over-good for some years, and an extra couple of hundred would have been very ha', 's has not been over-good for some years, and an extra couple of hundred would have been very handy. ', ' not been over-good for some years, and an extra couple of hundred would have been very handy. "\'tel', 'been over-good for some years, and an extra couple of hundred would have been very handy. "\'tell me ', 'over-good for some years, and an extra couple of hundred would have been very handy. "\'tell me all a', 'good for some years, and an extra couple of hundred would have been very handy. "\'tell me all about ', 'for some years, and an extra couple of hundred would have been very handy. "\'tell me all about it,\' ', 'ome years, and an extra couple of hundred would have been very handy. "\'tell me all about it,\' said ', 'ears, and an extra couple of hundred would have been very handy. "\'tell me all about it,\' said i. "\'', ' and an extra couple of hundred would have been very handy. "\'tell me all about it,\' said i. "\'well,', 'an extra couple of hundred would have been very handy. "\'tell me all about it,\' said i. "\'well,\' sai', 'tra couple of hundred would have been very handy. "\'tell me all about it,\' said i. "\'well,\' said he,', 'ouple of hundred would have been very handy. "\'tell me all about it,\' said i. "\'well,\' said he, show', ' of hundred would have been very handy. "\'tell me all about it,\' said i. "\'well,\' said he, showing m', 'undred would have been very handy. "\'tell me all about it,\' said i. "\'well,\' said he, showing me the', 'd would have been very handy. "\'tell me all about it,\' said i. "\'well,\' said he, showing me the adve', 'ld have been very handy. "\'tell me all about it,\' said i. "\'well,\' said he, showing me the advertise', 've been very handy. "\'tell me all about it,\' said i. "\'well,\' said he, showing me the advertisement,', 'en very handy. "\'tell me all about it,\' said i. "\'well,\' said he, showing me the advertisement, \'you', 'ry handy. "\'tell me all about it,\' said i. "\'well,\' said he, showing me the advertisement, \'you can ', 'ndy. "\'tell me all about it,\' said i. "\'well,\' said he, showing me the advertisement, \'you can see f', '"\'tell me all about it,\' said i. "\'well,\' said he, showing me the advertisement, \'you can see for yo', 'l me all about it,\' said i. "\'well,\' said he, showing me the advertisement, \'you can see for yoursel', 'all about it,\' said i. "\'well,\' said he, showing me the advertisement, \'you can see for yourself tha', 'bout it,\' said i. "\'well,\' said he, showing me the advertisement, \'you can see for yourself that the', 'it,\' said i. "\'well,\' said he, showing me the advertisement, \'you can see for yourself that the leag', 'said i. "\'well,\' said he, showing me the advertisement, \'you can see for yourself that the league ha', 'i. "\'well,\' said he, showing me the advertisement, \'you can see for yourself that the league has a v', "well,' said he, showing me the advertisement, 'you can see for yourself that the league has a vacanc", "' said he, showing me the advertisement, 'you can see for yourself that the league has a vacancy, an", "d he, showing me the advertisement, 'you can see for yourself that the league has a vacancy, and the", " showing me the advertisement, 'you can see for yourself that the league has a vacancy, and there is", "ing me the advertisement, 'you can see for yourself that the league has a vacancy, and there is the ", "e the advertisement, 'you can see for yourself that the league has a vacancy, and there is the addre", " advertisement, 'you can see for yourself that the league has a vacancy, and there is the address wh", "rtisement, 'you can see for yourself that the league has a vacancy, and there is the address where y", "ment, 'you can see for yourself that the league has a vacancy, and there is the address where you sh", " 'you can see for yourself that the league has a vacancy, and there is the address where you should ", ' can see for yourself that the league has a vacancy, and there is the address where you should apply', 'see for yourself that the league has a vacancy, and there is the address where you should apply for ', 'or yourself that the league has a vacancy, and there is the address where you should apply for parti', 'urself that the league has a vacancy, and there is the address where you should apply for particular', 'f that the league has a vacancy, and there is the address where you should apply for particulars. as', 't the league has a vacancy, and there is the address where you should apply for particulars. as far ', ' league has a vacancy, and there is the address where you should apply for particulars. as far as i ', 'ue has a vacancy, and there is the address where you should apply for particulars. as far as i can m', 's a vacancy, and there is the address where you should apply for particulars. as far as i can make o', 'acancy, and there is the address where you should apply for particulars. as far as i can make out, t', 'y, and there is the address where you should apply for particulars. as far as i can make out, the le', 'd there is the address where you should apply for particulars. as far as i can make out, the league ', 're is the address where you should apply for particulars. as far as i can make out, the league was f', ' the address where you should apply for particulars. as far as i can make out, the league was founde', 'address where you should apply for particulars. as far as i can make out, the league was founded by ', 'ss where you should apply for particulars. as far as i can make out, the league was founded by an am', 'ere you should apply for particulars. as far as i can make out, the league was founded by an america', 'ou should apply for particulars. as far as i can make out, the league was founded by an american mil', 'ould apply for particulars. as far as i can make out, the league was founded by an american milliona', 'apply for particulars. as far as i can make out, the league was founded by an american millionaire, ', ' for particulars. as far as i can make out, the league was founded by an american millionaire, ezeki', 'particulars. as far as i can make out, the league was founded by an american millionaire, ezekiah ho', 'culars. as far as i can make out, the league was founded by an american millionaire, ezekiah hopkins', 's. as far as i can make out, the league was founded by an american millionaire, ezekiah hopkins, who', ' far as i can make out, the league was founded by an american millionaire, ezekiah hopkins, who was ', 'as i can make out, the league was founded by an american millionaire, ezekiah hopkins, who was very ', 'can make out, the league was founded by an american millionaire, ezekiah hopkins, who was very pecul', 'ake out, the league was founded by an american millionaire, ezekiah hopkins, who was very peculiar i', 'ut, the league was founded by an american millionaire, ezekiah hopkins, who was very peculiar in his', 'he league was founded by an american millionaire, ezekiah hopkins, who was very peculiar in his ways', 'ague was founded by an american millionaire, ezekiah hopkins, who was very peculiar in his ways. he ', 'was founded by an american millionaire, ezekiah hopkins, who was very peculiar in his ways. he was h', 'ounded by an american millionaire, ezekiah hopkins, who was very peculiar in his ways. he was himsel', 'd by an american millionaire, ezekiah hopkins, who was very peculiar in his ways. he was himself red', 'an american millionaire, ezekiah hopkins, who was very peculiar in his ways. he was himself red-head', 'erican millionaire, ezekiah hopkins, who was very peculiar in his ways. he was himself red-headed, a', 'n millionaire, ezekiah hopkins, who was very peculiar in his ways. he was himself red-headed, and he', 'lionaire, ezekiah hopkins, who was very peculiar in his ways. he was himself red-headed, and he had ', 'ire, ezekiah hopkins, who was very peculiar in his ways. he was himself red-headed, and he had a gre', 'ezekiah hopkins, who was very peculiar in his ways. he was himself red-headed, and he had a great sy', 'ah hopkins, who was very peculiar in his ways. he was himself red-headed, and he had a great sympath', 'pkins, who was very peculiar in his ways. he was himself red-headed, and he had a great sympathy for', ', who was very peculiar in his ways. he was himself red-headed, and he had a great sympathy for all ', ' was very peculiar in his ways. he was himself red-headed, and he had a great sympathy for all red-h', 'very peculiar in his ways. he was himself red-headed, and he had a great sympathy for all red-headed', 'peculiar in his ways. he was himself red-headed, and he had a great sympathy for all red-headed men;', 'iar in his ways. he was himself red-headed, and he had a great sympathy for all red-headed men; so w', 'n his ways. he was himself red-headed, and he had a great sympathy for all red-headed men; so when h', ' ways. he was himself red-headed, and he had a great sympathy for all red-headed men; so when he die', '. he was himself red-headed, and he had a great sympathy for all red-headed men; so when he died it ', 'was himself red-headed, and he had a great sympathy for all red-headed men; so when he died it was f', 'imself red-headed, and he had a great sympathy for all red-headed men; so when he died it was found ', 'f red-headed, and he had a great sympathy for all red-headed men; so when he died it was found that ', '-headed, and he had a great sympathy for all red-headed men; so when he died it was found that he ha', 'ed, and he had a great sympathy for all red-headed men; so when he died it was found that he had lef', 'nd he had a great sympathy for all red-headed men; so when he died it was found that he had left his', ' had a great sympathy for all red-headed men; so when he died it was found that he had left his enor', 'a great sympathy for all red-headed men; so when he died it was found that he had left his enormous ', 'at sympathy for all red-headed men; so when he died it was found that he had left his enormous fortu', 'mpathy for all red-headed men; so when he died it was found that he had left his enormous fortune in', 'y for all red-headed men; so when he died it was found that he had left his enormous fortune in the ', ' all red-headed men; so when he died it was found that he had left his enormous fortune in the hands', 'red-headed men; so when he died it was found that he had left his enormous fortune in the hands of t', 'eaded men; so when he died it was found that he had left his enormous fortune in the hands of truste', ' men; so when he died it was found that he had left his enormous fortune in the hands of trustees, w', ' so when he died it was found that he had left his enormous fortune in the hands of trustees, with i', 'hen he died it was found that he had left his enormous fortune in the hands of trustees, with instru', 'e died it was found that he had left his enormous fortune in the hands of trustees, with instruction', 'd it was found that he had left his enormous fortune in the hands of trustees, with instructions to ', 'was found that he had left his enormous fortune in the hands of trustees, with instructions to apply', 'ound that he had left his enormous fortune in the hands of trustees, with instructions to apply the ', 'that he had left his enormous fortune in the hands of trustees, with instructions to apply the inter', 'he had left his enormous fortune in the hands of trustees, with instructions to apply the interest t', 'd left his enormous fortune in the hands of trustees, with instructions to apply the interest to the', 't his enormous fortune in the hands of trustees, with instructions to apply the interest to the prov', ' enormous fortune in the hands of trustees, with instructions to apply the interest to the providing', 'mous fortune in the hands of trustees, with instructions to apply the interest to the providing of e', 'fortune in the hands of trustees, with instructions to apply the interest to the providing of easy b', 'ne in the hands of trustees, with instructions to apply the interest to the providing of easy berths', ' the hands of trustees, with instructions to apply the interest to the providing of easy berths to m', 'hands of trustees, with instructions to apply the interest to the providing of easy berths to men wh', ' of trustees, with instructions to apply the interest to the providing of easy berths to men whose h', 'rustees, with instructions to apply the interest to the providing of easy berths to men whose hair i', 'es, with instructions to apply the interest to the providing of easy berths to men whose hair is of ', 'ith instructions to apply the interest to the providing of easy berths to men whose hair is of that ', 'nstructions to apply the interest to the providing of easy berths to men whose hair is of that colou', 'ctions to apply the interest to the providing of easy berths to men whose hair is of that colour. fr', 's to apply the interest to the providing of easy berths to men whose hair is of that colour. from al', 'apply the interest to the providing of easy berths to men whose hair is of that colour. from all i h', ' the interest to the providing of easy berths to men whose hair is of that colour. from all i hear i', 'interest to the providing of easy berths to men whose hair is of that colour. from all i hear it is ', 'est to the providing of easy berths to men whose hair is of that colour. from all i hear it is splen', 'o the providing of easy berths to men whose hair is of that colour. from all i hear it is splendid p', ' providing of easy berths to men whose hair is of that colour. from all i hear it is splendid pay an', 'iding of easy berths to men whose hair is of that colour. from all i hear it is splendid pay and ver', ' of easy berths to men whose hair is of that colour. from all i hear it is splendid pay and very lit', 'asy berths to men whose hair is of that colour. from all i hear it is splendid pay and very little t', 'erths to men whose hair is of that colour. from all i hear it is splendid pay and very little to do.', ' to men whose hair is of that colour. from all i hear it is splendid pay and very little to do.\' "\'b', 'en whose hair is of that colour. from all i hear it is splendid pay and very little to do.\' "\'but,\' ', 'ose hair is of that colour. from all i hear it is splendid pay and very little to do.\' "\'but,\' said ', 'air is of that colour. from all i hear it is splendid pay and very little to do.\' "\'but,\' said i, \'t', 's of that colour. from all i hear it is splendid pay and very little to do.\' "\'but,\' said i, \'there ', 'that colour. from all i hear it is splendid pay and very little to do.\' "\'but,\' said i, \'there would', 'colour. from all i hear it is splendid pay and very little to do.\' "\'but,\' said i, \'there would be m', 'r. from all i hear it is splendid pay and very little to do.\' "\'but,\' said i, \'there would be millio', 'om all i hear it is splendid pay and very little to do.\' "\'but,\' said i, \'there would be millions of', 'l i hear it is splendid pay and very little to do.\' "\'but,\' said i, \'there would be millions of red-', 'ear it is splendid pay and very little to do.\' "\'but,\' said i, \'there would be millions of red-heade', 't is splendid pay and very little to do.\' "\'but,\' said i, \'there would be millions of red-headed men', 'splendid pay and very little to do.\' "\'but,\' said i, \'there would be millions of red-headed men who ', 'did pay and very little to do.\' "\'but,\' said i, \'there would be millions of red-headed men who would', 'ay and very little to do.\' "\'but,\' said i, \'there would be millions of red-headed men who would appl', 'd very little to do.\' "\'but,\' said i, \'there would be millions of red-headed men who would apply.\' "', 'y little to do.\' "\'but,\' said i, \'there would be millions of red-headed men who would apply.\' "\'not ', 'tle to do.\' "\'but,\' said i, \'there would be millions of red-headed men who would apply.\' "\'not so ma', 'o do.\' "\'but,\' said i, \'there would be millions of red-headed men who would apply.\' "\'not so many as', '\' "\'but,\' said i, \'there would be millions of red-headed men who would apply.\' "\'not so many as you ', 'ut,\' said i, \'there would be millions of red-headed men who would apply.\' "\'not so many as you might', 'said i, \'there would be millions of red-headed men who would apply.\' "\'not so many as you might thin', 'i, \'there would be millions of red-headed men who would apply.\' "\'not so many as you might think,\' h', 'here would be millions of red-headed men who would apply.\' "\'not so many as you might think,\' he ans', 'would be millions of red-headed men who would apply.\' "\'not so many as you might think,\' he answered', ' be millions of red-headed men who would apply.\' "\'not so many as you might think,\' he answered. \'yo', 'illions of red-headed men who would apply.\' "\'not so many as you might think,\' he answered. \'you see', 'ns of red-headed men who would apply.\' "\'not so many as you might think,\' he answered. \'you see it i', ' red-headed men who would apply.\' "\'not so many as you might think,\' he answered. \'you see it is rea', 'headed men who would apply.\' "\'not so many as you might think,\' he answered. \'you see it is really c', 'd men who would apply.\' "\'not so many as you might think,\' he answered. \'you see it is really confin', ' who would apply.\' "\'not so many as you might think,\' he answered. \'you see it is really confined to', 'would apply.\' "\'not so many as you might think,\' he answered. \'you see it is really confined to lond', ' apply.\' "\'not so many as you might think,\' he answered. \'you see it is really confined to londoners', 'y.\' "\'not so many as you might think,\' he answered. \'you see it is really confined to londoners, and', "'not so many as you might think,' he answered. 'you see it is really confined to londoners, and to g", "so many as you might think,' he answered. 'you see it is really confined to londoners, and to grown ", "ny as you might think,' he answered. 'you see it is really confined to londoners, and to grown men. ", " you might think,' he answered. 'you see it is really confined to londoners, and to grown men. this ", "might think,' he answered. 'you see it is really confined to londoners, and to grown men. this ameri", " think,' he answered. 'you see it is really confined to londoners, and to grown men. this american h", "k,' he answered. 'you see it is really confined to londoners, and to grown men. this american had st", "e answered. 'you see it is really confined to londoners, and to grown men. this american had started", "wered. 'you see it is really confined to londoners, and to grown men. this american had started from", ". 'you see it is really confined to londoners, and to grown men. this american had started from lond", 'u see it is really confined to londoners, and to grown men. this american had started from london wh', ' it is really confined to londoners, and to grown men. this american had started from london when he', 's really confined to londoners, and to grown men. this american had started from london when he was ', 'lly confined to londoners, and to grown men. this american had started from london when he was young', 'onfined to londoners, and to grown men. this american had started from london when he was young, and', 'ed to londoners, and to grown men. this american had started from london when he was young, and he w', ' londoners, and to grown men. this american had started from london when he was young, and he wanted', 'oners, and to grown men. this american had started from london when he was young, and he wanted to d', ', and to grown men. this american had started from london when he was young, and he wanted to do the', ' to grown men. this american had started from london when he was young, and he wanted to do the old ', 'rown men. this american had started from london when he was young, and he wanted to do the old town ', 'men. this american had started from london when he was young, and he wanted to do the old town a goo', 'this american had started from london when he was young, and he wanted to do the old town a good tur', 'american had started from london when he was young, and he wanted to do the old town a good turn. th', 'can had started from london when he was young, and he wanted to do the old town a good turn. then, a', 'ad started from london when he was young, and he wanted to do the old town a good turn. then, again,', 'arted from london when he was young, and he wanted to do the old town a good turn. then, again, i ha', ' from london when he was young, and he wanted to do the old town a good turn. then, again, i have he', ' london when he was young, and he wanted to do the old town a good turn. then, again, i have heard i', 'on when he was young, and he wanted to do the old town a good turn. then, again, i have heard it is ', 'en he was young, and he wanted to do the old town a good turn. then, again, i have heard it is no us', ' was young, and he wanted to do the old town a good turn. then, again, i have heard it is no use you', 'young, and he wanted to do the old town a good turn. then, again, i have heard it is no use your app', ', and he wanted to do the old town a good turn. then, again, i have heard it is no use your applying', ' he wanted to do the old town a good turn. then, again, i have heard it is no use your applying if y', 'anted to do the old town a good turn. then, again, i have heard it is no use your applying if your h', ' to do the old town a good turn. then, again, i have heard it is no use your applying if your hair i', 'o the old town a good turn. then, again, i have heard it is no use your applying if your hair is lig', ' old town a good turn. then, again, i have heard it is no use your applying if your hair is light re', 'town a good turn. then, again, i have heard it is no use your applying if your hair is light red, or', 'a good turn. then, again, i have heard it is no use your applying if your hair is light red, or dark', 'd turn. then, again, i have heard it is no use your applying if your hair is light red, or dark red,', 'n. then, again, i have heard it is no use your applying if your hair is light red, or dark red, or a', 'en, again, i have heard it is no use your applying if your hair is light red, or dark red, or anythi', 'gain, i have heard it is no use your applying if your hair is light red, or dark red, or anything bu', ' i have heard it is no use your applying if your hair is light red, or dark red, or anything but rea', 've heard it is no use your applying if your hair is light red, or dark red, or anything but real bri', 'ard it is no use your applying if your hair is light red, or dark red, or anything but real bright, ', 't is no use your applying if your hair is light red, or dark red, or anything but real bright, blazi', 'no use your applying if your hair is light red, or dark red, or anything but real bright, blazing, f', 'e your applying if your hair is light red, or dark red, or anything but real bright, blazing, fiery ', 'r applying if your hair is light red, or dark red, or anything but real bright, blazing, fiery red. ', 'lying if your hair is light red, or dark red, or anything but real bright, blazing, fiery red. now, ', ' if your hair is light red, or dark red, or anything but real bright, blazing, fiery red. now, if yo', 'our hair is light red, or dark red, or anything but real bright, blazing, fiery red. now, if you car', 'air is light red, or dark red, or anything but real bright, blazing, fiery red. now, if you cared to', 's light red, or dark red, or anything but real bright, blazing, fiery red. now, if you cared to appl', 'ht red, or dark red, or anything but real bright, blazing, fiery red. now, if you cared to apply, mr', 'd, or dark red, or anything but real bright, blazing, fiery red. now, if you cared to apply, mr. wil', ' dark red, or anything but real bright, blazing, fiery red. now, if you cared to apply, mr. wilson, ', ' red, or anything but real bright, blazing, fiery red. now, if you cared to apply, mr. wilson, you w', ' or anything but real bright, blazing, fiery red. now, if you cared to apply, mr. wilson, you would ', 'nything but real bright, blazing, fiery red. now, if you cared to apply, mr. wilson, you would just ', 'ng but real bright, blazing, fiery red. now, if you cared to apply, mr. wilson, you would just walk ', 't real bright, blazing, fiery red. now, if you cared to apply, mr. wilson, you would just walk in; b', 'l bright, blazing, fiery red. now, if you cared to apply, mr. wilson, you would just walk in; but pe', 'ght, blazing, fiery red. now, if you cared to apply, mr. wilson, you would just walk in; but perhaps', 'blazing, fiery red. now, if you cared to apply, mr. wilson, you would just walk in; but perhaps it w', 'ng, fiery red. now, if you cared to apply, mr. wilson, you would just walk in; but perhaps it would ', 'iery red. now, if you cared to apply, mr. wilson, you would just walk in; but perhaps it would hardl', 'red. now, if you cared to apply, mr. wilson, you would just walk in; but perhaps it would hardly be ', 'now, if you cared to apply, mr. wilson, you would just walk in; but perhaps it would hardly be worth', 'if you cared to apply, mr. wilson, you would just walk in; but perhaps it would hardly be worth your', 'u cared to apply, mr. wilson, you would just walk in; but perhaps it would hardly be worth your whil', 'ed to apply, mr. wilson, you would just walk in; but perhaps it would hardly be worth your while to ', ' apply, mr. wilson, you would just walk in; but perhaps it would hardly be worth your while to put y', 'y, mr. wilson, you would just walk in; but perhaps it would hardly be worth your while to put yourse', '. wilson, you would just walk in; but perhaps it would hardly be worth your while to put yourself ou', 'son, you would just walk in; but perhaps it would hardly be worth your while to put yourself out of ', 'you would just walk in; but perhaps it would hardly be worth your while to put yourself out of the w', 'ould just walk in; but perhaps it would hardly be worth your while to put yourself out of the way fo', 'just walk in; but perhaps it would hardly be worth your while to put yourself out of the way for the', 'walk in; but perhaps it would hardly be worth your while to put yourself out of the way for the sake', 'in; but perhaps it would hardly be worth your while to put yourself out of the way for the sake of a', 'ut perhaps it would hardly be worth your while to put yourself out of the way for the sake of a few ', 'rhaps it would hardly be worth your while to put yourself out of the way for the sake of a few hundr', ' it would hardly be worth your while to put yourself out of the way for the sake of a few hundred po', 'ould hardly be worth your while to put yourself out of the way for the sake of a few hundred pounds.', 'hardly be worth your while to put yourself out of the way for the sake of a few hundred pounds.\' "no', 'y be worth your while to put yourself out of the way for the sake of a few hundred pounds.\' "now, it', 'worth your while to put yourself out of the way for the sake of a few hundred pounds.\' "now, it is a', ' your while to put yourself out of the way for the sake of a few hundred pounds.\' "now, it is a fact', ' while to put yourself out of the way for the sake of a few hundred pounds.\' "now, it is a fact, gen', 'e to put yourself out of the way for the sake of a few hundred pounds.\' "now, it is a fact, gentleme', 'put yourself out of the way for the sake of a few hundred pounds.\' "now, it is a fact, gentlemen, as', 'ourself out of the way for the sake of a few hundred pounds.\' "now, it is a fact, gentlemen, as you ', 'lf out of the way for the sake of a few hundred pounds.\' "now, it is a fact, gentlemen, as you may s', 't of the way for the sake of a few hundred pounds.\' "now, it is a fact, gentlemen, as you may see fo', 'the way for the sake of a few hundred pounds.\' "now, it is a fact, gentlemen, as you may see for you', 'ay for the sake of a few hundred pounds.\' "now, it is a fact, gentlemen, as you may see for yourselv', 'r the sake of a few hundred pounds.\' "now, it is a fact, gentlemen, as you may see for yourselves, t', ' sake of a few hundred pounds.\' "now, it is a fact, gentlemen, as you may see for yourselves, that m', ' of a few hundred pounds.\' "now, it is a fact, gentlemen, as you may see for yourselves, that my hai', ' few hundred pounds.\' "now, it is a fact, gentlemen, as you may see for yourselves, that my hair is ', 'hundred pounds.\' "now, it is a fact, gentlemen, as you may see for yourselves, that my hair is of a ', 'ed pounds.\' "now, it is a fact, gentlemen, as you may see for yourselves, that my hair is of a very ', 'unds.\' "now, it is a fact, gentlemen, as you may see for yourselves, that my hair is of a very full ', '\' "now, it is a fact, gentlemen, as you may see for yourselves, that my hair is of a very full and r', 'w, it is a fact, gentlemen, as you may see for yourselves, that my hair is of a very full and rich t', ' is a fact, gentlemen, as you may see for yourselves, that my hair is of a very full and rich tint, ', ' fact, gentlemen, as you may see for yourselves, that my hair is of a very full and rich tint, so th', ', gentlemen, as you may see for yourselves, that my hair is of a very full and rich tint, so that it', 'tlemen, as you may see for yourselves, that my hair is of a very full and rich tint, so that it seem', 'n, as you may see for yourselves, that my hair is of a very full and rich tint, so that it seemed to', ' you may see for yourselves, that my hair is of a very full and rich tint, so that it seemed to me t', 'may see for yourselves, that my hair is of a very full and rich tint, so that it seemed to me that i', 'ee for yourselves, that my hair is of a very full and rich tint, so that it seemed to me that if the', 'r yourselves, that my hair is of a very full and rich tint, so that it seemed to me that if there wa', 'rselves, that my hair is of a very full and rich tint, so that it seemed to me that if there was to ', 'es, that my hair is of a very full and rich tint, so that it seemed to me that if there was to be an', 'hat my hair is of a very full and rich tint, so that it seemed to me that if there was to be any com', 'y hair is of a very full and rich tint, so that it seemed to me that if there was to be any competit', 'r is of a very full and rich tint, so that it seemed to me that if there was to be any competition i', 'of a very full and rich tint, so that it seemed to me that if there was to be any competition in the', 'very full and rich tint, so that it seemed to me that if there was to be any competition in the matt', 'full and rich tint, so that it seemed to me that if there was to be any competition in the matter i ', 'and rich tint, so that it seemed to me that if there was to be any competition in the matter i stood', 'ich tint, so that it seemed to me that if there was to be any competition in the matter i stood as g', 'int, so that it seemed to me that if there was to be any competition in the matter i stood as good a', 'so that it seemed to me that if there was to be any competition in the matter i stood as good a chan', 'at it seemed to me that if there was to be any competition in the matter i stood as good a chance as', ' seemed to me that if there was to be any competition in the matter i stood as good a chance as any ', 'ed to me that if there was to be any competition in the matter i stood as good a chance as any man t', ' me that if there was to be any competition in the matter i stood as good a chance as any man that i', 'hat if there was to be any competition in the matter i stood as good a chance as any man that i had ', 'f there was to be any competition in the matter i stood as good a chance as any man that i had ever ', 're was to be any competition in the matter i stood as good a chance as any man that i had ever met. ', 's to be any competition in the matter i stood as good a chance as any man that i had ever met. vince', 'be any competition in the matter i stood as good a chance as any man that i had ever met. vincent sp', 'y competition in the matter i stood as good a chance as any man that i had ever met. vincent spauldi', 'petition in the matter i stood as good a chance as any man that i had ever met. vincent spaulding se', 'ion in the matter i stood as good a chance as any man that i had ever met. vincent spaulding seemed ', 'n the matter i stood as good a chance as any man that i had ever met. vincent spaulding seemed to kn', ' matter i stood as good a chance as any man that i had ever met. vincent spaulding seemed to know so', 'er i stood as good a chance as any man that i had ever met. vincent spaulding seemed to know so much', 'stood as good a chance as any man that i had ever met. vincent spaulding seemed to know so much abou', ' as good a chance as any man that i had ever met. vincent spaulding seemed to know so much about it ', 'ood a chance as any man that i had ever met. vincent spaulding seemed to know so much about it that ', ' chance as any man that i had ever met. vincent spaulding seemed to know so much about it that i tho', 'ce as any man that i had ever met. vincent spaulding seemed to know so much about it that i thought ', ' any man that i had ever met. vincent spaulding seemed to know so much about it that i thought he mi', 'man that i had ever met. vincent spaulding seemed to know so much about it that i thought he might p', 'hat i had ever met. vincent spaulding seemed to know so much about it that i thought he might prove ', ' had ever met. vincent spaulding seemed to know so much about it that i thought he might prove usefu', 'ever met. vincent spaulding seemed to know so much about it that i thought he might prove useful, so', 'met. vincent spaulding seemed to know so much about it that i thought he might prove useful, so i ju', 'vincent spaulding seemed to know so much about it that i thought he might prove useful, so i just or', 'nt spaulding seemed to know so much about it that i thought he might prove useful, so i just ordered', 'aulding seemed to know so much about it that i thought he might prove useful, so i just ordered him ', 'ng seemed to know so much about it that i thought he might prove useful, so i just ordered him to pu', 'emed to know so much about it that i thought he might prove useful, so i just ordered him to put up ', 'to know so much about it that i thought he might prove useful, so i just ordered him to put up the s', 'ow so much about it that i thought he might prove useful, so i just ordered him to put up the shutte', ' much about it that i thought he might prove useful, so i just ordered him to put up the shutters fo', ' about it that i thought he might prove useful, so i just ordered him to put up the shutters for the', 't it that i thought he might prove useful, so i just ordered him to put up the shutters for the day ', 'that i thought he might prove useful, so i just ordered him to put up the shutters for the day and t', 'i thought he might prove useful, so i just ordered him to put up the shutters for the day and to com', 'ught he might prove useful, so i just ordered him to put up the shutters for the day and to come rig', 'he might prove useful, so i just ordered him to put up the shutters for the day and to come right aw', 'ght prove useful, so i just ordered him to put up the shutters for the day and to come right away wi', 'rove useful, so i just ordered him to put up the shutters for the day and to come right away with me', 'useful, so i just ordered him to put up the shutters for the day and to come right away with me. he ', 'l, so i just ordered him to put up the shutters for the day and to come right away with me. he was v', ' i just ordered him to put up the shutters for the day and to come right away with me. he was very w', 'st ordered him to put up the shutters for the day and to come right away with me. he was very willin', 'dered him to put up the shutters for the day and to come right away with me. he was very willing to ', ' him to put up the shutters for the day and to come right away with me. he was very willing to have ', 'to put up the shutters for the day and to come right away with me. he was very willing to have a hol', 't up the shutters for the day and to come right away with me. he was very willing to have a holiday,', 'the shutters for the day and to come right away with me. he was very willing to have a holiday, so w', 'hutters for the day and to come right away with me. he was very willing to have a holiday, so we shu', 'rs for the day and to come right away with me. he was very willing to have a holiday, so we shut the', 'r the day and to come right away with me. he was very willing to have a holiday, so we shut the busi', ' day and to come right away with me. he was very willing to have a holiday, so we shut the business ', 'and to come right away with me. he was very willing to have a holiday, so we shut the business up an', 'o come right away with me. he was very willing to have a holiday, so we shut the business up and sta', 'e right away with me. he was very willing to have a holiday, so we shut the business up and started ', 'ht away with me. he was very willing to have a holiday, so we shut the business up and started off f', 'ay with me. he was very willing to have a holiday, so we shut the business up and started off for th', 'th me. he was very willing to have a holiday, so we shut the business up and started off for the add', '. he was very willing to have a holiday, so we shut the business up and started off for the address ', 'was very willing to have a holiday, so we shut the business up and started off for the address that ', 'ery willing to have a holiday, so we shut the business up and started off for the address that was g', 'illing to have a holiday, so we shut the business up and started off for the address that was given ', 'g to have a holiday, so we shut the business up and started off for the address that was given us in', 'have a holiday, so we shut the business up and started off for the address that was given us in the ', 'a holiday, so we shut the business up and started off for the address that was given us in the adver', 'iday, so we shut the business up and started off for the address that was given us in the advertisem', ' so we shut the business up and started off for the address that was given us in the advertisement. ', 'e shut the business up and started off for the address that was given us in the advertisement. "i ne', 't the business up and started off for the address that was given us in the advertisement. "i never h', ' business up and started off for the address that was given us in the advertisement. "i never hope t', 'ness up and started off for the address that was given us in the advertisement. "i never hope to see', 'up and started off for the address that was given us in the advertisement. "i never hope to see such', 'd started off for the address that was given us in the advertisement. "i never hope to see such a si', 'rted off for the address that was given us in the advertisement. "i never hope to see such a sight a', 'off for the address that was given us in the advertisement. "i never hope to see such a sight as tha', 'or the address that was given us in the advertisement. "i never hope to see such a sight as that aga', 'e address that was given us in the advertisement. "i never hope to see such a sight as that again, m', 'ress that was given us in the advertisement. "i never hope to see such a sight as that again, mr. ho', 'that was given us in the advertisement. "i never hope to see such a sight as that again, mr. holmes.', 'was given us in the advertisement. "i never hope to see such a sight as that again, mr. holmes. from', 'iven us in the advertisement. "i never hope to see such a sight as that again, mr. holmes. from nort', 'us in the advertisement. "i never hope to see such a sight as that again, mr. holmes. from north, so', ' the advertisement. "i never hope to see such a sight as that again, mr. holmes. from north, south, ', 'advertisement. "i never hope to see such a sight as that again, mr. holmes. from north, south, east,', 'tisement. "i never hope to see such a sight as that again, mr. holmes. from north, south, east, and ', 'ent. "i never hope to see such a sight as that again, mr. holmes. from north, south, east, and west ', '"i never hope to see such a sight as that again, mr. holmes. from north, south, east, and west every', 'ver hope to see such a sight as that again, mr. holmes. from north, south, east, and west every man ', 'ope to see such a sight as that again, mr. holmes. from north, south, east, and west every man who h', 'o see such a sight as that again, mr. holmes. from north, south, east, and west every man who had a ', ' such a sight as that again, mr. holmes. from north, south, east, and west every man who had a shade', ' a sight as that again, mr. holmes. from north, south, east, and west every man who had a shade of r', 'ght as that again, mr. holmes. from north, south, east, and west every man who had a shade of red in', 's that again, mr. holmes. from north, south, east, and west every man who had a shade of red in his ', 't again, mr. holmes. from north, south, east, and west every man who had a shade of red in his hair ', 'in, mr. holmes. from north, south, east, and west every man who had a shade of red in his hair had t', 'r. holmes. from north, south, east, and west every man who had a shade of red in his hair had trampe', 'lmes. from north, south, east, and west every man who had a shade of red in his hair had tramped int', ' from north, south, east, and west every man who had a shade of red in his hair had tramped into the', ' north, south, east, and west every man who had a shade of red in his hair had tramped into the city', 'h, south, east, and west every man who had a shade of red in his hair had tramped into the city to a', 'uth, east, and west every man who had a shade of red in his hair had tramped into the city to answer', 'east, and west every man who had a shade of red in his hair had tramped into the city to answer the ', ' and west every man who had a shade of red in his hair had tramped into the city to answer the adver', 'west every man who had a shade of red in his hair had tramped into the city to answer the advertisem', 'every man who had a shade of red in his hair had tramped into the city to answer the advertisement. ', ' man who had a shade of red in his hair had tramped into the city to answer the advertisement. fleet', 'who had a shade of red in his hair had tramped into the city to answer the advertisement. fleet stre', 'ad a shade of red in his hair had tramped into the city to answer the advertisement. fleet street wa', 'shade of red in his hair had tramped into the city to answer the advertisement. fleet street was cho', ' of red in his hair had tramped into the city to answer the advertisement. fleet street was choked w', 'ed in his hair had tramped into the city to answer the advertisement. fleet street was choked with r', ' his hair had tramped into the city to answer the advertisement. fleet street was choked with red-he', 'hair had tramped into the city to answer the advertisement. fleet street was choked with red-headed ', 'had tramped into the city to answer the advertisement. fleet street was choked with red-headed folk,', 'ramped into the city to answer the advertisement. fleet street was choked with red-headed folk, and ', "d into the city to answer the advertisement. fleet street was choked with red-headed folk, and pope'", "o the city to answer the advertisement. fleet street was choked with red-headed folk, and pope's cou", " city to answer the advertisement. fleet street was choked with red-headed folk, and pope's court lo", " to answer the advertisement. fleet street was choked with red-headed folk, and pope's court looked ", "nswer the advertisement. fleet street was choked with red-headed folk, and pope's court looked like ", " the advertisement. fleet street was choked with red-headed folk, and pope's court looked like a cos", "advertisement. fleet street was choked with red-headed folk, and pope's court looked like a coster's", "tisement. fleet street was choked with red-headed folk, and pope's court looked like a coster's oran", "ent. fleet street was choked with red-headed folk, and pope's court looked like a coster's orange ba", "fleet street was choked with red-headed folk, and pope's court looked like a coster's orange barrow.", " street was choked with red-headed folk, and pope's court looked like a coster's orange barrow. i sh", "et was choked with red-headed folk, and pope's court looked like a coster's orange barrow. i should ", "s choked with red-headed folk, and pope's court looked like a coster's orange barrow. i should not h", "ked with red-headed folk, and pope's court looked like a coster's orange barrow. i should not have t", "ith red-headed folk, and pope's court looked like a coster's orange barrow. i should not have though", "ed-headed folk, and pope's court looked like a coster's orange barrow. i should not have thought the", "aded folk, and pope's court looked like a coster's orange barrow. i should not have thought there we", "folk, and pope's court looked like a coster's orange barrow. i should not have thought there were so", " and pope's court looked like a coster's orange barrow. i should not have thought there were so many", "pope's court looked like a coster's orange barrow. i should not have thought there were so many in t", "s court looked like a coster's orange barrow. i should not have thought there were so many in the wh", "rt looked like a coster's orange barrow. i should not have thought there were so many in the whole c", "oked like a coster's orange barrow. i should not have thought there were so many in the whole countr", "like a coster's orange barrow. i should not have thought there were so many in the whole country as ", "a coster's orange barrow. i should not have thought there were so many in the whole country as were ", "ter's orange barrow. i should not have thought there were so many in the whole country as were broug", ' orange barrow. i should not have thought there were so many in the whole country as were brought to', 'ge barrow. i should not have thought there were so many in the whole country as were brought togethe', 'rrow. i should not have thought there were so many in the whole country as were brought together by ', ' i should not have thought there were so many in the whole country as were brought together by that ', 'ould not have thought there were so many in the whole country as were brought together by that singl', 'not have thought there were so many in the whole country as were brought together by that single adv', 'ave thought there were so many in the whole country as were brought together by that single advertis', 'hought there were so many in the whole country as were brought together by that single advertisement', 't there were so many in the whole country as were brought together by that single advertisement. eve', 're were so many in the whole country as were brought together by that single advertisement. every sh', 're so many in the whole country as were brought together by that single advertisement. every shade o', ' many in the whole country as were brought together by that single advertisement. every shade of col', ' in the whole country as were brought together by that single advertisement. every shade of colour t', 'he whole country as were brought together by that single advertisement. every shade of colour they w', 'ole country as were brought together by that single advertisement. every shade of colour they werest', 'ountry as were brought together by that single advertisement. every shade of colour they werestraw, ', 'y as were brought together by that single advertisement. every shade of colour they werestraw, lemon', 'were brought together by that single advertisement. every shade of colour they werestraw, lemon, ora', 'brought together by that single advertisement. every shade of colour they werestraw, lemon, orange, ', 'ht together by that single advertisement. every shade of colour they werestraw, lemon, orange, brick', 'gether by that single advertisement. every shade of colour they werestraw, lemon, orange, brick, iri', 'r by that single advertisement. every shade of colour they werestraw, lemon, orange, brick, irish-se', 'that single advertisement. every shade of colour they werestraw, lemon, orange, brick, irish-setter,', 'single advertisement. every shade of colour they werestraw, lemon, orange, brick, irish-setter, live', 'e advertisement. every shade of colour they werestraw, lemon, orange, brick, irish-setter, liver, cl', 'ertisement. every shade of colour they werestraw, lemon, orange, brick, irish-setter, liver, clay; b', 'ement. every shade of colour they werestraw, lemon, orange, brick, irish-setter, liver, clay; but, a', '. every shade of colour they werestraw, lemon, orange, brick, irish-setter, liver, clay; but, as spa', 'ry shade of colour they werestraw, lemon, orange, brick, irish-setter, liver, clay; but, as spauldin', 'ade of colour they werestraw, lemon, orange, brick, irish-setter, liver, clay; but, as spaulding sai', 'f colour they werestraw, lemon, orange, brick, irish-setter, liver, clay; but, as spaulding said, th', 'our they werestraw, lemon, orange, brick, irish-setter, liver, clay; but, as spaulding said, there w', 'hey werestraw, lemon, orange, brick, irish-setter, liver, clay; but, as spaulding said, there were n', 'erestraw, lemon, orange, brick, irish-setter, liver, clay; but, as spaulding said, there were not ma', 'raw, lemon, orange, brick, irish-setter, liver, clay; but, as spaulding said, there were not many wh', 'lemon, orange, brick, irish-setter, liver, clay; but, as spaulding said, there were not many who had', ', orange, brick, irish-setter, liver, clay; but, as spaulding said, there were not many who had the ', 'nge, brick, irish-setter, liver, clay; but, as spaulding said, there were not many who had the real ', 'brick, irish-setter, liver, clay; but, as spaulding said, there were not many who had the real vivid', ', irish-setter, liver, clay; but, as spaulding said, there were not many who had the real vivid flam', 'sh-setter, liver, clay; but, as spaulding said, there were not many who had the real vivid flame-col', 'tter, liver, clay; but, as spaulding said, there were not many who had the real vivid flame-coloured', ' liver, clay; but, as spaulding said, there were not many who had the real vivid flame-coloured tint', 'r, clay; but, as spaulding said, there were not many who had the real vivid flame-coloured tint. whe', 'ay; but, as spaulding said, there were not many who had the real vivid flame-coloured tint. when i s', 'ut, as spaulding said, there were not many who had the real vivid flame-coloured tint. when i saw ho', 's spaulding said, there were not many who had the real vivid flame-coloured tint. when i saw how man', 'ulding said, there were not many who had the real vivid flame-coloured tint. when i saw how many wer', 'g said, there were not many who had the real vivid flame-coloured tint. when i saw how many were wai', 'd, there were not many who had the real vivid flame-coloured tint. when i saw how many were waiting,', 'ere were not many who had the real vivid flame-coloured tint. when i saw how many were waiting, i wo', 'ere not many who had the real vivid flame-coloured tint. when i saw how many were waiting, i would h', 'ot many who had the real vivid flame-coloured tint. when i saw how many were waiting, i would have g', 'ny who had the real vivid flame-coloured tint. when i saw how many were waiting, i would have given ', 'o had the real vivid flame-coloured tint. when i saw how many were waiting, i would have given it up', ' the real vivid flame-coloured tint. when i saw how many were waiting, i would have given it up in d', 'real vivid flame-coloured tint. when i saw how many were waiting, i would have given it up in despai', 'vivid flame-coloured tint. when i saw how many were waiting, i would have given it up in despair; bu', ' flame-coloured tint. when i saw how many were waiting, i would have given it up in despair; but spa', 'e-coloured tint. when i saw how many were waiting, i would have given it up in despair; but spauldin', 'oured tint. when i saw how many were waiting, i would have given it up in despair; but spaulding wou', ' tint. when i saw how many were waiting, i would have given it up in despair; but spaulding would no', '. when i saw how many were waiting, i would have given it up in despair; but spaulding would not hea', 'n i saw how many were waiting, i would have given it up in despair; but spaulding would not hear of ', 'aw how many were waiting, i would have given it up in despair; but spaulding would not hear of it. h', 'w many were waiting, i would have given it up in despair; but spaulding would not hear of it. how he', 'y were waiting, i would have given it up in despair; but spaulding would not hear of it. how he did ', 'e waiting, i would have given it up in despair; but spaulding would not hear of it. how he did it i ', 'ting, i would have given it up in despair; but spaulding would not hear of it. how he did it i could', ' i would have given it up in despair; but spaulding would not hear of it. how he did it i could not ', 'uld have given it up in despair; but spaulding would not hear of it. how he did it i could not imagi', 'ave given it up in despair; but spaulding would not hear of it. how he did it i could not imagine, b', 'iven it up in despair; but spaulding would not hear of it. how he did it i could not imagine, but he', 'it up in despair; but spaulding would not hear of it. how he did it i could not imagine, but he push', ' in despair; but spaulding would not hear of it. how he did it i could not imagine, but he pushed an', 'espair; but spaulding would not hear of it. how he did it i could not imagine, but he pushed and pul', 'r; but spaulding would not hear of it. how he did it i could not imagine, but he pushed and pulled a', 't spaulding would not hear of it. how he did it i could not imagine, but he pushed and pulled and bu', 'ulding would not hear of it. how he did it i could not imagine, but he pushed and pulled and butted ', 'g would not hear of it. how he did it i could not imagine, but he pushed and pulled and butted until', 'ld not hear of it. how he did it i could not imagine, but he pushed and pulled and butted until he g', 't hear of it. how he did it i could not imagine, but he pushed and pulled and butted until he got me', 'r of it. how he did it i could not imagine, but he pushed and pulled and butted until he got me thro', 'it. how he did it i could not imagine, but he pushed and pulled and butted until he got me through t', 'ow he did it i could not imagine, but he pushed and pulled and butted until he got me through the cr', ' did it i could not imagine, but he pushed and pulled and butted until he got me through the crowd, ', 'it i could not imagine, but he pushed and pulled and butted until he got me through the crowd, and r', 'could not imagine, but he pushed and pulled and butted until he got me through the crowd, and right ', ' not imagine, but he pushed and pulled and butted until he got me through the crowd, and right up to', 'imagine, but he pushed and pulled and butted until he got me through the crowd, and right up to the ', 'ne, but he pushed and pulled and butted until he got me through the crowd, and right up to the steps', 'ut he pushed and pulled and butted until he got me through the crowd, and right up to the steps whic', ' pushed and pulled and butted until he got me through the crowd, and right up to the steps which led', 'ed and pulled and butted until he got me through the crowd, and right up to the steps which led to t', 'd pulled and butted until he got me through the crowd, and right up to the steps which led to the of', 'led and butted until he got me through the crowd, and right up to the steps which led to the office.', 'nd butted until he got me through the crowd, and right up to the steps which led to the office. ther', 'tted until he got me through the crowd, and right up to the steps which led to the office. there was', 'until he got me through the crowd, and right up to the steps which led to the office. there was a do', ' he got me through the crowd, and right up to the steps which led to the office. there was a double ', 'ot me through the crowd, and right up to the steps which led to the office. there was a double strea', ' through the crowd, and right up to the steps which led to the office. there was a double stream upo', 'ugh the crowd, and right up to the steps which led to the office. there was a double stream upon the', 'he crowd, and right up to the steps which led to the office. there was a double stream upon the stai', 'owd, and right up to the steps which led to the office. there was a double stream upon the stair, so', 'and right up to the steps which led to the office. there was a double stream upon the stair, some go', 'ight up to the steps which led to the office. there was a double stream upon the stair, some going u', 'up to the steps which led to the office. there was a double stream upon the stair, some going up in ', ' the steps which led to the office. there was a double stream upon the stair, some going up in hope,', 'steps which led to the office. there was a double stream upon the stair, some going up in hope, and ', ' which led to the office. there was a double stream upon the stair, some going up in hope, and some ', 'h led to the office. there was a double stream upon the stair, some going up in hope, and some comin', ' to the office. there was a double stream upon the stair, some going up in hope, and some coming bac', 'he office. there was a double stream upon the stair, some going up in hope, and some coming back dej', 'fice. there was a double stream upon the stair, some going up in hope, and some coming back dejected', ' there was a double stream upon the stair, some going up in hope, and some coming back dejected; but', 'e was a double stream upon the stair, some going up in hope, and some coming back dejected; but we w', ' a double stream upon the stair, some going up in hope, and some coming back dejected; but we wedged', 'uble stream upon the stair, some going up in hope, and some coming back dejected; but we wedged in a', 'stream upon the stair, some going up in hope, and some coming back dejected; but we wedged in as wel', 'm upon the stair, some going up in hope, and some coming back dejected; but we wedged in as well as ', 'n the stair, some going up in hope, and some coming back dejected; but we wedged in as well as we co', ' stair, some going up in hope, and some coming back dejected; but we wedged in as well as we could a', 'r, some going up in hope, and some coming back dejected; but we wedged in as well as we could and so', 'me going up in hope, and some coming back dejected; but we wedged in as well as we could and soon fo', 'ing up in hope, and some coming back dejected; but we wedged in as well as we could and soon found o', 'p in hope, and some coming back dejected; but we wedged in as well as we could and soon found oursel', 'hope, and some coming back dejected; but we wedged in as well as we could and soon found ourselves i', ' and some coming back dejected; but we wedged in as well as we could and soon found ourselves in the', 'some coming back dejected; but we wedged in as well as we could and soon found ourselves in the offi', 'coming back dejected; but we wedged in as well as we could and soon found ourselves in the office." ', 'g back dejected; but we wedged in as well as we could and soon found ourselves in the office." "your', 'k dejected; but we wedged in as well as we could and soon found ourselves in the office." "your expe', 'ected; but we wedged in as well as we could and soon found ourselves in the office." "your experienc', '; but we wedged in as well as we could and soon found ourselves in the office." "your experience has', ' we wedged in as well as we could and soon found ourselves in the office." "your experience has been', 'edged in as well as we could and soon found ourselves in the office." "your experience has been a mo', ' in as well as we could and soon found ourselves in the office." "your experience has been a most en', 's well as we could and soon found ourselves in the office." "your experience has been a most enterta', 'l as we could and soon found ourselves in the office." "your experience has been a most entertaining', 'we could and soon found ourselves in the office." "your experience has been a most entertaining one,', 'uld and soon found ourselves in the office." "your experience has been a most entertaining one," rem', 'nd soon found ourselves in the office." "your experience has been a most entertaining one," remarked', 'on found ourselves in the office." "your experience has been a most entertaining one," remarked holm', 'und ourselves in the office." "your experience has been a most entertaining one," remarked holmes as', 'urselves in the office." "your experience has been a most entertaining one," remarked holmes as his ', 'ves in the office." "your experience has been a most entertaining one," remarked holmes as his clien', 'n the office." "your experience has been a most entertaining one," remarked holmes as his client pau', ' office." "your experience has been a most entertaining one," remarked holmes as his client paused a', 'ce." "your experience has been a most entertaining one," remarked holmes as his client paused and re', '"your experience has been a most entertaining one," remarked holmes as his client paused and refresh', ' experience has been a most entertaining one," remarked holmes as his client paused and refreshed hi', 'rience has been a most entertaining one," remarked holmes as his client paused and refreshed his mem', 'e has been a most entertaining one," remarked holmes as his client paused and refreshed his memory w', ' been a most entertaining one," remarked holmes as his client paused and refreshed his memory with a', ' a most entertaining one," remarked holmes as his client paused and refreshed his memory with a huge', 'st entertaining one," remarked holmes as his client paused and refreshed his memory with a huge pinc', 'tertaining one," remarked holmes as his client paused and refreshed his memory with a huge pinch of ', 'ining one," remarked holmes as his client paused and refreshed his memory with a huge pinch of snuff', ' one," remarked holmes as his client paused and refreshed his memory with a huge pinch of snuff. "pr', '" remarked holmes as his client paused and refreshed his memory with a huge pinch of snuff. "pray co', 'arked holmes as his client paused and refreshed his memory with a huge pinch of snuff. "pray continu', ' holmes as his client paused and refreshed his memory with a huge pinch of snuff. "pray continue you', 'es as his client paused and refreshed his memory with a huge pinch of snuff. "pray continue your ver', ' his client paused and refreshed his memory with a huge pinch of snuff. "pray continue your very int', 'client paused and refreshed his memory with a huge pinch of snuff. "pray continue your very interest', 't paused and refreshed his memory with a huge pinch of snuff. "pray continue your very interesting s', 'sed and refreshed his memory with a huge pinch of snuff. "pray continue your very interesting statem', 'nd refreshed his memory with a huge pinch of snuff. "pray continue your very interesting statement."', 'freshed his memory with a huge pinch of snuff. "pray continue your very interesting statement." "the', 'ed his memory with a huge pinch of snuff. "pray continue your very interesting statement." "there wa', 's memory with a huge pinch of snuff. "pray continue your very interesting statement." "there was not', 'ory with a huge pinch of snuff. "pray continue your very interesting statement." "there was nothing ', 'ith a huge pinch of snuff. "pray continue your very interesting statement." "there was nothing in th', ' huge pinch of snuff. "pray continue your very interesting statement." "there was nothing in the off', ' pinch of snuff. "pray continue your very interesting statement." "there was nothing in the office b', 'h of snuff. "pray continue your very interesting statement." "there was nothing in the office but a ', 'snuff. "pray continue your very interesting statement." "there was nothing in the office but a coupl', '. "pray continue your very interesting statement." "there was nothing in the office but a couple of ', 'ay continue your very interesting statement." "there was nothing in the office but a couple of woode', 'ntinue your very interesting statement." "there was nothing in the office but a couple of wooden cha', 'e your very interesting statement." "there was nothing in the office but a couple of wooden chairs a', 'r very interesting statement." "there was nothing in the office but a couple of wooden chairs and a ', 'y interesting statement." "there was nothing in the office but a couple of wooden chairs and a deal ', 'eresting statement." "there was nothing in the office but a couple of wooden chairs and a deal table', 'ing statement." "there was nothing in the office but a couple of wooden chairs and a deal table, beh', 'tatement." "there was nothing in the office but a couple of wooden chairs and a deal table, behind w', 'ent." "there was nothing in the office but a couple of wooden chairs and a deal table, behind which ', ' "there was nothing in the office but a couple of wooden chairs and a deal table, behind which sat a', 're was nothing in the office but a couple of wooden chairs and a deal table, behind which sat a smal', 's nothing in the office but a couple of wooden chairs and a deal table, behind which sat a small man', 'hing in the office but a couple of wooden chairs and a deal table, behind which sat a small man with', 'in the office but a couple of wooden chairs and a deal table, behind which sat a small man with a he', 'e office but a couple of wooden chairs and a deal table, behind which sat a small man with a head th', 'ice but a couple of wooden chairs and a deal table, behind which sat a small man with a head that wa', 'ut a couple of wooden chairs and a deal table, behind which sat a small man with a head that was eve', 'couple of wooden chairs and a deal table, behind which sat a small man with a head that was even red', 'e of wooden chairs and a deal table, behind which sat a small man with a head that was even redder t', 'wooden chairs and a deal table, behind which sat a small man with a head that was even redder than m', 'n chairs and a deal table, behind which sat a small man with a head that was even redder than mine. ', 'irs and a deal table, behind which sat a small man with a head that was even redder than mine. he sa', 'nd a deal table, behind which sat a small man with a head that was even redder than mine. he said a ', 'deal table, behind which sat a small man with a head that was even redder than mine. he said a few w', 'table, behind which sat a small man with a head that was even redder than mine. he said a few words ', ', behind which sat a small man with a head that was even redder than mine. he said a few words to ea', 'ind which sat a small man with a head that was even redder than mine. he said a few words to each ca', 'hich sat a small man with a head that was even redder than mine. he said a few words to each candida', 'sat a small man with a head that was even redder than mine. he said a few words to each candidate as', ' small man with a head that was even redder than mine. he said a few words to each candidate as he c', 'l man with a head that was even redder than mine. he said a few words to each candidate as he came u', ' with a head that was even redder than mine. he said a few words to each candidate as he came up, an', ' a head that was even redder than mine. he said a few words to each candidate as he came up, and the', 'ad that was even redder than mine. he said a few words to each candidate as he came up, and then he ', 'at was even redder than mine. he said a few words to each candidate as he came up, and then he alway', 's even redder than mine. he said a few words to each candidate as he came up, and then he always man', 'n redder than mine. he said a few words to each candidate as he came up, and then he always managed ', 'der than mine. he said a few words to each candidate as he came up, and then he always managed to fi', 'han mine. he said a few words to each candidate as he came up, and then he always managed to find so', 'ine. he said a few words to each candidate as he came up, and then he always managed to find some fa', 'he said a few words to each candidate as he came up, and then he always managed to find some fault i', 'id a few words to each candidate as he came up, and then he always managed to find some fault in the', 'few words to each candidate as he came up, and then he always managed to find some fault in them whi', 'ords to each candidate as he came up, and then he always managed to find some fault in them which wo', 'to each candidate as he came up, and then he always managed to find some fault in them which would d', 'ch candidate as he came up, and then he always managed to find some fault in them which would disqua', 'ndidate as he came up, and then he always managed to find some fault in them which would disqualify ', 'te as he came up, and then he always managed to find some fault in them which would disqualify them.', ' he came up, and then he always managed to find some fault in them which would disqualify them. gett', 'ame up, and then he always managed to find some fault in them which would disqualify them. getting a', 'p, and then he always managed to find some fault in them which would disqualify them. getting a vaca', 'd then he always managed to find some fault in them which would disqualify them. getting a vacancy d', 'n he always managed to find some fault in them which would disqualify them. getting a vacancy did no', 'always managed to find some fault in them which would disqualify them. getting a vacancy did not see', 's managed to find some fault in them which would disqualify them. getting a vacancy did not seem to ', 'aged to find some fault in them which would disqualify them. getting a vacancy did not seem to be su', 'to find some fault in them which would disqualify them. getting a vacancy did not seem to be such a ', 'nd some fault in them which would disqualify them. getting a vacancy did not seem to be such a very ', 'me fault in them which would disqualify them. getting a vacancy did not seem to be such a very easy ', 'ult in them which would disqualify them. getting a vacancy did not seem to be such a very easy matte', 'n them which would disqualify them. getting a vacancy did not seem to be such a very easy matter, af', 'm which would disqualify them. getting a vacancy did not seem to be such a very easy matter, after a', 'ch would disqualify them. getting a vacancy did not seem to be such a very easy matter, after all. h', 'uld disqualify them. getting a vacancy did not seem to be such a very easy matter, after all. howeve', 'isqualify them. getting a vacancy did not seem to be such a very easy matter, after all. however, wh', 'lify them. getting a vacancy did not seem to be such a very easy matter, after all. however, when ou', 'them. getting a vacancy did not seem to be such a very easy matter, after all. however, when our tur', ' getting a vacancy did not seem to be such a very easy matter, after all. however, when our turn cam', 'ing a vacancy did not seem to be such a very easy matter, after all. however, when our turn came the', ' vacancy did not seem to be such a very easy matter, after all. however, when our turn came the litt', 'ncy did not seem to be such a very easy matter, after all. however, when our turn came the little ma', 'id not seem to be such a very easy matter, after all. however, when our turn came the little man was', 't seem to be such a very easy matter, after all. however, when our turn came the little man was much', 'm to be such a very easy matter, after all. however, when our turn came the little man was much more', 'be such a very easy matter, after all. however, when our turn came the little man was much more favo', 'ch a very easy matter, after all. however, when our turn came the little man was much more favourabl', 'very easy matter, after all. however, when our turn came the little man was much more favourable to ', 'easy matter, after all. however, when our turn came the little man was much more favourable to me th', 'matter, after all. however, when our turn came the little man was much more favourable to me than to', 'r, after all. however, when our turn came the little man was much more favourable to me than to any ', 'ter all. however, when our turn came the little man was much more favourable to me than to any of th', 'll. however, when our turn came the little man was much more favourable to me than to any of the oth', 'owever, when our turn came the little man was much more favourable to me than to any of the others, ', 'r, when our turn came the little man was much more favourable to me than to any of the others, and h', 'en our turn came the little man was much more favourable to me than to any of the others, and he clo', 'r turn came the little man was much more favourable to me than to any of the others, and he closed t', 'n came the little man was much more favourable to me than to any of the others, and he closed the do', 'e the little man was much more favourable to me than to any of the others, and he closed the door as', ' little man was much more favourable to me than to any of the others, and he closed the door as we e', 'le man was much more favourable to me than to any of the others, and he closed the door as we entere', 'n was much more favourable to me than to any of the others, and he closed the door as we entered, so', ' much more favourable to me than to any of the others, and he closed the door as we entered, so that', ' more favourable to me than to any of the others, and he closed the door as we entered, so that he m', ' favourable to me than to any of the others, and he closed the door as we entered, so that he might ', 'urable to me than to any of the others, and he closed the door as we entered, so that he might have ', 'e to me than to any of the others, and he closed the door as we entered, so that he might have a pri', 'me than to any of the others, and he closed the door as we entered, so that he might have a private ', 'an to any of the others, and he closed the door as we entered, so that he might have a private word ', ' any of the others, and he closed the door as we entered, so that he might have a private word with ', 'of the others, and he closed the door as we entered, so that he might have a private word with us. "', 'e others, and he closed the door as we entered, so that he might have a private word with us. "\'this', 'ers, and he closed the door as we entered, so that he might have a private word with us. "\'this is m', 'and he closed the door as we entered, so that he might have a private word with us. "\'this is mr. ja', 'e closed the door as we entered, so that he might have a private word with us. "\'this is mr. jabez w', 'sed the door as we entered, so that he might have a private word with us. "\'this is mr. jabez wilson', 'he door as we entered, so that he might have a private word with us. "\'this is mr. jabez wilson,\' sa', 'or as we entered, so that he might have a private word with us. "\'this is mr. jabez wilson,\' said my', ' we entered, so that he might have a private word with us. "\'this is mr. jabez wilson,\' said my assi', 'ntered, so that he might have a private word with us. "\'this is mr. jabez wilson,\' said my assistant', 'd, so that he might have a private word with us. "\'this is mr. jabez wilson,\' said my assistant, \'an', ' that he might have a private word with us. "\'this is mr. jabez wilson,\' said my assistant, \'and he ', ' he might have a private word with us. "\'this is mr. jabez wilson,\' said my assistant, \'and he is wi', 'ight have a private word with us. "\'this is mr. jabez wilson,\' said my assistant, \'and he is willing', 'have a private word with us. "\'this is mr. jabez wilson,\' said my assistant, \'and he is willing to f', 'a private word with us. "\'this is mr. jabez wilson,\' said my assistant, \'and he is willing to fill a', 'vate word with us. "\'this is mr. jabez wilson,\' said my assistant, \'and he is willing to fill a vaca', 'word with us. "\'this is mr. jabez wilson,\' said my assistant, \'and he is willing to fill a vacancy i', 'with us. "\'this is mr. jabez wilson,\' said my assistant, \'and he is willing to fill a vacancy in the', 'us. "\'this is mr. jabez wilson,\' said my assistant, \'and he is willing to fill a vacancy in the leag', "'this is mr. jabez wilson,' said my assistant, 'and he is willing to fill a vacancy in the league.' ", ' is mr. jabez wilson,\' said my assistant, \'and he is willing to fill a vacancy in the league.\' "\'and', 'r. jabez wilson,\' said my assistant, \'and he is willing to fill a vacancy in the league.\' "\'and he i', 'bez wilson,\' said my assistant, \'and he is willing to fill a vacancy in the league.\' "\'and he is adm', 'ilson,\' said my assistant, \'and he is willing to fill a vacancy in the league.\' "\'and he is admirabl', ',\' said my assistant, \'and he is willing to fill a vacancy in the league.\' "\'and he is admirably sui', 'id my assistant, \'and he is willing to fill a vacancy in the league.\' "\'and he is admirably suited f', ' assistant, \'and he is willing to fill a vacancy in the league.\' "\'and he is admirably suited for it', 'stant, \'and he is willing to fill a vacancy in the league.\' "\'and he is admirably suited for it,\' th', ', \'and he is willing to fill a vacancy in the league.\' "\'and he is admirably suited for it,\' the oth', 'd he is willing to fill a vacancy in the league.\' "\'and he is admirably suited for it,\' the other an', 'is willing to fill a vacancy in the league.\' "\'and he is admirably suited for it,\' the other answere', 'lling to fill a vacancy in the league.\' "\'and he is admirably suited for it,\' the other answered. \'h', ' to fill a vacancy in the league.\' "\'and he is admirably suited for it,\' the other answered. \'he has', 'ill a vacancy in the league.\' "\'and he is admirably suited for it,\' the other answered. \'he has ever', ' vacancy in the league.\' "\'and he is admirably suited for it,\' the other answered. \'he has every req', 'ncy in the league.\' "\'and he is admirably suited for it,\' the other answered. \'he has every requirem', 'n the league.\' "\'and he is admirably suited for it,\' the other answered. \'he has every requirement. ', ' league.\' "\'and he is admirably suited for it,\' the other answered. \'he has every requirement. i can', 'ue.\' "\'and he is admirably suited for it,\' the other answered. \'he has every requirement. i cannot r', '"\'and he is admirably suited for it,\' the other answered. \'he has every requirement. i cannot recall', " he is admirably suited for it,' the other answered. 'he has every requirement. i cannot recall when", "s admirably suited for it,' the other answered. 'he has every requirement. i cannot recall when i ha", "irably suited for it,' the other answered. 'he has every requirement. i cannot recall when i have se", "y suited for it,' the other answered. 'he has every requirement. i cannot recall when i have seen an", "ted for it,' the other answered. 'he has every requirement. i cannot recall when i have seen anythin", "or it,' the other answered. 'he has every requirement. i cannot recall when i have seen anything so ", ",' the other answered. 'he has every requirement. i cannot recall when i have seen anything so fine.", "e other answered. 'he has every requirement. i cannot recall when i have seen anything so fine.' he ", "er answered. 'he has every requirement. i cannot recall when i have seen anything so fine.' he took ", "swered. 'he has every requirement. i cannot recall when i have seen anything so fine.' he took a ste", "d. 'he has every requirement. i cannot recall when i have seen anything so fine.' he took a step bac", "e has every requirement. i cannot recall when i have seen anything so fine.' he took a step backward", " every requirement. i cannot recall when i have seen anything so fine.' he took a step backward, coc", "y requirement. i cannot recall when i have seen anything so fine.' he took a step backward, cocked h", "uirement. i cannot recall when i have seen anything so fine.' he took a step backward, cocked his he", "ent. i cannot recall when i have seen anything so fine.' he took a step backward, cocked his head on", "i cannot recall when i have seen anything so fine.' he took a step backward, cocked his head on one ", "not recall when i have seen anything so fine.' he took a step backward, cocked his head on one side,", "ecall when i have seen anything so fine.' he took a step backward, cocked his head on one side, and ", " when i have seen anything so fine.' he took a step backward, cocked his head on one side, and gazed", " i have seen anything so fine.' he took a step backward, cocked his head on one side, and gazed at m", "ve seen anything so fine.' he took a step backward, cocked his head on one side, and gazed at my hai", "en anything so fine.' he took a step backward, cocked his head on one side, and gazed at my hair unt", "ything so fine.' he took a step backward, cocked his head on one side, and gazed at my hair until i ", "g so fine.' he took a step backward, cocked his head on one side, and gazed at my hair until i felt ", "fine.' he took a step backward, cocked his head on one side, and gazed at my hair until i felt quite", "' he took a step backward, cocked his head on one side, and gazed at my hair until i felt quite bash", 'took a step backward, cocked his head on one side, and gazed at my hair until i felt quite bashful. ', 'a step backward, cocked his head on one side, and gazed at my hair until i felt quite bashful. then ', 'p backward, cocked his head on one side, and gazed at my hair until i felt quite bashful. then sudde', 'kward, cocked his head on one side, and gazed at my hair until i felt quite bashful. then suddenly h', ', cocked his head on one side, and gazed at my hair until i felt quite bashful. then suddenly he plu', 'ked his head on one side, and gazed at my hair until i felt quite bashful. then suddenly he plunged ', 'is head on one side, and gazed at my hair until i felt quite bashful. then suddenly he plunged forwa', 'ad on one side, and gazed at my hair until i felt quite bashful. then suddenly he plunged forward, w', ' one side, and gazed at my hair until i felt quite bashful. then suddenly he plunged forward, wrung ', 'side, and gazed at my hair until i felt quite bashful. then suddenly he plunged forward, wrung my ha', ' and gazed at my hair until i felt quite bashful. then suddenly he plunged forward, wrung my hand, a', 'gazed at my hair until i felt quite bashful. then suddenly he plunged forward, wrung my hand, and co', ' at my hair until i felt quite bashful. then suddenly he plunged forward, wrung my hand, and congrat', 'y hair until i felt quite bashful. then suddenly he plunged forward, wrung my hand, and congratulate', 'r until i felt quite bashful. then suddenly he plunged forward, wrung my hand, and congratulated me ', 'il i felt quite bashful. then suddenly he plunged forward, wrung my hand, and congratulated me warml', 'felt quite bashful. then suddenly he plunged forward, wrung my hand, and congratulated me warmly on ', 'quite bashful. then suddenly he plunged forward, wrung my hand, and congratulated me warmly on my su', ' bashful. then suddenly he plunged forward, wrung my hand, and congratulated me warmly on my success', 'ful. then suddenly he plunged forward, wrung my hand, and congratulated me warmly on my success. "\'i', 'then suddenly he plunged forward, wrung my hand, and congratulated me warmly on my success. "\'it wou', 'suddenly he plunged forward, wrung my hand, and congratulated me warmly on my success. "\'it would be', 'nly he plunged forward, wrung my hand, and congratulated me warmly on my success. "\'it would be inju', 'e plunged forward, wrung my hand, and congratulated me warmly on my success. "\'it would be injustice', 'nged forward, wrung my hand, and congratulated me warmly on my success. "\'it would be injustice to h', 'forward, wrung my hand, and congratulated me warmly on my success. "\'it would be injustice to hesita', 'rd, wrung my hand, and congratulated me warmly on my success. "\'it would be injustice to hesitate,\' ', 'rung my hand, and congratulated me warmly on my success. "\'it would be injustice to hesitate,\' said ', 'my hand, and congratulated me warmly on my success. "\'it would be injustice to hesitate,\' said he. \'', 'nd, and congratulated me warmly on my success. "\'it would be injustice to hesitate,\' said he. \'you w', 'nd congratulated me warmly on my success. "\'it would be injustice to hesitate,\' said he. \'you will, ', 'ngratulated me warmly on my success. "\'it would be injustice to hesitate,\' said he. \'you will, howev', 'ulated me warmly on my success. "\'it would be injustice to hesitate,\' said he. \'you will, however, i', 'd me warmly on my success. "\'it would be injustice to hesitate,\' said he. \'you will, however, i am s', 'warmly on my success. "\'it would be injustice to hesitate,\' said he. \'you will, however, i am sure, ', 'y on my success. "\'it would be injustice to hesitate,\' said he. \'you will, however, i am sure, excus', 'my success. "\'it would be injustice to hesitate,\' said he. \'you will, however, i am sure, excuse me ', 'ccess. "\'it would be injustice to hesitate,\' said he. \'you will, however, i am sure, excuse me for t', '. "\'it would be injustice to hesitate,\' said he. \'you will, however, i am sure, excuse me for taking', "t would be injustice to hesitate,' said he. 'you will, however, i am sure, excuse me for taking an o", "ld be injustice to hesitate,' said he. 'you will, however, i am sure, excuse me for taking an obviou", " injustice to hesitate,' said he. 'you will, however, i am sure, excuse me for taking an obvious pre", "stice to hesitate,' said he. 'you will, however, i am sure, excuse me for taking an obvious precauti", " to hesitate,' said he. 'you will, however, i am sure, excuse me for taking an obvious precaution.' ", "esitate,' said he. 'you will, however, i am sure, excuse me for taking an obvious precaution.' with ", "te,' said he. 'you will, however, i am sure, excuse me for taking an obvious precaution.' with that ", "said he. 'you will, however, i am sure, excuse me for taking an obvious precaution.' with that he se", "he. 'you will, however, i am sure, excuse me for taking an obvious precaution.' with that he seized ", "you will, however, i am sure, excuse me for taking an obvious precaution.' with that he seized my ha", "ill, however, i am sure, excuse me for taking an obvious precaution.' with that he seized my hair in", "however, i am sure, excuse me for taking an obvious precaution.' with that he seized my hair in both", "er, i am sure, excuse me for taking an obvious precaution.' with that he seized my hair in both his ", " am sure, excuse me for taking an obvious precaution.' with that he seized my hair in both his hands", "ure, excuse me for taking an obvious precaution.' with that he seized my hair in both his hands, and", "excuse me for taking an obvious precaution.' with that he seized my hair in both his hands, and tugg", "e me for taking an obvious precaution.' with that he seized my hair in both his hands, and tugged un", "for taking an obvious precaution.' with that he seized my hair in both his hands, and tugged until i", "aking an obvious precaution.' with that he seized my hair in both his hands, and tugged until i yell", " an obvious precaution.' with that he seized my hair in both his hands, and tugged until i yelled wi", "bvious precaution.' with that he seized my hair in both his hands, and tugged until i yelled with th", "s precaution.' with that he seized my hair in both his hands, and tugged until i yelled with the pai", "caution.' with that he seized my hair in both his hands, and tugged until i yelled with the pain. 't", "on.' with that he seized my hair in both his hands, and tugged until i yelled with the pain. 'there ", "with that he seized my hair in both his hands, and tugged until i yelled with the pain. 'there is wa", "that he seized my hair in both his hands, and tugged until i yelled with the pain. 'there is water i", "he seized my hair in both his hands, and tugged until i yelled with the pain. 'there is water in you", "ized my hair in both his hands, and tugged until i yelled with the pain. 'there is water in your eye", "my hair in both his hands, and tugged until i yelled with the pain. 'there is water in your eyes,' s", "ir in both his hands, and tugged until i yelled with the pain. 'there is water in your eyes,' said h", " both his hands, and tugged until i yelled with the pain. 'there is water in your eyes,' said he as ", " his hands, and tugged until i yelled with the pain. 'there is water in your eyes,' said he as he re", "hands, and tugged until i yelled with the pain. 'there is water in your eyes,' said he as he release", ", and tugged until i yelled with the pain. 'there is water in your eyes,' said he as he released me.", " tugged until i yelled with the pain. 'there is water in your eyes,' said he as he released me. 'i p", "ed until i yelled with the pain. 'there is water in your eyes,' said he as he released me. 'i percei", "til i yelled with the pain. 'there is water in your eyes,' said he as he released me. 'i perceive th", " yelled with the pain. 'there is water in your eyes,' said he as he released me. 'i perceive that al", "ed with the pain. 'there is water in your eyes,' said he as he released me. 'i perceive that all is ", "th the pain. 'there is water in your eyes,' said he as he released me. 'i perceive that all is as it", "e pain. 'there is water in your eyes,' said he as he released me. 'i perceive that all is as it shou", "n. 'there is water in your eyes,' said he as he released me. 'i perceive that all is as it should be", "here is water in your eyes,' said he as he released me. 'i perceive that all is as it should be. but", "is water in your eyes,' said he as he released me. 'i perceive that all is as it should be. but we h", "ter in your eyes,' said he as he released me. 'i perceive that all is as it should be. but we have t", "n your eyes,' said he as he released me. 'i perceive that all is as it should be. but we have to be ", "r eyes,' said he as he released me. 'i perceive that all is as it should be. but we have to be caref", "s,' said he as he released me. 'i perceive that all is as it should be. but we have to be careful, f", "aid he as he released me. 'i perceive that all is as it should be. but we have to be careful, for we", "e as he released me. 'i perceive that all is as it should be. but we have to be careful, for we have", "he released me. 'i perceive that all is as it should be. but we have to be careful, for we have twic", "leased me. 'i perceive that all is as it should be. but we have to be careful, for we have twice bee", "d me. 'i perceive that all is as it should be. but we have to be careful, for we have twice been dec", " 'i perceive that all is as it should be. but we have to be careful, for we have twice been deceived", 'erceive that all is as it should be. but we have to be careful, for we have twice been deceived by w', 've that all is as it should be. but we have to be careful, for we have twice been deceived by wigs a', 'at all is as it should be. but we have to be careful, for we have twice been deceived by wigs and on', 'l is as it should be. but we have to be careful, for we have twice been deceived by wigs and once by', 'as it should be. but we have to be careful, for we have twice been deceived by wigs and once by pain', ' should be. but we have to be careful, for we have twice been deceived by wigs and once by paint. i ', 'ld be. but we have to be careful, for we have twice been deceived by wigs and once by paint. i could', '. but we have to be careful, for we have twice been deceived by wigs and once by paint. i could tell', ' we have to be careful, for we have twice been deceived by wigs and once by paint. i could tell you ', 'ave to be careful, for we have twice been deceived by wigs and once by paint. i could tell you tales', 'o be careful, for we have twice been deceived by wigs and once by paint. i could tell you tales of c', 'careful, for we have twice been deceived by wigs and once by paint. i could tell you tales of cobble', "ul, for we have twice been deceived by wigs and once by paint. i could tell you tales of cobbler's w", "or we have twice been deceived by wigs and once by paint. i could tell you tales of cobbler's wax wh", " have twice been deceived by wigs and once by paint. i could tell you tales of cobbler's wax which w", " twice been deceived by wigs and once by paint. i could tell you tales of cobbler's wax which would ", "e been deceived by wigs and once by paint. i could tell you tales of cobbler's wax which would disgu", "n deceived by wigs and once by paint. i could tell you tales of cobbler's wax which would disgust yo", "eived by wigs and once by paint. i could tell you tales of cobbler's wax which would disgust you wit", " by wigs and once by paint. i could tell you tales of cobbler's wax which would disgust you with hum", "igs and once by paint. i could tell you tales of cobbler's wax which would disgust you with human na", "nd once by paint. i could tell you tales of cobbler's wax which would disgust you with human nature.", "ce by paint. i could tell you tales of cobbler's wax which would disgust you with human nature.' he ", " paint. i could tell you tales of cobbler's wax which would disgust you with human nature.' he stepp", "t. i could tell you tales of cobbler's wax which would disgust you with human nature.' he stepped ov", "could tell you tales of cobbler's wax which would disgust you with human nature.' he stepped over to", " tell you tales of cobbler's wax which would disgust you with human nature.' he stepped over to the ", " you tales of cobbler's wax which would disgust you with human nature.' he stepped over to the windo", "tales of cobbler's wax which would disgust you with human nature.' he stepped over to the window and", " of cobbler's wax which would disgust you with human nature.' he stepped over to the window and shou", "obbler's wax which would disgust you with human nature.' he stepped over to the window and shouted t", "r's wax which would disgust you with human nature.' he stepped over to the window and shouted throug", "ax which would disgust you with human nature.' he stepped over to the window and shouted through it ", "ich would disgust you with human nature.' he stepped over to the window and shouted through it at th", "ould disgust you with human nature.' he stepped over to the window and shouted through it at the top", "disgust you with human nature.' he stepped over to the window and shouted through it at the top of h", "st you with human nature.' he stepped over to the window and shouted through it at the top of his vo", "u with human nature.' he stepped over to the window and shouted through it at the top of his voice t", "h human nature.' he stepped over to the window and shouted through it at the top of his voice that t", "an nature.' he stepped over to the window and shouted through it at the top of his voice that the va", "ture.' he stepped over to the window and shouted through it at the top of his voice that the vacancy", "' he stepped over to the window and shouted through it at the top of his voice that the vacancy was ", 'stepped over to the window and shouted through it at the top of his voice that the vacancy was fille', 'ed over to the window and shouted through it at the top of his voice that the vacancy was filled. a ', 'er to the window and shouted through it at the top of his voice that the vacancy was filled. a groan', ' the window and shouted through it at the top of his voice that the vacancy was filled. a groan of d', 'window and shouted through it at the top of his voice that the vacancy was filled. a groan of disapp', 'w and shouted through it at the top of his voice that the vacancy was filled. a groan of disappointm', ' shouted through it at the top of his voice that the vacancy was filled. a groan of disappointment c', 'ted through it at the top of his voice that the vacancy was filled. a groan of disappointment came u', 'hrough it at the top of his voice that the vacancy was filled. a groan of disappointment came up fro', 'h it at the top of his voice that the vacancy was filled. a groan of disappointment came up from bel', 'at the top of his voice that the vacancy was filled. a groan of disappointment came up from below, a', 'e top of his voice that the vacancy was filled. a groan of disappointment came up from below, and th', ' of his voice that the vacancy was filled. a groan of disappointment came up from below, and the fol', 'is voice that the vacancy was filled. a groan of disappointment came up from below, and the folk all', 'ice that the vacancy was filled. a groan of disappointment came up from below, and the folk all troo', 'hat the vacancy was filled. a groan of disappointment came up from below, and the folk all trooped a', 'he vacancy was filled. a groan of disappointment came up from below, and the folk all trooped away i', 'cancy was filled. a groan of disappointment came up from below, and the folk all trooped away in dif', ' was filled. a groan of disappointment came up from below, and the folk all trooped away in differen', 'filled. a groan of disappointment came up from below, and the folk all trooped away in different dir', 'd. a groan of disappointment came up from below, and the folk all trooped away in different directio', 'groan of disappointment came up from below, and the folk all trooped away in different directions un', ' of disappointment came up from below, and the folk all trooped away in different directions until t', 'isappointment came up from below, and the folk all trooped away in different directions until there ', 'ointment came up from below, and the folk all trooped away in different directions until there was n', 'ent came up from below, and the folk all trooped away in different directions until there was not a ', 'ame up from below, and the folk all trooped away in different directions until there was not a red-h', 'p from below, and the folk all trooped away in different directions until there was not a red-head t', 'm below, and the folk all trooped away in different directions until there was not a red-head to be ', 'ow, and the folk all trooped away in different directions until there was not a red-head to be seen ', 'nd the folk all trooped away in different directions until there was not a red-head to be seen excep', 'e folk all trooped away in different directions until there was not a red-head to be seen except my ', 'k all trooped away in different directions until there was not a red-head to be seen except my own a', ' trooped away in different directions until there was not a red-head to be seen except my own and th', 'ped away in different directions until there was not a red-head to be seen except my own and that of', 'way in different directions until there was not a red-head to be seen except my own and that of the ', 'n different directions until there was not a red-head to be seen except my own and that of the manag', 'ferent directions until there was not a red-head to be seen except my own and that of the manager. "', 't directions until there was not a red-head to be seen except my own and that of the manager. "\'my n', 'ections until there was not a red-head to be seen except my own and that of the manager. "\'my name,\'', 'ns until there was not a red-head to be seen except my own and that of the manager. "\'my name,\' said', 'til there was not a red-head to be seen except my own and that of the manager. "\'my name,\' said he, ', 'here was not a red-head to be seen except my own and that of the manager. "\'my name,\' said he, \'is m', 'was not a red-head to be seen except my own and that of the manager. "\'my name,\' said he, \'is mr. du', 'ot a red-head to be seen except my own and that of the manager. "\'my name,\' said he, \'is mr. duncan ', 'red-head to be seen except my own and that of the manager. "\'my name,\' said he, \'is mr. duncan ross,', 'ead to be seen except my own and that of the manager. "\'my name,\' said he, \'is mr. duncan ross, and ', 'o be seen except my own and that of the manager. "\'my name,\' said he, \'is mr. duncan ross, and i am ', 'seen except my own and that of the manager. "\'my name,\' said he, \'is mr. duncan ross, and i am mysel', 'except my own and that of the manager. "\'my name,\' said he, \'is mr. duncan ross, and i am myself one', 't my own and that of the manager. "\'my name,\' said he, \'is mr. duncan ross, and i am myself one of t', 'own and that of the manager. "\'my name,\' said he, \'is mr. duncan ross, and i am myself one of the pe', 'nd that of the manager. "\'my name,\' said he, \'is mr. duncan ross, and i am myself one of the pension', 'at of the manager. "\'my name,\' said he, \'is mr. duncan ross, and i am myself one of the pensioners u', ' the manager. "\'my name,\' said he, \'is mr. duncan ross, and i am myself one of the pensioners upon t', 'manager. "\'my name,\' said he, \'is mr. duncan ross, and i am myself one of the pensioners upon the fu', 'er. "\'my name,\' said he, \'is mr. duncan ross, and i am myself one of the pensioners upon the fund le', "'my name,' said he, 'is mr. duncan ross, and i am myself one of the pensioners upon the fund left by", "ame,' said he, 'is mr. duncan ross, and i am myself one of the pensioners upon the fund left by our ", " said he, 'is mr. duncan ross, and i am myself one of the pensioners upon the fund left by our noble", " he, 'is mr. duncan ross, and i am myself one of the pensioners upon the fund left by our noble bene", "'is mr. duncan ross, and i am myself one of the pensioners upon the fund left by our noble benefacto", 'r. duncan ross, and i am myself one of the pensioners upon the fund left by our noble benefactor. ar', 'ncan ross, and i am myself one of the pensioners upon the fund left by our noble benefactor. are you', 'ross, and i am myself one of the pensioners upon the fund left by our noble benefactor. are you a ma', ' and i am myself one of the pensioners upon the fund left by our noble benefactor. are you a married', 'i am myself one of the pensioners upon the fund left by our noble benefactor. are you a married man,', 'myself one of the pensioners upon the fund left by our noble benefactor. are you a married man, mr. ', 'f one of the pensioners upon the fund left by our noble benefactor. are you a married man, mr. wilso', ' of the pensioners upon the fund left by our noble benefactor. are you a married man, mr. wilson? ha', 'he pensioners upon the fund left by our noble benefactor. are you a married man, mr. wilson? have yo', 'nsioners upon the fund left by our noble benefactor. are you a married man, mr. wilson? have you a f', 'ers upon the fund left by our noble benefactor. are you a married man, mr. wilson? have you a family', 'pon the fund left by our noble benefactor. are you a married man, mr. wilson? have you a family?\' "i', 'he fund left by our noble benefactor. are you a married man, mr. wilson? have you a family?\' "i answ', 'nd left by our noble benefactor. are you a married man, mr. wilson? have you a family?\' "i answered ', 'ft by our noble benefactor. are you a married man, mr. wilson? have you a family?\' "i answered that ', ' our noble benefactor. are you a married man, mr. wilson? have you a family?\' "i answered that i had', 'noble benefactor. are you a married man, mr. wilson? have you a family?\' "i answered that i had not.', ' benefactor. are you a married man, mr. wilson? have you a family?\' "i answered that i had not. "his', 'factor. are you a married man, mr. wilson? have you a family?\' "i answered that i had not. "his face', 'r. are you a married man, mr. wilson? have you a family?\' "i answered that i had not. "his face fell', 'e you a married man, mr. wilson? have you a family?\' "i answered that i had not. "his face fell imme', ' a married man, mr. wilson? have you a family?\' "i answered that i had not. "his face fell immediate', 'rried man, mr. wilson? have you a family?\' "i answered that i had not. "his face fell immediately. "', ' man, mr. wilson? have you a family?\' "i answered that i had not. "his face fell immediately. "\'dear', ' mr. wilson? have you a family?\' "i answered that i had not. "his face fell immediately. "\'dear me h', 'wilson? have you a family?\' "i answered that i had not. "his face fell immediately. "\'dear me he sai', 'n? have you a family?\' "i answered that i had not. "his face fell immediately. "\'dear me he said gra', 've you a family?\' "i answered that i had not. "his face fell immediately. "\'dear me he said gravely,', 'u a family?\' "i answered that i had not. "his face fell immediately. "\'dear me he said gravely, \'tha', 'amily?\' "i answered that i had not. "his face fell immediately. "\'dear me he said gravely, \'that is ', '?\' "i answered that i had not. "his face fell immediately. "\'dear me he said gravely, \'that is very ', ' answered that i had not. "his face fell immediately. "\'dear me he said gravely, \'that is very serio', 'ered that i had not. "his face fell immediately. "\'dear me he said gravely, \'that is very serious in', 'that i had not. "his face fell immediately. "\'dear me he said gravely, \'that is very serious indeed!', 'i had not. "his face fell immediately. "\'dear me he said gravely, \'that is very serious indeed! i am', ' not. "his face fell immediately. "\'dear me he said gravely, \'that is very serious indeed! i am sorr', ' "his face fell immediately. "\'dear me he said gravely, \'that is very serious indeed! i am sorry to ', ' face fell immediately. "\'dear me he said gravely, \'that is very serious indeed! i am sorry to hear ', ' fell immediately. "\'dear me he said gravely, \'that is very serious indeed! i am sorry to hear you s', ' immediately. "\'dear me he said gravely, \'that is very serious indeed! i am sorry to hear you say th', 'diately. "\'dear me he said gravely, \'that is very serious indeed! i am sorry to hear you say that. t', 'ly. "\'dear me he said gravely, \'that is very serious indeed! i am sorry to hear you say that. the fu', "'dear me he said gravely, 'that is very serious indeed! i am sorry to hear you say that. the fund wa", " me he said gravely, 'that is very serious indeed! i am sorry to hear you say that. the fund was, of", "e said gravely, 'that is very serious indeed! i am sorry to hear you say that. the fund was, of cour", "d gravely, 'that is very serious indeed! i am sorry to hear you say that. the fund was, of course, f", "vely, 'that is very serious indeed! i am sorry to hear you say that. the fund was, of course, for th", " 'that is very serious indeed! i am sorry to hear you say that. the fund was, of course, for the pro", 't is very serious indeed! i am sorry to hear you say that. the fund was, of course, for the propagat', 'very serious indeed! i am sorry to hear you say that. the fund was, of course, for the propagation a', 'serious indeed! i am sorry to hear you say that. the fund was, of course, for the propagation and sp', 'us indeed! i am sorry to hear you say that. the fund was, of course, for the propagation and spread ', 'deed! i am sorry to hear you say that. the fund was, of course, for the propagation and spread of th', ' i am sorry to hear you say that. the fund was, of course, for the propagation and spread of the red', ' sorry to hear you say that. the fund was, of course, for the propagation and spread of the red-head', 'y to hear you say that. the fund was, of course, for the propagation and spread of the red-heads as ', 'hear you say that. the fund was, of course, for the propagation and spread of the red-heads as well ', 'you say that. the fund was, of course, for the propagation and spread of the red-heads as well as fo', 'ay that. the fund was, of course, for the propagation and spread of the red-heads as well as for the', 'at. the fund was, of course, for the propagation and spread of the red-heads as well as for their ma', 'he fund was, of course, for the propagation and spread of the red-heads as well as for their mainten', 'nd was, of course, for the propagation and spread of the red-heads as well as for their maintenance.', 's, of course, for the propagation and spread of the red-heads as well as for their maintenance. it i', ' course, for the propagation and spread of the red-heads as well as for their maintenance. it is exc', 'se, for the propagation and spread of the red-heads as well as for their maintenance. it is exceedin', 'or the propagation and spread of the red-heads as well as for their maintenance. it is exceedingly u', 'e propagation and spread of the red-heads as well as for their maintenance. it is exceedingly unfort', 'pagation and spread of the red-heads as well as for their maintenance. it is exceedingly unfortunate', 'ion and spread of the red-heads as well as for their maintenance. it is exceedingly unfortunate that', 'nd spread of the red-heads as well as for their maintenance. it is exceedingly unfortunate that you ', 'read of the red-heads as well as for their maintenance. it is exceedingly unfortunate that you shoul', 'of the red-heads as well as for their maintenance. it is exceedingly unfortunate that you should be ', 'e red-heads as well as for their maintenance. it is exceedingly unfortunate that you should be a bac', '-heads as well as for their maintenance. it is exceedingly unfortunate that you should be a bachelor', 's as well as for their maintenance. it is exceedingly unfortunate that you should be a bachelor.\' "m', 'well as for their maintenance. it is exceedingly unfortunate that you should be a bachelor.\' "my fac', 'as for their maintenance. it is exceedingly unfortunate that you should be a bachelor.\' "my face len', 'r their maintenance. it is exceedingly unfortunate that you should be a bachelor.\' "my face lengthen', 'ir maintenance. it is exceedingly unfortunate that you should be a bachelor.\' "my face lengthened at', 'intenance. it is exceedingly unfortunate that you should be a bachelor.\' "my face lengthened at this', 'ance. it is exceedingly unfortunate that you should be a bachelor.\' "my face lengthened at this, mr.', ' it is exceedingly unfortunate that you should be a bachelor.\' "my face lengthened at this, mr. holm', 's exceedingly unfortunate that you should be a bachelor.\' "my face lengthened at this, mr. holmes, f', 'eedingly unfortunate that you should be a bachelor.\' "my face lengthened at this, mr. holmes, for i ', 'gly unfortunate that you should be a bachelor.\' "my face lengthened at this, mr. holmes, for i thoug', 'nfortunate that you should be a bachelor.\' "my face lengthened at this, mr. holmes, for i thought th', 'unate that you should be a bachelor.\' "my face lengthened at this, mr. holmes, for i thought that i ', ' that you should be a bachelor.\' "my face lengthened at this, mr. holmes, for i thought that i was n', ' you should be a bachelor.\' "my face lengthened at this, mr. holmes, for i thought that i was not to', 'should be a bachelor.\' "my face lengthened at this, mr. holmes, for i thought that i was not to have', 'd be a bachelor.\' "my face lengthened at this, mr. holmes, for i thought that i was not to have the ', 'a bachelor.\' "my face lengthened at this, mr. holmes, for i thought that i was not to have the vacan', 'helor.\' "my face lengthened at this, mr. holmes, for i thought that i was not to have the vacancy af', '.\' "my face lengthened at this, mr. holmes, for i thought that i was not to have the vacancy after a', 'y face lengthened at this, mr. holmes, for i thought that i was not to have the vacancy after all; b', 'e lengthened at this, mr. holmes, for i thought that i was not to have the vacancy after all; but af', 'gthened at this, mr. holmes, for i thought that i was not to have the vacancy after all; but after t', 'ed at this, mr. holmes, for i thought that i was not to have the vacancy after all; but after thinki', ' this, mr. holmes, for i thought that i was not to have the vacancy after all; but after thinking it', ', mr. holmes, for i thought that i was not to have the vacancy after all; but after thinking it over', ' holmes, for i thought that i was not to have the vacancy after all; but after thinking it over for ', 'es, for i thought that i was not to have the vacancy after all; but after thinking it over for a few', 'or i thought that i was not to have the vacancy after all; but after thinking it over for a few minu', 'thought that i was not to have the vacancy after all; but after thinking it over for a few minutes h', 'ht that i was not to have the vacancy after all; but after thinking it over for a few minutes he sai', 'at i was not to have the vacancy after all; but after thinking it over for a few minutes he said tha', 'was not to have the vacancy after all; but after thinking it over for a few minutes he said that it ', 'ot to have the vacancy after all; but after thinking it over for a few minutes he said that it would', ' have the vacancy after all; but after thinking it over for a few minutes he said that it would be a', ' the vacancy after all; but after thinking it over for a few minutes he said that it would be all ri', 'vacancy after all; but after thinking it over for a few minutes he said that it would be all right. ', 'cy after all; but after thinking it over for a few minutes he said that it would be all right. "\'in ', 'ter all; but after thinking it over for a few minutes he said that it would be all right. "\'in the c', 'll; but after thinking it over for a few minutes he said that it would be all right. "\'in the case o', 'ut after thinking it over for a few minutes he said that it would be all right. "\'in the case of ano', 'ter thinking it over for a few minutes he said that it would be all right. "\'in the case of another,', 'hinking it over for a few minutes he said that it would be all right. "\'in the case of another,\' sai', 'ng it over for a few minutes he said that it would be all right. "\'in the case of another,\' said he,', ' over for a few minutes he said that it would be all right. "\'in the case of another,\' said he, \'the', ' for a few minutes he said that it would be all right. "\'in the case of another,\' said he, \'the obje', 'a few minutes he said that it would be all right. "\'in the case of another,\' said he, \'the objection', ' minutes he said that it would be all right. "\'in the case of another,\' said he, \'the objection migh', 'tes he said that it would be all right. "\'in the case of another,\' said he, \'the objection might be ', 'e said that it would be all right. "\'in the case of another,\' said he, \'the objection might be fatal', 'd that it would be all right. "\'in the case of another,\' said he, \'the objection might be fatal, but', 't it would be all right. "\'in the case of another,\' said he, \'the objection might be fatal, but we m', 'would be all right. "\'in the case of another,\' said he, \'the objection might be fatal, but we must s', ' be all right. "\'in the case of another,\' said he, \'the objection might be fatal, but we must stretc', 'll right. "\'in the case of another,\' said he, \'the objection might be fatal, but we must stretch a p', 'ght. "\'in the case of another,\' said he, \'the objection might be fatal, but we must stretch a point ', '"\'in the case of another,\' said he, \'the objection might be fatal, but we must stretch a point in fa', "the case of another,' said he, 'the objection might be fatal, but we must stretch a point in favour ", "ase of another,' said he, 'the objection might be fatal, but we must stretch a point in favour of a ", "f another,' said he, 'the objection might be fatal, but we must stretch a point in favour of a man w", "ther,' said he, 'the objection might be fatal, but we must stretch a point in favour of a man with s", "' said he, 'the objection might be fatal, but we must stretch a point in favour of a man with such a", "d he, 'the objection might be fatal, but we must stretch a point in favour of a man with such a head", " 'the objection might be fatal, but we must stretch a point in favour of a man with such a head of h", ' objection might be fatal, but we must stretch a point in favour of a man with such a head of hair a', 'ction might be fatal, but we must stretch a point in favour of a man with such a head of hair as you', ' might be fatal, but we must stretch a point in favour of a man with such a head of hair as yours. w', 't be fatal, but we must stretch a point in favour of a man with such a head of hair as yours. when s', 'fatal, but we must stretch a point in favour of a man with such a head of hair as yours. when shall ', ', but we must stretch a point in favour of a man with such a head of hair as yours. when shall you b', ' we must stretch a point in favour of a man with such a head of hair as yours. when shall you be abl', 'ust stretch a point in favour of a man with such a head of hair as yours. when shall you be able to ', 'tretch a point in favour of a man with such a head of hair as yours. when shall you be able to enter', 'h a point in favour of a man with such a head of hair as yours. when shall you be able to enter upon', 'oint in favour of a man with such a head of hair as yours. when shall you be able to enter upon your', 'in favour of a man with such a head of hair as yours. when shall you be able to enter upon your new ', 'vour of a man with such a head of hair as yours. when shall you be able to enter upon your new dutie', 'of a man with such a head of hair as yours. when shall you be able to enter upon your new duties?\' "', 'man with such a head of hair as yours. when shall you be able to enter upon your new duties?\' "\'well', 'ith such a head of hair as yours. when shall you be able to enter upon your new duties?\' "\'well, it ', 'uch a head of hair as yours. when shall you be able to enter upon your new duties?\' "\'well, it is a ', ' head of hair as yours. when shall you be able to enter upon your new duties?\' "\'well, it is a littl', ' of hair as yours. when shall you be able to enter upon your new duties?\' "\'well, it is a little awk', 'air as yours. when shall you be able to enter upon your new duties?\' "\'well, it is a little awkward,', 's yours. when shall you be able to enter upon your new duties?\' "\'well, it is a little awkward, for ', 'rs. when shall you be able to enter upon your new duties?\' "\'well, it is a little awkward, for i hav', 'hen shall you be able to enter upon your new duties?\' "\'well, it is a little awkward, for i have a b', 'hall you be able to enter upon your new duties?\' "\'well, it is a little awkward, for i have a busine', 'you be able to enter upon your new duties?\' "\'well, it is a little awkward, for i have a business al', 'e able to enter upon your new duties?\' "\'well, it is a little awkward, for i have a business already', 'e to enter upon your new duties?\' "\'well, it is a little awkward, for i have a business already,\' sa', 'enter upon your new duties?\' "\'well, it is a little awkward, for i have a business already,\' said i.', ' upon your new duties?\' "\'well, it is a little awkward, for i have a business already,\' said i. "\'oh', ' your new duties?\' "\'well, it is a little awkward, for i have a business already,\' said i. "\'oh, nev', ' new duties?\' "\'well, it is a little awkward, for i have a business already,\' said i. "\'oh, never mi', 'duties?\' "\'well, it is a little awkward, for i have a business already,\' said i. "\'oh, never mind ab', 's?\' "\'well, it is a little awkward, for i have a business already,\' said i. "\'oh, never mind about t', '\'well, it is a little awkward, for i have a business already,\' said i. "\'oh, never mind about that, ', ', it is a little awkward, for i have a business already,\' said i. "\'oh, never mind about that, mr. w', 'is a little awkward, for i have a business already,\' said i. "\'oh, never mind about that, mr. wilson', 'little awkward, for i have a business already,\' said i. "\'oh, never mind about that, mr. wilson said', 'e awkward, for i have a business already,\' said i. "\'oh, never mind about that, mr. wilson said vinc', 'ward, for i have a business already,\' said i. "\'oh, never mind about that, mr. wilson said vincent s', ' for i have a business already,\' said i. "\'oh, never mind about that, mr. wilson said vincent spauld', 'i have a business already,\' said i. "\'oh, never mind about that, mr. wilson said vincent spaulding. ', 'e a business already,\' said i. "\'oh, never mind about that, mr. wilson said vincent spaulding. \'i sh', 'usiness already,\' said i. "\'oh, never mind about that, mr. wilson said vincent spaulding. \'i should ', 'ss already,\' said i. "\'oh, never mind about that, mr. wilson said vincent spaulding. \'i should be ab', 'ready,\' said i. "\'oh, never mind about that, mr. wilson said vincent spaulding. \'i should be able to', ',\' said i. "\'oh, never mind about that, mr. wilson said vincent spaulding. \'i should be able to look', 'id i. "\'oh, never mind about that, mr. wilson said vincent spaulding. \'i should be able to look afte', ' "\'oh, never mind about that, mr. wilson said vincent spaulding. \'i should be able to look after tha', ", never mind about that, mr. wilson said vincent spaulding. 'i should be able to look after that for", "er mind about that, mr. wilson said vincent spaulding. 'i should be able to look after that for you.", 'nd about that, mr. wilson said vincent spaulding. \'i should be able to look after that for you.\' "\'w', 'out that, mr. wilson said vincent spaulding. \'i should be able to look after that for you.\' "\'what w', 'hat, mr. wilson said vincent spaulding. \'i should be able to look after that for you.\' "\'what would ', 'mr. wilson said vincent spaulding. \'i should be able to look after that for you.\' "\'what would be th', 'ilson said vincent spaulding. \'i should be able to look after that for you.\' "\'what would be the hou', ' said vincent spaulding. \'i should be able to look after that for you.\' "\'what would be the hours?\' ', ' vincent spaulding. \'i should be able to look after that for you.\' "\'what would be the hours?\' i ask', 'ent spaulding. \'i should be able to look after that for you.\' "\'what would be the hours?\' i asked. "', 'paulding. \'i should be able to look after that for you.\' "\'what would be the hours?\' i asked. "\'ten ', 'ing. \'i should be able to look after that for you.\' "\'what would be the hours?\' i asked. "\'ten to tw', '\'i should be able to look after that for you.\' "\'what would be the hours?\' i asked. "\'ten to two.\' "', 'ould be able to look after that for you.\' "\'what would be the hours?\' i asked. "\'ten to two.\' "now a', 'be able to look after that for you.\' "\'what would be the hours?\' i asked. "\'ten to two.\' "now a pawn', 'le to look after that for you.\' "\'what would be the hours?\' i asked. "\'ten to two.\' "now a pawnbroke', ' look after that for you.\' "\'what would be the hours?\' i asked. "\'ten to two.\' "now a pawnbroker\'s b', ' after that for you.\' "\'what would be the hours?\' i asked. "\'ten to two.\' "now a pawnbroker\'s busine', 'r that for you.\' "\'what would be the hours?\' i asked. "\'ten to two.\' "now a pawnbroker\'s business is', 't for you.\' "\'what would be the hours?\' i asked. "\'ten to two.\' "now a pawnbroker\'s business is most', ' you.\' "\'what would be the hours?\' i asked. "\'ten to two.\' "now a pawnbroker\'s business is mostly do', '\' "\'what would be the hours?\' i asked. "\'ten to two.\' "now a pawnbroker\'s business is mostly done of', 'hat would be the hours?\' i asked. "\'ten to two.\' "now a pawnbroker\'s business is mostly done of an e', 'ould be the hours?\' i asked. "\'ten to two.\' "now a pawnbroker\'s business is mostly done of an evenin', 'be the hours?\' i asked. "\'ten to two.\' "now a pawnbroker\'s business is mostly done of an evening, mr', 'e hours?\' i asked. "\'ten to two.\' "now a pawnbroker\'s business is mostly done of an evening, mr. hol', 'rs?\' i asked. "\'ten to two.\' "now a pawnbroker\'s business is mostly done of an evening, mr. holmes, ', 'i asked. "\'ten to two.\' "now a pawnbroker\'s business is mostly done of an evening, mr. holmes, espec', 'ed. "\'ten to two.\' "now a pawnbroker\'s business is mostly done of an evening, mr. holmes, especially', '\'ten to two.\' "now a pawnbroker\'s business is mostly done of an evening, mr. holmes, especially thur', 'to two.\' "now a pawnbroker\'s business is mostly done of an evening, mr. holmes, especially thursday ', 'o.\' "now a pawnbroker\'s business is mostly done of an evening, mr. holmes, especially thursday and f', "now a pawnbroker's business is mostly done of an evening, mr. holmes, especially thursday and friday", " pawnbroker's business is mostly done of an evening, mr. holmes, especially thursday and friday even", "broker's business is mostly done of an evening, mr. holmes, especially thursday and friday evening, ", "r's business is mostly done of an evening, mr. holmes, especially thursday and friday evening, which", 'usiness is mostly done of an evening, mr. holmes, especially thursday and friday evening, which is j', 'ss is mostly done of an evening, mr. holmes, especially thursday and friday evening, which is just b', ' mostly done of an evening, mr. holmes, especially thursday and friday evening, which is just before', 'ly done of an evening, mr. holmes, especially thursday and friday evening, which is just before pay-', 'ne of an evening, mr. holmes, especially thursday and friday evening, which is just before pay-day; ', ' an evening, mr. holmes, especially thursday and friday evening, which is just before pay-day; so it', 'vening, mr. holmes, especially thursday and friday evening, which is just before pay-day; so it woul', 'g, mr. holmes, especially thursday and friday evening, which is just before pay-day; so it would sui', '. holmes, especially thursday and friday evening, which is just before pay-day; so it would suit me ', 'mes, especially thursday and friday evening, which is just before pay-day; so it would suit me very ', 'especially thursday and friday evening, which is just before pay-day; so it would suit me very well ', 'ially thursday and friday evening, which is just before pay-day; so it would suit me very well to ea', ' thursday and friday evening, which is just before pay-day; so it would suit me very well to earn a ', 'sday and friday evening, which is just before pay-day; so it would suit me very well to earn a littl', 'and friday evening, which is just before pay-day; so it would suit me very well to earn a little in ', 'riday evening, which is just before pay-day; so it would suit me very well to earn a little in the m', ' evening, which is just before pay-day; so it would suit me very well to earn a little in the mornin', 'ing, which is just before pay-day; so it would suit me very well to earn a little in the mornings. b', 'which is just before pay-day; so it would suit me very well to earn a little in the mornings. beside', ' is just before pay-day; so it would suit me very well to earn a little in the mornings. besides, i ', 'ust before pay-day; so it would suit me very well to earn a little in the mornings. besides, i knew ', 'efore pay-day; so it would suit me very well to earn a little in the mornings. besides, i knew that ', ' pay-day; so it would suit me very well to earn a little in the mornings. besides, i knew that my as', 'day; so it would suit me very well to earn a little in the mornings. besides, i knew that my assista', 'so it would suit me very well to earn a little in the mornings. besides, i knew that my assistant wa', ' would suit me very well to earn a little in the mornings. besides, i knew that my assistant was a g', 'd suit me very well to earn a little in the mornings. besides, i knew that my assistant was a good m', 't me very well to earn a little in the mornings. besides, i knew that my assistant was a good man, a', 'very well to earn a little in the mornings. besides, i knew that my assistant was a good man, and th', 'well to earn a little in the mornings. besides, i knew that my assistant was a good man, and that he', 'to earn a little in the mornings. besides, i knew that my assistant was a good man, and that he woul', 'rn a little in the mornings. besides, i knew that my assistant was a good man, and that he would see', 'little in the mornings. besides, i knew that my assistant was a good man, and that he would see to a', 'e in the mornings. besides, i knew that my assistant was a good man, and that he would see to anythi', 'the mornings. besides, i knew that my assistant was a good man, and that he would see to anything th', 'ornings. besides, i knew that my assistant was a good man, and that he would see to anything that tu', 'gs. besides, i knew that my assistant was a good man, and that he would see to anything that turned ', 'esides, i knew that my assistant was a good man, and that he would see to anything that turned up. "', 's, i knew that my assistant was a good man, and that he would see to anything that turned up. "\'that', 'knew that my assistant was a good man, and that he would see to anything that turned up. "\'that woul', 'that my assistant was a good man, and that he would see to anything that turned up. "\'that would sui', 'my assistant was a good man, and that he would see to anything that turned up. "\'that would suit me ', 'sistant was a good man, and that he would see to anything that turned up. "\'that would suit me very ', 'nt was a good man, and that he would see to anything that turned up. "\'that would suit me very well,', 's a good man, and that he would see to anything that turned up. "\'that would suit me very well,\' sai', 'ood man, and that he would see to anything that turned up. "\'that would suit me very well,\' said i. ', 'an, and that he would see to anything that turned up. "\'that would suit me very well,\' said i. \'and ', 'nd that he would see to anything that turned up. "\'that would suit me very well,\' said i. \'and the p', 'at he would see to anything that turned up. "\'that would suit me very well,\' said i. \'and the pay?\' ', ' would see to anything that turned up. "\'that would suit me very well,\' said i. \'and the pay?\' "\'is ', 'd see to anything that turned up. "\'that would suit me very well,\' said i. \'and the pay?\' "\'is poun', ' to anything that turned up. "\'that would suit me very well,\' said i. \'and the pay?\' "\'is pounds a ', 'nything that turned up. "\'that would suit me very well,\' said i. \'and the pay?\' "\'is pounds a week.', 'ng that turned up. "\'that would suit me very well,\' said i. \'and the pay?\' "\'is pounds a week.\' "\'a', 'at turned up. "\'that would suit me very well,\' said i. \'and the pay?\' "\'is pounds a week.\' "\'and th', 'rned up. "\'that would suit me very well,\' said i. \'and the pay?\' "\'is pounds a week.\' "\'and the wor', 'up. "\'that would suit me very well,\' said i. \'and the pay?\' "\'is pounds a week.\' "\'and the work?\' "', '\'that would suit me very well,\' said i. \'and the pay?\' "\'is pounds a week.\' "\'and the work?\' "\'is p', ' would suit me very well,\' said i. \'and the pay?\' "\'is pounds a week.\' "\'and the work?\' "\'is purely', 'd suit me very well,\' said i. \'and the pay?\' "\'is pounds a week.\' "\'and the work?\' "\'is purely nomi', 't me very well,\' said i. \'and the pay?\' "\'is pounds a week.\' "\'and the work?\' "\'is purely nominal.\'', 'very well,\' said i. \'and the pay?\' "\'is pounds a week.\' "\'and the work?\' "\'is purely nominal.\' "\'wh', 'well,\' said i. \'and the pay?\' "\'is pounds a week.\' "\'and the work?\' "\'is purely nominal.\' "\'what do', '\' said i. \'and the pay?\' "\'is pounds a week.\' "\'and the work?\' "\'is purely nominal.\' "\'what do you ', 'd i. \'and the pay?\' "\'is pounds a week.\' "\'and the work?\' "\'is purely nominal.\' "\'what do you call ', '\'and the pay?\' "\'is pounds a week.\' "\'and the work?\' "\'is purely nominal.\' "\'what do you call purel', 'the pay?\' "\'is pounds a week.\' "\'and the work?\' "\'is purely nominal.\' "\'what do you call purely nom', 'ay?\' "\'is pounds a week.\' "\'and the work?\' "\'is purely nominal.\' "\'what do you call purely nominal?', '"\'is pounds a week.\' "\'and the work?\' "\'is purely nominal.\' "\'what do you call purely nominal?\' "\'w', ' pounds a week.\' "\'and the work?\' "\'is purely nominal.\' "\'what do you call purely nominal?\' "\'well, ', 'ds a week.\' "\'and the work?\' "\'is purely nominal.\' "\'what do you call purely nominal?\' "\'well, you h', 'week.\' "\'and the work?\' "\'is purely nominal.\' "\'what do you call purely nominal?\' "\'well, you have t', '\' "\'and the work?\' "\'is purely nominal.\' "\'what do you call purely nominal?\' "\'well, you have to be ', 'nd the work?\' "\'is purely nominal.\' "\'what do you call purely nominal?\' "\'well, you have to be in th', 'e work?\' "\'is purely nominal.\' "\'what do you call purely nominal?\' "\'well, you have to be in the off', 'k?\' "\'is purely nominal.\' "\'what do you call purely nominal?\' "\'well, you have to be in the office, ', '\'is purely nominal.\' "\'what do you call purely nominal?\' "\'well, you have to be in the office, or at', 'urely nominal.\' "\'what do you call purely nominal?\' "\'well, you have to be in the office, or at leas', ' nominal.\' "\'what do you call purely nominal?\' "\'well, you have to be in the office, or at least in ', 'nal.\' "\'what do you call purely nominal?\' "\'well, you have to be in the office, or at least in the b', ' "\'what do you call purely nominal?\' "\'well, you have to be in the office, or at least in the buildi', 'at do you call purely nominal?\' "\'well, you have to be in the office, or at least in the building, t', ' you call purely nominal?\' "\'well, you have to be in the office, or at least in the building, the wh', 'call purely nominal?\' "\'well, you have to be in the office, or at least in the building, the whole t', 'purely nominal?\' "\'well, you have to be in the office, or at least in the building, the whole time. ', 'y nominal?\' "\'well, you have to be in the office, or at least in the building, the whole time. if yo', 'inal?\' "\'well, you have to be in the office, or at least in the building, the whole time. if you lea', '\' "\'well, you have to be in the office, or at least in the building, the whole time. if you leave, y', 'ell, you have to be in the office, or at least in the building, the whole time. if you leave, you fo', 'you have to be in the office, or at least in the building, the whole time. if you leave, you forfeit', 'ave to be in the office, or at least in the building, the whole time. if you leave, you forfeit your', 'o be in the office, or at least in the building, the whole time. if you leave, you forfeit your whol', 'in the office, or at least in the building, the whole time. if you leave, you forfeit your whole pos', 'e office, or at least in the building, the whole time. if you leave, you forfeit your whole position', 'ice, or at least in the building, the whole time. if you leave, you forfeit your whole position fore', 'or at least in the building, the whole time. if you leave, you forfeit your whole position forever. ', ' least in the building, the whole time. if you leave, you forfeit your whole position forever. the w', 't in the building, the whole time. if you leave, you forfeit your whole position forever. the will i', 'the building, the whole time. if you leave, you forfeit your whole position forever. the will is ver', 'uilding, the whole time. if you leave, you forfeit your whole position forever. the will is very cle', 'ng, the whole time. if you leave, you forfeit your whole position forever. the will is very clear up', 'he whole time. if you leave, you forfeit your whole position forever. the will is very clear upon th', 'ole time. if you leave, you forfeit your whole position forever. the will is very clear upon that po', 'ime. if you leave, you forfeit your whole position forever. the will is very clear upon that point. ', 'if you leave, you forfeit your whole position forever. the will is very clear upon that point. you d', "u leave, you forfeit your whole position forever. the will is very clear upon that point. you don't ", "ve, you forfeit your whole position forever. the will is very clear upon that point. you don't compl", "ou forfeit your whole position forever. the will is very clear upon that point. you don't comply wit", "rfeit your whole position forever. the will is very clear upon that point. you don't comply with the", " your whole position forever. the will is very clear upon that point. you don't comply with the cond", " whole position forever. the will is very clear upon that point. you don't comply with the condition", "e position forever. the will is very clear upon that point. you don't comply with the conditions if ", "ition forever. the will is very clear upon that point. you don't comply with the conditions if you b", " forever. the will is very clear upon that point. you don't comply with the conditions if you budge ", "ver. the will is very clear upon that point. you don't comply with the conditions if you budge from ", "the will is very clear upon that point. you don't comply with the conditions if you budge from the o", "ill is very clear upon that point. you don't comply with the conditions if you budge from the office", "s very clear upon that point. you don't comply with the conditions if you budge from the office duri", "y clear upon that point. you don't comply with the conditions if you budge from the office during th", "ar upon that point. you don't comply with the conditions if you budge from the office during that ti", "on that point. you don't comply with the conditions if you budge from the office during that time.' ", 'at point. you don\'t comply with the conditions if you budge from the office during that time.\' "\'it\'', 'int. you don\'t comply with the conditions if you budge from the office during that time.\' "\'it\'s onl', 'you don\'t comply with the conditions if you budge from the office during that time.\' "\'it\'s only fou', 'on\'t comply with the conditions if you budge from the office during that time.\' "\'it\'s only four hou', 'comply with the conditions if you budge from the office during that time.\' "\'it\'s only four hours a ', 'y with the conditions if you budge from the office during that time.\' "\'it\'s only four hours a day, ', 'h the conditions if you budge from the office during that time.\' "\'it\'s only four hours a day, and i', ' conditions if you budge from the office during that time.\' "\'it\'s only four hours a day, and i shou', 'itions if you budge from the office during that time.\' "\'it\'s only four hours a day, and i should no', 's if you budge from the office during that time.\' "\'it\'s only four hours a day, and i should not thi', 'you budge from the office during that time.\' "\'it\'s only four hours a day, and i should not think of', 'udge from the office during that time.\' "\'it\'s only four hours a day, and i should not think of leav', 'from the office during that time.\' "\'it\'s only four hours a day, and i should not think of leaving,\'', 'the office during that time.\' "\'it\'s only four hours a day, and i should not think of leaving,\' said', 'ffice during that time.\' "\'it\'s only four hours a day, and i should not think of leaving,\' said i. "', ' during that time.\' "\'it\'s only four hours a day, and i should not think of leaving,\' said i. "\'no e', 'ng that time.\' "\'it\'s only four hours a day, and i should not think of leaving,\' said i. "\'no excuse', 'at time.\' "\'it\'s only four hours a day, and i should not think of leaving,\' said i. "\'no excuse will', 'me.\' "\'it\'s only four hours a day, and i should not think of leaving,\' said i. "\'no excuse will avai', '"\'it\'s only four hours a day, and i should not think of leaving,\' said i. "\'no excuse will avail,\' s', 's only four hours a day, and i should not think of leaving,\' said i. "\'no excuse will avail,\' said m', 'y four hours a day, and i should not think of leaving,\' said i. "\'no excuse will avail,\' said mr. du', 'r hours a day, and i should not think of leaving,\' said i. "\'no excuse will avail,\' said mr. duncan ', 'rs a day, and i should not think of leaving,\' said i. "\'no excuse will avail,\' said mr. duncan ross;', 'day, and i should not think of leaving,\' said i. "\'no excuse will avail,\' said mr. duncan ross; \'nei', 'and i should not think of leaving,\' said i. "\'no excuse will avail,\' said mr. duncan ross; \'neither ', ' should not think of leaving,\' said i. "\'no excuse will avail,\' said mr. duncan ross; \'neither sickn', 'ld not think of leaving,\' said i. "\'no excuse will avail,\' said mr. duncan ross; \'neither sickness n', 't think of leaving,\' said i. "\'no excuse will avail,\' said mr. duncan ross; \'neither sickness nor bu', 'nk of leaving,\' said i. "\'no excuse will avail,\' said mr. duncan ross; \'neither sickness nor busines', ' leaving,\' said i. "\'no excuse will avail,\' said mr. duncan ross; \'neither sickness nor business nor', 'ing,\' said i. "\'no excuse will avail,\' said mr. duncan ross; \'neither sickness nor business nor anyt', ' said i. "\'no excuse will avail,\' said mr. duncan ross; \'neither sickness nor business nor anything ', ' i. "\'no excuse will avail,\' said mr. duncan ross; \'neither sickness nor business nor anything else.', "'no excuse will avail,' said mr. duncan ross; 'neither sickness nor business nor anything else. ther", "xcuse will avail,' said mr. duncan ross; 'neither sickness nor business nor anything else. there you", " will avail,' said mr. duncan ross; 'neither sickness nor business nor anything else. there you must", " avail,' said mr. duncan ross; 'neither sickness nor business nor anything else. there you must stay", "l,' said mr. duncan ross; 'neither sickness nor business nor anything else. there you must stay, or ", "aid mr. duncan ross; 'neither sickness nor business nor anything else. there you must stay, or you l", "r. duncan ross; 'neither sickness nor business nor anything else. there you must stay, or you lose y", "ncan ross; 'neither sickness nor business nor anything else. there you must stay, or you lose your b", "ross; 'neither sickness nor business nor anything else. there you must stay, or you lose your billet", ' \'neither sickness nor business nor anything else. there you must stay, or you lose your billet.\' "\'', 'ther sickness nor business nor anything else. there you must stay, or you lose your billet.\' "\'and t', 'sickness nor business nor anything else. there you must stay, or you lose your billet.\' "\'and the wo', 'ess nor business nor anything else. there you must stay, or you lose your billet.\' "\'and the work?\' ', 'or business nor anything else. there you must stay, or you lose your billet.\' "\'and the work?\' "\'is ', 'siness nor anything else. there you must stay, or you lose your billet.\' "\'and the work?\' "\'is to co', 's nor anything else. there you must stay, or you lose your billet.\' "\'and the work?\' "\'is to copy ou', ' anything else. there you must stay, or you lose your billet.\' "\'and the work?\' "\'is to copy out the', 'hing else. there you must stay, or you lose your billet.\' "\'and the work?\' "\'is to copy out the "enc', 'else. there you must stay, or you lose your billet.\' "\'and the work?\' "\'is to copy out the "encyclop', ' there you must stay, or you lose your billet.\' "\'and the work?\' "\'is to copy out the "encyclopaedia', 'e you must stay, or you lose your billet.\' "\'and the work?\' "\'is to copy out the "encyclopaedia brit', ' must stay, or you lose your billet.\' "\'and the work?\' "\'is to copy out the "encyclopaedia britannic', ' stay, or you lose your billet.\' "\'and the work?\' "\'is to copy out the "encyclopaedia britannica." t', ', or you lose your billet.\' "\'and the work?\' "\'is to copy out the "encyclopaedia britannica." there ', 'you lose your billet.\' "\'and the work?\' "\'is to copy out the "encyclopaedia britannica." there is th', 'ose your billet.\' "\'and the work?\' "\'is to copy out the "encyclopaedia britannica." there is the fir', 'our billet.\' "\'and the work?\' "\'is to copy out the "encyclopaedia britannica." there is the first vo', 'illet.\' "\'and the work?\' "\'is to copy out the "encyclopaedia britannica." there is the first volume ', '.\' "\'and the work?\' "\'is to copy out the "encyclopaedia britannica." there is the first volume of it', 'and the work?\' "\'is to copy out the "encyclopaedia britannica." there is the first volume of it in t', 'he work?\' "\'is to copy out the "encyclopaedia britannica." there is the first volume of it in that p', 'rk?\' "\'is to copy out the "encyclopaedia britannica." there is the first volume of it in that press.', '"\'is to copy out the "encyclopaedia britannica." there is the first volume of it in that press. you ', 'to copy out the "encyclopaedia britannica." there is the first volume of it in that press. you must ', 'py out the "encyclopaedia britannica." there is the first volume of it in that press. you must find ', 't the "encyclopaedia britannica." there is the first volume of it in that press. you must find your ', ' "encyclopaedia britannica." there is the first volume of it in that press. you must find your own i', 'yclopaedia britannica." there is the first volume of it in that press. you must find your own ink, p', 'aedia britannica." there is the first volume of it in that press. you must find your own ink, pens, ', ' britannica." there is the first volume of it in that press. you must find your own ink, pens, and b', 'annica." there is the first volume of it in that press. you must find your own ink, pens, and blotti', 'a." there is the first volume of it in that press. you must find your own ink, pens, and blotting-pa', 'here is the first volume of it in that press. you must find your own ink, pens, and blotting-paper, ', 'is the first volume of it in that press. you must find your own ink, pens, and blotting-paper, but w', 'e first volume of it in that press. you must find your own ink, pens, and blotting-paper, but we pro', 'st volume of it in that press. you must find your own ink, pens, and blotting-paper, but we provide ', 'lume of it in that press. you must find your own ink, pens, and blotting-paper, but we provide this ', 'of it in that press. you must find your own ink, pens, and blotting-paper, but we provide this table', ' in that press. you must find your own ink, pens, and blotting-paper, but we provide this table and ', 'hat press. you must find your own ink, pens, and blotting-paper, but we provide this table and chair', 'ress. you must find your own ink, pens, and blotting-paper, but we provide this table and chair. wil', ' you must find your own ink, pens, and blotting-paper, but we provide this table and chair. will you', 'must find your own ink, pens, and blotting-paper, but we provide this table and chair. will you be r', 'find your own ink, pens, and blotting-paper, but we provide this table and chair. will you be ready ', 'your own ink, pens, and blotting-paper, but we provide this table and chair. will you be ready to-mo', 'own ink, pens, and blotting-paper, but we provide this table and chair. will you be ready to-morrow?', 'nk, pens, and blotting-paper, but we provide this table and chair. will you be ready to-morrow?\' "\'c', 'ens, and blotting-paper, but we provide this table and chair. will you be ready to-morrow?\' "\'certai', 'and blotting-paper, but we provide this table and chair. will you be ready to-morrow?\' "\'certainly,\'', 'lotting-paper, but we provide this table and chair. will you be ready to-morrow?\' "\'certainly,\' i an', 'ng-paper, but we provide this table and chair. will you be ready to-morrow?\' "\'certainly,\' i answere', 'per, but we provide this table and chair. will you be ready to-morrow?\' "\'certainly,\' i answered. "\'', 'but we provide this table and chair. will you be ready to-morrow?\' "\'certainly,\' i answered. "\'then,', 'e provide this table and chair. will you be ready to-morrow?\' "\'certainly,\' i answered. "\'then, good', 'vide this table and chair. will you be ready to-morrow?\' "\'certainly,\' i answered. "\'then, good-bye,', 'this table and chair. will you be ready to-morrow?\' "\'certainly,\' i answered. "\'then, good-bye, mr. ', 'table and chair. will you be ready to-morrow?\' "\'certainly,\' i answered. "\'then, good-bye, mr. jabez', ' and chair. will you be ready to-morrow?\' "\'certainly,\' i answered. "\'then, good-bye, mr. jabez wils', 'chair. will you be ready to-morrow?\' "\'certainly,\' i answered. "\'then, good-bye, mr. jabez wilson, a', '. will you be ready to-morrow?\' "\'certainly,\' i answered. "\'then, good-bye, mr. jabez wilson, and le', 'l you be ready to-morrow?\' "\'certainly,\' i answered. "\'then, good-bye, mr. jabez wilson, and let me ', ' be ready to-morrow?\' "\'certainly,\' i answered. "\'then, good-bye, mr. jabez wilson, and let me congr', 'eady to-morrow?\' "\'certainly,\' i answered. "\'then, good-bye, mr. jabez wilson, and let me congratula', 'to-morrow?\' "\'certainly,\' i answered. "\'then, good-bye, mr. jabez wilson, and let me congratulate yo', 'rrow?\' "\'certainly,\' i answered. "\'then, good-bye, mr. jabez wilson, and let me congratulate you onc', '\' "\'certainly,\' i answered. "\'then, good-bye, mr. jabez wilson, and let me congratulate you once mor', 'ertainly,\' i answered. "\'then, good-bye, mr. jabez wilson, and let me congratulate you once more on ', 'nly,\' i answered. "\'then, good-bye, mr. jabez wilson, and let me congratulate you once more on the i', ' i answered. "\'then, good-bye, mr. jabez wilson, and let me congratulate you once more on the import', 'swered. "\'then, good-bye, mr. jabez wilson, and let me congratulate you once more on the important p', 'd. "\'then, good-bye, mr. jabez wilson, and let me congratulate you once more on the important positi', 'then, good-bye, mr. jabez wilson, and let me congratulate you once more on the important position wh', ' good-bye, mr. jabez wilson, and let me congratulate you once more on the important position which y', '-bye, mr. jabez wilson, and let me congratulate you once more on the important position which you ha', ' mr. jabez wilson, and let me congratulate you once more on the important position which you have be', 'jabez wilson, and let me congratulate you once more on the important position which you have been fo', ' wilson, and let me congratulate you once more on the important position which you have been fortuna', 'on, and let me congratulate you once more on the important position which you have been fortunate en', 'nd let me congratulate you once more on the important position which you have been fortunate enough ', 't me congratulate you once more on the important position which you have been fortunate enough to ga', "congratulate you once more on the important position which you have been fortunate enough to gain.' ", "atulate you once more on the important position which you have been fortunate enough to gain.' he bo", "te you once more on the important position which you have been fortunate enough to gain.' he bowed m", "u once more on the important position which you have been fortunate enough to gain.' he bowed me out", "e more on the important position which you have been fortunate enough to gain.' he bowed me out of t", "e on the important position which you have been fortunate enough to gain.' he bowed me out of the ro", "the important position which you have been fortunate enough to gain.' he bowed me out of the room an", "mportant position which you have been fortunate enough to gain.' he bowed me out of the room and i w", "ant position which you have been fortunate enough to gain.' he bowed me out of the room and i went h", "osition which you have been fortunate enough to gain.' he bowed me out of the room and i went home w", "on which you have been fortunate enough to gain.' he bowed me out of the room and i went home with m", "ich you have been fortunate enough to gain.' he bowed me out of the room and i went home with my ass", "ou have been fortunate enough to gain.' he bowed me out of the room and i went home with my assistan", "ve been fortunate enough to gain.' he bowed me out of the room and i went home with my assistant, ha", "en fortunate enough to gain.' he bowed me out of the room and i went home with my assistant, hardly ", "rtunate enough to gain.' he bowed me out of the room and i went home with my assistant, hardly knowi", "te enough to gain.' he bowed me out of the room and i went home with my assistant, hardly knowing wh", "ough to gain.' he bowed me out of the room and i went home with my assistant, hardly knowing what to", "to gain.' he bowed me out of the room and i went home with my assistant, hardly knowing what to say ", "in.' he bowed me out of the room and i went home with my assistant, hardly knowing what to say or do", 'he bowed me out of the room and i went home with my assistant, hardly knowing what to say or do, i w', 'wed me out of the room and i went home with my assistant, hardly knowing what to say or do, i was so', 'e out of the room and i went home with my assistant, hardly knowing what to say or do, i was so plea', ' of the room and i went home with my assistant, hardly knowing what to say or do, i was so pleased a', 'he room and i went home with my assistant, hardly knowing what to say or do, i was so pleased at my ', 'om and i went home with my assistant, hardly knowing what to say or do, i was so pleased at my own g', 'd i went home with my assistant, hardly knowing what to say or do, i was so pleased at my own good f', 'ent home with my assistant, hardly knowing what to say or do, i was so pleased at my own good fortun', 'ome with my assistant, hardly knowing what to say or do, i was so pleased at my own good fortune. "w', 'ith my assistant, hardly knowing what to say or do, i was so pleased at my own good fortune. "well, ', 'y assistant, hardly knowing what to say or do, i was so pleased at my own good fortune. "well, i tho', 'istant, hardly knowing what to say or do, i was so pleased at my own good fortune. "well, i thought ', 't, hardly knowing what to say or do, i was so pleased at my own good fortune. "well, i thought over ', 'rdly knowing what to say or do, i was so pleased at my own good fortune. "well, i thought over the m', 'knowing what to say or do, i was so pleased at my own good fortune. "well, i thought over the matter', 'ng what to say or do, i was so pleased at my own good fortune. "well, i thought over the matter all ', 'at to say or do, i was so pleased at my own good fortune. "well, i thought over the matter all day, ', ' say or do, i was so pleased at my own good fortune. "well, i thought over the matter all day, and b', 'or do, i was so pleased at my own good fortune. "well, i thought over the matter all day, and by eve', ', i was so pleased at my own good fortune. "well, i thought over the matter all day, and by evening ', 'as so pleased at my own good fortune. "well, i thought over the matter all day, and by evening i was', ' pleased at my own good fortune. "well, i thought over the matter all day, and by evening i was in l', 'sed at my own good fortune. "well, i thought over the matter all day, and by evening i was in low sp', 't my own good fortune. "well, i thought over the matter all day, and by evening i was in low spirits', 'own good fortune. "well, i thought over the matter all day, and by evening i was in low spirits agai', 'ood fortune. "well, i thought over the matter all day, and by evening i was in low spirits again; fo', 'ortune. "well, i thought over the matter all day, and by evening i was in low spirits again; for i h', 'e. "well, i thought over the matter all day, and by evening i was in low spirits again; for i had qu', 'ell, i thought over the matter all day, and by evening i was in low spirits again; for i had quite p', 'i thought over the matter all day, and by evening i was in low spirits again; for i had quite persua', 'ught over the matter all day, and by evening i was in low spirits again; for i had quite persuaded m', 'over the matter all day, and by evening i was in low spirits again; for i had quite persuaded myself', 'the matter all day, and by evening i was in low spirits again; for i had quite persuaded myself that', 'atter all day, and by evening i was in low spirits again; for i had quite persuaded myself that the ', ' all day, and by evening i was in low spirits again; for i had quite persuaded myself that the whole', 'day, and by evening i was in low spirits again; for i had quite persuaded myself that the whole affa', 'and by evening i was in low spirits again; for i had quite persuaded myself that the whole affair mu', 'y evening i was in low spirits again; for i had quite persuaded myself that the whole affair must be', 'ning i was in low spirits again; for i had quite persuaded myself that the whole affair must be some', 'i was in low spirits again; for i had quite persuaded myself that the whole affair must be some grea', ' in low spirits again; for i had quite persuaded myself that the whole affair must be some great hoa', 'ow spirits again; for i had quite persuaded myself that the whole affair must be some great hoax or ', 'irits again; for i had quite persuaded myself that the whole affair must be some great hoax or fraud', ' again; for i had quite persuaded myself that the whole affair must be some great hoax or fraud, tho', 'n; for i had quite persuaded myself that the whole affair must be some great hoax or fraud, though w', 'r i had quite persuaded myself that the whole affair must be some great hoax or fraud, though what i', 'ad quite persuaded myself that the whole affair must be some great hoax or fraud, though what its ob', 'ite persuaded myself that the whole affair must be some great hoax or fraud, though what its object ', 'ersuaded myself that the whole affair must be some great hoax or fraud, though what its object might', 'ded myself that the whole affair must be some great hoax or fraud, though what its object might be i', 'yself that the whole affair must be some great hoax or fraud, though what its object might be i coul', ' that the whole affair must be some great hoax or fraud, though what its object might be i could not', ' the whole affair must be some great hoax or fraud, though what its object might be i could not imag', 'whole affair must be some great hoax or fraud, though what its object might be i could not imagine. ', ' affair must be some great hoax or fraud, though what its object might be i could not imagine. it se', 'ir must be some great hoax or fraud, though what its object might be i could not imagine. it seemed ', 'st be some great hoax or fraud, though what its object might be i could not imagine. it seemed altog', ' some great hoax or fraud, though what its object might be i could not imagine. it seemed altogether', ' great hoax or fraud, though what its object might be i could not imagine. it seemed altogether past', 't hoax or fraud, though what its object might be i could not imagine. it seemed altogether past beli', 'x or fraud, though what its object might be i could not imagine. it seemed altogether past belief th', 'fraud, though what its object might be i could not imagine. it seemed altogether past belief that an', ', though what its object might be i could not imagine. it seemed altogether past belief that anyone ', 'ugh what its object might be i could not imagine. it seemed altogether past belief that anyone could', 'hat its object might be i could not imagine. it seemed altogether past belief that anyone could make', 'ts object might be i could not imagine. it seemed altogether past belief that anyone could make such', 'ject might be i could not imagine. it seemed altogether past belief that anyone could make such a wi', 'might be i could not imagine. it seemed altogether past belief that anyone could make such a will, o', ' be i could not imagine. it seemed altogether past belief that anyone could make such a will, or tha', ' could not imagine. it seemed altogether past belief that anyone could make such a will, or that the', 'd not imagine. it seemed altogether past belief that anyone could make such a will, or that they wou', ' imagine. it seemed altogether past belief that anyone could make such a will, or that they would pa', 'ine. it seemed altogether past belief that anyone could make such a will, or that they would pay suc', 'it seemed altogether past belief that anyone could make such a will, or that they would pay such a s', 'emed altogether past belief that anyone could make such a will, or that they would pay such a sum fo', 'altogether past belief that anyone could make such a will, or that they would pay such a sum for doi', 'ether past belief that anyone could make such a will, or that they would pay such a sum for doing an', ' past belief that anyone could make such a will, or that they would pay such a sum for doing anythin', ' belief that anyone could make such a will, or that they would pay such a sum for doing anything so ', 'ef that anyone could make such a will, or that they would pay such a sum for doing anything so simpl', 'at anyone could make such a will, or that they would pay such a sum for doing anything so simple as ', 'yone could make such a will, or that they would pay such a sum for doing anything so simple as copyi', 'could make such a will, or that they would pay such a sum for doing anything so simple as copying ou', ' make such a will, or that they would pay such a sum for doing anything so simple as copying out the', " such a will, or that they would pay such a sum for doing anything so simple as copying out the 'enc", " a will, or that they would pay such a sum for doing anything so simple as copying out the 'encyclop", "ll, or that they would pay such a sum for doing anything so simple as copying out the 'encyclopaedia", "r that they would pay such a sum for doing anything so simple as copying out the 'encyclopaedia brit", "t they would pay such a sum for doing anything so simple as copying out the 'encyclopaedia britannic", "y would pay such a sum for doing anything so simple as copying out the 'encyclopaedia britannica.' v", "ld pay such a sum for doing anything so simple as copying out the 'encyclopaedia britannica.' vincen", "y such a sum for doing anything so simple as copying out the 'encyclopaedia britannica.' vincent spa", "h a sum for doing anything so simple as copying out the 'encyclopaedia britannica.' vincent spauldin", "um for doing anything so simple as copying out the 'encyclopaedia britannica.' vincent spaulding did", "r doing anything so simple as copying out the 'encyclopaedia britannica.' vincent spaulding did what", "ng anything so simple as copying out the 'encyclopaedia britannica.' vincent spaulding did what he c", "ything so simple as copying out the 'encyclopaedia britannica.' vincent spaulding did what he could ", "g so simple as copying out the 'encyclopaedia britannica.' vincent spaulding did what he could to ch", "simple as copying out the 'encyclopaedia britannica.' vincent spaulding did what he could to cheer m", "e as copying out the 'encyclopaedia britannica.' vincent spaulding did what he could to cheer me up,", "copying out the 'encyclopaedia britannica.' vincent spaulding did what he could to cheer me up, but ", "ng out the 'encyclopaedia britannica.' vincent spaulding did what he could to cheer me up, but by be", "t the 'encyclopaedia britannica.' vincent spaulding did what he could to cheer me up, but by bedtime", " 'encyclopaedia britannica.' vincent spaulding did what he could to cheer me up, but by bedtime i ha", "yclopaedia britannica.' vincent spaulding did what he could to cheer me up, but by bedtime i had rea", "aedia britannica.' vincent spaulding did what he could to cheer me up, but by bedtime i had reasoned", " britannica.' vincent spaulding did what he could to cheer me up, but by bedtime i had reasoned myse", "annica.' vincent spaulding did what he could to cheer me up, but by bedtime i had reasoned myself ou", "a.' vincent spaulding did what he could to cheer me up, but by bedtime i had reasoned myself out of ", 'incent spaulding did what he could to cheer me up, but by bedtime i had reasoned myself out of the w', 't spaulding did what he could to cheer me up, but by bedtime i had reasoned myself out of the whole ', 'ulding did what he could to cheer me up, but by bedtime i had reasoned myself out of the whole thing', 'g did what he could to cheer me up, but by bedtime i had reasoned myself out of the whole thing. how', ' what he could to cheer me up, but by bedtime i had reasoned myself out of the whole thing. however,', ' he could to cheer me up, but by bedtime i had reasoned myself out of the whole thing. however, in t', 'ould to cheer me up, but by bedtime i had reasoned myself out of the whole thing. however, in the mo', 'to cheer me up, but by bedtime i had reasoned myself out of the whole thing. however, in the morning', 'eer me up, but by bedtime i had reasoned myself out of the whole thing. however, in the morning i de', 'e up, but by bedtime i had reasoned myself out of the whole thing. however, in the morning i determi', ' but by bedtime i had reasoned myself out of the whole thing. however, in the morning i determined t', 'by bedtime i had reasoned myself out of the whole thing. however, in the morning i determined to hav', 'dtime i had reasoned myself out of the whole thing. however, in the morning i determined to have a l', ' i had reasoned myself out of the whole thing. however, in the morning i determined to have a look a', 'd reasoned myself out of the whole thing. however, in the morning i determined to have a look at it ', 'soned myself out of the whole thing. however, in the morning i determined to have a look at it anyho', ' myself out of the whole thing. however, in the morning i determined to have a look at it anyhow, so', 'lf out of the whole thing. however, in the morning i determined to have a look at it anyhow, so i bo', 't of the whole thing. however, in the morning i determined to have a look at it anyhow, so i bought ', 'the whole thing. however, in the morning i determined to have a look at it anyhow, so i bought a pen', 'hole thing. however, in the morning i determined to have a look at it anyhow, so i bought a penny bo', 'thing. however, in the morning i determined to have a look at it anyhow, so i bought a penny bottle ', '. however, in the morning i determined to have a look at it anyhow, so i bought a penny bottle of in', 'ever, in the morning i determined to have a look at it anyhow, so i bought a penny bottle of ink, an', ' in the morning i determined to have a look at it anyhow, so i bought a penny bottle of ink, and wit', 'he morning i determined to have a look at it anyhow, so i bought a penny bottle of ink, and with a q', 'rning i determined to have a look at it anyhow, so i bought a penny bottle of ink, and with a quill-', ' i determined to have a look at it anyhow, so i bought a penny bottle of ink, and with a quill-pen, ', 'termined to have a look at it anyhow, so i bought a penny bottle of ink, and with a quill-pen, and s', 'ned to have a look at it anyhow, so i bought a penny bottle of ink, and with a quill-pen, and seven ', 'o have a look at it anyhow, so i bought a penny bottle of ink, and with a quill-pen, and seven sheet', 'e a look at it anyhow, so i bought a penny bottle of ink, and with a quill-pen, and seven sheets of ', 'ook at it anyhow, so i bought a penny bottle of ink, and with a quill-pen, and seven sheets of fools', 't it anyhow, so i bought a penny bottle of ink, and with a quill-pen, and seven sheets of foolscap p', 'anyhow, so i bought a penny bottle of ink, and with a quill-pen, and seven sheets of foolscap paper,', 'w, so i bought a penny bottle of ink, and with a quill-pen, and seven sheets of foolscap paper, i st', ' i bought a penny bottle of ink, and with a quill-pen, and seven sheets of foolscap paper, i started', 'ught a penny bottle of ink, and with a quill-pen, and seven sheets of foolscap paper, i started off ', 'a penny bottle of ink, and with a quill-pen, and seven sheets of foolscap paper, i started off for p', "ny bottle of ink, and with a quill-pen, and seven sheets of foolscap paper, i started off for pope's", "ttle of ink, and with a quill-pen, and seven sheets of foolscap paper, i started off for pope's cour", 'of ink, and with a quill-pen, and seven sheets of foolscap paper, i started off for pope\'s court. "w', 'k, and with a quill-pen, and seven sheets of foolscap paper, i started off for pope\'s court. "well, ', 'd with a quill-pen, and seven sheets of foolscap paper, i started off for pope\'s court. "well, to my', 'h a quill-pen, and seven sheets of foolscap paper, i started off for pope\'s court. "well, to my surp', 'uill-pen, and seven sheets of foolscap paper, i started off for pope\'s court. "well, to my surprise ', 'pen, and seven sheets of foolscap paper, i started off for pope\'s court. "well, to my surprise and d', 'and seven sheets of foolscap paper, i started off for pope\'s court. "well, to my surprise and deligh', 'even sheets of foolscap paper, i started off for pope\'s court. "well, to my surprise and delight, ev', 'sheets of foolscap paper, i started off for pope\'s court. "well, to my surprise and delight, everyth', 's of foolscap paper, i started off for pope\'s court. "well, to my surprise and delight, everything w', 'foolscap paper, i started off for pope\'s court. "well, to my surprise and delight, everything was as', 'cap paper, i started off for pope\'s court. "well, to my surprise and delight, everything was as righ', 'aper, i started off for pope\'s court. "well, to my surprise and delight, everything was as right as ', ' i started off for pope\'s court. "well, to my surprise and delight, everything was as right as possi', 'arted off for pope\'s court. "well, to my surprise and delight, everything was as right as possible. ', ' off for pope\'s court. "well, to my surprise and delight, everything was as right as possible. the t', 'for pope\'s court. "well, to my surprise and delight, everything was as right as possible. the table ', 'ope\'s court. "well, to my surprise and delight, everything was as right as possible. the table was s', ' court. "well, to my surprise and delight, everything was as right as possible. the table was set ou', 't. "well, to my surprise and delight, everything was as right as possible. the table was set out rea', 'ell, to my surprise and delight, everything was as right as possible. the table was set out ready fo', 'to my surprise and delight, everything was as right as possible. the table was set out ready for me,', ' surprise and delight, everything was as right as possible. the table was set out ready for me, and ', 'rise and delight, everything was as right as possible. the table was set out ready for me, and mr. d', 'and delight, everything was as right as possible. the table was set out ready for me, and mr. duncan', 'elight, everything was as right as possible. the table was set out ready for me, and mr. duncan ross', 't, everything was as right as possible. the table was set out ready for me, and mr. duncan ross was ', 'erything was as right as possible. the table was set out ready for me, and mr. duncan ross was there', 'ing was as right as possible. the table was set out ready for me, and mr. duncan ross was there to s', 'as as right as possible. the table was set out ready for me, and mr. duncan ross was there to see th', ' right as possible. the table was set out ready for me, and mr. duncan ross was there to see that i ', 't as possible. the table was set out ready for me, and mr. duncan ross was there to see that i got f', 'possible. the table was set out ready for me, and mr. duncan ross was there to see that i got fairly', 'ble. the table was set out ready for me, and mr. duncan ross was there to see that i got fairly to w', 'the table was set out ready for me, and mr. duncan ross was there to see that i got fairly to work. ', 'able was set out ready for me, and mr. duncan ross was there to see that i got fairly to work. he st', 'was set out ready for me, and mr. duncan ross was there to see that i got fairly to work. he started', 'et out ready for me, and mr. duncan ross was there to see that i got fairly to work. he started me o', 't ready for me, and mr. duncan ross was there to see that i got fairly to work. he started me off up', 'dy for me, and mr. duncan ross was there to see that i got fairly to work. he started me off upon th', 'r me, and mr. duncan ross was there to see that i got fairly to work. he started me off upon the let', ' and mr. duncan ross was there to see that i got fairly to work. he started me off upon the letter a', 'mr. duncan ross was there to see that i got fairly to work. he started me off upon the letter a, and', 'uncan ross was there to see that i got fairly to work. he started me off upon the letter a, and then', ' ross was there to see that i got fairly to work. he started me off upon the letter a, and then he l', ' was there to see that i got fairly to work. he started me off upon the letter a, and then he left m', 'there to see that i got fairly to work. he started me off upon the letter a, and then he left me; bu', ' to see that i got fairly to work. he started me off upon the letter a, and then he left me; but he ', 'ee that i got fairly to work. he started me off upon the letter a, and then he left me; but he would', 'at i got fairly to work. he started me off upon the letter a, and then he left me; but he would drop', 'got fairly to work. he started me off upon the letter a, and then he left me; but he would drop in f', 'airly to work. he started me off upon the letter a, and then he left me; but he would drop in from t', ' to work. he started me off upon the letter a, and then he left me; but he would drop in from time t', 'ork. he started me off upon the letter a, and then he left me; but he would drop in from time to tim', 'he started me off upon the letter a, and then he left me; but he would drop in from time to time to ', 'arted me off upon the letter a, and then he left me; but he would drop in from time to time to see t', ' me off upon the letter a, and then he left me; but he would drop in from time to time to see that a', 'ff upon the letter a, and then he left me; but he would drop in from time to time to see that all wa', 'on the letter a, and then he left me; but he would drop in from time to time to see that all was rig', 'e letter a, and then he left me; but he would drop in from time to time to see that all was right wi', 'ter a, and then he left me; but he would drop in from time to time to see that all was right with me', ', and then he left me; but he would drop in from time to time to see that all was right with me. at ', ' then he left me; but he would drop in from time to time to see that all was right with me. at two o', " he left me; but he would drop in from time to time to see that all was right with me. at two o'cloc", "eft me; but he would drop in from time to time to see that all was right with me. at two o'clock he ", "e; but he would drop in from time to time to see that all was right with me. at two o'clock he bade ", "t he would drop in from time to time to see that all was right with me. at two o'clock he bade me go", "would drop in from time to time to see that all was right with me. at two o'clock he bade me good-da", " drop in from time to time to see that all was right with me. at two o'clock he bade me good-day, co", " in from time to time to see that all was right with me. at two o'clock he bade me good-day, complim", "rom time to time to see that all was right with me. at two o'clock he bade me good-day, complimented", "ime to time to see that all was right with me. at two o'clock he bade me good-day, complimented me u", "o time to see that all was right with me. at two o'clock he bade me good-day, complimented me upon t", "e to see that all was right with me. at two o'clock he bade me good-day, complimented me upon the am", "see that all was right with me. at two o'clock he bade me good-day, complimented me upon the amount ", "hat all was right with me. at two o'clock he bade me good-day, complimented me upon the amount that ", "ll was right with me. at two o'clock he bade me good-day, complimented me upon the amount that i had", "s right with me. at two o'clock he bade me good-day, complimented me upon the amount that i had writ", "ht with me. at two o'clock he bade me good-day, complimented me upon the amount that i had written, ", "th me. at two o'clock he bade me good-day, complimented me upon the amount that i had written, and l", ". at two o'clock he bade me good-day, complimented me upon the amount that i had written, and locked", "two o'clock he bade me good-day, complimented me upon the amount that i had written, and locked the ", "'clock he bade me good-day, complimented me upon the amount that i had written, and locked the door ", 'k he bade me good-day, complimented me upon the amount that i had written, and locked the door of th', 'bade me good-day, complimented me upon the amount that i had written, and locked the door of the off', 'me good-day, complimented me upon the amount that i had written, and locked the door of the office a', 'od-day, complimented me upon the amount that i had written, and locked the door of the office after ', 'y, complimented me upon the amount that i had written, and locked the door of the office after me. "', 'mplimented me upon the amount that i had written, and locked the door of the office after me. "this ', 'ented me upon the amount that i had written, and locked the door of the office after me. "this went ', ' me upon the amount that i had written, and locked the door of the office after me. "this went on da', 'pon the amount that i had written, and locked the door of the office after me. "this went on day aft', 'he amount that i had written, and locked the door of the office after me. "this went on day after da', 'ount that i had written, and locked the door of the office after me. "this went on day after day, mr', 'that i had written, and locked the door of the office after me. "this went on day after day, mr. hol', 'i had written, and locked the door of the office after me. "this went on day after day, mr. holmes, ', ' written, and locked the door of the office after me. "this went on day after day, mr. holmes, and o', 'ten, and locked the door of the office after me. "this went on day after day, mr. holmes, and on sat', 'and locked the door of the office after me. "this went on day after day, mr. holmes, and on saturday', 'ocked the door of the office after me. "this went on day after day, mr. holmes, and on saturday the ', ' the door of the office after me. "this went on day after day, mr. holmes, and on saturday the manag', 'door of the office after me. "this went on day after day, mr. holmes, and on saturday the manager ca', 'of the office after me. "this went on day after day, mr. holmes, and on saturday the manager came in', 'e office after me. "this went on day after day, mr. holmes, and on saturday the manager came in and ', 'ice after me. "this went on day after day, mr. holmes, and on saturday the manager came in and plank', 'fter me. "this went on day after day, mr. holmes, and on saturday the manager came in and planked do', 'me. "this went on day after day, mr. holmes, and on saturday the manager came in and planked down fo', 'this went on day after day, mr. holmes, and on saturday the manager came in and planked down four go', 'went on day after day, mr. holmes, and on saturday the manager came in and planked down four golden ', 'on day after day, mr. holmes, and on saturday the manager came in and planked down four golden sover', 'y after day, mr. holmes, and on saturday the manager came in and planked down four golden sovereigns', 'er day, mr. holmes, and on saturday the manager came in and planked down four golden sovereigns for ', 'y, mr. holmes, and on saturday the manager came in and planked down four golden sovereigns for my we', ". holmes, and on saturday the manager came in and planked down four golden sovereigns for my week's ", "mes, and on saturday the manager came in and planked down four golden sovereigns for my week's work.", "and on saturday the manager came in and planked down four golden sovereigns for my week's work. it w", "n saturday the manager came in and planked down four golden sovereigns for my week's work. it was th", "urday the manager came in and planked down four golden sovereigns for my week's work. it was the sam", " the manager came in and planked down four golden sovereigns for my week's work. it was the same nex", "manager came in and planked down four golden sovereigns for my week's work. it was the same next wee", "er came in and planked down four golden sovereigns for my week's work. it was the same next week, an", "me in and planked down four golden sovereigns for my week's work. it was the same next week, and the", " and planked down four golden sovereigns for my week's work. it was the same next week, and the same", "planked down four golden sovereigns for my week's work. it was the same next week, and the same the ", "ed down four golden sovereigns for my week's work. it was the same next week, and the same the week ", "wn four golden sovereigns for my week's work. it was the same next week, and the same the week after", "ur golden sovereigns for my week's work. it was the same next week, and the same the week after. eve", "lden sovereigns for my week's work. it was the same next week, and the same the week after. every mo", "sovereigns for my week's work. it was the same next week, and the same the week after. every morning", "eigns for my week's work. it was the same next week, and the same the week after. every morning i wa", " for my week's work. it was the same next week, and the same the week after. every morning i was the", "my week's work. it was the same next week, and the same the week after. every morning i was there at", "ek's work. it was the same next week, and the same the week after. every morning i was there at ten,", 'work. it was the same next week, and the same the week after. every morning i was there at ten, and ', ' it was the same next week, and the same the week after. every morning i was there at ten, and every', 'as the same next week, and the same the week after. every morning i was there at ten, and every afte', 'e same next week, and the same the week after. every morning i was there at ten, and every afternoon', 'e next week, and the same the week after. every morning i was there at ten, and every afternoon i le', 't week, and the same the week after. every morning i was there at ten, and every afternoon i left at', 'k, and the same the week after. every morning i was there at ten, and every afternoon i left at two.', 'd the same the week after. every morning i was there at ten, and every afternoon i left at two. by d', ' same the week after. every morning i was there at ten, and every afternoon i left at two. by degree', ' the week after. every morning i was there at ten, and every afternoon i left at two. by degrees mr.', 'week after. every morning i was there at ten, and every afternoon i left at two. by degrees mr. dunc', 'after. every morning i was there at ten, and every afternoon i left at two. by degrees mr. duncan ro', '. every morning i was there at ten, and every afternoon i left at two. by degrees mr. duncan ross to', 'ry morning i was there at ten, and every afternoon i left at two. by degrees mr. duncan ross took to', 'rning i was there at ten, and every afternoon i left at two. by degrees mr. duncan ross took to comi', ' i was there at ten, and every afternoon i left at two. by degrees mr. duncan ross took to coming in', 's there at ten, and every afternoon i left at two. by degrees mr. duncan ross took to coming in only', 're at ten, and every afternoon i left at two. by degrees mr. duncan ross took to coming in only once', ' ten, and every afternoon i left at two. by degrees mr. duncan ross took to coming in only once of a', ' and every afternoon i left at two. by degrees mr. duncan ross took to coming in only once of a morn', 'every afternoon i left at two. by degrees mr. duncan ross took to coming in only once of a morning, ', ' afternoon i left at two. by degrees mr. duncan ross took to coming in only once of a morning, and t', 'rnoon i left at two. by degrees mr. duncan ross took to coming in only once of a morning, and then, ', ' i left at two. by degrees mr. duncan ross took to coming in only once of a morning, and then, after', 'ft at two. by degrees mr. duncan ross took to coming in only once of a morning, and then, after a ti', ' two. by degrees mr. duncan ross took to coming in only once of a morning, and then, after a time, h', ' by degrees mr. duncan ross took to coming in only once of a morning, and then, after a time, he did', 'egrees mr. duncan ross took to coming in only once of a morning, and then, after a time, he did not ', 's mr. duncan ross took to coming in only once of a morning, and then, after a time, he did not come ', ' duncan ross took to coming in only once of a morning, and then, after a time, he did not come in at', 'an ross took to coming in only once of a morning, and then, after a time, he did not come in at all.', 'ss took to coming in only once of a morning, and then, after a time, he did not come in at all. stil', 'ok to coming in only once of a morning, and then, after a time, he did not come in at all. still, of', ' coming in only once of a morning, and then, after a time, he did not come in at all. still, of cour', 'ng in only once of a morning, and then, after a time, he did not come in at all. still, of course, i', ' only once of a morning, and then, after a time, he did not come in at all. still, of course, i neve', ' once of a morning, and then, after a time, he did not come in at all. still, of course, i never dar', ' of a morning, and then, after a time, he did not come in at all. still, of course, i never dared to', ' morning, and then, after a time, he did not come in at all. still, of course, i never dared to leav', 'ing, and then, after a time, he did not come in at all. still, of course, i never dared to leave the', 'and then, after a time, he did not come in at all. still, of course, i never dared to leave the room', 'hen, after a time, he did not come in at all. still, of course, i never dared to leave the room for ', 'after a time, he did not come in at all. still, of course, i never dared to leave the room for an in', ' a time, he did not come in at all. still, of course, i never dared to leave the room for an instant', 'me, he did not come in at all. still, of course, i never dared to leave the room for an instant, for', 'e did not come in at all. still, of course, i never dared to leave the room for an instant, for i wa', ' not come in at all. still, of course, i never dared to leave the room for an instant, for i was not', 'come in at all. still, of course, i never dared to leave the room for an instant, for i was not sure', 'in at all. still, of course, i never dared to leave the room for an instant, for i was not sure when', ' all. still, of course, i never dared to leave the room for an instant, for i was not sure when he m', ' still, of course, i never dared to leave the room for an instant, for i was not sure when he might ', 'l, of course, i never dared to leave the room for an instant, for i was not sure when he might come,', ' course, i never dared to leave the room for an instant, for i was not sure when he might come, and ', 'se, i never dared to leave the room for an instant, for i was not sure when he might come, and the b', ' never dared to leave the room for an instant, for i was not sure when he might come, and the billet', 'r dared to leave the room for an instant, for i was not sure when he might come, and the billet was ', 'ed to leave the room for an instant, for i was not sure when he might come, and the billet was such ', ' leave the room for an instant, for i was not sure when he might come, and the billet was such a goo', 'e the room for an instant, for i was not sure when he might come, and the billet was such a good one', ' room for an instant, for i was not sure when he might come, and the billet was such a good one, and', ' for an instant, for i was not sure when he might come, and the billet was such a good one, and suit', 'an instant, for i was not sure when he might come, and the billet was such a good one, and suited me', 'stant, for i was not sure when he might come, and the billet was such a good one, and suited me so w', ', for i was not sure when he might come, and the billet was such a good one, and suited me so well, ', ' i was not sure when he might come, and the billet was such a good one, and suited me so well, that ', 's not sure when he might come, and the billet was such a good one, and suited me so well, that i wou', ' sure when he might come, and the billet was such a good one, and suited me so well, that i would no', ' when he might come, and the billet was such a good one, and suited me so well, that i would not ris', ' he might come, and the billet was such a good one, and suited me so well, that i would not risk the', 'ight come, and the billet was such a good one, and suited me so well, that i would not risk the loss', 'come, and the billet was such a good one, and suited me so well, that i would not risk the loss of i', ' and the billet was such a good one, and suited me so well, that i would not risk the loss of it. "e', 'the billet was such a good one, and suited me so well, that i would not risk the loss of it. "eight ', 'illet was such a good one, and suited me so well, that i would not risk the loss of it. "eight weeks', ' was such a good one, and suited me so well, that i would not risk the loss of it. "eight weeks pass', 'such a good one, and suited me so well, that i would not risk the loss of it. "eight weeks passed aw', 'a good one, and suited me so well, that i would not risk the loss of it. "eight weeks passed away li', 'd one, and suited me so well, that i would not risk the loss of it. "eight weeks passed away like th', ', and suited me so well, that i would not risk the loss of it. "eight weeks passed away like this, a', ' suited me so well, that i would not risk the loss of it. "eight weeks passed away like this, and i ', 'ed me so well, that i would not risk the loss of it. "eight weeks passed away like this, and i had w', ' so well, that i would not risk the loss of it. "eight weeks passed away like this, and i had writte', 'ell, that i would not risk the loss of it. "eight weeks passed away like this, and i had written abo', 'that i would not risk the loss of it. "eight weeks passed away like this, and i had written about ab', 'i would not risk the loss of it. "eight weeks passed away like this, and i had written about abbots ', 'ld not risk the loss of it. "eight weeks passed away like this, and i had written about abbots and a', 't risk the loss of it. "eight weeks passed away like this, and i had written about abbots and archer', 'k the loss of it. "eight weeks passed away like this, and i had written about abbots and archery and', ' loss of it. "eight weeks passed away like this, and i had written about abbots and archery and armo', ' of it. "eight weeks passed away like this, and i had written about abbots and archery and armour an', 't. "eight weeks passed away like this, and i had written about abbots and archery and armour and arc', 'ight weeks passed away like this, and i had written about abbots and archery and armour and architec', 'weeks passed away like this, and i had written about abbots and archery and armour and architecture ', ' passed away like this, and i had written about abbots and archery and armour and architecture and a', 'ed away like this, and i had written about abbots and archery and armour and architecture and attica', 'ay like this, and i had written about abbots and archery and armour and architecture and attica, and', 'ke this, and i had written about abbots and archery and armour and architecture and attica, and hope', 'is, and i had written about abbots and archery and armour and architecture and attica, and hoped wit', 'nd i had written about abbots and archery and armour and architecture and attica, and hoped with dil', 'had written about abbots and archery and armour and architecture and attica, and hoped with diligenc', 'ritten about abbots and archery and armour and architecture and attica, and hoped with diligence tha', 'n about abbots and archery and armour and architecture and attica, and hoped with diligence that i m', 'ut abbots and archery and armour and architecture and attica, and hoped with diligence that i might ', 'bots and archery and armour and architecture and attica, and hoped with diligence that i might get o', 'and archery and armour and architecture and attica, and hoped with diligence that i might get on to ', 'rchery and armour and architecture and attica, and hoped with diligence that i might get on to the b', "y and armour and architecture and attica, and hoped with diligence that i might get on to the b's be", " armour and architecture and attica, and hoped with diligence that i might get on to the b's before ", "ur and architecture and attica, and hoped with diligence that i might get on to the b's before very ", "d architecture and attica, and hoped with diligence that i might get on to the b's before very long.", "hitecture and attica, and hoped with diligence that i might get on to the b's before very long. it c", "ture and attica, and hoped with diligence that i might get on to the b's before very long. it cost m", "and attica, and hoped with diligence that i might get on to the b's before very long. it cost me som", "ttica, and hoped with diligence that i might get on to the b's before very long. it cost me somethin", ", and hoped with diligence that i might get on to the b's before very long. it cost me something in ", " hoped with diligence that i might get on to the b's before very long. it cost me something in fools", "d with diligence that i might get on to the b's before very long. it cost me something in foolscap, ", "h diligence that i might get on to the b's before very long. it cost me something in foolscap, and i", "igence that i might get on to the b's before very long. it cost me something in foolscap, and i had ", "e that i might get on to the b's before very long. it cost me something in foolscap, and i had prett", "t i might get on to the b's before very long. it cost me something in foolscap, and i had pretty nea", "ight get on to the b's before very long. it cost me something in foolscap, and i had pretty nearly f", "get on to the b's before very long. it cost me something in foolscap, and i had pretty nearly filled", "n to the b's before very long. it cost me something in foolscap, and i had pretty nearly filled a sh", "the b's before very long. it cost me something in foolscap, and i had pretty nearly filled a shelf w", "'s before very long. it cost me something in foolscap, and i had pretty nearly filled a shelf with m", 'fore very long. it cost me something in foolscap, and i had pretty nearly filled a shelf with my wri', 'very long. it cost me something in foolscap, and i had pretty nearly filled a shelf with my writings', 'long. it cost me something in foolscap, and i had pretty nearly filled a shelf with my writings. and', ' it cost me something in foolscap, and i had pretty nearly filled a shelf with my writings. and then', 'ost me something in foolscap, and i had pretty nearly filled a shelf with my writings. and then sudd', 'e something in foolscap, and i had pretty nearly filled a shelf with my writings. and then suddenly ', 'ething in foolscap, and i had pretty nearly filled a shelf with my writings. and then suddenly the w', 'g in foolscap, and i had pretty nearly filled a shelf with my writings. and then suddenly the whole ', 'foolscap, and i had pretty nearly filled a shelf with my writings. and then suddenly the whole busin', 'cap, and i had pretty nearly filled a shelf with my writings. and then suddenly the whole business c', 'and i had pretty nearly filled a shelf with my writings. and then suddenly the whole business came t', ' had pretty nearly filled a shelf with my writings. and then suddenly the whole business came to an ', 'pretty nearly filled a shelf with my writings. and then suddenly the whole business came to an end."', 'y nearly filled a shelf with my writings. and then suddenly the whole business came to an end." "to ', 'rly filled a shelf with my writings. and then suddenly the whole business came to an end." "to an en', 'illed a shelf with my writings. and then suddenly the whole business came to an end." "to an end?" "', ' a shelf with my writings. and then suddenly the whole business came to an end." "to an end?" "yes, ', 'elf with my writings. and then suddenly the whole business came to an end." "to an end?" "yes, sir. ', 'ith my writings. and then suddenly the whole business came to an end." "to an end?" "yes, sir. and n', 'y writings. and then suddenly the whole business came to an end." "to an end?" "yes, sir. and no lat', 'tings. and then suddenly the whole business came to an end." "to an end?" "yes, sir. and no later th', '. and then suddenly the whole business came to an end." "to an end?" "yes, sir. and no later than th', ' then suddenly the whole business came to an end." "to an end?" "yes, sir. and no later than this mo', ' suddenly the whole business came to an end." "to an end?" "yes, sir. and no later than this morning', 'enly the whole business came to an end." "to an end?" "yes, sir. and no later than this morning. i w', 'the whole business came to an end." "to an end?" "yes, sir. and no later than this morning. i went t', 'hole business came to an end." "to an end?" "yes, sir. and no later than this morning. i went to my ', 'business came to an end." "to an end?" "yes, sir. and no later than this morning. i went to my work ', 'ess came to an end." "to an end?" "yes, sir. and no later than this morning. i went to my work as us', 'ame to an end." "to an end?" "yes, sir. and no later than this morning. i went to my work as usual a', 'o an end." "to an end?" "yes, sir. and no later than this morning. i went to my work as usual at ten', 'end." "to an end?" "yes, sir. and no later than this morning. i went to my work as usual at ten o\'cl', ' "to an end?" "yes, sir. and no later than this morning. i went to my work as usual at ten o\'clock, ', 'an end?" "yes, sir. and no later than this morning. i went to my work as usual at ten o\'clock, but t', 'd?" "yes, sir. and no later than this morning. i went to my work as usual at ten o\'clock, but the do', "yes, sir. and no later than this morning. i went to my work as usual at ten o'clock, but the door wa", "sir. and no later than this morning. i went to my work as usual at ten o'clock, but the door was shu", "and no later than this morning. i went to my work as usual at ten o'clock, but the door was shut and", "o later than this morning. i went to my work as usual at ten o'clock, but the door was shut and lock", "er than this morning. i went to my work as usual at ten o'clock, but the door was shut and locked, w", "an this morning. i went to my work as usual at ten o'clock, but the door was shut and locked, with a", "is morning. i went to my work as usual at ten o'clock, but the door was shut and locked, with a litt", "rning. i went to my work as usual at ten o'clock, but the door was shut and locked, with a little sq", ". i went to my work as usual at ten o'clock, but the door was shut and locked, with a little square ", "ent to my work as usual at ten o'clock, but the door was shut and locked, with a little square of ca", "o my work as usual at ten o'clock, but the door was shut and locked, with a little square of cardboa", "work as usual at ten o'clock, but the door was shut and locked, with a little square of cardboard ha", "as usual at ten o'clock, but the door was shut and locked, with a little square of cardboard hammere", "ual at ten o'clock, but the door was shut and locked, with a little square of cardboard hammered on ", "t ten o'clock, but the door was shut and locked, with a little square of cardboard hammered on to th", " o'clock, but the door was shut and locked, with a little square of cardboard hammered on to the mid", 'ock, but the door was shut and locked, with a little square of cardboard hammered on to the middle o', 'but the door was shut and locked, with a little square of cardboard hammered on to the middle of the', 'he door was shut and locked, with a little square of cardboard hammered on to the middle of the pane', 'or was shut and locked, with a little square of cardboard hammered on to the middle of the panel wit', 's shut and locked, with a little square of cardboard hammered on to the middle of the panel with a t', 't and locked, with a little square of cardboard hammered on to the middle of the panel with a tack. ', ' locked, with a little square of cardboard hammered on to the middle of the panel with a tack. here ', 'ed, with a little square of cardboard hammered on to the middle of the panel with a tack. here it is', 'ith a little square of cardboard hammered on to the middle of the panel with a tack. here it is, and', ' little square of cardboard hammered on to the middle of the panel with a tack. here it is, and you ', 'le square of cardboard hammered on to the middle of the panel with a tack. here it is, and you can r', 'uare of cardboard hammered on to the middle of the panel with a tack. here it is, and you can read f', 'of cardboard hammered on to the middle of the panel with a tack. here it is, and you can read for yo', 'rdboard hammered on to the middle of the panel with a tack. here it is, and you can read for yoursel', 'rd hammered on to the middle of the panel with a tack. here it is, and you can read for yourself." h', 'mmered on to the middle of the panel with a tack. here it is, and you can read for yourself." he hel', 'd on to the middle of the panel with a tack. here it is, and you can read for yourself." he held up ', 'to the middle of the panel with a tack. here it is, and you can read for yourself." he held up a pie', 'e middle of the panel with a tack. here it is, and you can read for yourself." he held up a piece of', 'dle of the panel with a tack. here it is, and you can read for yourself." he held up a piece of whit', 'f the panel with a tack. here it is, and you can read for yourself." he held up a piece of white car', ' panel with a tack. here it is, and you can read for yourself." he held up a piece of white cardboar', 'l with a tack. here it is, and you can read for yourself." he held up a piece of white cardboard abo', 'h a tack. here it is, and you can read for yourself." he held up a piece of white cardboard about th', 'ack. here it is, and you can read for yourself." he held up a piece of white cardboard about the siz', 'here it is, and you can read for yourself." he held up a piece of white cardboard about the size of ', 'it is, and you can read for yourself." he held up a piece of white cardboard about the size of a she', ', and you can read for yourself." he held up a piece of white cardboard about the size of a sheet of', ' you can read for yourself." he held up a piece of white cardboard about the size of a sheet of note', 'can read for yourself." he held up a piece of white cardboard about the size of a sheet of note-pape', 'ead for yourself." he held up a piece of white cardboard about the size of a sheet of note-paper. it', 'or yourself." he held up a piece of white cardboard about the size of a sheet of note-paper. it read', 'urself." he held up a piece of white cardboard about the size of a sheet of note-paper. it read in t', 'f." he held up a piece of white cardboard about the size of a sheet of note-paper. it read in this f', 'e held up a piece of white cardboard about the size of a sheet of note-paper. it read in this fashio', 'd up a piece of white cardboard about the size of a sheet of note-paper. it read in this fashion: ', 'a piece of white cardboard about the size of a sheet of note-paper. it read in this fashion: ', 'ce of white cardboard about the size of a sheet of note-paper. it read in this fashion: the', ' white cardboard about the size of a sheet of note-paper. it read in this fashion: the red-', 'e cardboard about the size of a sheet of note-paper. it read in this fashion: the red-heade', 'dboard about the size of a sheet of note-paper. it read in this fashion: the red-headed lea', 'd about the size of a sheet of note-paper. it read in this fashion: the red-headed league ', 'ut the size of a sheet of note-paper. it read in this fashion: the red-headed league ', 'e size of a sheet of note-paper. it read in this fashion: the red-headed league ', 'e of a sheet of note-paper. it read in this fashion: the red-headed league is', 'a sheet of note-paper. it read in this fashion: the red-headed league is ', 'et of note-paper. it read in this fashion: the red-headed league is ', ' note-paper. it read in this fashion: the red-headed league is di', '-paper. it read in this fashion: the red-headed league is dissolv', 'r. it read in this fashion: the red-headed league is dissolved. ', ' read in this fashion: the red-headed league is dissolved. ', ' in this fashion: the red-headed league is dissolved. ', 'his fashion: the red-headed league is dissolved. octob', 'ashion: the red-headed league is dissolved. october , ', 'n: the red-headed league is dissolved. october , . s', ' the red-headed league is dissolved. october , . sherlo', ' the red-headed league is dissolved. october , . sherlock ho', ' red-headed league is dissolved. october , . sherlock holmes ', 'headed league is dissolved. october , . sherlock holmes and i', 'd league is dissolved. october , . sherlock holmes and i surv', 'gue is dissolved. october , . sherlock holmes and i surveyed ', ' is dissolved. october , . sherlock holmes and i surveyed this ', ' is dissolved. october , . sherlock holmes and i surveyed this curt ', ' is dissolved. october , . sherlock holmes and i surveyed this curt annou', ' dissolved. october , . sherlock holmes and i surveyed this curt announceme', ' dissolved. october , . sherlock holmes and i surveyed this curt announcement an', ' dissolved. october , . sherlock holmes and i surveyed this curt announcement and the', 'ssolved. october , . sherlock holmes and i surveyed this curt announcement and the ruef', 'ed. october , . sherlock holmes and i surveyed this curt announcement and the rueful fa', ' october , . sherlock holmes and i surveyed this curt announcement and the rueful face be', ' october , . sherlock holmes and i surveyed this curt announcement and the rueful face behind ', 'october , . sherlock holmes and i surveyed this curt announcement and the rueful face behind it, u', 'er , . sherlock holmes and i surveyed this curt announcement and the rueful face behind it, until ', ' . sherlock holmes and i surveyed this curt announcement and the rueful face behind it, until the c', 'herlock holmes and i surveyed this curt announcement and the rueful face behind it, until the comica', 'ck holmes and i surveyed this curt announcement and the rueful face behind it, until the comical sid', 'lmes and i surveyed this curt announcement and the rueful face behind it, until the comical side of ', 'and i surveyed this curt announcement and the rueful face behind it, until the comical side of the a', ' surveyed this curt announcement and the rueful face behind it, until the comical side of the affair', 'eyed this curt announcement and the rueful face behind it, until the comical side of the affair so c', 'this curt announcement and the rueful face behind it, until the comical side of the affair so comple', 'curt announcement and the rueful face behind it, until the comical side of the affair so completely ', 'announcement and the rueful face behind it, until the comical side of the affair so completely overt', 'ncement and the rueful face behind it, until the comical side of the affair so completely overtopped', 'nt and the rueful face behind it, until the comical side of the affair so completely overtopped ever', 'd the rueful face behind it, until the comical side of the affair so completely overtopped every oth', ' rueful face behind it, until the comical side of the affair so completely overtopped every other co', 'ul face behind it, until the comical side of the affair so completely overtopped every other conside', 'ce behind it, until the comical side of the affair so completely overtopped every other consideratio', 'hind it, until the comical side of the affair so completely overtopped every other consideration tha', 'it, until the comical side of the affair so completely overtopped every other consideration that we ', 'ntil the comical side of the affair so completely overtopped every other consideration that we both ', 'the comical side of the affair so completely overtopped every other consideration that we both burst', 'omical side of the affair so completely overtopped every other consideration that we both burst out ', 'l side of the affair so completely overtopped every other consideration that we both burst out into ', 'e of the affair so completely overtopped every other consideration that we both burst out into a roa', 'the affair so completely overtopped every other consideration that we both burst out into a roar of ', 'ffair so completely overtopped every other consideration that we both burst out into a roar of laugh', ' so completely overtopped every other consideration that we both burst out into a roar of laughter. ', 'ompletely overtopped every other consideration that we both burst out into a roar of laughter. "i ca', 'tely overtopped every other consideration that we both burst out into a roar of laughter. "i cannot ', 'overtopped every other consideration that we both burst out into a roar of laughter. "i cannot see t', 'opped every other consideration that we both burst out into a roar of laughter. "i cannot see that t', ' every other consideration that we both burst out into a roar of laughter. "i cannot see that there ', 'y other consideration that we both burst out into a roar of laughter. "i cannot see that there is an', 'er consideration that we both burst out into a roar of laughter. "i cannot see that there is anythin', 'nsideration that we both burst out into a roar of laughter. "i cannot see that there is anything ver', 'ration that we both burst out into a roar of laughter. "i cannot see that there is anything very fun', 'n that we both burst out into a roar of laughter. "i cannot see that there is anything very funny," ', 't we both burst out into a roar of laughter. "i cannot see that there is anything very funny," cried', 'both burst out into a roar of laughter. "i cannot see that there is anything very funny," cried our ', 'burst out into a roar of laughter. "i cannot see that there is anything very funny," cried our clien', ' out into a roar of laughter. "i cannot see that there is anything very funny," cried our client, fl', 'into a roar of laughter. "i cannot see that there is anything very funny," cried our client, flushin', 'a roar of laughter. "i cannot see that there is anything very funny," cried our client, flushing up ', 'r of laughter. "i cannot see that there is anything very funny," cried our client, flushing up to th', 'laughter. "i cannot see that there is anything very funny," cried our client, flushing up to the roo', 'ter. "i cannot see that there is anything very funny," cried our client, flushing up to the roots of', '"i cannot see that there is anything very funny," cried our client, flushing up to the roots of his ', 'nnot see that there is anything very funny," cried our client, flushing up to the roots of his flami', 'see that there is anything very funny," cried our client, flushing up to the roots of his flaming he', 'hat there is anything very funny," cried our client, flushing up to the roots of his flaming head. "', 'here is anything very funny," cried our client, flushing up to the roots of his flaming head. "if yo', 'is anything very funny," cried our client, flushing up to the roots of his flaming head. "if you can', 'ything very funny," cried our client, flushing up to the roots of his flaming head. "if you can do n', 'g very funny," cried our client, flushing up to the roots of his flaming head. "if you can do nothin', 'y funny," cried our client, flushing up to the roots of his flaming head. "if you can do nothing bet', 'ny," cried our client, flushing up to the roots of his flaming head. "if you can do nothing better t', 'cried our client, flushing up to the roots of his flaming head. "if you can do nothing better than l', ' our client, flushing up to the roots of his flaming head. "if you can do nothing better than laugh ', 'client, flushing up to the roots of his flaming head. "if you can do nothing better than laugh at me', 't, flushing up to the roots of his flaming head. "if you can do nothing better than laugh at me, i c', 'ushing up to the roots of his flaming head. "if you can do nothing better than laugh at me, i can go', 'g up to the roots of his flaming head. "if you can do nothing better than laugh at me, i can go else', 'to the roots of his flaming head. "if you can do nothing better than laugh at me, i can go elsewhere', 'e roots of his flaming head. "if you can do nothing better than laugh at me, i can go elsewhere." "n', 'ts of his flaming head. "if you can do nothing better than laugh at me, i can go elsewhere." "no, no', ' his flaming head. "if you can do nothing better than laugh at me, i can go elsewhere." "no, no," cr', 'flaming head. "if you can do nothing better than laugh at me, i can go elsewhere." "no, no," cried h', 'ng head. "if you can do nothing better than laugh at me, i can go elsewhere." "no, no," cried holmes', 'ad. "if you can do nothing better than laugh at me, i can go elsewhere." "no, no," cried holmes, sho', 'if you can do nothing better than laugh at me, i can go elsewhere." "no, no," cried holmes, shoving ', 'u can do nothing better than laugh at me, i can go elsewhere." "no, no," cried holmes, shoving him b', ' do nothing better than laugh at me, i can go elsewhere." "no, no," cried holmes, shoving him back i', 'othing better than laugh at me, i can go elsewhere." "no, no," cried holmes, shoving him back into t', 'g better than laugh at me, i can go elsewhere." "no, no," cried holmes, shoving him back into the ch', 'ter than laugh at me, i can go elsewhere." "no, no," cried holmes, shoving him back into the chair f', 'han laugh at me, i can go elsewhere." "no, no," cried holmes, shoving him back into the chair from w', 'augh at me, i can go elsewhere." "no, no," cried holmes, shoving him back into the chair from which ', 'at me, i can go elsewhere." "no, no," cried holmes, shoving him back into the chair from which he ha', ', i can go elsewhere." "no, no," cried holmes, shoving him back into the chair from which he had hal', 'an go elsewhere." "no, no," cried holmes, shoving him back into the chair from which he had half ris', ' elsewhere." "no, no," cried holmes, shoving him back into the chair from which he had half risen. "', 'where." "no, no," cried holmes, shoving him back into the chair from which he had half risen. "i rea', '." "no, no," cried holmes, shoving him back into the chair from which he had half risen. "i really w', 'o, no," cried holmes, shoving him back into the chair from which he had half risen. "i really wouldn', '," cried holmes, shoving him back into the chair from which he had half risen. "i really wouldn\'t mi', 'ied holmes, shoving him back into the chair from which he had half risen. "i really wouldn\'t miss yo', 'olmes, shoving him back into the chair from which he had half risen. "i really wouldn\'t miss your ca', ', shoving him back into the chair from which he had half risen. "i really wouldn\'t miss your case fo', 'ving him back into the chair from which he had half risen. "i really wouldn\'t miss your case for the', 'him back into the chair from which he had half risen. "i really wouldn\'t miss your case for the worl', 'ack into the chair from which he had half risen. "i really wouldn\'t miss your case for the world. it', 'nto the chair from which he had half risen. "i really wouldn\'t miss your case for the world. it is m', 'he chair from which he had half risen. "i really wouldn\'t miss your case for the world. it is most r', 'air from which he had half risen. "i really wouldn\'t miss your case for the world. it is most refres', 'rom which he had half risen. "i really wouldn\'t miss your case for the world. it is most refreshingl', 'hich he had half risen. "i really wouldn\'t miss your case for the world. it is most refreshingly unu', 'he had half risen. "i really wouldn\'t miss your case for the world. it is most refreshingly unusual.', 'd half risen. "i really wouldn\'t miss your case for the world. it is most refreshingly unusual. but ', 'f risen. "i really wouldn\'t miss your case for the world. it is most refreshingly unusual. but there', 'en. "i really wouldn\'t miss your case for the world. it is most refreshingly unusual. but there is, ', "i really wouldn't miss your case for the world. it is most refreshingly unusual. but there is, if yo", "lly wouldn't miss your case for the world. it is most refreshingly unusual. but there is, if you wil", "ouldn't miss your case for the world. it is most refreshingly unusual. but there is, if you will exc", "'t miss your case for the world. it is most refreshingly unusual. but there is, if you will excuse m", 'ss your case for the world. it is most refreshingly unusual. but there is, if you will excuse my say', 'ur case for the world. it is most refreshingly unusual. but there is, if you will excuse my saying s', 'se for the world. it is most refreshingly unusual. but there is, if you will excuse my saying so, so', 'r the world. it is most refreshingly unusual. but there is, if you will excuse my saying so, somethi', ' world. it is most refreshingly unusual. but there is, if you will excuse my saying so, something ju', 'd. it is most refreshingly unusual. but there is, if you will excuse my saying so, something just a ', ' is most refreshingly unusual. but there is, if you will excuse my saying so, something just a littl', 'ost refreshingly unusual. but there is, if you will excuse my saying so, something just a little fun', 'efreshingly unusual. but there is, if you will excuse my saying so, something just a little funny ab', 'hingly unusual. but there is, if you will excuse my saying so, something just a little funny about i', 'y unusual. but there is, if you will excuse my saying so, something just a little funny about it. pr', 'sual. but there is, if you will excuse my saying so, something just a little funny about it. pray wh', ' but there is, if you will excuse my saying so, something just a little funny about it. pray what st', 'there is, if you will excuse my saying so, something just a little funny about it. pray what steps d', ' is, if you will excuse my saying so, something just a little funny about it. pray what steps did yo', 'if you will excuse my saying so, something just a little funny about it. pray what steps did you tak', 'u will excuse my saying so, something just a little funny about it. pray what steps did you take whe', 'l excuse my saying so, something just a little funny about it. pray what steps did you take when you', 'use my saying so, something just a little funny about it. pray what steps did you take when you foun', 'y saying so, something just a little funny about it. pray what steps did you take when you found the', 'ing so, something just a little funny about it. pray what steps did you take when you found the card', 'o, something just a little funny about it. pray what steps did you take when you found the card upon', 'mething just a little funny about it. pray what steps did you take when you found the card upon the ', 'ng just a little funny about it. pray what steps did you take when you found the card upon the door?', 'st a little funny about it. pray what steps did you take when you found the card upon the door?" "i ', 'little funny about it. pray what steps did you take when you found the card upon the door?" "i was s', 'e funny about it. pray what steps did you take when you found the card upon the door?" "i was stagge', 'ny about it. pray what steps did you take when you found the card upon the door?" "i was staggered, ', 'out it. pray what steps did you take when you found the card upon the door?" "i was staggered, sir. ', 't. pray what steps did you take when you found the card upon the door?" "i was staggered, sir. i did', 'ay what steps did you take when you found the card upon the door?" "i was staggered, sir. i did not ', 'at steps did you take when you found the card upon the door?" "i was staggered, sir. i did not know ', 'eps did you take when you found the card upon the door?" "i was staggered, sir. i did not know what ', 'id you take when you found the card upon the door?" "i was staggered, sir. i did not know what to do', 'u take when you found the card upon the door?" "i was staggered, sir. i did not know what to do. the', 'e when you found the card upon the door?" "i was staggered, sir. i did not know what to do. then i c', 'n you found the card upon the door?" "i was staggered, sir. i did not know what to do. then i called', ' found the card upon the door?" "i was staggered, sir. i did not know what to do. then i called at t', 'd the card upon the door?" "i was staggered, sir. i did not know what to do. then i called at the of', ' card upon the door?" "i was staggered, sir. i did not know what to do. then i called at the offices', ' upon the door?" "i was staggered, sir. i did not know what to do. then i called at the offices roun', ' the door?" "i was staggered, sir. i did not know what to do. then i called at the offices round, bu', 'door?" "i was staggered, sir. i did not know what to do. then i called at the offices round, but non', '" "i was staggered, sir. i did not know what to do. then i called at the offices round, but none of ', 'was staggered, sir. i did not know what to do. then i called at the offices round, but none of them ', 'taggered, sir. i did not know what to do. then i called at the offices round, but none of them seeme', 'red, sir. i did not know what to do. then i called at the offices round, but none of them seemed to ', 'sir. i did not know what to do. then i called at the offices round, but none of them seemed to know ', 'i did not know what to do. then i called at the offices round, but none of them seemed to know anyth', ' not know what to do. then i called at the offices round, but none of them seemed to know anything a', 'know what to do. then i called at the offices round, but none of them seemed to know anything about ', 'what to do. then i called at the offices round, but none of them seemed to know anything about it. f', 'to do. then i called at the offices round, but none of them seemed to know anything about it. finall', '. then i called at the offices round, but none of them seemed to know anything about it. finally, i ', 'n i called at the offices round, but none of them seemed to know anything about it. finally, i went ', 'alled at the offices round, but none of them seemed to know anything about it. finally, i went to th', ' at the offices round, but none of them seemed to know anything about it. finally, i went to the lan', 'he offices round, but none of them seemed to know anything about it. finally, i went to the landlord', 'fices round, but none of them seemed to know anything about it. finally, i went to the landlord, who', ' round, but none of them seemed to know anything about it. finally, i went to the landlord, who is a', 'd, but none of them seemed to know anything about it. finally, i went to the landlord, who is an acc', 't none of them seemed to know anything about it. finally, i went to the landlord, who is an accounta', 'e of them seemed to know anything about it. finally, i went to the landlord, who is an accountant li', 'them seemed to know anything about it. finally, i went to the landlord, who is an accountant living ', 'seemed to know anything about it. finally, i went to the landlord, who is an accountant living on th', 'd to know anything about it. finally, i went to the landlord, who is an accountant living on the gro', 'know anything about it. finally, i went to the landlord, who is an accountant living on the ground-f', 'anything about it. finally, i went to the landlord, who is an accountant living on the ground-floor,', 'ing about it. finally, i went to the landlord, who is an accountant living on the ground-floor, and ', 'bout it. finally, i went to the landlord, who is an accountant living on the ground-floor, and i ask', 'it. finally, i went to the landlord, who is an accountant living on the ground-floor, and i asked hi', 'inally, i went to the landlord, who is an accountant living on the ground-floor, and i asked him if ', 'y, i went to the landlord, who is an accountant living on the ground-floor, and i asked him if he co', 'went to the landlord, who is an accountant living on the ground-floor, and i asked him if he could t', 'to the landlord, who is an accountant living on the ground-floor, and i asked him if he could tell m', 'e landlord, who is an accountant living on the ground-floor, and i asked him if he could tell me wha', 'dlord, who is an accountant living on the ground-floor, and i asked him if he could tell me what had', ', who is an accountant living on the ground-floor, and i asked him if he could tell me what had beco', ' is an accountant living on the ground-floor, and i asked him if he could tell me what had become of', 'n accountant living on the ground-floor, and i asked him if he could tell me what had become of the ', 'ountant living on the ground-floor, and i asked him if he could tell me what had become of the red-h', 'nt living on the ground-floor, and i asked him if he could tell me what had become of the red-headed', 'ving on the ground-floor, and i asked him if he could tell me what had become of the red-headed leag', 'on the ground-floor, and i asked him if he could tell me what had become of the red-headed league. h', 'e ground-floor, and i asked him if he could tell me what had become of the red-headed league. he sai', 'und-floor, and i asked him if he could tell me what had become of the red-headed league. he said tha', 'loor, and i asked him if he could tell me what had become of the red-headed league. he said that he ', ' and i asked him if he could tell me what had become of the red-headed league. he said that he had n', 'i asked him if he could tell me what had become of the red-headed league. he said that he had never ', 'ed him if he could tell me what had become of the red-headed league. he said that he had never heard', 'm if he could tell me what had become of the red-headed league. he said that he had never heard of a', 'he could tell me what had become of the red-headed league. he said that he had never heard of any su', 'uld tell me what had become of the red-headed league. he said that he had never heard of any such bo', 'ell me what had become of the red-headed league. he said that he had never heard of any such body. t', 'e what had become of the red-headed league. he said that he had never heard of any such body. then i', 't had become of the red-headed league. he said that he had never heard of any such body. then i aske', ' become of the red-headed league. he said that he had never heard of any such body. then i asked him', 'me of the red-headed league. he said that he had never heard of any such body. then i asked him who ', ' the red-headed league. he said that he had never heard of any such body. then i asked him who mr. d', 'red-headed league. he said that he had never heard of any such body. then i asked him who mr. duncan', 'eaded league. he said that he had never heard of any such body. then i asked him who mr. duncan ross', ' league. he said that he had never heard of any such body. then i asked him who mr. duncan ross was.', 'ue. he said that he had never heard of any such body. then i asked him who mr. duncan ross was. he a', 'e said that he had never heard of any such body. then i asked him who mr. duncan ross was. he answer', 'd that he had never heard of any such body. then i asked him who mr. duncan ross was. he answered th', 't he had never heard of any such body. then i asked him who mr. duncan ross was. he answered that th', 'had never heard of any such body. then i asked him who mr. duncan ross was. he answered that the nam', 'ever heard of any such body. then i asked him who mr. duncan ross was. he answered that the name was', 'heard of any such body. then i asked him who mr. duncan ross was. he answered that the name was new ', ' of any such body. then i asked him who mr. duncan ross was. he answered that the name was new to hi', 'ny such body. then i asked him who mr. duncan ross was. he answered that the name was new to him. "\'', 'ch body. then i asked him who mr. duncan ross was. he answered that the name was new to him. "\'well,', 'dy. then i asked him who mr. duncan ross was. he answered that the name was new to him. "\'well,\' sai', 'hen i asked him who mr. duncan ross was. he answered that the name was new to him. "\'well,\' said i, ', ' asked him who mr. duncan ross was. he answered that the name was new to him. "\'well,\' said i, \'the ', 'd him who mr. duncan ross was. he answered that the name was new to him. "\'well,\' said i, \'the gentl', ' who mr. duncan ross was. he answered that the name was new to him. "\'well,\' said i, \'the gentleman ', 'mr. duncan ross was. he answered that the name was new to him. "\'well,\' said i, \'the gentleman at no', 'uncan ross was. he answered that the name was new to him. "\'well,\' said i, \'the gentleman at no. .\' ', ' ross was. he answered that the name was new to him. "\'well,\' said i, \'the gentleman at no. .\' "\'wha', ' was. he answered that the name was new to him. "\'well,\' said i, \'the gentleman at no. .\' "\'what, th', ' he answered that the name was new to him. "\'well,\' said i, \'the gentleman at no. .\' "\'what, the red', 'nswered that the name was new to him. "\'well,\' said i, \'the gentleman at no. .\' "\'what, the red-head', 'ed that the name was new to him. "\'well,\' said i, \'the gentleman at no. .\' "\'what, the red-headed ma', 'at the name was new to him. "\'well,\' said i, \'the gentleman at no. .\' "\'what, the red-headed man?\' "', 'e name was new to him. "\'well,\' said i, \'the gentleman at no. .\' "\'what, the red-headed man?\' "\'yes.', 'e was new to him. "\'well,\' said i, \'the gentleman at no. .\' "\'what, the red-headed man?\' "\'yes.\' "\'o', ' new to him. "\'well,\' said i, \'the gentleman at no. .\' "\'what, the red-headed man?\' "\'yes.\' "\'oh,\' s', 'to him. "\'well,\' said i, \'the gentleman at no. .\' "\'what, the red-headed man?\' "\'yes.\' "\'oh,\' said h', 'm. "\'well,\' said i, \'the gentleman at no. .\' "\'what, the red-headed man?\' "\'yes.\' "\'oh,\' said he, \'h', 'well,\' said i, \'the gentleman at no. .\' "\'what, the red-headed man?\' "\'yes.\' "\'oh,\' said he, \'his na', '\' said i, \'the gentleman at no. .\' "\'what, the red-headed man?\' "\'yes.\' "\'oh,\' said he, \'his name wa', 'd i, \'the gentleman at no. .\' "\'what, the red-headed man?\' "\'yes.\' "\'oh,\' said he, \'his name was wil', '\'the gentleman at no. .\' "\'what, the red-headed man?\' "\'yes.\' "\'oh,\' said he, \'his name was william ', 'gentleman at no. .\' "\'what, the red-headed man?\' "\'yes.\' "\'oh,\' said he, \'his name was william morri', 'eman at no. .\' "\'what, the red-headed man?\' "\'yes.\' "\'oh,\' said he, \'his name was william morris. he', 'at no. .\' "\'what, the red-headed man?\' "\'yes.\' "\'oh,\' said he, \'his name was william morris. he was ', '. .\' "\'what, the red-headed man?\' "\'yes.\' "\'oh,\' said he, \'his name was william morris. he was a sol', '"\'what, the red-headed man?\' "\'yes.\' "\'oh,\' said he, \'his name was william morris. he was a solicito', 't, the red-headed man?\' "\'yes.\' "\'oh,\' said he, \'his name was william morris. he was a solicitor and', 'e red-headed man?\' "\'yes.\' "\'oh,\' said he, \'his name was william morris. he was a solicitor and was ', '-headed man?\' "\'yes.\' "\'oh,\' said he, \'his name was william morris. he was a solicitor and was using', 'ed man?\' "\'yes.\' "\'oh,\' said he, \'his name was william morris. he was a solicitor and was using my r', 'n?\' "\'yes.\' "\'oh,\' said he, \'his name was william morris. he was a solicitor and was using my room a', '\'yes.\' "\'oh,\' said he, \'his name was william morris. he was a solicitor and was using my room as a t', '\' "\'oh,\' said he, \'his name was william morris. he was a solicitor and was using my room as a tempor', "h,' said he, 'his name was william morris. he was a solicitor and was using my room as a temporary c", "aid he, 'his name was william morris. he was a solicitor and was using my room as a temporary conven", "e, 'his name was william morris. he was a solicitor and was using my room as a temporary convenience", 'is name was william morris. he was a solicitor and was using my room as a temporary convenience unti', 'me was william morris. he was a solicitor and was using my room as a temporary convenience until his', 's william morris. he was a solicitor and was using my room as a temporary convenience until his new ', 'liam morris. he was a solicitor and was using my room as a temporary convenience until his new premi', 'morris. he was a solicitor and was using my room as a temporary convenience until his new premises w', 's. he was a solicitor and was using my room as a temporary convenience until his new premises were r', ' was a solicitor and was using my room as a temporary convenience until his new premises were ready.', 'a solicitor and was using my room as a temporary convenience until his new premises were ready. he m', 'icitor and was using my room as a temporary convenience until his new premises were ready. he moved ', 'r and was using my room as a temporary convenience until his new premises were ready. he moved out y', ' was using my room as a temporary convenience until his new premises were ready. he moved out yester', "using my room as a temporary convenience until his new premises were ready. he moved out yesterday.'", ' my room as a temporary convenience until his new premises were ready. he moved out yesterday.\' "\'wh', 'oom as a temporary convenience until his new premises were ready. he moved out yesterday.\' "\'where c', 's a temporary convenience until his new premises were ready. he moved out yesterday.\' "\'where could ', 'emporary convenience until his new premises were ready. he moved out yesterday.\' "\'where could i fin', 'ary convenience until his new premises were ready. he moved out yesterday.\' "\'where could i find him', 'onvenience until his new premises were ready. he moved out yesterday.\' "\'where could i find him?\' "\'', 'ience until his new premises were ready. he moved out yesterday.\' "\'where could i find him?\' "\'oh, a', ' until his new premises were ready. he moved out yesterday.\' "\'where could i find him?\' "\'oh, at his', 'l his new premises were ready. he moved out yesterday.\' "\'where could i find him?\' "\'oh, at his new ', ' new premises were ready. he moved out yesterday.\' "\'where could i find him?\' "\'oh, at his new offic', 'premises were ready. he moved out yesterday.\' "\'where could i find him?\' "\'oh, at his new offices. h', 'ses were ready. he moved out yesterday.\' "\'where could i find him?\' "\'oh, at his new offices. he did', 'ere ready. he moved out yesterday.\' "\'where could i find him?\' "\'oh, at his new offices. he did tell', 'eady. he moved out yesterday.\' "\'where could i find him?\' "\'oh, at his new offices. he did tell me t', ' he moved out yesterday.\' "\'where could i find him?\' "\'oh, at his new offices. he did tell me the ad', 'oved out yesterday.\' "\'where could i find him?\' "\'oh, at his new offices. he did tell me the address', 'out yesterday.\' "\'where could i find him?\' "\'oh, at his new offices. he did tell me the address. yes', 'esterday.\' "\'where could i find him?\' "\'oh, at his new offices. he did tell me the address. yes, ki', 'day.\' "\'where could i find him?\' "\'oh, at his new offices. he did tell me the address. yes, king ed', ' "\'where could i find him?\' "\'oh, at his new offices. he did tell me the address. yes, king edward ', 'ere could i find him?\' "\'oh, at his new offices. he did tell me the address. yes, king edward stree', 'ould i find him?\' "\'oh, at his new offices. he did tell me the address. yes, king edward street, ne', 'i find him?\' "\'oh, at his new offices. he did tell me the address. yes, king edward street, near st', 'd him?\' "\'oh, at his new offices. he did tell me the address. yes, king edward street, near st. pau', '?\' "\'oh, at his new offices. he did tell me the address. yes, king edward street, near st. paul\'s.\'', 'oh, at his new offices. he did tell me the address. yes, king edward street, near st. paul\'s.\' "i s', 't his new offices. he did tell me the address. yes, king edward street, near st. paul\'s.\' "i starte', ' new offices. he did tell me the address. yes, king edward street, near st. paul\'s.\' "i started off', 'offices. he did tell me the address. yes, king edward street, near st. paul\'s.\' "i started off, mr.', 'es. he did tell me the address. yes, king edward street, near st. paul\'s.\' "i started off, mr. holm', 'e did tell me the address. yes, king edward street, near st. paul\'s.\' "i started off, mr. holmes, b', ' tell me the address. yes, king edward street, near st. paul\'s.\' "i started off, mr. holmes, but wh', ' me the address. yes, king edward street, near st. paul\'s.\' "i started off, mr. holmes, but when i ', 'he address. yes, king edward street, near st. paul\'s.\' "i started off, mr. holmes, but when i got t', 'dress. yes, king edward street, near st. paul\'s.\' "i started off, mr. holmes, but when i got to tha', '. yes, king edward street, near st. paul\'s.\' "i started off, mr. holmes, but when i got to that add', ', king edward street, near st. paul\'s.\' "i started off, mr. holmes, but when i got to that address ', 'ng edward street, near st. paul\'s.\' "i started off, mr. holmes, but when i got to that address it wa', 'ward street, near st. paul\'s.\' "i started off, mr. holmes, but when i got to that address it was a m', 'street, near st. paul\'s.\' "i started off, mr. holmes, but when i got to that address it was a manufa', 't, near st. paul\'s.\' "i started off, mr. holmes, but when i got to that address it was a manufactory', 'ar st. paul\'s.\' "i started off, mr. holmes, but when i got to that address it was a manufactory of a', '. paul\'s.\' "i started off, mr. holmes, but when i got to that address it was a manufactory of artifi', 'l\'s.\' "i started off, mr. holmes, but when i got to that address it was a manufactory of artificial ', ' "i started off, mr. holmes, but when i got to that address it was a manufactory of artificial knee-', 'tarted off, mr. holmes, but when i got to that address it was a manufactory of artificial knee-caps,', 'd off, mr. holmes, but when i got to that address it was a manufactory of artificial knee-caps, and ', ', mr. holmes, but when i got to that address it was a manufactory of artificial knee-caps, and no on', ' holmes, but when i got to that address it was a manufactory of artificial knee-caps, and no one in ', 'es, but when i got to that address it was a manufactory of artificial knee-caps, and no one in it ha', 'ut when i got to that address it was a manufactory of artificial knee-caps, and no one in it had eve', 'en i got to that address it was a manufactory of artificial knee-caps, and no one in it had ever hea', 'got to that address it was a manufactory of artificial knee-caps, and no one in it had ever heard of', 'o that address it was a manufactory of artificial knee-caps, and no one in it had ever heard of eith', 't address it was a manufactory of artificial knee-caps, and no one in it had ever heard of either mr', 'ress it was a manufactory of artificial knee-caps, and no one in it had ever heard of either mr. wil', 'it was a manufactory of artificial knee-caps, and no one in it had ever heard of either mr. william ', 's a manufactory of artificial knee-caps, and no one in it had ever heard of either mr. william morri', 'anufactory of artificial knee-caps, and no one in it had ever heard of either mr. william morris or ', 'ctory of artificial knee-caps, and no one in it had ever heard of either mr. william morris or mr. d', ' of artificial knee-caps, and no one in it had ever heard of either mr. william morris or mr. duncan', 'rtificial knee-caps, and no one in it had ever heard of either mr. william morris or mr. duncan ross', 'cial knee-caps, and no one in it had ever heard of either mr. william morris or mr. duncan ross." "a', 'knee-caps, and no one in it had ever heard of either mr. william morris or mr. duncan ross." "and wh', 'caps, and no one in it had ever heard of either mr. william morris or mr. duncan ross." "and what di', ' and no one in it had ever heard of either mr. william morris or mr. duncan ross." "and what did you', 'no one in it had ever heard of either mr. william morris or mr. duncan ross." "and what did you do t', 'e in it had ever heard of either mr. william morris or mr. duncan ross." "and what did you do then?"', 'it had ever heard of either mr. william morris or mr. duncan ross." "and what did you do then?" aske', 'd ever heard of either mr. william morris or mr. duncan ross." "and what did you do then?" asked hol', 'r heard of either mr. william morris or mr. duncan ross." "and what did you do then?" asked holmes. ', 'rd of either mr. william morris or mr. duncan ross." "and what did you do then?" asked holmes. "i we', ' either mr. william morris or mr. duncan ross." "and what did you do then?" asked holmes. "i went ho', 'er mr. william morris or mr. duncan ross." "and what did you do then?" asked holmes. "i went home to', '. william morris or mr. duncan ross." "and what did you do then?" asked holmes. "i went home to saxe', 'liam morris or mr. duncan ross." "and what did you do then?" asked holmes. "i went home to saxe-cobu', 'morris or mr. duncan ross." "and what did you do then?" asked holmes. "i went home to saxe-coburg sq', 's or mr. duncan ross." "and what did you do then?" asked holmes. "i went home to saxe-coburg square,', 'mr. duncan ross." "and what did you do then?" asked holmes. "i went home to saxe-coburg square, and ', 'uncan ross." "and what did you do then?" asked holmes. "i went home to saxe-coburg square, and i too', ' ross." "and what did you do then?" asked holmes. "i went home to saxe-coburg square, and i took the', '." "and what did you do then?" asked holmes. "i went home to saxe-coburg square, and i took the advi', 'nd what did you do then?" asked holmes. "i went home to saxe-coburg square, and i took the advice of', 'at did you do then?" asked holmes. "i went home to saxe-coburg square, and i took the advice of my a', 'd you do then?" asked holmes. "i went home to saxe-coburg square, and i took the advice of my assist', ' do then?" asked holmes. "i went home to saxe-coburg square, and i took the advice of my assistant. ', 'hen?" asked holmes. "i went home to saxe-coburg square, and i took the advice of my assistant. but h', ' asked holmes. "i went home to saxe-coburg square, and i took the advice of my assistant. but he cou', 'd holmes. "i went home to saxe-coburg square, and i took the advice of my assistant. but he could no', 'mes. "i went home to saxe-coburg square, and i took the advice of my assistant. but he could not hel', '"i went home to saxe-coburg square, and i took the advice of my assistant. but he could not help me ', 'nt home to saxe-coburg square, and i took the advice of my assistant. but he could not help me in an', 'me to saxe-coburg square, and i took the advice of my assistant. but he could not help me in any way', ' saxe-coburg square, and i took the advice of my assistant. but he could not help me in any way. he ', '-coburg square, and i took the advice of my assistant. but he could not help me in any way. he could', 'rg square, and i took the advice of my assistant. but he could not help me in any way. he could only', 'uare, and i took the advice of my assistant. but he could not help me in any way. he could only say ', ' and i took the advice of my assistant. but he could not help me in any way. he could only say that ', 'i took the advice of my assistant. but he could not help me in any way. he could only say that if i ', 'k the advice of my assistant. but he could not help me in any way. he could only say that if i waite', ' advice of my assistant. but he could not help me in any way. he could only say that if i waited i s', 'ce of my assistant. but he could not help me in any way. he could only say that if i waited i should', ' my assistant. but he could not help me in any way. he could only say that if i waited i should hear', 'ssistant. but he could not help me in any way. he could only say that if i waited i should hear by p', 'ant. but he could not help me in any way. he could only say that if i waited i should hear by post. ', 'but he could not help me in any way. he could only say that if i waited i should hear by post. but t', 'e could not help me in any way. he could only say that if i waited i should hear by post. but that w', 'ld not help me in any way. he could only say that if i waited i should hear by post. but that was no', 't help me in any way. he could only say that if i waited i should hear by post. but that was not qui', 'p me in any way. he could only say that if i waited i should hear by post. but that was not quite go', 'in any way. he could only say that if i waited i should hear by post. but that was not quite good en', 'y way. he could only say that if i waited i should hear by post. but that was not quite good enough,', '. he could only say that if i waited i should hear by post. but that was not quite good enough, mr. ', 'could only say that if i waited i should hear by post. but that was not quite good enough, mr. holme', ' only say that if i waited i should hear by post. but that was not quite good enough, mr. holmes. i ', ' say that if i waited i should hear by post. but that was not quite good enough, mr. holmes. i did n', 'that if i waited i should hear by post. but that was not quite good enough, mr. holmes. i did not wi', 'if i waited i should hear by post. but that was not quite good enough, mr. holmes. i did not wish to', 'waited i should hear by post. but that was not quite good enough, mr. holmes. i did not wish to lose', 'd i should hear by post. but that was not quite good enough, mr. holmes. i did not wish to lose such', 'hould hear by post. but that was not quite good enough, mr. holmes. i did not wish to lose such a pl', ' hear by post. but that was not quite good enough, mr. holmes. i did not wish to lose such a place w', ' by post. but that was not quite good enough, mr. holmes. i did not wish to lose such a place withou', 'ost. but that was not quite good enough, mr. holmes. i did not wish to lose such a place without a s', 'but that was not quite good enough, mr. holmes. i did not wish to lose such a place without a strugg', 'hat was not quite good enough, mr. holmes. i did not wish to lose such a place without a struggle, s', 'as not quite good enough, mr. holmes. i did not wish to lose such a place without a struggle, so, as', 't quite good enough, mr. holmes. i did not wish to lose such a place without a struggle, so, as i ha', 'te good enough, mr. holmes. i did not wish to lose such a place without a struggle, so, as i had hea', 'od enough, mr. holmes. i did not wish to lose such a place without a struggle, so, as i had heard th', 'ough, mr. holmes. i did not wish to lose such a place without a struggle, so, as i had heard that yo', ' mr. holmes. i did not wish to lose such a place without a struggle, so, as i had heard that you wer', 'holmes. i did not wish to lose such a place without a struggle, so, as i had heard that you were goo', 's. i did not wish to lose such a place without a struggle, so, as i had heard that you were good eno', 'did not wish to lose such a place without a struggle, so, as i had heard that you were good enough t', 'ot wish to lose such a place without a struggle, so, as i had heard that you were good enough to giv', 'sh to lose such a place without a struggle, so, as i had heard that you were good enough to give adv', ' lose such a place without a struggle, so, as i had heard that you were good enough to give advice t', ' such a place without a struggle, so, as i had heard that you were good enough to give advice to poo', ' a place without a struggle, so, as i had heard that you were good enough to give advice to poor fol', 'ace without a struggle, so, as i had heard that you were good enough to give advice to poor folk who', 'ithout a struggle, so, as i had heard that you were good enough to give advice to poor folk who were', 't a struggle, so, as i had heard that you were good enough to give advice to poor folk who were in n', 'truggle, so, as i had heard that you were good enough to give advice to poor folk who were in need o', 'le, so, as i had heard that you were good enough to give advice to poor folk who were in need of it,', 'o, as i had heard that you were good enough to give advice to poor folk who were in need of it, i ca', ' i had heard that you were good enough to give advice to poor folk who were in need of it, i came ri', 'd heard that you were good enough to give advice to poor folk who were in need of it, i came right a', 'rd that you were good enough to give advice to poor folk who were in need of it, i came right away t', 'at you were good enough to give advice to poor folk who were in need of it, i came right away to you', 'u were good enough to give advice to poor folk who were in need of it, i came right away to you." "a', 'e good enough to give advice to poor folk who were in need of it, i came right away to you." "and yo', 'd enough to give advice to poor folk who were in need of it, i came right away to you." "and you did', 'ugh to give advice to poor folk who were in need of it, i came right away to you." "and you did very', 'o give advice to poor folk who were in need of it, i came right away to you." "and you did very wise', 'e advice to poor folk who were in need of it, i came right away to you." "and you did very wisely," ', 'ice to poor folk who were in need of it, i came right away to you." "and you did very wisely," said ', 'o poor folk who were in need of it, i came right away to you." "and you did very wisely," said holme', 'r folk who were in need of it, i came right away to you." "and you did very wisely," said holmes. "y', 'k who were in need of it, i came right away to you." "and you did very wisely," said holmes. "your c', ' were in need of it, i came right away to you." "and you did very wisely," said holmes. "your case i', ' in need of it, i came right away to you." "and you did very wisely," said holmes. "your case is an ', 'eed of it, i came right away to you." "and you did very wisely," said holmes. "your case is an excee', 'f it, i came right away to you." "and you did very wisely," said holmes. "your case is an exceedingl', ' i came right away to you." "and you did very wisely," said holmes. "your case is an exceedingly rem', 'me right away to you." "and you did very wisely," said holmes. "your case is an exceedingly remarkab', 'ght away to you." "and you did very wisely," said holmes. "your case is an exceedingly remarkable on', 'way to you." "and you did very wisely," said holmes. "your case is an exceedingly remarkable one, an', 'o you." "and you did very wisely," said holmes. "your case is an exceedingly remarkable one, and i s', '." "and you did very wisely," said holmes. "your case is an exceedingly remarkable one, and i shall ', 'nd you did very wisely," said holmes. "your case is an exceedingly remarkable one, and i shall be ha', 'u did very wisely," said holmes. "your case is an exceedingly remarkable one, and i shall be happy t', ' very wisely," said holmes. "your case is an exceedingly remarkable one, and i shall be happy to loo', ' wisely," said holmes. "your case is an exceedingly remarkable one, and i shall be happy to look int', 'ly," said holmes. "your case is an exceedingly remarkable one, and i shall be happy to look into it.', 'said holmes. "your case is an exceedingly remarkable one, and i shall be happy to look into it. from', 'holmes. "your case is an exceedingly remarkable one, and i shall be happy to look into it. from what', 's. "your case is an exceedingly remarkable one, and i shall be happy to look into it. from what you ', 'our case is an exceedingly remarkable one, and i shall be happy to look into it. from what you have ', 'ase is an exceedingly remarkable one, and i shall be happy to look into it. from what you have told ', 's an exceedingly remarkable one, and i shall be happy to look into it. from what you have told me i ', 'exceedingly remarkable one, and i shall be happy to look into it. from what you have told me i think', 'dingly remarkable one, and i shall be happy to look into it. from what you have told me i think that', 'y remarkable one, and i shall be happy to look into it. from what you have told me i think that it i', 'arkable one, and i shall be happy to look into it. from what you have told me i think that it is pos', 'le one, and i shall be happy to look into it. from what you have told me i think that it is possible', 'e, and i shall be happy to look into it. from what you have told me i think that it is possible that', 'd i shall be happy to look into it. from what you have told me i think that it is possible that grav', 'hall be happy to look into it. from what you have told me i think that it is possible that graver is', 'be happy to look into it. from what you have told me i think that it is possible that graver issues ', 'ppy to look into it. from what you have told me i think that it is possible that graver issues hang ', 'o look into it. from what you have told me i think that it is possible that graver issues hang from ', 'k into it. from what you have told me i think that it is possible that graver issues hang from it th', 'o it. from what you have told me i think that it is possible that graver issues hang from it than mi', ' from what you have told me i think that it is possible that graver issues hang from it than might a', ' what you have told me i think that it is possible that graver issues hang from it than might at fir', ' you have told me i think that it is possible that graver issues hang from it than might at first si', 'have told me i think that it is possible that graver issues hang from it than might at first sight a', 'told me i think that it is possible that graver issues hang from it than might at first sight appear', 'me i think that it is possible that graver issues hang from it than might at first sight appear." "g', 'think that it is possible that graver issues hang from it than might at first sight appear." "grave ', ' that it is possible that graver issues hang from it than might at first sight appear." "grave enoug', ' it is possible that graver issues hang from it than might at first sight appear." "grave enough sai', 's possible that graver issues hang from it than might at first sight appear." "grave enough said mr.', 'sible that graver issues hang from it than might at first sight appear." "grave enough said mr. jabe', ' that graver issues hang from it than might at first sight appear." "grave enough said mr. jabez wil', ' graver issues hang from it than might at first sight appear." "grave enough said mr. jabez wilson. ', 'er issues hang from it than might at first sight appear." "grave enough said mr. jabez wilson. "why,', 'sues hang from it than might at first sight appear." "grave enough said mr. jabez wilson. "why, i ha', 'hang from it than might at first sight appear." "grave enough said mr. jabez wilson. "why, i have lo', 'from it than might at first sight appear." "grave enough said mr. jabez wilson. "why, i have lost fo', 'it than might at first sight appear." "grave enough said mr. jabez wilson. "why, i have lost four po', 'an might at first sight appear." "grave enough said mr. jabez wilson. "why, i have lost four pound a', 'ght at first sight appear." "grave enough said mr. jabez wilson. "why, i have lost four pound a week', 't first sight appear." "grave enough said mr. jabez wilson. "why, i have lost four pound a week." "a', 'st sight appear." "grave enough said mr. jabez wilson. "why, i have lost four pound a week." "as far', 'ght appear." "grave enough said mr. jabez wilson. "why, i have lost four pound a week." "as far as y', 'ppear." "grave enough said mr. jabez wilson. "why, i have lost four pound a week." "as far as you ar', '." "grave enough said mr. jabez wilson. "why, i have lost four pound a week." "as far as you are per', 'rave enough said mr. jabez wilson. "why, i have lost four pound a week." "as far as you are personal', 'enough said mr. jabez wilson. "why, i have lost four pound a week." "as far as you are personally co', 'h said mr. jabez wilson. "why, i have lost four pound a week." "as far as you are personally concern', 'd mr. jabez wilson. "why, i have lost four pound a week." "as far as you are personally concerned," ', ' jabez wilson. "why, i have lost four pound a week." "as far as you are personally concerned," remar', 'z wilson. "why, i have lost four pound a week." "as far as you are personally concerned," remarked h', 'son. "why, i have lost four pound a week." "as far as you are personally concerned," remarked holmes', '"why, i have lost four pound a week." "as far as you are personally concerned," remarked holmes, "i ', ' i have lost four pound a week." "as far as you are personally concerned," remarked holmes, "i do no', 've lost four pound a week." "as far as you are personally concerned," remarked holmes, "i do not see', 'st four pound a week." "as far as you are personally concerned," remarked holmes, "i do not see that', 'ur pound a week." "as far as you are personally concerned," remarked holmes, "i do not see that you ', 'und a week." "as far as you are personally concerned," remarked holmes, "i do not see that you have ', ' week." "as far as you are personally concerned," remarked holmes, "i do not see that you have any g', '." "as far as you are personally concerned," remarked holmes, "i do not see that you have any grieva', 's far as you are personally concerned," remarked holmes, "i do not see that you have any grievance a', ' as you are personally concerned," remarked holmes, "i do not see that you have any grievance agains', 'ou are personally concerned," remarked holmes, "i do not see that you have any grievance against thi', 'e personally concerned," remarked holmes, "i do not see that you have any grievance against this ext', 'sonally concerned," remarked holmes, "i do not see that you have any grievance against this extraord', 'ly concerned," remarked holmes, "i do not see that you have any grievance against this extraordinary', 'ncerned," remarked holmes, "i do not see that you have any grievance against this extraordinary leag', 'ed," remarked holmes, "i do not see that you have any grievance against this extraordinary league. o', 'remarked holmes, "i do not see that you have any grievance against this extraordinary league. on the', 'ked holmes, "i do not see that you have any grievance against this extraordinary league. on the cont', 'olmes, "i do not see that you have any grievance against this extraordinary league. on the contrary,', ', "i do not see that you have any grievance against this extraordinary league. on the contrary, you ', 'do not see that you have any grievance against this extraordinary league. on the contrary, you are, ', 't see that you have any grievance against this extraordinary league. on the contrary, you are, as i ', ' that you have any grievance against this extraordinary league. on the contrary, you are, as i under', ' you have any grievance against this extraordinary league. on the contrary, you are, as i understand', 'have any grievance against this extraordinary league. on the contrary, you are, as i understand, ric', 'any grievance against this extraordinary league. on the contrary, you are, as i understand, richer b', 'rievance against this extraordinary league. on the contrary, you are, as i understand, richer by som', 'nce against this extraordinary league. on the contrary, you are, as i understand, richer by some po', 'gainst this extraordinary league. on the contrary, you are, as i understand, richer by some pounds,', 't this extraordinary league. on the contrary, you are, as i understand, richer by some pounds, to s', 's extraordinary league. on the contrary, you are, as i understand, richer by some pounds, to say no', 'raordinary league. on the contrary, you are, as i understand, richer by some pounds, to say nothing', 'inary league. on the contrary, you are, as i understand, richer by some pounds, to say nothing of t', ' league. on the contrary, you are, as i understand, richer by some pounds, to say nothing of the mi', 'ue. on the contrary, you are, as i understand, richer by some pounds, to say nothing of the minute ', 'n the contrary, you are, as i understand, richer by some pounds, to say nothing of the minute knowl', ' contrary, you are, as i understand, richer by some pounds, to say nothing of the minute knowledge ', 'rary, you are, as i understand, richer by some pounds, to say nothing of the minute knowledge which', ' you are, as i understand, richer by some pounds, to say nothing of the minute knowledge which you ', 'are, as i understand, richer by some pounds, to say nothing of the minute knowledge which you have ', 'as i understand, richer by some pounds, to say nothing of the minute knowledge which you have gaine', 'understand, richer by some pounds, to say nothing of the minute knowledge which you have gained on ', 'stand, richer by some pounds, to say nothing of the minute knowledge which you have gained on every', ', richer by some pounds, to say nothing of the minute knowledge which you have gained on every subj', 'her by some pounds, to say nothing of the minute knowledge which you have gained on every subject w', 'y some pounds, to say nothing of the minute knowledge which you have gained on every subject which ', 'e pounds, to say nothing of the minute knowledge which you have gained on every subject which comes', 'unds, to say nothing of the minute knowledge which you have gained on every subject which comes unde', ' to say nothing of the minute knowledge which you have gained on every subject which comes under the', 'ay nothing of the minute knowledge which you have gained on every subject which comes under the lett', 'thing of the minute knowledge which you have gained on every subject which comes under the letter a.', ' of the minute knowledge which you have gained on every subject which comes under the letter a. you ', 'he minute knowledge which you have gained on every subject which comes under the letter a. you have ', 'nute knowledge which you have gained on every subject which comes under the letter a. you have lost ', 'knowledge which you have gained on every subject which comes under the letter a. you have lost nothi', 'edge which you have gained on every subject which comes under the letter a. you have lost nothing by', 'which you have gained on every subject which comes under the letter a. you have lost nothing by them', ' you have gained on every subject which comes under the letter a. you have lost nothing by them." "n', 'have gained on every subject which comes under the letter a. you have lost nothing by them." "no, si', 'gained on every subject which comes under the letter a. you have lost nothing by them." "no, sir. bu', 'd on every subject which comes under the letter a. you have lost nothing by them." "no, sir. but i w', 'every subject which comes under the letter a. you have lost nothing by them." "no, sir. but i want t', ' subject which comes under the letter a. you have lost nothing by them." "no, sir. but i want to fin', 'ect which comes under the letter a. you have lost nothing by them." "no, sir. but i want to find out', 'hich comes under the letter a. you have lost nothing by them." "no, sir. but i want to find out abou', 'comes under the letter a. you have lost nothing by them." "no, sir. but i want to find out about the', ' under the letter a. you have lost nothing by them." "no, sir. but i want to find out about them, an', 'r the letter a. you have lost nothing by them." "no, sir. but i want to find out about them, and who', ' letter a. you have lost nothing by them." "no, sir. but i want to find out about them, and who they', 'er a. you have lost nothing by them." "no, sir. but i want to find out about them, and who they are,', ' you have lost nothing by them." "no, sir. but i want to find out about them, and who they are, and ', 'have lost nothing by them." "no, sir. but i want to find out about them, and who they are, and what ', 'lost nothing by them." "no, sir. but i want to find out about them, and who they are, and what their', 'nothing by them." "no, sir. but i want to find out about them, and who they are, and what their obje', 'ng by them." "no, sir. but i want to find out about them, and who they are, and what their object wa', ' them." "no, sir. but i want to find out about them, and who they are, and what their object was in ', '." "no, sir. but i want to find out about them, and who they are, and what their object was in playi', 'o, sir. but i want to find out about them, and who they are, and what their object was in playing th', 'r. but i want to find out about them, and who they are, and what their object was in playing this pr', 't i want to find out about them, and who they are, and what their object was in playing this prankif', 'ant to find out about them, and who they are, and what their object was in playing this prankif it w', 'o find out about them, and who they are, and what their object was in playing this prankif it was a ', 'd out about them, and who they are, and what their object was in playing this prankif it was a prank', ' about them, and who they are, and what their object was in playing this prankif it was a prankupon ', 't them, and who they are, and what their object was in playing this prankif it was a prankupon me. i', 'm, and who they are, and what their object was in playing this prankif it was a prankupon me. it was', 'd who they are, and what their object was in playing this prankif it was a prankupon me. it was a pr', ' they are, and what their object was in playing this prankif it was a prankupon me. it was a pretty ', ' are, and what their object was in playing this prankif it was a prankupon me. it was a pretty expen', ' and what their object was in playing this prankif it was a prankupon me. it was a pretty expensive ', 'what their object was in playing this prankif it was a prankupon me. it was a pretty expensive joke ', 'their object was in playing this prankif it was a prankupon me. it was a pretty expensive joke for t', ' object was in playing this prankif it was a prankupon me. it was a pretty expensive joke for them, ', 'ct was in playing this prankif it was a prankupon me. it was a pretty expensive joke for them, for i', 's in playing this prankif it was a prankupon me. it was a pretty expensive joke for them, for it cos', 'playing this prankif it was a prankupon me. it was a pretty expensive joke for them, for it cost the', 'ng this prankif it was a prankupon me. it was a pretty expensive joke for them, for it cost them two', 'is prankif it was a prankupon me. it was a pretty expensive joke for them, for it cost them two and ', 'ankif it was a prankupon me. it was a pretty expensive joke for them, for it cost them two and thirt', ' it was a prankupon me. it was a pretty expensive joke for them, for it cost them two and thirty pou', 'as a prankupon me. it was a pretty expensive joke for them, for it cost them two and thirty pounds."', 'prankupon me. it was a pretty expensive joke for them, for it cost them two and thirty pounds." "we ', 'upon me. it was a pretty expensive joke for them, for it cost them two and thirty pounds." "we shall', 'me. it was a pretty expensive joke for them, for it cost them two and thirty pounds." "we shall ende', 't was a pretty expensive joke for them, for it cost them two and thirty pounds." "we shall endeavour', ' a pretty expensive joke for them, for it cost them two and thirty pounds." "we shall endeavour to c', 'etty expensive joke for them, for it cost them two and thirty pounds." "we shall endeavour to clear ', 'expensive joke for them, for it cost them two and thirty pounds." "we shall endeavour to clear up th', 'sive joke for them, for it cost them two and thirty pounds." "we shall endeavour to clear up these p', 'joke for them, for it cost them two and thirty pounds." "we shall endeavour to clear up these points', 'for them, for it cost them two and thirty pounds." "we shall endeavour to clear up these points for ', 'hem, for it cost them two and thirty pounds." "we shall endeavour to clear up these points for you. ', 'for it cost them two and thirty pounds." "we shall endeavour to clear up these points for you. and, ', 't cost them two and thirty pounds." "we shall endeavour to clear up these points for you. and, first', 't them two and thirty pounds." "we shall endeavour to clear up these points for you. and, first, one', 'm two and thirty pounds." "we shall endeavour to clear up these points for you. and, first, one or t', ' and thirty pounds." "we shall endeavour to clear up these points for you. and, first, one or two qu', 'thirty pounds." "we shall endeavour to clear up these points for you. and, first, one or two questio', 'y pounds." "we shall endeavour to clear up these points for you. and, first, one or two questions, m', 'nds." "we shall endeavour to clear up these points for you. and, first, one or two questions, mr. wi', ' "we shall endeavour to clear up these points for you. and, first, one or two questions, mr. wilson.', 'shall endeavour to clear up these points for you. and, first, one or two questions, mr. wilson. this', ' endeavour to clear up these points for you. and, first, one or two questions, mr. wilson. this assi', 'avour to clear up these points for you. and, first, one or two questions, mr. wilson. this assistant', ' to clear up these points for you. and, first, one or two questions, mr. wilson. this assistant of y', 'lear up these points for you. and, first, one or two questions, mr. wilson. this assistant of yours ', 'up these points for you. and, first, one or two questions, mr. wilson. this assistant of yours who f', 'ese points for you. and, first, one or two questions, mr. wilson. this assistant of yours who first ', 'oints for you. and, first, one or two questions, mr. wilson. this assistant of yours who first calle', ' for you. and, first, one or two questions, mr. wilson. this assistant of yours who first called you', 'you. and, first, one or two questions, mr. wilson. this assistant of yours who first called your att', 'and, first, one or two questions, mr. wilson. this assistant of yours who first called your attentio', 'first, one or two questions, mr. wilson. this assistant of yours who first called your attention to ', ', one or two questions, mr. wilson. this assistant of yours who first called your attention to the a', ' or two questions, mr. wilson. this assistant of yours who first called your attention to the advert', 'wo questions, mr. wilson. this assistant of yours who first called your attention to the advertiseme', 'estions, mr. wilson. this assistant of yours who first called your attention to the advertisementhow', 'ns, mr. wilson. this assistant of yours who first called your attention to the advertisementhow long', 'r. wilson. this assistant of yours who first called your attention to the advertisementhow long had ', 'lson. this assistant of yours who first called your attention to the advertisementhow long had he be', ' this assistant of yours who first called your attention to the advertisementhow long had he been wi', ' assistant of yours who first called your attention to the advertisementhow long had he been with yo', 'stant of yours who first called your attention to the advertisementhow long had he been with you?" "', ' of yours who first called your attention to the advertisementhow long had he been with you?" "about', 'ours who first called your attention to the advertisementhow long had he been with you?" "about a mo', 'who first called your attention to the advertisementhow long had he been with you?" "about a month t', 'irst called your attention to the advertisementhow long had he been with you?" "about a month then."', 'called your attention to the advertisementhow long had he been with you?" "about a month then." "how', 'd your attention to the advertisementhow long had he been with you?" "about a month then." "how did ', 'r attention to the advertisementhow long had he been with you?" "about a month then." "how did he co', 'ention to the advertisementhow long had he been with you?" "about a month then." "how did he come?" ', 'n to the advertisementhow long had he been with you?" "about a month then." "how did he come?" "in a', 'the advertisementhow long had he been with you?" "about a month then." "how did he come?" "in answer', 'dvertisementhow long had he been with you?" "about a month then." "how did he come?" "in answer to a', 'isementhow long had he been with you?" "about a month then." "how did he come?" "in answer to an adv', 'nthow long had he been with you?" "about a month then." "how did he come?" "in answer to an advertis', ' long had he been with you?" "about a month then." "how did he come?" "in answer to an advertisement', ' had he been with you?" "about a month then." "how did he come?" "in answer to an advertisement." "w', 'he been with you?" "about a month then." "how did he come?" "in answer to an advertisement." "was he', 'en with you?" "about a month then." "how did he come?" "in answer to an advertisement." "was he the ', 'th you?" "about a month then." "how did he come?" "in answer to an advertisement." "was he the only ', 'u?" "about a month then." "how did he come?" "in answer to an advertisement." "was he the only appli', 'about a month then." "how did he come?" "in answer to an advertisement." "was he the only applicant?', ' a month then." "how did he come?" "in answer to an advertisement." "was he the only applicant?" "no', 'nth then." "how did he come?" "in answer to an advertisement." "was he the only applicant?" "no, i h', 'hen." "how did he come?" "in answer to an advertisement." "was he the only applicant?" "no, i had a ', ' "how did he come?" "in answer to an advertisement." "was he the only applicant?" "no, i had a dozen', ' did he come?" "in answer to an advertisement." "was he the only applicant?" "no, i had a dozen." "w', 'he come?" "in answer to an advertisement." "was he the only applicant?" "no, i had a dozen." "why di', 'me?" "in answer to an advertisement." "was he the only applicant?" "no, i had a dozen." "why did you', '"in answer to an advertisement." "was he the only applicant?" "no, i had a dozen." "why did you pick', 'nswer to an advertisement." "was he the only applicant?" "no, i had a dozen." "why did you pick him?', ' to an advertisement." "was he the only applicant?" "no, i had a dozen." "why did you pick him?" "be', 'n advertisement." "was he the only applicant?" "no, i had a dozen." "why did you pick him?" "because', 'ertisement." "was he the only applicant?" "no, i had a dozen." "why did you pick him?" "because he w', 'ement." "was he the only applicant?" "no, i had a dozen." "why did you pick him?" "because he was ha', '." "was he the only applicant?" "no, i had a dozen." "why did you pick him?" "because he was handy a', 'as he the only applicant?" "no, i had a dozen." "why did you pick him?" "because he was handy and wo', ' the only applicant?" "no, i had a dozen." "why did you pick him?" "because he was handy and would c', 'only applicant?" "no, i had a dozen." "why did you pick him?" "because he was handy and would come c', 'applicant?" "no, i had a dozen." "why did you pick him?" "because he was handy and would come cheap.', 'cant?" "no, i had a dozen." "why did you pick him?" "because he was handy and would come cheap." "at', '" "no, i had a dozen." "why did you pick him?" "because he was handy and would come cheap." "at half', ', i had a dozen." "why did you pick him?" "because he was handy and would come cheap." "at half-wage', 'ad a dozen." "why did you pick him?" "because he was handy and would come cheap." "at half-wages, in', 'dozen." "why did you pick him?" "because he was handy and would come cheap." "at half-wages, in fact', '." "why did you pick him?" "because he was handy and would come cheap." "at half-wages, in fact." "y', 'hy did you pick him?" "because he was handy and would come cheap." "at half-wages, in fact." "yes." ', 'd you pick him?" "because he was handy and would come cheap." "at half-wages, in fact." "yes." "what', ' pick him?" "because he was handy and would come cheap." "at half-wages, in fact." "yes." "what is h', ' him?" "because he was handy and would come cheap." "at half-wages, in fact." "yes." "what is he lik', '" "because he was handy and would come cheap." "at half-wages, in fact." "yes." "what is he like, th', 'cause he was handy and would come cheap." "at half-wages, in fact." "yes." "what is he like, this vi', ' he was handy and would come cheap." "at half-wages, in fact." "yes." "what is he like, this vincent', 'as handy and would come cheap." "at half-wages, in fact." "yes." "what is he like, this vincent spau', 'ndy and would come cheap." "at half-wages, in fact." "yes." "what is he like, this vincent spaulding', 'nd would come cheap." "at half-wages, in fact." "yes." "what is he like, this vincent spaulding?" "s', 'uld come cheap." "at half-wages, in fact." "yes." "what is he like, this vincent spaulding?" "small,', 'ome cheap." "at half-wages, in fact." "yes." "what is he like, this vincent spaulding?" "small, stou', 'heap." "at half-wages, in fact." "yes." "what is he like, this vincent spaulding?" "small, stout-bui', '" "at half-wages, in fact." "yes." "what is he like, this vincent spaulding?" "small, stout-built, v', ' half-wages, in fact." "yes." "what is he like, this vincent spaulding?" "small, stout-built, very q', '-wages, in fact." "yes." "what is he like, this vincent spaulding?" "small, stout-built, very quick ', 's, in fact." "yes." "what is he like, this vincent spaulding?" "small, stout-built, very quick in hi', ' fact." "yes." "what is he like, this vincent spaulding?" "small, stout-built, very quick in his way', '." "yes." "what is he like, this vincent spaulding?" "small, stout-built, very quick in his ways, no', 'es." "what is he like, this vincent spaulding?" "small, stout-built, very quick in his ways, no hair', '"what is he like, this vincent spaulding?" "small, stout-built, very quick in his ways, no hair on h', ' is he like, this vincent spaulding?" "small, stout-built, very quick in his ways, no hair on his fa', 'e like, this vincent spaulding?" "small, stout-built, very quick in his ways, no hair on his face, t', 'e, this vincent spaulding?" "small, stout-built, very quick in his ways, no hair on his face, though', 'is vincent spaulding?" "small, stout-built, very quick in his ways, no hair on his face, though he\'s', 'ncent spaulding?" "small, stout-built, very quick in his ways, no hair on his face, though he\'s not ', ' spaulding?" "small, stout-built, very quick in his ways, no hair on his face, though he\'s not short', 'lding?" "small, stout-built, very quick in his ways, no hair on his face, though he\'s not short of t', '?" "small, stout-built, very quick in his ways, no hair on his face, though he\'s not short of thirty', "mall, stout-built, very quick in his ways, no hair on his face, though he's not short of thirty. has", " stout-built, very quick in his ways, no hair on his face, though he's not short of thirty. has a wh", "t-built, very quick in his ways, no hair on his face, though he's not short of thirty. has a white s", "lt, very quick in his ways, no hair on his face, though he's not short of thirty. has a white splash", "ery quick in his ways, no hair on his face, though he's not short of thirty. has a white splash of a", "uick in his ways, no hair on his face, though he's not short of thirty. has a white splash of acid u", "in his ways, no hair on his face, though he's not short of thirty. has a white splash of acid upon h", "s ways, no hair on his face, though he's not short of thirty. has a white splash of acid upon his fo", "s, no hair on his face, though he's not short of thirty. has a white splash of acid upon his forehea", ' hair on his face, though he\'s not short of thirty. has a white splash of acid upon his forehead." h', ' on his face, though he\'s not short of thirty. has a white splash of acid upon his forehead." holmes', 'is face, though he\'s not short of thirty. has a white splash of acid upon his forehead." holmes sat ', 'ce, though he\'s not short of thirty. has a white splash of acid upon his forehead." holmes sat up in', 'hough he\'s not short of thirty. has a white splash of acid upon his forehead." holmes sat up in his ', ' he\'s not short of thirty. has a white splash of acid upon his forehead." holmes sat up in his chair', ' not short of thirty. has a white splash of acid upon his forehead." holmes sat up in his chair in c', 'short of thirty. has a white splash of acid upon his forehead." holmes sat up in his chair in consid', ' of thirty. has a white splash of acid upon his forehead." holmes sat up in his chair in considerabl', 'hirty. has a white splash of acid upon his forehead." holmes sat up in his chair in considerable exc', '. has a white splash of acid upon his forehead." holmes sat up in his chair in considerable exciteme', ' a white splash of acid upon his forehead." holmes sat up in his chair in considerable excitement. "', 'ite splash of acid upon his forehead." holmes sat up in his chair in considerable excitement. "i tho', 'plash of acid upon his forehead." holmes sat up in his chair in considerable excitement. "i thought ', ' of acid upon his forehead." holmes sat up in his chair in considerable excitement. "i thought as mu', 'cid upon his forehead." holmes sat up in his chair in considerable excitement. "i thought as much," ', 'pon his forehead." holmes sat up in his chair in considerable excitement. "i thought as much," said ', 'is forehead." holmes sat up in his chair in considerable excitement. "i thought as much," said he. "', 'rehead." holmes sat up in his chair in considerable excitement. "i thought as much," said he. "have ', 'd." holmes sat up in his chair in considerable excitement. "i thought as much," said he. "have you e', 'olmes sat up in his chair in considerable excitement. "i thought as much," said he. "have you ever o', ' sat up in his chair in considerable excitement. "i thought as much," said he. "have you ever observ', 'up in his chair in considerable excitement. "i thought as much," said he. "have you ever observed th', ' his chair in considerable excitement. "i thought as much," said he. "have you ever observed that hi', 'chair in considerable excitement. "i thought as much," said he. "have you ever observed that his ear', ' in considerable excitement. "i thought as much," said he. "have you ever observed that his ears are', 'onsiderable excitement. "i thought as much," said he. "have you ever observed that his ears are pier', 'erable excitement. "i thought as much," said he. "have you ever observed that his ears are pierced f', 'e excitement. "i thought as much," said he. "have you ever observed that his ears are pierced for ea', 'itement. "i thought as much," said he. "have you ever observed that his ears are pierced for earring', 'nt. "i thought as much," said he. "have you ever observed that his ears are pierced for earrings?" "', 'i thought as much," said he. "have you ever observed that his ears are pierced for earrings?" "yes, ', 'ught as much," said he. "have you ever observed that his ears are pierced for earrings?" "yes, sir. ', 'as much," said he. "have you ever observed that his ears are pierced for earrings?" "yes, sir. he to', 'ch," said he. "have you ever observed that his ears are pierced for earrings?" "yes, sir. he told me', 'said he. "have you ever observed that his ears are pierced for earrings?" "yes, sir. he told me that', 'he. "have you ever observed that his ears are pierced for earrings?" "yes, sir. he told me that a gi', 'have you ever observed that his ears are pierced for earrings?" "yes, sir. he told me that a gipsy h', 'you ever observed that his ears are pierced for earrings?" "yes, sir. he told me that a gipsy had do', 'ver observed that his ears are pierced for earrings?" "yes, sir. he told me that a gipsy had done it', 'bserved that his ears are pierced for earrings?" "yes, sir. he told me that a gipsy had done it for ', 'ed that his ears are pierced for earrings?" "yes, sir. he told me that a gipsy had done it for him w', 'at his ears are pierced for earrings?" "yes, sir. he told me that a gipsy had done it for him when h', 's ears are pierced for earrings?" "yes, sir. he told me that a gipsy had done it for him when he was', 's are pierced for earrings?" "yes, sir. he told me that a gipsy had done it for him when he was a la', ' pierced for earrings?" "yes, sir. he told me that a gipsy had done it for him when he was a lad." "', 'ced for earrings?" "yes, sir. he told me that a gipsy had done it for him when he was a lad." "hum s', 'or earrings?" "yes, sir. he told me that a gipsy had done it for him when he was a lad." "hum said h', 'rrings?" "yes, sir. he told me that a gipsy had done it for him when he was a lad." "hum said holmes', 's?" "yes, sir. he told me that a gipsy had done it for him when he was a lad." "hum said holmes, sin', 'yes, sir. he told me that a gipsy had done it for him when he was a lad." "hum said holmes, sinking ', 'sir. he told me that a gipsy had done it for him when he was a lad." "hum said holmes, sinking back ', 'he told me that a gipsy had done it for him when he was a lad." "hum said holmes, sinking back in de', 'ld me that a gipsy had done it for him when he was a lad." "hum said holmes, sinking back in deep th', ' that a gipsy had done it for him when he was a lad." "hum said holmes, sinking back in deep thought', ' a gipsy had done it for him when he was a lad." "hum said holmes, sinking back in deep thought. "he', 'psy had done it for him when he was a lad." "hum said holmes, sinking back in deep thought. "he is s', 'ad done it for him when he was a lad." "hum said holmes, sinking back in deep thought. "he is still ', 'ne it for him when he was a lad." "hum said holmes, sinking back in deep thought. "he is still with ', ' for him when he was a lad." "hum said holmes, sinking back in deep thought. "he is still with you?"', 'him when he was a lad." "hum said holmes, sinking back in deep thought. "he is still with you?" "oh,', 'hen he was a lad." "hum said holmes, sinking back in deep thought. "he is still with you?" "oh, yes,', 'e was a lad." "hum said holmes, sinking back in deep thought. "he is still with you?" "oh, yes, sir;', ' a lad." "hum said holmes, sinking back in deep thought. "he is still with you?" "oh, yes, sir; i ha', 'd." "hum said holmes, sinking back in deep thought. "he is still with you?" "oh, yes, sir; i have on', 'hum said holmes, sinking back in deep thought. "he is still with you?" "oh, yes, sir; i have only ju', 'aid holmes, sinking back in deep thought. "he is still with you?" "oh, yes, sir; i have only just le', 'olmes, sinking back in deep thought. "he is still with you?" "oh, yes, sir; i have only just left hi', ', sinking back in deep thought. "he is still with you?" "oh, yes, sir; i have only just left him." "', 'king back in deep thought. "he is still with you?" "oh, yes, sir; i have only just left him." "and h', 'back in deep thought. "he is still with you?" "oh, yes, sir; i have only just left him." "and has yo', 'in deep thought. "he is still with you?" "oh, yes, sir; i have only just left him." "and has your bu', 'ep thought. "he is still with you?" "oh, yes, sir; i have only just left him." "and has your busines', 'ought. "he is still with you?" "oh, yes, sir; i have only just left him." "and has your business bee', '. "he is still with you?" "oh, yes, sir; i have only just left him." "and has your business been att', ' is still with you?" "oh, yes, sir; i have only just left him." "and has your business been attended', 'till with you?" "oh, yes, sir; i have only just left him." "and has your business been attended to i', 'with you?" "oh, yes, sir; i have only just left him." "and has your business been attended to in you', 'you?" "oh, yes, sir; i have only just left him." "and has your business been attended to in your abs', ' "oh, yes, sir; i have only just left him." "and has your business been attended to in your absence?', ' yes, sir; i have only just left him." "and has your business been attended to in your absence?" "no', ' sir; i have only just left him." "and has your business been attended to in your absence?" "nothing', ' i have only just left him." "and has your business been attended to in your absence?" "nothing to c', 've only just left him." "and has your business been attended to in your absence?" "nothing to compla', 'ly just left him." "and has your business been attended to in your absence?" "nothing to complain of', 'st left him." "and has your business been attended to in your absence?" "nothing to complain of, sir', 'ft him." "and has your business been attended to in your absence?" "nothing to complain of, sir. the', 'm." "and has your business been attended to in your absence?" "nothing to complain of, sir. there\'s ', 'and has your business been attended to in your absence?" "nothing to complain of, sir. there\'s never', 'as your business been attended to in your absence?" "nothing to complain of, sir. there\'s never very', 'ur business been attended to in your absence?" "nothing to complain of, sir. there\'s never very much', 'siness been attended to in your absence?" "nothing to complain of, sir. there\'s never very much to d', 's been attended to in your absence?" "nothing to complain of, sir. there\'s never very much to do of ', 'n attended to in your absence?" "nothing to complain of, sir. there\'s never very much to do of a mor', 'ended to in your absence?" "nothing to complain of, sir. there\'s never very much to do of a morning.', ' to in your absence?" "nothing to complain of, sir. there\'s never very much to do of a morning." "th', 'n your absence?" "nothing to complain of, sir. there\'s never very much to do of a morning." "that wi', 'r absence?" "nothing to complain of, sir. there\'s never very much to do of a morning." "that will do', 'ence?" "nothing to complain of, sir. there\'s never very much to do of a morning." "that will do, mr.', '" "nothing to complain of, sir. there\'s never very much to do of a morning." "that will do, mr. wils', 'thing to complain of, sir. there\'s never very much to do of a morning." "that will do, mr. wilson. i', ' to complain of, sir. there\'s never very much to do of a morning." "that will do, mr. wilson. i shal', 'omplain of, sir. there\'s never very much to do of a morning." "that will do, mr. wilson. i shall be ', 'in of, sir. there\'s never very much to do of a morning." "that will do, mr. wilson. i shall be happy', ', sir. there\'s never very much to do of a morning." "that will do, mr. wilson. i shall be happy to g', '. there\'s never very much to do of a morning." "that will do, mr. wilson. i shall be happy to give y', 're\'s never very much to do of a morning." "that will do, mr. wilson. i shall be happy to give you an', 'never very much to do of a morning." "that will do, mr. wilson. i shall be happy to give you an opin', ' very much to do of a morning." "that will do, mr. wilson. i shall be happy to give you an opinion u', ' much to do of a morning." "that will do, mr. wilson. i shall be happy to give you an opinion upon t', ' to do of a morning." "that will do, mr. wilson. i shall be happy to give you an opinion upon the su', 'o of a morning." "that will do, mr. wilson. i shall be happy to give you an opinion upon the subject', 'a morning." "that will do, mr. wilson. i shall be happy to give you an opinion upon the subject in t', 'ning." "that will do, mr. wilson. i shall be happy to give you an opinion upon the subject in the co', '" "that will do, mr. wilson. i shall be happy to give you an opinion upon the subject in the course ', 'at will do, mr. wilson. i shall be happy to give you an opinion upon the subject in the course of a ', 'll do, mr. wilson. i shall be happy to give you an opinion upon the subject in the course of a day o', ', mr. wilson. i shall be happy to give you an opinion upon the subject in the course of a day or two', ' wilson. i shall be happy to give you an opinion upon the subject in the course of a day or two. to-', 'on. i shall be happy to give you an opinion upon the subject in the course of a day or two. to-day i', ' shall be happy to give you an opinion upon the subject in the course of a day or two. to-day is sat', 'l be happy to give you an opinion upon the subject in the course of a day or two. to-day is saturday', 'happy to give you an opinion upon the subject in the course of a day or two. to-day is saturday, and', ' to give you an opinion upon the subject in the course of a day or two. to-day is saturday, and i ho', 'ive you an opinion upon the subject in the course of a day or two. to-day is saturday, and i hope th', 'ou an opinion upon the subject in the course of a day or two. to-day is saturday, and i hope that by', ' opinion upon the subject in the course of a day or two. to-day is saturday, and i hope that by mond', 'ion upon the subject in the course of a day or two. to-day is saturday, and i hope that by monday we', 'pon the subject in the course of a day or two. to-day is saturday, and i hope that by monday we may ', 'he subject in the course of a day or two. to-day is saturday, and i hope that by monday we may come ', 'bject in the course of a day or two. to-day is saturday, and i hope that by monday we may come to a ', ' in the course of a day or two. to-day is saturday, and i hope that by monday we may come to a concl', 'he course of a day or two. to-day is saturday, and i hope that by monday we may come to a conclusion', 'urse of a day or two. to-day is saturday, and i hope that by monday we may come to a conclusion." "w', 'of a day or two. to-day is saturday, and i hope that by monday we may come to a conclusion." "well, ', 'day or two. to-day is saturday, and i hope that by monday we may come to a conclusion." "well, watso', 'r two. to-day is saturday, and i hope that by monday we may come to a conclusion." "well, watson," s', '. to-day is saturday, and i hope that by monday we may come to a conclusion." "well, watson," said h', 'day is saturday, and i hope that by monday we may come to a conclusion." "well, watson," said holmes', 's saturday, and i hope that by monday we may come to a conclusion." "well, watson," said holmes when', 'urday, and i hope that by monday we may come to a conclusion." "well, watson," said holmes when our ', ', and i hope that by monday we may come to a conclusion." "well, watson," said holmes when our visit', ' i hope that by monday we may come to a conclusion." "well, watson," said holmes when our visitor ha', 'pe that by monday we may come to a conclusion." "well, watson," said holmes when our visitor had lef', 'at by monday we may come to a conclusion." "well, watson," said holmes when our visitor had left us,', ' monday we may come to a conclusion." "well, watson," said holmes when our visitor had left us, "wha', 'ay we may come to a conclusion." "well, watson," said holmes when our visitor had left us, "what do ', ' may come to a conclusion." "well, watson," said holmes when our visitor had left us, "what do you m', 'come to a conclusion." "well, watson," said holmes when our visitor had left us, "what do you make o', 'to a conclusion." "well, watson," said holmes when our visitor had left us, "what do you make of it ', 'conclusion." "well, watson," said holmes when our visitor had left us, "what do you make of it all?"', 'usion." "well, watson," said holmes when our visitor had left us, "what do you make of it all?" "i m', '." "well, watson," said holmes when our visitor had left us, "what do you make of it all?" "i make n', 'ell, watson," said holmes when our visitor had left us, "what do you make of it all?" "i make nothin', 'watson," said holmes when our visitor had left us, "what do you make of it all?" "i make nothing of ', 'n," said holmes when our visitor had left us, "what do you make of it all?" "i make nothing of it," ', 'aid holmes when our visitor had left us, "what do you make of it all?" "i make nothing of it," i ans', 'olmes when our visitor had left us, "what do you make of it all?" "i make nothing of it," i answered', ' when our visitor had left us, "what do you make of it all?" "i make nothing of it," i answered fran', ' our visitor had left us, "what do you make of it all?" "i make nothing of it," i answered frankly. ', 'visitor had left us, "what do you make of it all?" "i make nothing of it," i answered frankly. "it i', 'or had left us, "what do you make of it all?" "i make nothing of it," i answered frankly. "it is a m', 'd left us, "what do you make of it all?" "i make nothing of it," i answered frankly. "it is a most m', 't us, "what do you make of it all?" "i make nothing of it," i answered frankly. "it is a most myster', ' "what do you make of it all?" "i make nothing of it," i answered frankly. "it is a most mysterious ', 't do you make of it all?" "i make nothing of it," i answered frankly. "it is a most mysterious busin', 'you make of it all?" "i make nothing of it," i answered frankly. "it is a most mysterious business."', 'ake of it all?" "i make nothing of it," i answered frankly. "it is a most mysterious business." "as ', 'f it all?" "i make nothing of it," i answered frankly. "it is a most mysterious business." "as a rul', 'all?" "i make nothing of it," i answered frankly. "it is a most mysterious business." "as a rule," s', ' "i make nothing of it," i answered frankly. "it is a most mysterious business." "as a rule," said h', 'ake nothing of it," i answered frankly. "it is a most mysterious business." "as a rule," said holmes', 'othing of it," i answered frankly. "it is a most mysterious business." "as a rule," said holmes, "th', 'g of it," i answered frankly. "it is a most mysterious business." "as a rule," said holmes, "the mor', 'it," i answered frankly. "it is a most mysterious business." "as a rule," said holmes, "the more biz', 'i answered frankly. "it is a most mysterious business." "as a rule," said holmes, "the more bizarre ', 'wered frankly. "it is a most mysterious business." "as a rule," said holmes, "the more bizarre a thi', ' frankly. "it is a most mysterious business." "as a rule," said holmes, "the more bizarre a thing is', 'kly. "it is a most mysterious business." "as a rule," said holmes, "the more bizarre a thing is the ', '"it is a most mysterious business." "as a rule," said holmes, "the more bizarre a thing is the less ', 's a most mysterious business." "as a rule," said holmes, "the more bizarre a thing is the less myste', 'ost mysterious business." "as a rule," said holmes, "the more bizarre a thing is the less mysterious', 'ysterious business." "as a rule," said holmes, "the more bizarre a thing is the less mysterious it p', 'ious business." "as a rule," said holmes, "the more bizarre a thing is the less mysterious it proves', 'business." "as a rule," said holmes, "the more bizarre a thing is the less mysterious it proves to b', 'ess." "as a rule," said holmes, "the more bizarre a thing is the less mysterious it proves to be. it', ' "as a rule," said holmes, "the more bizarre a thing is the less mysterious it proves to be. it is y', 'a rule," said holmes, "the more bizarre a thing is the less mysterious it proves to be. it is your c', 'e," said holmes, "the more bizarre a thing is the less mysterious it proves to be. it is your common', 'aid holmes, "the more bizarre a thing is the less mysterious it proves to be. it is your commonplace', 'olmes, "the more bizarre a thing is the less mysterious it proves to be. it is your commonplace, fea', ', "the more bizarre a thing is the less mysterious it proves to be. it is your commonplace, featurel', 'e more bizarre a thing is the less mysterious it proves to be. it is your commonplace, featureless c', 'e bizarre a thing is the less mysterious it proves to be. it is your commonplace, featureless crimes', 'arre a thing is the less mysterious it proves to be. it is your commonplace, featureless crimes whic', 'a thing is the less mysterious it proves to be. it is your commonplace, featureless crimes which are', 'ng is the less mysterious it proves to be. it is your commonplace, featureless crimes which are real', ' the less mysterious it proves to be. it is your commonplace, featureless crimes which are really pu', 'less mysterious it proves to be. it is your commonplace, featureless crimes which are really puzzlin', 'mysterious it proves to be. it is your commonplace, featureless crimes which are really puzzling, ju', 'rious it proves to be. it is your commonplace, featureless crimes which are really puzzling, just as', ' it proves to be. it is your commonplace, featureless crimes which are really puzzling, just as a co', 'roves to be. it is your commonplace, featureless crimes which are really puzzling, just as a commonp', ' to be. it is your commonplace, featureless crimes which are really puzzling, just as a commonplace ', 'e. it is your commonplace, featureless crimes which are really puzzling, just as a commonplace face ', ' is your commonplace, featureless crimes which are really puzzling, just as a commonplace face is th', 'our commonplace, featureless crimes which are really puzzling, just as a commonplace face is the mos', 'ommonplace, featureless crimes which are really puzzling, just as a commonplace face is the most dif', 'place, featureless crimes which are really puzzling, just as a commonplace face is the most difficul', ', featureless crimes which are really puzzling, just as a commonplace face is the most difficult to ', 'tureless crimes which are really puzzling, just as a commonplace face is the most difficult to ident', 'ess crimes which are really puzzling, just as a commonplace face is the most difficult to identify. ', 'rimes which are really puzzling, just as a commonplace face is the most difficult to identify. but i', ' which are really puzzling, just as a commonplace face is the most difficult to identify. but i must', 'h are really puzzling, just as a commonplace face is the most difficult to identify. but i must be p', ' really puzzling, just as a commonplace face is the most difficult to identify. but i must be prompt', 'ly puzzling, just as a commonplace face is the most difficult to identify. but i must be prompt over', 'zzling, just as a commonplace face is the most difficult to identify. but i must be prompt over this', 'g, just as a commonplace face is the most difficult to identify. but i must be prompt over this matt', 'st as a commonplace face is the most difficult to identify. but i must be prompt over this matter." ', ' a commonplace face is the most difficult to identify. but i must be prompt over this matter." "what', 'mmonplace face is the most difficult to identify. but i must be prompt over this matter." "what are ', 'lace face is the most difficult to identify. but i must be prompt over this matter." "what are you g', 'face is the most difficult to identify. but i must be prompt over this matter." "what are you going ', 'is the most difficult to identify. but i must be prompt over this matter." "what are you going to do', 'e most difficult to identify. but i must be prompt over this matter." "what are you going to do, the', 't difficult to identify. but i must be prompt over this matter." "what are you going to do, then?" i', 'ficult to identify. but i must be prompt over this matter." "what are you going to do, then?" i aske', 't to identify. but i must be prompt over this matter." "what are you going to do, then?" i asked. "t', 'identify. but i must be prompt over this matter." "what are you going to do, then?" i asked. "to smo', 'ify. but i must be prompt over this matter." "what are you going to do, then?" i asked. "to smoke," ', 'but i must be prompt over this matter." "what are you going to do, then?" i asked. "to smoke," he an', ' must be prompt over this matter." "what are you going to do, then?" i asked. "to smoke," he answere', ' be prompt over this matter." "what are you going to do, then?" i asked. "to smoke," he answered. "i', 'rompt over this matter." "what are you going to do, then?" i asked. "to smoke," he answered. "it is ', ' over this matter." "what are you going to do, then?" i asked. "to smoke," he answered. "it is quite', ' this matter." "what are you going to do, then?" i asked. "to smoke," he answered. "it is quite a th', ' matter." "what are you going to do, then?" i asked. "to smoke," he answered. "it is quite a three p', 'er." "what are you going to do, then?" i asked. "to smoke," he answered. "it is quite a three pipe p', '"what are you going to do, then?" i asked. "to smoke," he answered. "it is quite a three pipe proble', ' are you going to do, then?" i asked. "to smoke," he answered. "it is quite a three pipe problem, an', 'you going to do, then?" i asked. "to smoke," he answered. "it is quite a three pipe problem, and i b', 'oing to do, then?" i asked. "to smoke," he answered. "it is quite a three pipe problem, and i beg th', 'to do, then?" i asked. "to smoke," he answered. "it is quite a three pipe problem, and i beg that yo', ', then?" i asked. "to smoke," he answered. "it is quite a three pipe problem, and i beg that you won', 'n?" i asked. "to smoke," he answered. "it is quite a three pipe problem, and i beg that you won\'t sp', ' asked. "to smoke," he answered. "it is quite a three pipe problem, and i beg that you won\'t speak t', 'd. "to smoke," he answered. "it is quite a three pipe problem, and i beg that you won\'t speak to me ', 'o smoke," he answered. "it is quite a three pipe problem, and i beg that you won\'t speak to me for f', 'ke," he answered. "it is quite a three pipe problem, and i beg that you won\'t speak to me for fifty ', 'he answered. "it is quite a three pipe problem, and i beg that you won\'t speak to me for fifty minut', 'swered. "it is quite a three pipe problem, and i beg that you won\'t speak to me for fifty minutes." ', 'd. "it is quite a three pipe problem, and i beg that you won\'t speak to me for fifty minutes." he cu', 't is quite a three pipe problem, and i beg that you won\'t speak to me for fifty minutes." he curled ', 'quite a three pipe problem, and i beg that you won\'t speak to me for fifty minutes." he curled himse', ' a three pipe problem, and i beg that you won\'t speak to me for fifty minutes." he curled himself up', 'ree pipe problem, and i beg that you won\'t speak to me for fifty minutes." he curled himself up in h', 'ipe problem, and i beg that you won\'t speak to me for fifty minutes." he curled himself up in his ch', 'roblem, and i beg that you won\'t speak to me for fifty minutes." he curled himself up in his chair, ', 'm, and i beg that you won\'t speak to me for fifty minutes." he curled himself up in his chair, with ', 'd i beg that you won\'t speak to me for fifty minutes." he curled himself up in his chair, with his t', 'eg that you won\'t speak to me for fifty minutes." he curled himself up in his chair, with his thin k', 'at you won\'t speak to me for fifty minutes." he curled himself up in his chair, with his thin knees ', 'u won\'t speak to me for fifty minutes." he curled himself up in his chair, with his thin knees drawn', '\'t speak to me for fifty minutes." he curled himself up in his chair, with his thin knees drawn up t', 'eak to me for fifty minutes." he curled himself up in his chair, with his thin knees drawn up to his', 'o me for fifty minutes." he curled himself up in his chair, with his thin knees drawn up to his hawk', 'for fifty minutes." he curled himself up in his chair, with his thin knees drawn up to his hawk-like', 'ifty minutes." he curled himself up in his chair, with his thin knees drawn up to his hawk-like nose', 'minutes." he curled himself up in his chair, with his thin knees drawn up to his hawk-like nose, and', 'es." he curled himself up in his chair, with his thin knees drawn up to his hawk-like nose, and ther', 'he curled himself up in his chair, with his thin knees drawn up to his hawk-like nose, and there he ', 'rled himself up in his chair, with his thin knees drawn up to his hawk-like nose, and there he sat w', 'himself up in his chair, with his thin knees drawn up to his hawk-like nose, and there he sat with h', 'lf up in his chair, with his thin knees drawn up to his hawk-like nose, and there he sat with his ey', ' in his chair, with his thin knees drawn up to his hawk-like nose, and there he sat with his eyes cl', 'is chair, with his thin knees drawn up to his hawk-like nose, and there he sat with his eyes closed ', 'air, with his thin knees drawn up to his hawk-like nose, and there he sat with his eyes closed and h', 'with his thin knees drawn up to his hawk-like nose, and there he sat with his eyes closed and his bl', 'his thin knees drawn up to his hawk-like nose, and there he sat with his eyes closed and his black c', 'hin knees drawn up to his hawk-like nose, and there he sat with his eyes closed and his black clay p', 'nees drawn up to his hawk-like nose, and there he sat with his eyes closed and his black clay pipe t', 'drawn up to his hawk-like nose, and there he sat with his eyes closed and his black clay pipe thrust', ' up to his hawk-like nose, and there he sat with his eyes closed and his black clay pipe thrusting o', 'o his hawk-like nose, and there he sat with his eyes closed and his black clay pipe thrusting out li', ' hawk-like nose, and there he sat with his eyes closed and his black clay pipe thrusting out like th', '-like nose, and there he sat with his eyes closed and his black clay pipe thrusting out like the bil', ' nose, and there he sat with his eyes closed and his black clay pipe thrusting out like the bill of ', ', and there he sat with his eyes closed and his black clay pipe thrusting out like the bill of some ', ' there he sat with his eyes closed and his black clay pipe thrusting out like the bill of some stran', 'e he sat with his eyes closed and his black clay pipe thrusting out like the bill of some strange bi', 'sat with his eyes closed and his black clay pipe thrusting out like the bill of some strange bird. i', 'ith his eyes closed and his black clay pipe thrusting out like the bill of some strange bird. i had ', 'is eyes closed and his black clay pipe thrusting out like the bill of some strange bird. i had come ', 'es closed and his black clay pipe thrusting out like the bill of some strange bird. i had come to th', 'osed and his black clay pipe thrusting out like the bill of some strange bird. i had come to the con', 'and his black clay pipe thrusting out like the bill of some strange bird. i had come to the conclusi', 'is black clay pipe thrusting out like the bill of some strange bird. i had come to the conclusion th', 'ack clay pipe thrusting out like the bill of some strange bird. i had come to the conclusion that he', 'lay pipe thrusting out like the bill of some strange bird. i had come to the conclusion that he had ', 'ipe thrusting out like the bill of some strange bird. i had come to the conclusion that he had dropp', 'hrusting out like the bill of some strange bird. i had come to the conclusion that he had dropped as', 'ing out like the bill of some strange bird. i had come to the conclusion that he had dropped asleep,', 'ut like the bill of some strange bird. i had come to the conclusion that he had dropped asleep, and ', 'ke the bill of some strange bird. i had come to the conclusion that he had dropped asleep, and indee', 'e bill of some strange bird. i had come to the conclusion that he had dropped asleep, and indeed was', 'l of some strange bird. i had come to the conclusion that he had dropped asleep, and indeed was nodd', 'some strange bird. i had come to the conclusion that he had dropped asleep, and indeed was nodding m', 'strange bird. i had come to the conclusion that he had dropped asleep, and indeed was nodding myself', 'ge bird. i had come to the conclusion that he had dropped asleep, and indeed was nodding myself, whe', 'rd. i had come to the conclusion that he had dropped asleep, and indeed was nodding myself, when he ', ' had come to the conclusion that he had dropped asleep, and indeed was nodding myself, when he sudde', 'come to the conclusion that he had dropped asleep, and indeed was nodding myself, when he suddenly s', 'to the conclusion that he had dropped asleep, and indeed was nodding myself, when he suddenly sprang', 'e conclusion that he had dropped asleep, and indeed was nodding myself, when he suddenly sprang out ', 'clusion that he had dropped asleep, and indeed was nodding myself, when he suddenly sprang out of hi', 'on that he had dropped asleep, and indeed was nodding myself, when he suddenly sprang out of his cha', 'at he had dropped asleep, and indeed was nodding myself, when he suddenly sprang out of his chair wi', ' had dropped asleep, and indeed was nodding myself, when he suddenly sprang out of his chair with th', 'dropped asleep, and indeed was nodding myself, when he suddenly sprang out of his chair with the ges', 'ed asleep, and indeed was nodding myself, when he suddenly sprang out of his chair with the gesture ', 'leep, and indeed was nodding myself, when he suddenly sprang out of his chair with the gesture of a ', ' and indeed was nodding myself, when he suddenly sprang out of his chair with the gesture of a man w', 'indeed was nodding myself, when he suddenly sprang out of his chair with the gesture of a man who ha', 'd was nodding myself, when he suddenly sprang out of his chair with the gesture of a man who has mad', ' nodding myself, when he suddenly sprang out of his chair with the gesture of a man who has made up ', 'ing myself, when he suddenly sprang out of his chair with the gesture of a man who has made up his m', 'yself, when he suddenly sprang out of his chair with the gesture of a man who has made up his mind a', ', when he suddenly sprang out of his chair with the gesture of a man who has made up his mind and pu', 'n he suddenly sprang out of his chair with the gesture of a man who has made up his mind and put his', 'suddenly sprang out of his chair with the gesture of a man who has made up his mind and put his pipe', 'nly sprang out of his chair with the gesture of a man who has made up his mind and put his pipe down', 'prang out of his chair with the gesture of a man who has made up his mind and put his pipe down upon', ' out of his chair with the gesture of a man who has made up his mind and put his pipe down upon the ', 'of his chair with the gesture of a man who has made up his mind and put his pipe down upon the mante', 's chair with the gesture of a man who has made up his mind and put his pipe down upon the mantelpiec', 'ir with the gesture of a man who has made up his mind and put his pipe down upon the mantelpiece. "s', 'th the gesture of a man who has made up his mind and put his pipe down upon the mantelpiece. "sarasa', 'e gesture of a man who has made up his mind and put his pipe down upon the mantelpiece. "sarasate pl', 'ture of a man who has made up his mind and put his pipe down upon the mantelpiece. "sarasate plays a', 'of a man who has made up his mind and put his pipe down upon the mantelpiece. "sarasate plays at the', 'man who has made up his mind and put his pipe down upon the mantelpiece. "sarasate plays at the st. ', 'ho has made up his mind and put his pipe down upon the mantelpiece. "sarasate plays at the st. james', 's made up his mind and put his pipe down upon the mantelpiece. "sarasate plays at the st. james\'s ha', 'e up his mind and put his pipe down upon the mantelpiece. "sarasate plays at the st. james\'s hall th', 'his mind and put his pipe down upon the mantelpiece. "sarasate plays at the st. james\'s hall this af', 'ind and put his pipe down upon the mantelpiece. "sarasate plays at the st. james\'s hall this afterno', 'nd put his pipe down upon the mantelpiece. "sarasate plays at the st. james\'s hall this afternoon," ', 't his pipe down upon the mantelpiece. "sarasate plays at the st. james\'s hall this afternoon," he re', ' pipe down upon the mantelpiece. "sarasate plays at the st. james\'s hall this afternoon," he remarke', ' down upon the mantelpiece. "sarasate plays at the st. james\'s hall this afternoon," he remarked. "w', ' upon the mantelpiece. "sarasate plays at the st. james\'s hall this afternoon," he remarked. "what d', ' the mantelpiece. "sarasate plays at the st. james\'s hall this afternoon," he remarked. "what do you', 'mantelpiece. "sarasate plays at the st. james\'s hall this afternoon," he remarked. "what do you thin', 'lpiece. "sarasate plays at the st. james\'s hall this afternoon," he remarked. "what do you think, wa', 'e. "sarasate plays at the st. james\'s hall this afternoon," he remarked. "what do you think, watson?', 'arasate plays at the st. james\'s hall this afternoon," he remarked. "what do you think, watson? coul', 'te plays at the st. james\'s hall this afternoon," he remarked. "what do you think, watson? could you', 'ays at the st. james\'s hall this afternoon," he remarked. "what do you think, watson? could your pat', 't the st. james\'s hall this afternoon," he remarked. "what do you think, watson? could your patients', ' st. james\'s hall this afternoon," he remarked. "what do you think, watson? could your patients spar', 'james\'s hall this afternoon," he remarked. "what do you think, watson? could your patients spare you', '\'s hall this afternoon," he remarked. "what do you think, watson? could your patients spare you for ', 'll this afternoon," he remarked. "what do you think, watson? could your patients spare you for a few', 'is afternoon," he remarked. "what do you think, watson? could your patients spare you for a few hour', 'ternoon," he remarked. "what do you think, watson? could your patients spare you for a few hours?" "', 'on," he remarked. "what do you think, watson? could your patients spare you for a few hours?" "i hav', 'he remarked. "what do you think, watson? could your patients spare you for a few hours?" "i have not', 'marked. "what do you think, watson? could your patients spare you for a few hours?" "i have nothing ', 'd. "what do you think, watson? could your patients spare you for a few hours?" "i have nothing to do', 'hat do you think, watson? could your patients spare you for a few hours?" "i have nothing to do to-d', 'o you think, watson? could your patients spare you for a few hours?" "i have nothing to do to-day. m', ' think, watson? could your patients spare you for a few hours?" "i have nothing to do to-day. my pra', 'k, watson? could your patients spare you for a few hours?" "i have nothing to do to-day. my practice', 'tson? could your patients spare you for a few hours?" "i have nothing to do to-day. my practice is n', ' could your patients spare you for a few hours?" "i have nothing to do to-day. my practice is never ', 'd your patients spare you for a few hours?" "i have nothing to do to-day. my practice is never very ', 'r patients spare you for a few hours?" "i have nothing to do to-day. my practice is never very absor', 'ients spare you for a few hours?" "i have nothing to do to-day. my practice is never very absorbing.', ' spare you for a few hours?" "i have nothing to do to-day. my practice is never very absorbing." "th', 'e you for a few hours?" "i have nothing to do to-day. my practice is never very absorbing." "then pu', ' for a few hours?" "i have nothing to do to-day. my practice is never very absorbing." "then put on ', 'a few hours?" "i have nothing to do to-day. my practice is never very absorbing." "then put on your ', ' hours?" "i have nothing to do to-day. my practice is never very absorbing." "then put on your hat a', 's?" "i have nothing to do to-day. my practice is never very absorbing." "then put on your hat and co', 'i have nothing to do to-day. my practice is never very absorbing." "then put on your hat and come. i', 'e nothing to do to-day. my practice is never very absorbing." "then put on your hat and come. i am g', 'hing to do to-day. my practice is never very absorbing." "then put on your hat and come. i am going ', 'to do to-day. my practice is never very absorbing." "then put on your hat and come. i am going throu', ' to-day. my practice is never very absorbing." "then put on your hat and come. i am going through th', 'ay. my practice is never very absorbing." "then put on your hat and come. i am going through the cit', 'y practice is never very absorbing." "then put on your hat and come. i am going through the city fir', 'ctice is never very absorbing." "then put on your hat and come. i am going through the city first, a', ' is never very absorbing." "then put on your hat and come. i am going through the city first, and we', 'ever very absorbing." "then put on your hat and come. i am going through the city first, and we can ', 'very absorbing." "then put on your hat and come. i am going through the city first, and we can have ', 'absorbing." "then put on your hat and come. i am going through the city first, and we can have some ', 'bing." "then put on your hat and come. i am going through the city first, and we can have some lunch', '" "then put on your hat and come. i am going through the city first, and we can have some lunch on t', 'en put on your hat and come. i am going through the city first, and we can have some lunch on the wa', 't on your hat and come. i am going through the city first, and we can have some lunch on the way. i ', 'your hat and come. i am going through the city first, and we can have some lunch on the way. i obser', 'hat and come. i am going through the city first, and we can have some lunch on the way. i observe th', 'nd come. i am going through the city first, and we can have some lunch on the way. i observe that th', 'me. i am going through the city first, and we can have some lunch on the way. i observe that there i', ' am going through the city first, and we can have some lunch on the way. i observe that there is a g', 'oing through the city first, and we can have some lunch on the way. i observe that there is a good d', 'through the city first, and we can have some lunch on the way. i observe that there is a good deal o', 'gh the city first, and we can have some lunch on the way. i observe that there is a good deal of ger', 'e city first, and we can have some lunch on the way. i observe that there is a good deal of german m', 'y first, and we can have some lunch on the way. i observe that there is a good deal of german music ', 'st, and we can have some lunch on the way. i observe that there is a good deal of german music on th', 'nd we can have some lunch on the way. i observe that there is a good deal of german music on the pro', ' can have some lunch on the way. i observe that there is a good deal of german music on the programm', 'have some lunch on the way. i observe that there is a good deal of german music on the programme, wh', 'some lunch on the way. i observe that there is a good deal of german music on the programme, which i', 'lunch on the way. i observe that there is a good deal of german music on the programme, which is rat', ' on the way. i observe that there is a good deal of german music on the programme, which is rather m', 'he way. i observe that there is a good deal of german music on the programme, which is rather more t', 'y. i observe that there is a good deal of german music on the programme, which is rather more to my ', 'observe that there is a good deal of german music on the programme, which is rather more to my taste', 've that there is a good deal of german music on the programme, which is rather more to my taste than', 'at there is a good deal of german music on the programme, which is rather more to my taste than ital', 'ere is a good deal of german music on the programme, which is rather more to my taste than italian o', 's a good deal of german music on the programme, which is rather more to my taste than italian or fre', 'ood deal of german music on the programme, which is rather more to my taste than italian or french. ', 'eal of german music on the programme, which is rather more to my taste than italian or french. it is', 'f german music on the programme, which is rather more to my taste than italian or french. it is intr', 'man music on the programme, which is rather more to my taste than italian or french. it is introspec', 'usic on the programme, which is rather more to my taste than italian or french. it is introspective,', 'on the programme, which is rather more to my taste than italian or french. it is introspective, and ', 'e programme, which is rather more to my taste than italian or french. it is introspective, and i wan', 'gramme, which is rather more to my taste than italian or french. it is introspective, and i want to ', 'e, which is rather more to my taste than italian or french. it is introspective, and i want to intro', 'ich is rather more to my taste than italian or french. it is introspective, and i want to introspect', 's rather more to my taste than italian or french. it is introspective, and i want to introspect. com', 'her more to my taste than italian or french. it is introspective, and i want to introspect. come alo', 'ore to my taste than italian or french. it is introspective, and i want to introspect. come along w', 'o my taste than italian or french. it is introspective, and i want to introspect. come along we tra', 'taste than italian or french. it is introspective, and i want to introspect. come along we travelle', ' than italian or french. it is introspective, and i want to introspect. come along we travelled by ', ' italian or french. it is introspective, and i want to introspect. come along we travelled by the u', 'ian or french. it is introspective, and i want to introspect. come along we travelled by the underg', 'r french. it is introspective, and i want to introspect. come along we travelled by the underground', 'nch. it is introspective, and i want to introspect. come along we travelled by the underground as f', 'it is introspective, and i want to introspect. come along we travelled by the underground as far as', ' introspective, and i want to introspect. come along we travelled by the underground as far as alde', 'ospective, and i want to introspect. come along we travelled by the underground as far as aldersgat', 'tive, and i want to introspect. come along we travelled by the underground as far as aldersgate; an', ' and i want to introspect. come along we travelled by the underground as far as aldersgate; and a s', 'i want to introspect. come along we travelled by the underground as far as aldersgate; and a short ', 't to introspect. come along we travelled by the underground as far as aldersgate; and a short walk ', 'introspect. come along we travelled by the underground as far as aldersgate; and a short walk took ', 'spect. come along we travelled by the underground as far as aldersgate; and a short walk took us to', '. come along we travelled by the underground as far as aldersgate; and a short walk took us to saxe', 'e along we travelled by the underground as far as aldersgate; and a short walk took us to saxe-cobu', 'ng we travelled by the underground as far as aldersgate; and a short walk took us to saxe-coburg sq', 'e travelled by the underground as far as aldersgate; and a short walk took us to saxe-coburg square,', 'velled by the underground as far as aldersgate; and a short walk took us to saxe-coburg square, the ', 'd by the underground as far as aldersgate; and a short walk took us to saxe-coburg square, the scene', 'the underground as far as aldersgate; and a short walk took us to saxe-coburg square, the scene of t', 'nderground as far as aldersgate; and a short walk took us to saxe-coburg square, the scene of the si', 'round as far as aldersgate; and a short walk took us to saxe-coburg square, the scene of the singula', ' as far as aldersgate; and a short walk took us to saxe-coburg square, the scene of the singular sto', 'ar as aldersgate; and a short walk took us to saxe-coburg square, the scene of the singular story wh', ' aldersgate; and a short walk took us to saxe-coburg square, the scene of the singular story which w', 'rsgate; and a short walk took us to saxe-coburg square, the scene of the singular story which we had', 'e; and a short walk took us to saxe-coburg square, the scene of the singular story which we had list', 'd a short walk took us to saxe-coburg square, the scene of the singular story which we had listened ', 'hort walk took us to saxe-coburg square, the scene of the singular story which we had listened to in', 'walk took us to saxe-coburg square, the scene of the singular story which we had listened to in the ', 'took us to saxe-coburg square, the scene of the singular story which we had listened to in the morni', 'us to saxe-coburg square, the scene of the singular story which we had listened to in the morning. i', ' saxe-coburg square, the scene of the singular story which we had listened to in the morning. it was', '-coburg square, the scene of the singular story which we had listened to in the morning. it was a po', 'rg square, the scene of the singular story which we had listened to in the morning. it was a poky, l', 'uare, the scene of the singular story which we had listened to in the morning. it was a poky, little', ' the scene of the singular story which we had listened to in the morning. it was a poky, little, sha', 'scene of the singular story which we had listened to in the morning. it was a poky, little, shabby-g', ' of the singular story which we had listened to in the morning. it was a poky, little, shabby-gentee', 'he singular story which we had listened to in the morning. it was a poky, little, shabby-genteel pla', 'ngular story which we had listened to in the morning. it was a poky, little, shabby-genteel place, w', 'r story which we had listened to in the morning. it was a poky, little, shabby-genteel place, where ', 'ry which we had listened to in the morning. it was a poky, little, shabby-genteel place, where four ', 'ich we had listened to in the morning. it was a poky, little, shabby-genteel place, where four lines', 'e had listened to in the morning. it was a poky, little, shabby-genteel place, where four lines of d', ' listened to in the morning. it was a poky, little, shabby-genteel place, where four lines of dingy ', 'ened to in the morning. it was a poky, little, shabby-genteel place, where four lines of dingy two-s', 'to in the morning. it was a poky, little, shabby-genteel place, where four lines of dingy two-storie', ' the morning. it was a poky, little, shabby-genteel place, where four lines of dingy two-storied bri', 'morning. it was a poky, little, shabby-genteel place, where four lines of dingy two-storied brick ho', 'ng. it was a poky, little, shabby-genteel place, where four lines of dingy two-storied brick houses ', 't was a poky, little, shabby-genteel place, where four lines of dingy two-storied brick houses looke', ' a poky, little, shabby-genteel place, where four lines of dingy two-storied brick houses looked out', 'ky, little, shabby-genteel place, where four lines of dingy two-storied brick houses looked out into', 'ittle, shabby-genteel place, where four lines of dingy two-storied brick houses looked out into a sm', ', shabby-genteel place, where four lines of dingy two-storied brick houses looked out into a small r', 'bby-genteel place, where four lines of dingy two-storied brick houses looked out into a small railed', 'enteel place, where four lines of dingy two-storied brick houses looked out into a small railed-in e', 'l place, where four lines of dingy two-storied brick houses looked out into a small railed-in enclos', 'ce, where four lines of dingy two-storied brick houses looked out into a small railed-in enclosure, ', 'here four lines of dingy two-storied brick houses looked out into a small railed-in enclosure, where', 'four lines of dingy two-storied brick houses looked out into a small railed-in enclosure, where a la', 'lines of dingy two-storied brick houses looked out into a small railed-in enclosure, where a lawn of', ' of dingy two-storied brick houses looked out into a small railed-in enclosure, where a lawn of weed', 'ingy two-storied brick houses looked out into a small railed-in enclosure, where a lawn of weedy gra', 'two-storied brick houses looked out into a small railed-in enclosure, where a lawn of weedy grass an', 'toried brick houses looked out into a small railed-in enclosure, where a lawn of weedy grass and a f', 'd brick houses looked out into a small railed-in enclosure, where a lawn of weedy grass and a few cl', 'ck houses looked out into a small railed-in enclosure, where a lawn of weedy grass and a few clumps ', 'uses looked out into a small railed-in enclosure, where a lawn of weedy grass and a few clumps of fa', 'looked out into a small railed-in enclosure, where a lawn of weedy grass and a few clumps of faded l', 'd out into a small railed-in enclosure, where a lawn of weedy grass and a few clumps of faded laurel', ' into a small railed-in enclosure, where a lawn of weedy grass and a few clumps of faded laurel-bush', ' a small railed-in enclosure, where a lawn of weedy grass and a few clumps of faded laurel-bushes ma', 'all railed-in enclosure, where a lawn of weedy grass and a few clumps of faded laurel-bushes made a ', 'ailed-in enclosure, where a lawn of weedy grass and a few clumps of faded laurel-bushes made a hard ', '-in enclosure, where a lawn of weedy grass and a few clumps of faded laurel-bushes made a hard fight', 'nclosure, where a lawn of weedy grass and a few clumps of faded laurel-bushes made a hard fight agai', 'ure, where a lawn of weedy grass and a few clumps of faded laurel-bushes made a hard fight against a', 'where a lawn of weedy grass and a few clumps of faded laurel-bushes made a hard fight against a smok', ' a lawn of weedy grass and a few clumps of faded laurel-bushes made a hard fight against a smoke-lad', 'wn of weedy grass and a few clumps of faded laurel-bushes made a hard fight against a smoke-laden an', ' weedy grass and a few clumps of faded laurel-bushes made a hard fight against a smoke-laden and unc', 'y grass and a few clumps of faded laurel-bushes made a hard fight against a smoke-laden and uncongen', 'ss and a few clumps of faded laurel-bushes made a hard fight against a smoke-laden and uncongenial a', 'd a few clumps of faded laurel-bushes made a hard fight against a smoke-laden and uncongenial atmosp', 'ew clumps of faded laurel-bushes made a hard fight against a smoke-laden and uncongenial atmosphere.', 'umps of faded laurel-bushes made a hard fight against a smoke-laden and uncongenial atmosphere. thre', 'of faded laurel-bushes made a hard fight against a smoke-laden and uncongenial atmosphere. three gil', 'ded laurel-bushes made a hard fight against a smoke-laden and uncongenial atmosphere. three gilt bal', 'aurel-bushes made a hard fight against a smoke-laden and uncongenial atmosphere. three gilt balls an', '-bushes made a hard fight against a smoke-laden and uncongenial atmosphere. three gilt balls and a b', 'es made a hard fight against a smoke-laden and uncongenial atmosphere. three gilt balls and a brown ', 'de a hard fight against a smoke-laden and uncongenial atmosphere. three gilt balls and a brown board', 'hard fight against a smoke-laden and uncongenial atmosphere. three gilt balls and a brown board with', 'fight against a smoke-laden and uncongenial atmosphere. three gilt balls and a brown board with "jab', ' against a smoke-laden and uncongenial atmosphere. three gilt balls and a brown board with "jabez wi', 'nst a smoke-laden and uncongenial atmosphere. three gilt balls and a brown board with "jabez wilson"', ' smoke-laden and uncongenial atmosphere. three gilt balls and a brown board with "jabez wilson" in w', 'e-laden and uncongenial atmosphere. three gilt balls and a brown board with "jabez wilson" in white ', 'en and uncongenial atmosphere. three gilt balls and a brown board with "jabez wilson" in white lette', 'd uncongenial atmosphere. three gilt balls and a brown board with "jabez wilson" in white letters, u', 'ongenial atmosphere. three gilt balls and a brown board with "jabez wilson" in white letters, upon a', 'ial atmosphere. three gilt balls and a brown board with "jabez wilson" in white letters, upon a corn', 'tmosphere. three gilt balls and a brown board with "jabez wilson" in white letters, upon a corner ho', 'here. three gilt balls and a brown board with "jabez wilson" in white letters, upon a corner house, ', ' three gilt balls and a brown board with "jabez wilson" in white letters, upon a corner house, annou', 'e gilt balls and a brown board with "jabez wilson" in white letters, upon a corner house, announced ', 't balls and a brown board with "jabez wilson" in white letters, upon a corner house, announced the p', 'ls and a brown board with "jabez wilson" in white letters, upon a corner house, announced the place ', 'd a brown board with "jabez wilson" in white letters, upon a corner house, announced the place where', 'rown board with "jabez wilson" in white letters, upon a corner house, announced the place where our ', 'board with "jabez wilson" in white letters, upon a corner house, announced the place where our red-h', ' with "jabez wilson" in white letters, upon a corner house, announced the place where our red-headed', ' "jabez wilson" in white letters, upon a corner house, announced the place where our red-headed clie', 'ez wilson" in white letters, upon a corner house, announced the place where our red-headed client ca', 'lson" in white letters, upon a corner house, announced the place where our red-headed client carried', ' in white letters, upon a corner house, announced the place where our red-headed client carried on h', 'hite letters, upon a corner house, announced the place where our red-headed client carried on his bu', 'letters, upon a corner house, announced the place where our red-headed client carried on his busines', 'rs, upon a corner house, announced the place where our red-headed client carried on his business. sh', 'pon a corner house, announced the place where our red-headed client carried on his business. sherloc', ' corner house, announced the place where our red-headed client carried on his business. sherlock hol', 'er house, announced the place where our red-headed client carried on his business. sherlock holmes s', 'use, announced the place where our red-headed client carried on his business. sherlock holmes stoppe', 'announced the place where our red-headed client carried on his business. sherlock holmes stopped in ', 'nced the place where our red-headed client carried on his business. sherlock holmes stopped in front', 'the place where our red-headed client carried on his business. sherlock holmes stopped in front of i', 'lace where our red-headed client carried on his business. sherlock holmes stopped in front of it wit', 'where our red-headed client carried on his business. sherlock holmes stopped in front of it with his', ' our red-headed client carried on his business. sherlock holmes stopped in front of it with his head', 'red-headed client carried on his business. sherlock holmes stopped in front of it with his head on o', 'eaded client carried on his business. sherlock holmes stopped in front of it with his head on one si', ' client carried on his business. sherlock holmes stopped in front of it with his head on one side an', 'nt carried on his business. sherlock holmes stopped in front of it with his head on one side and loo', 'rried on his business. sherlock holmes stopped in front of it with his head on one side and looked i', ' on his business. sherlock holmes stopped in front of it with his head on one side and looked it all', 'is business. sherlock holmes stopped in front of it with his head on one side and looked it all over', 'siness. sherlock holmes stopped in front of it with his head on one side and looked it all over, wit', 's. sherlock holmes stopped in front of it with his head on one side and looked it all over, with his', 'erlock holmes stopped in front of it with his head on one side and looked it all over, with his eyes', 'k holmes stopped in front of it with his head on one side and looked it all over, with his eyes shin', 'mes stopped in front of it with his head on one side and looked it all over, with his eyes shining b', 'topped in front of it with his head on one side and looked it all over, with his eyes shining bright', 'd in front of it with his head on one side and looked it all over, with his eyes shining brightly be', 'front of it with his head on one side and looked it all over, with his eyes shining brightly between', ' of it with his head on one side and looked it all over, with his eyes shining brightly between puck', 't with his head on one side and looked it all over, with his eyes shining brightly between puckered ', 'h his head on one side and looked it all over, with his eyes shining brightly between puckered lids.', ' head on one side and looked it all over, with his eyes shining brightly between puckered lids. then', ' on one side and looked it all over, with his eyes shining brightly between puckered lids. then he w', 'ne side and looked it all over, with his eyes shining brightly between puckered lids. then he walked', 'de and looked it all over, with his eyes shining brightly between puckered lids. then he walked slow', 'd looked it all over, with his eyes shining brightly between puckered lids. then he walked slowly up', 'ked it all over, with his eyes shining brightly between puckered lids. then he walked slowly up the ', 't all over, with his eyes shining brightly between puckered lids. then he walked slowly up the stree', ' over, with his eyes shining brightly between puckered lids. then he walked slowly up the street, an', ', with his eyes shining brightly between puckered lids. then he walked slowly up the street, and the', 'h his eyes shining brightly between puckered lids. then he walked slowly up the street, and then dow', ' eyes shining brightly between puckered lids. then he walked slowly up the street, and then down aga', ' shining brightly between puckered lids. then he walked slowly up the street, and then down again to', 'ing brightly between puckered lids. then he walked slowly up the street, and then down again to the ', 'rightly between puckered lids. then he walked slowly up the street, and then down again to the corne', 'ly between puckered lids. then he walked slowly up the street, and then down again to the corner, st', 'tween puckered lids. then he walked slowly up the street, and then down again to the corner, still l', ' puckered lids. then he walked slowly up the street, and then down again to the corner, still lookin', 'ered lids. then he walked slowly up the street, and then down again to the corner, still looking kee', 'lids. then he walked slowly up the street, and then down again to the corner, still looking keenly a', ' then he walked slowly up the street, and then down again to the corner, still looking keenly at the', ' he walked slowly up the street, and then down again to the corner, still looking keenly at the hous', 'alked slowly up the street, and then down again to the corner, still looking keenly at the houses. f', ' slowly up the street, and then down again to the corner, still looking keenly at the houses. finall', 'ly up the street, and then down again to the corner, still looking keenly at the houses. finally he ', ' the street, and then down again to the corner, still looking keenly at the houses. finally he retur', 'street, and then down again to the corner, still looking keenly at the houses. finally he returned t', 't, and then down again to the corner, still looking keenly at the houses. finally he returned to the', 'd then down again to the corner, still looking keenly at the houses. finally he returned to the pawn', 'n down again to the corner, still looking keenly at the houses. finally he returned to the pawnbroke', "n again to the corner, still looking keenly at the houses. finally he returned to the pawnbroker's, ", "in to the corner, still looking keenly at the houses. finally he returned to the pawnbroker's, and, ", " the corner, still looking keenly at the houses. finally he returned to the pawnbroker's, and, havin", "corner, still looking keenly at the houses. finally he returned to the pawnbroker's, and, having thu", "r, still looking keenly at the houses. finally he returned to the pawnbroker's, and, having thumped ", "ill looking keenly at the houses. finally he returned to the pawnbroker's, and, having thumped vigor", "ooking keenly at the houses. finally he returned to the pawnbroker's, and, having thumped vigorously", "g keenly at the houses. finally he returned to the pawnbroker's, and, having thumped vigorously upon", "nly at the houses. finally he returned to the pawnbroker's, and, having thumped vigorously upon the ", "t the houses. finally he returned to the pawnbroker's, and, having thumped vigorously upon the pavem", " houses. finally he returned to the pawnbroker's, and, having thumped vigorously upon the pavement w", "es. finally he returned to the pawnbroker's, and, having thumped vigorously upon the pavement with h", "inally he returned to the pawnbroker's, and, having thumped vigorously upon the pavement with his st", "y he returned to the pawnbroker's, and, having thumped vigorously upon the pavement with his stick t", "returned to the pawnbroker's, and, having thumped vigorously upon the pavement with his stick two or", "ned to the pawnbroker's, and, having thumped vigorously upon the pavement with his stick two or thre", "o the pawnbroker's, and, having thumped vigorously upon the pavement with his stick two or three tim", " pawnbroker's, and, having thumped vigorously upon the pavement with his stick two or three times, h", "broker's, and, having thumped vigorously upon the pavement with his stick two or three times, he wen", "r's, and, having thumped vigorously upon the pavement with his stick two or three times, he went up ", 'and, having thumped vigorously upon the pavement with his stick two or three times, he went up to th', 'having thumped vigorously upon the pavement with his stick two or three times, he went up to the doo', 'g thumped vigorously upon the pavement with his stick two or three times, he went up to the door and', 'mped vigorously upon the pavement with his stick two or three times, he went up to the door and knoc', 'vigorously upon the pavement with his stick two or three times, he went up to the door and knocked. ', 'ously upon the pavement with his stick two or three times, he went up to the door and knocked. it wa', ' upon the pavement with his stick two or three times, he went up to the door and knocked. it was ins', ' the pavement with his stick two or three times, he went up to the door and knocked. it was instantl', 'pavement with his stick two or three times, he went up to the door and knocked. it was instantly ope', 'ent with his stick two or three times, he went up to the door and knocked. it was instantly opened b', 'ith his stick two or three times, he went up to the door and knocked. it was instantly opened by a b', 'is stick two or three times, he went up to the door and knocked. it was instantly opened by a bright', 'ick two or three times, he went up to the door and knocked. it was instantly opened by a bright-look', 'wo or three times, he went up to the door and knocked. it was instantly opened by a bright-looking, ', ' three times, he went up to the door and knocked. it was instantly opened by a bright-looking, clean', 'e times, he went up to the door and knocked. it was instantly opened by a bright-looking, clean-shav', 'es, he went up to the door and knocked. it was instantly opened by a bright-looking, clean-shaven yo', 'e went up to the door and knocked. it was instantly opened by a bright-looking, clean-shaven young f', 't up to the door and knocked. it was instantly opened by a bright-looking, clean-shaven young fellow', 'to the door and knocked. it was instantly opened by a bright-looking, clean-shaven young fellow, who', 'e door and knocked. it was instantly opened by a bright-looking, clean-shaven young fellow, who aske', 'r and knocked. it was instantly opened by a bright-looking, clean-shaven young fellow, who asked him', ' knocked. it was instantly opened by a bright-looking, clean-shaven young fellow, who asked him to s', 'ked. it was instantly opened by a bright-looking, clean-shaven young fellow, who asked him to step i', 'it was instantly opened by a bright-looking, clean-shaven young fellow, who asked him to step in. "t', 's instantly opened by a bright-looking, clean-shaven young fellow, who asked him to step in. "thank ', 'tantly opened by a bright-looking, clean-shaven young fellow, who asked him to step in. "thank you,"', 'y opened by a bright-looking, clean-shaven young fellow, who asked him to step in. "thank you," said', 'ned by a bright-looking, clean-shaven young fellow, who asked him to step in. "thank you," said holm', 'y a bright-looking, clean-shaven young fellow, who asked him to step in. "thank you," said holmes, "', 'right-looking, clean-shaven young fellow, who asked him to step in. "thank you," said holmes, "i onl', '-looking, clean-shaven young fellow, who asked him to step in. "thank you," said holmes, "i only wis', 'ing, clean-shaven young fellow, who asked him to step in. "thank you," said holmes, "i only wished t', 'clean-shaven young fellow, who asked him to step in. "thank you," said holmes, "i only wished to ask', '-shaven young fellow, who asked him to step in. "thank you," said holmes, "i only wished to ask you ', 'en young fellow, who asked him to step in. "thank you," said holmes, "i only wished to ask you how y', 'ung fellow, who asked him to step in. "thank you," said holmes, "i only wished to ask you how you wo', 'ellow, who asked him to step in. "thank you," said holmes, "i only wished to ask you how you would g', ', who asked him to step in. "thank you," said holmes, "i only wished to ask you how you would go fro', ' asked him to step in. "thank you," said holmes, "i only wished to ask you how you would go from her', 'd him to step in. "thank you," said holmes, "i only wished to ask you how you would go from here to ', ' to step in. "thank you," said holmes, "i only wished to ask you how you would go from here to the s', 'tep in. "thank you," said holmes, "i only wished to ask you how you would go from here to the strand', 'n. "thank you," said holmes, "i only wished to ask you how you would go from here to the strand." "t', 'hank you," said holmes, "i only wished to ask you how you would go from here to the strand." "third ', 'you," said holmes, "i only wished to ask you how you would go from here to the strand." "third right', ' said holmes, "i only wished to ask you how you would go from here to the strand." "third right, fou', ' holmes, "i only wished to ask you how you would go from here to the strand." "third right, fourth l', 'es, "i only wished to ask you how you would go from here to the strand." "third right, fourth left,"', 'i only wished to ask you how you would go from here to the strand." "third right, fourth left," answ', 'y wished to ask you how you would go from here to the strand." "third right, fourth left," answered ', 'hed to ask you how you would go from here to the strand." "third right, fourth left," answered the a', 'o ask you how you would go from here to the strand." "third right, fourth left," answered the assist', ' you how you would go from here to the strand." "third right, fourth left," answered the assistant p', 'how you would go from here to the strand." "third right, fourth left," answered the assistant prompt', 'ou would go from here to the strand." "third right, fourth left," answered the assistant promptly, c', 'uld go from here to the strand." "third right, fourth left," answered the assistant promptly, closin', 'o from here to the strand." "third right, fourth left," answered the assistant promptly, closing the', 'm here to the strand." "third right, fourth left," answered the assistant promptly, closing the door', 'e to the strand." "third right, fourth left," answered the assistant promptly, closing the door. "sm', 'the strand." "third right, fourth left," answered the assistant promptly, closing the door. "smart f', 'trand." "third right, fourth left," answered the assistant promptly, closing the door. "smart fellow', '." "third right, fourth left," answered the assistant promptly, closing the door. "smart fellow, tha', 'hird right, fourth left," answered the assistant promptly, closing the door. "smart fellow, that," o', 'right, fourth left," answered the assistant promptly, closing the door. "smart fellow, that," observ', ', fourth left," answered the assistant promptly, closing the door. "smart fellow, that," observed ho', 'rth left," answered the assistant promptly, closing the door. "smart fellow, that," observed holmes ', 'eft," answered the assistant promptly, closing the door. "smart fellow, that," observed holmes as we', ' answered the assistant promptly, closing the door. "smart fellow, that," observed holmes as we walk', 'ered the assistant promptly, closing the door. "smart fellow, that," observed holmes as we walked aw', 'the assistant promptly, closing the door. "smart fellow, that," observed holmes as we walked away. "', 'ssistant promptly, closing the door. "smart fellow, that," observed holmes as we walked away. "he is', 'ant promptly, closing the door. "smart fellow, that," observed holmes as we walked away. "he is, in ', 'romptly, closing the door. "smart fellow, that," observed holmes as we walked away. "he is, in my ju', 'ly, closing the door. "smart fellow, that," observed holmes as we walked away. "he is, in my judgmen', 'losing the door. "smart fellow, that," observed holmes as we walked away. "he is, in my judgment, th', 'g the door. "smart fellow, that," observed holmes as we walked away. "he is, in my judgment, the fou', ' door. "smart fellow, that," observed holmes as we walked away. "he is, in my judgment, the fourth s', '. "smart fellow, that," observed holmes as we walked away. "he is, in my judgment, the fourth smarte', 'art fellow, that," observed holmes as we walked away. "he is, in my judgment, the fourth smartest ma', 'ellow, that," observed holmes as we walked away. "he is, in my judgment, the fourth smartest man in ', ', that," observed holmes as we walked away. "he is, in my judgment, the fourth smartest man in londo', 't," observed holmes as we walked away. "he is, in my judgment, the fourth smartest man in london, an', 'bserved holmes as we walked away. "he is, in my judgment, the fourth smartest man in london, and for', 'ed holmes as we walked away. "he is, in my judgment, the fourth smartest man in london, and for dari', 'lmes as we walked away. "he is, in my judgment, the fourth smartest man in london, and for daring i ', 'as we walked away. "he is, in my judgment, the fourth smartest man in london, and for daring i am no', ' walked away. "he is, in my judgment, the fourth smartest man in london, and for daring i am not sur', 'ed away. "he is, in my judgment, the fourth smartest man in london, and for daring i am not sure tha', 'ay. "he is, in my judgment, the fourth smartest man in london, and for daring i am not sure that he ', 'he is, in my judgment, the fourth smartest man in london, and for daring i am not sure that he has n', ', in my judgment, the fourth smartest man in london, and for daring i am not sure that he has not a ', 'my judgment, the fourth smartest man in london, and for daring i am not sure that he has not a claim', 'dgment, the fourth smartest man in london, and for daring i am not sure that he has not a claim to b', 't, the fourth smartest man in london, and for daring i am not sure that he has not a claim to be thi', 'e fourth smartest man in london, and for daring i am not sure that he has not a claim to be third. i', 'rth smartest man in london, and for daring i am not sure that he has not a claim to be third. i have', 'martest man in london, and for daring i am not sure that he has not a claim to be third. i have know', 'st man in london, and for daring i am not sure that he has not a claim to be third. i have known som', 'n in london, and for daring i am not sure that he has not a claim to be third. i have known somethin', 'london, and for daring i am not sure that he has not a claim to be third. i have known something of ', 'n, and for daring i am not sure that he has not a claim to be third. i have known something of him b', 'd for daring i am not sure that he has not a claim to be third. i have known something of him before', ' daring i am not sure that he has not a claim to be third. i have known something of him before." "e', 'ng i am not sure that he has not a claim to be third. i have known something of him before." "eviden', 'am not sure that he has not a claim to be third. i have known something of him before." "evidently,"', 't sure that he has not a claim to be third. i have known something of him before." "evidently," said', 'e that he has not a claim to be third. i have known something of him before." "evidently," said i, "', 't he has not a claim to be third. i have known something of him before." "evidently," said i, "mr. w', 'has not a claim to be third. i have known something of him before." "evidently," said i, "mr. wilson', 'ot a claim to be third. i have known something of him before." "evidently," said i, "mr. wilson\'s as', 'claim to be third. i have known something of him before." "evidently," said i, "mr. wilson\'s assista', ' to be third. i have known something of him before." "evidently," said i, "mr. wilson\'s assistant co', 'e third. i have known something of him before." "evidently," said i, "mr. wilson\'s assistant counts ', 'rd. i have known something of him before." "evidently," said i, "mr. wilson\'s assistant counts for a', ' have known something of him before." "evidently," said i, "mr. wilson\'s assistant counts for a good', ' known something of him before." "evidently," said i, "mr. wilson\'s assistant counts for a good deal', 'n something of him before." "evidently," said i, "mr. wilson\'s assistant counts for a good deal in t', 'ething of him before." "evidently," said i, "mr. wilson\'s assistant counts for a good deal in this m', 'g of him before." "evidently," said i, "mr. wilson\'s assistant counts for a good deal in this myster', 'him before." "evidently," said i, "mr. wilson\'s assistant counts for a good deal in this mystery of ', 'efore." "evidently," said i, "mr. wilson\'s assistant counts for a good deal in this mystery of the r', '." "evidently," said i, "mr. wilson\'s assistant counts for a good deal in this mystery of the red-he', 'vidently," said i, "mr. wilson\'s assistant counts for a good deal in this mystery of the red-headed ', 'tly," said i, "mr. wilson\'s assistant counts for a good deal in this mystery of the red-headed leagu', ' said i, "mr. wilson\'s assistant counts for a good deal in this mystery of the red-headed league. i ', ' i, "mr. wilson\'s assistant counts for a good deal in this mystery of the red-headed league. i am su', "mr. wilson's assistant counts for a good deal in this mystery of the red-headed league. i am sure th", "ilson's assistant counts for a good deal in this mystery of the red-headed league. i am sure that yo", "'s assistant counts for a good deal in this mystery of the red-headed league. i am sure that you inq", 'sistant counts for a good deal in this mystery of the red-headed league. i am sure that you inquired', 'nt counts for a good deal in this mystery of the red-headed league. i am sure that you inquired your', 'unts for a good deal in this mystery of the red-headed league. i am sure that you inquired your way ', 'for a good deal in this mystery of the red-headed league. i am sure that you inquired your way merel', ' good deal in this mystery of the red-headed league. i am sure that you inquired your way merely in ', ' deal in this mystery of the red-headed league. i am sure that you inquired your way merely in order', ' in this mystery of the red-headed league. i am sure that you inquired your way merely in order that', 'his mystery of the red-headed league. i am sure that you inquired your way merely in order that you ', 'ystery of the red-headed league. i am sure that you inquired your way merely in order that you might', 'y of the red-headed league. i am sure that you inquired your way merely in order that you might see ', 'the red-headed league. i am sure that you inquired your way merely in order that you might see him."', 'ed-headed league. i am sure that you inquired your way merely in order that you might see him." "not', 'aded league. i am sure that you inquired your way merely in order that you might see him." "not him.', 'league. i am sure that you inquired your way merely in order that you might see him." "not him." "wh', 'e. i am sure that you inquired your way merely in order that you might see him." "not him." "what th', 'am sure that you inquired your way merely in order that you might see him." "not him." "what then?" ', 're that you inquired your way merely in order that you might see him." "not him." "what then?" "the ', 'at you inquired your way merely in order that you might see him." "not him." "what then?" "the knees', 'u inquired your way merely in order that you might see him." "not him." "what then?" "the knees of h', 'uired your way merely in order that you might see him." "not him." "what then?" "the knees of his tr', ' your way merely in order that you might see him." "not him." "what then?" "the knees of his trouser', ' way merely in order that you might see him." "not him." "what then?" "the knees of his trousers." "', 'merely in order that you might see him." "not him." "what then?" "the knees of his trousers." "and w', 'y in order that you might see him." "not him." "what then?" "the knees of his trousers." "and what d', 'order that you might see him." "not him." "what then?" "the knees of his trousers." "and what did yo', ' that you might see him." "not him." "what then?" "the knees of his trousers." "and what did you see', ' you might see him." "not him." "what then?" "the knees of his trousers." "and what did you see?" "w', 'might see him." "not him." "what then?" "the knees of his trousers." "and what did you see?" "what i', ' see him." "not him." "what then?" "the knees of his trousers." "and what did you see?" "what i expe', 'him." "not him." "what then?" "the knees of his trousers." "and what did you see?" "what i expected ', ' "not him." "what then?" "the knees of his trousers." "and what did you see?" "what i expected to se', ' him." "what then?" "the knees of his trousers." "and what did you see?" "what i expected to see." "', '" "what then?" "the knees of his trousers." "and what did you see?" "what i expected to see." "why d', 'at then?" "the knees of his trousers." "and what did you see?" "what i expected to see." "why did yo', 'en?" "the knees of his trousers." "and what did you see?" "what i expected to see." "why did you bea', '"the knees of his trousers." "and what did you see?" "what i expected to see." "why did you beat the', 'knees of his trousers." "and what did you see?" "what i expected to see." "why did you beat the pave', ' of his trousers." "and what did you see?" "what i expected to see." "why did you beat the pavement?', 'is trousers." "and what did you see?" "what i expected to see." "why did you beat the pavement?" "my', 'ousers." "and what did you see?" "what i expected to see." "why did you beat the pavement?" "my dear', 's." "and what did you see?" "what i expected to see." "why did you beat the pavement?" "my dear doct', 'and what did you see?" "what i expected to see." "why did you beat the pavement?" "my dear doctor, t', 'hat did you see?" "what i expected to see." "why did you beat the pavement?" "my dear doctor, this i', 'id you see?" "what i expected to see." "why did you beat the pavement?" "my dear doctor, this is a t', 'u see?" "what i expected to see." "why did you beat the pavement?" "my dear doctor, this is a time f', '?" "what i expected to see." "why did you beat the pavement?" "my dear doctor, this is a time for ob', 'hat i expected to see." "why did you beat the pavement?" "my dear doctor, this is a time for observa', ' expected to see." "why did you beat the pavement?" "my dear doctor, this is a time for observation,', 'cted to see." "why did you beat the pavement?" "my dear doctor, this is a time for observation, not ', 'to see." "why did you beat the pavement?" "my dear doctor, this is a time for observation, not for t', 'e." "why did you beat the pavement?" "my dear doctor, this is a time for observation, not for talk. ', 'why did you beat the pavement?" "my dear doctor, this is a time for observation, not for talk. we ar', 'id you beat the pavement?" "my dear doctor, this is a time for observation, not for talk. we are spi', 'u beat the pavement?" "my dear doctor, this is a time for observation, not for talk. we are spies in', 't the pavement?" "my dear doctor, this is a time for observation, not for talk. we are spies in an e', ' pavement?" "my dear doctor, this is a time for observation, not for talk. we are spies in an enemy\'', 'ment?" "my dear doctor, this is a time for observation, not for talk. we are spies in an enemy\'s cou', '" "my dear doctor, this is a time for observation, not for talk. we are spies in an enemy\'s country.', " dear doctor, this is a time for observation, not for talk. we are spies in an enemy's country. we k", " doctor, this is a time for observation, not for talk. we are spies in an enemy's country. we know s", "or, this is a time for observation, not for talk. we are spies in an enemy's country. we know someth", "his is a time for observation, not for talk. we are spies in an enemy's country. we know something o", "s a time for observation, not for talk. we are spies in an enemy's country. we know something of sax", "ime for observation, not for talk. we are spies in an enemy's country. we know something of saxe-cob", "or observation, not for talk. we are spies in an enemy's country. we know something of saxe-coburg s", "servation, not for talk. we are spies in an enemy's country. we know something of saxe-coburg square", "tion, not for talk. we are spies in an enemy's country. we know something of saxe-coburg square. let", " not for talk. we are spies in an enemy's country. we know something of saxe-coburg square. let us n", "for talk. we are spies in an enemy's country. we know something of saxe-coburg square. let us now ex", "alk. we are spies in an enemy's country. we know something of saxe-coburg square. let us now explore", "we are spies in an enemy's country. we know something of saxe-coburg square. let us now explore the ", "e spies in an enemy's country. we know something of saxe-coburg square. let us now explore the parts", "es in an enemy's country. we know something of saxe-coburg square. let us now explore the parts whic", " an enemy's country. we know something of saxe-coburg square. let us now explore the parts which lie", "nemy's country. we know something of saxe-coburg square. let us now explore the parts which lie behi", 's country. we know something of saxe-coburg square. let us now explore the parts which lie behind it', 'ntry. we know something of saxe-coburg square. let us now explore the parts which lie behind it." th', ' we know something of saxe-coburg square. let us now explore the parts which lie behind it." the roa', 'now something of saxe-coburg square. let us now explore the parts which lie behind it." the road in ', 'omething of saxe-coburg square. let us now explore the parts which lie behind it." the road in which', 'ing of saxe-coburg square. let us now explore the parts which lie behind it." the road in which we f', 'f saxe-coburg square. let us now explore the parts which lie behind it." the road in which we found ', 'e-coburg square. let us now explore the parts which lie behind it." the road in which we found ourse', 'urg square. let us now explore the parts which lie behind it." the road in which we found ourselves ', 'quare. let us now explore the parts which lie behind it." the road in which we found ourselves as we', '. let us now explore the parts which lie behind it." the road in which we found ourselves as we turn', ' us now explore the parts which lie behind it." the road in which we found ourselves as we turned ro', 'ow explore the parts which lie behind it." the road in which we found ourselves as we turned round t', 'plore the parts which lie behind it." the road in which we found ourselves as we turned round the co', ' the parts which lie behind it." the road in which we found ourselves as we turned round the corner ', 'parts which lie behind it." the road in which we found ourselves as we turned round the corner from ', ' which lie behind it." the road in which we found ourselves as we turned round the corner from the r', 'h lie behind it." the road in which we found ourselves as we turned round the corner from the retire', ' behind it." the road in which we found ourselves as we turned round the corner from the retired sax', 'nd it." the road in which we found ourselves as we turned round the corner from the retired saxe-cob', '." the road in which we found ourselves as we turned round the corner from the retired saxe-coburg s', 'e road in which we found ourselves as we turned round the corner from the retired saxe-coburg square', 'd in which we found ourselves as we turned round the corner from the retired saxe-coburg square pres', 'which we found ourselves as we turned round the corner from the retired saxe-coburg square presented', ' we found ourselves as we turned round the corner from the retired saxe-coburg square presented as g', 'ound ourselves as we turned round the corner from the retired saxe-coburg square presented as great ', 'ourselves as we turned round the corner from the retired saxe-coburg square presented as great a con', 'lves as we turned round the corner from the retired saxe-coburg square presented as great a contrast', 'as we turned round the corner from the retired saxe-coburg square presented as great a contrast to i', ' turned round the corner from the retired saxe-coburg square presented as great a contrast to it as ', 'ed round the corner from the retired saxe-coburg square presented as great a contrast to it as the f', 'und the corner from the retired saxe-coburg square presented as great a contrast to it as the front ', 'he corner from the retired saxe-coburg square presented as great a contrast to it as the front of a ', 'rner from the retired saxe-coburg square presented as great a contrast to it as the front of a pictu', 'from the retired saxe-coburg square presented as great a contrast to it as the front of a picture do', 'the retired saxe-coburg square presented as great a contrast to it as the front of a picture does to', 'etired saxe-coburg square presented as great a contrast to it as the front of a picture does to the ', 'd saxe-coburg square presented as great a contrast to it as the front of a picture does to the back.', 'e-coburg square presented as great a contrast to it as the front of a picture does to the back. it w', 'urg square presented as great a contrast to it as the front of a picture does to the back. it was on', 'quare presented as great a contrast to it as the front of a picture does to the back. it was one of ', ' presented as great a contrast to it as the front of a picture does to the back. it was one of the m', 'ented as great a contrast to it as the front of a picture does to the back. it was one of the main a', ' as great a contrast to it as the front of a picture does to the back. it was one of the main arteri', 'reat a contrast to it as the front of a picture does to the back. it was one of the main arteries wh', 'a contrast to it as the front of a picture does to the back. it was one of the main arteries which c', 'trast to it as the front of a picture does to the back. it was one of the main arteries which convey', ' to it as the front of a picture does to the back. it was one of the main arteries which conveyed th', 't as the front of a picture does to the back. it was one of the main arteries which conveyed the tra', 'the front of a picture does to the back. it was one of the main arteries which conveyed the traffic ', 'ront of a picture does to the back. it was one of the main arteries which conveyed the traffic of th', 'of a picture does to the back. it was one of the main arteries which conveyed the traffic of the cit', 'picture does to the back. it was one of the main arteries which conveyed the traffic of the city to ', 're does to the back. it was one of the main arteries which conveyed the traffic of the city to the n', 'es to the back. it was one of the main arteries which conveyed the traffic of the city to the north ', ' the back. it was one of the main arteries which conveyed the traffic of the city to the north and w', 'back. it was one of the main arteries which conveyed the traffic of the city to the north and west. ', ' it was one of the main arteries which conveyed the traffic of the city to the north and west. the r', 'as one of the main arteries which conveyed the traffic of the city to the north and west. the roadwa', 'e of the main arteries which conveyed the traffic of the city to the north and west. the roadway was', 'the main arteries which conveyed the traffic of the city to the north and west. the roadway was bloc', 'ain arteries which conveyed the traffic of the city to the north and west. the roadway was blocked w', 'rteries which conveyed the traffic of the city to the north and west. the roadway was blocked with t', 'es which conveyed the traffic of the city to the north and west. the roadway was blocked with the im', 'ich conveyed the traffic of the city to the north and west. the roadway was blocked with the immense', 'onveyed the traffic of the city to the north and west. the roadway was blocked with the immense stre', 'ed the traffic of the city to the north and west. the roadway was blocked with the immense stream of', 'e traffic of the city to the north and west. the roadway was blocked with the immense stream of comm', 'ffic of the city to the north and west. the roadway was blocked with the immense stream of commerce ', 'of the city to the north and west. the roadway was blocked with the immense stream of commerce flowi', 'e city to the north and west. the roadway was blocked with the immense stream of commerce flowing in', 'y to the north and west. the roadway was blocked with the immense stream of commerce flowing in a do', 'the north and west. the roadway was blocked with the immense stream of commerce flowing in a double ', 'orth and west. the roadway was blocked with the immense stream of commerce flowing in a double tide ', 'and west. the roadway was blocked with the immense stream of commerce flowing in a double tide inwar', 'est. the roadway was blocked with the immense stream of commerce flowing in a double tide inward and', 'the roadway was blocked with the immense stream of commerce flowing in a double tide inward and outw', 'oadway was blocked with the immense stream of commerce flowing in a double tide inward and outward, ', 'y was blocked with the immense stream of commerce flowing in a double tide inward and outward, while', ' blocked with the immense stream of commerce flowing in a double tide inward and outward, while the ', 'ked with the immense stream of commerce flowing in a double tide inward and outward, while the footp', 'ith the immense stream of commerce flowing in a double tide inward and outward, while the footpaths ', 'he immense stream of commerce flowing in a double tide inward and outward, while the footpaths were ', 'mense stream of commerce flowing in a double tide inward and outward, while the footpaths were black', ' stream of commerce flowing in a double tide inward and outward, while the footpaths were black with', 'am of commerce flowing in a double tide inward and outward, while the footpaths were black with the ', ' commerce flowing in a double tide inward and outward, while the footpaths were black with the hurry', 'erce flowing in a double tide inward and outward, while the footpaths were black with the hurrying s', 'flowing in a double tide inward and outward, while the footpaths were black with the hurrying swarm ', 'ng in a double tide inward and outward, while the footpaths were black with the hurrying swarm of pe', ' a double tide inward and outward, while the footpaths were black with the hurrying swarm of pedestr', 'uble tide inward and outward, while the footpaths were black with the hurrying swarm of pedestrians.', 'tide inward and outward, while the footpaths were black with the hurrying swarm of pedestrians. it w', 'inward and outward, while the footpaths were black with the hurrying swarm of pedestrians. it was di', 'd and outward, while the footpaths were black with the hurrying swarm of pedestrians. it was difficu', ' outward, while the footpaths were black with the hurrying swarm of pedestrians. it was difficult to', 'ard, while the footpaths were black with the hurrying swarm of pedestrians. it was difficult to real', 'while the footpaths were black with the hurrying swarm of pedestrians. it was difficult to realise a', ' the footpaths were black with the hurrying swarm of pedestrians. it was difficult to realise as we ', 'footpaths were black with the hurrying swarm of pedestrians. it was difficult to realise as we looke', 'aths were black with the hurrying swarm of pedestrians. it was difficult to realise as we looked at ', 'were black with the hurrying swarm of pedestrians. it was difficult to realise as we looked at the l', 'black with the hurrying swarm of pedestrians. it was difficult to realise as we looked at the line o', ' with the hurrying swarm of pedestrians. it was difficult to realise as we looked at the line of fin', ' the hurrying swarm of pedestrians. it was difficult to realise as we looked at the line of fine sho', 'hurrying swarm of pedestrians. it was difficult to realise as we looked at the line of fine shops an', 'ing swarm of pedestrians. it was difficult to realise as we looked at the line of fine shops and sta', 'warm of pedestrians. it was difficult to realise as we looked at the line of fine shops and stately ', 'of pedestrians. it was difficult to realise as we looked at the line of fine shops and stately busin', 'destrians. it was difficult to realise as we looked at the line of fine shops and stately business p', 'ians. it was difficult to realise as we looked at the line of fine shops and stately business premis', ' it was difficult to realise as we looked at the line of fine shops and stately business premises th', 'as difficult to realise as we looked at the line of fine shops and stately business premises that th', 'fficult to realise as we looked at the line of fine shops and stately business premises that they re', 'lt to realise as we looked at the line of fine shops and stately business premises that they really ', ' realise as we looked at the line of fine shops and stately business premises that they really abutt', 'ise as we looked at the line of fine shops and stately business premises that they really abutted on', 's we looked at the line of fine shops and stately business premises that they really abutted on the ', 'looked at the line of fine shops and stately business premises that they really abutted on the other', 'd at the line of fine shops and stately business premises that they really abutted on the other side', 'the line of fine shops and stately business premises that they really abutted on the other side upon', 'ine of fine shops and stately business premises that they really abutted on the other side upon the ', 'f fine shops and stately business premises that they really abutted on the other side upon the faded', 'e shops and stately business premises that they really abutted on the other side upon the faded and ', 'ps and stately business premises that they really abutted on the other side upon the faded and stagn', 'd stately business premises that they really abutted on the other side upon the faded and stagnant s', 'tely business premises that they really abutted on the other side upon the faded and stagnant square', 'business premises that they really abutted on the other side upon the faded and stagnant square whic', 'ess premises that they really abutted on the other side upon the faded and stagnant square which we ', 'remises that they really abutted on the other side upon the faded and stagnant square which we had j', 'es that they really abutted on the other side upon the faded and stagnant square which we had just q', 'at they really abutted on the other side upon the faded and stagnant square which we had just quitte', 'ey really abutted on the other side upon the faded and stagnant square which we had just quitted. "l', 'ally abutted on the other side upon the faded and stagnant square which we had just quitted. "let me', 'abutted on the other side upon the faded and stagnant square which we had just quitted. "let me see,', 'ed on the other side upon the faded and stagnant square which we had just quitted. "let me see," sai', ' the other side upon the faded and stagnant square which we had just quitted. "let me see," said hol', 'other side upon the faded and stagnant square which we had just quitted. "let me see," said holmes, ', ' side upon the faded and stagnant square which we had just quitted. "let me see," said holmes, stand', ' upon the faded and stagnant square which we had just quitted. "let me see," said holmes, standing a', ' the faded and stagnant square which we had just quitted. "let me see," said holmes, standing at the', 'faded and stagnant square which we had just quitted. "let me see," said holmes, standing at the corn', ' and stagnant square which we had just quitted. "let me see," said holmes, standing at the corner an', 'stagnant square which we had just quitted. "let me see," said holmes, standing at the corner and gla', 'ant square which we had just quitted. "let me see," said holmes, standing at the corner and glancing', 'quare which we had just quitted. "let me see," said holmes, standing at the corner and glancing alon', ' which we had just quitted. "let me see," said holmes, standing at the corner and glancing along the', 'h we had just quitted. "let me see," said holmes, standing at the corner and glancing along the line', 'had just quitted. "let me see," said holmes, standing at the corner and glancing along the line, "i ', 'ust quitted. "let me see," said holmes, standing at the corner and glancing along the line, "i shoul', 'uitted. "let me see," said holmes, standing at the corner and glancing along the line, "i should lik', 'd. "let me see," said holmes, standing at the corner and glancing along the line, "i should like jus', 'et me see," said holmes, standing at the corner and glancing along the line, "i should like just to ', ' see," said holmes, standing at the corner and glancing along the line, "i should like just to remem', '" said holmes, standing at the corner and glancing along the line, "i should like just to remember t', 'd holmes, standing at the corner and glancing along the line, "i should like just to remember the or', 'mes, standing at the corner and glancing along the line, "i should like just to remember the order o', 'standing at the corner and glancing along the line, "i should like just to remember the order of the', 'ing at the corner and glancing along the line, "i should like just to remember the order of the hous', 't the corner and glancing along the line, "i should like just to remember the order of the houses he', ' corner and glancing along the line, "i should like just to remember the order of the houses here. i', 'er and glancing along the line, "i should like just to remember the order of the houses here. it is ', 'd glancing along the line, "i should like just to remember the order of the houses here. it is a hob', 'ncing along the line, "i should like just to remember the order of the houses here. it is a hobby of', ' along the line, "i should like just to remember the order of the houses here. it is a hobby of mine', 'g the line, "i should like just to remember the order of the houses here. it is a hobby of mine to h', ' line, "i should like just to remember the order of the houses here. it is a hobby of mine to have a', ', "i should like just to remember the order of the houses here. it is a hobby of mine to have an exa', 'should like just to remember the order of the houses here. it is a hobby of mine to have an exact kn', 'd like just to remember the order of the houses here. it is a hobby of mine to have an exact knowled', 'e just to remember the order of the houses here. it is a hobby of mine to have an exact knowledge of', 't to remember the order of the houses here. it is a hobby of mine to have an exact knowledge of lond', 'remember the order of the houses here. it is a hobby of mine to have an exact knowledge of london. t', 'ber the order of the houses here. it is a hobby of mine to have an exact knowledge of london. there ', 'he order of the houses here. it is a hobby of mine to have an exact knowledge of london. there is mo', 'der of the houses here. it is a hobby of mine to have an exact knowledge of london. there is mortime', "f the houses here. it is a hobby of mine to have an exact knowledge of london. there is mortimer's, ", " houses here. it is a hobby of mine to have an exact knowledge of london. there is mortimer's, the t", "es here. it is a hobby of mine to have an exact knowledge of london. there is mortimer's, the tobacc", "re. it is a hobby of mine to have an exact knowledge of london. there is mortimer's, the tobacconist", "t is a hobby of mine to have an exact knowledge of london. there is mortimer's, the tobacconist, the", "a hobby of mine to have an exact knowledge of london. there is mortimer's, the tobacconist, the litt", "by of mine to have an exact knowledge of london. there is mortimer's, the tobacconist, the little ne", " mine to have an exact knowledge of london. there is mortimer's, the tobacconist, the little newspap", " to have an exact knowledge of london. there is mortimer's, the tobacconist, the little newspaper sh", "ave an exact knowledge of london. there is mortimer's, the tobacconist, the little newspaper shop, t", "n exact knowledge of london. there is mortimer's, the tobacconist, the little newspaper shop, the co", "ct knowledge of london. there is mortimer's, the tobacconist, the little newspaper shop, the coburg ", "owledge of london. there is mortimer's, the tobacconist, the little newspaper shop, the coburg branc", "ge of london. there is mortimer's, the tobacconist, the little newspaper shop, the coburg branch of ", " london. there is mortimer's, the tobacconist, the little newspaper shop, the coburg branch of the c", "on. there is mortimer's, the tobacconist, the little newspaper shop, the coburg branch of the city a", "here is mortimer's, the tobacconist, the little newspaper shop, the coburg branch of the city and su", "is mortimer's, the tobacconist, the little newspaper shop, the coburg branch of the city and suburba", "rtimer's, the tobacconist, the little newspaper shop, the coburg branch of the city and suburban ban", "r's, the tobacconist, the little newspaper shop, the coburg branch of the city and suburban bank, th", 'the tobacconist, the little newspaper shop, the coburg branch of the city and suburban bank, the veg', 'obacconist, the little newspaper shop, the coburg branch of the city and suburban bank, the vegetari', 'onist, the little newspaper shop, the coburg branch of the city and suburban bank, the vegetarian re', ', the little newspaper shop, the coburg branch of the city and suburban bank, the vegetarian restaur', ' little newspaper shop, the coburg branch of the city and suburban bank, the vegetarian restaurant, ', 'le newspaper shop, the coburg branch of the city and suburban bank, the vegetarian restaurant, and m', 'wspaper shop, the coburg branch of the city and suburban bank, the vegetarian restaurant, and mcfarl', "er shop, the coburg branch of the city and suburban bank, the vegetarian restaurant, and mcfarlane's", "op, the coburg branch of the city and suburban bank, the vegetarian restaurant, and mcfarlane's carr", "he coburg branch of the city and suburban bank, the vegetarian restaurant, and mcfarlane's carriage-", "burg branch of the city and suburban bank, the vegetarian restaurant, and mcfarlane's carriage-build", "branch of the city and suburban bank, the vegetarian restaurant, and mcfarlane's carriage-building d", "h of the city and suburban bank, the vegetarian restaurant, and mcfarlane's carriage-building depot.", "the city and suburban bank, the vegetarian restaurant, and mcfarlane's carriage-building depot. that", "ity and suburban bank, the vegetarian restaurant, and mcfarlane's carriage-building depot. that carr", "nd suburban bank, the vegetarian restaurant, and mcfarlane's carriage-building depot. that carries u", "burban bank, the vegetarian restaurant, and mcfarlane's carriage-building depot. that carries us rig", "n bank, the vegetarian restaurant, and mcfarlane's carriage-building depot. that carries us right on", "k, the vegetarian restaurant, and mcfarlane's carriage-building depot. that carries us right on to t", "e vegetarian restaurant, and mcfarlane's carriage-building depot. that carries us right on to the ot", "etarian restaurant, and mcfarlane's carriage-building depot. that carries us right on to the other b", "an restaurant, and mcfarlane's carriage-building depot. that carries us right on to the other block.", "staurant, and mcfarlane's carriage-building depot. that carries us right on to the other block. and ", "ant, and mcfarlane's carriage-building depot. that carries us right on to the other block. and now, ", "and mcfarlane's carriage-building depot. that carries us right on to the other block. and now, docto", "cfarlane's carriage-building depot. that carries us right on to the other block. and now, doctor, we", "ane's carriage-building depot. that carries us right on to the other block. and now, doctor, we've d", " carriage-building depot. that carries us right on to the other block. and now, doctor, we've done o", "iage-building depot. that carries us right on to the other block. and now, doctor, we've done our wo", "building depot. that carries us right on to the other block. and now, doctor, we've done our work, s", "ing depot. that carries us right on to the other block. and now, doctor, we've done our work, so it'", "epot. that carries us right on to the other block. and now, doctor, we've done our work, so it's tim", " that carries us right on to the other block. and now, doctor, we've done our work, so it's time we ", " carries us right on to the other block. and now, doctor, we've done our work, so it's time we had s", "ies us right on to the other block. and now, doctor, we've done our work, so it's time we had some p", "s right on to the other block. and now, doctor, we've done our work, so it's time we had some play. ", "ht on to the other block. and now, doctor, we've done our work, so it's time we had some play. a san", " to the other block. and now, doctor, we've done our work, so it's time we had some play. a sandwich", "he other block. and now, doctor, we've done our work, so it's time we had some play. a sandwich and ", "her block. and now, doctor, we've done our work, so it's time we had some play. a sandwich and a cup", "lock. and now, doctor, we've done our work, so it's time we had some play. a sandwich and a cup of c", " and now, doctor, we've done our work, so it's time we had some play. a sandwich and a cup of coffee", "now, doctor, we've done our work, so it's time we had some play. a sandwich and a cup of coffee, and", "doctor, we've done our work, so it's time we had some play. a sandwich and a cup of coffee, and then", "r, we've done our work, so it's time we had some play. a sandwich and a cup of coffee, and then off ", "'ve done our work, so it's time we had some play. a sandwich and a cup of coffee, and then off to vi", "one our work, so it's time we had some play. a sandwich and a cup of coffee, and then off to violin-", "ur work, so it's time we had some play. a sandwich and a cup of coffee, and then off to violin-land,", "rk, so it's time we had some play. a sandwich and a cup of coffee, and then off to violin-land, wher", "o it's time we had some play. a sandwich and a cup of coffee, and then off to violin-land, where all", 's time we had some play. a sandwich and a cup of coffee, and then off to violin-land, where all is s', 'e we had some play. a sandwich and a cup of coffee, and then off to violin-land, where all is sweetn', 'had some play. a sandwich and a cup of coffee, and then off to violin-land, where all is sweetness a', 'ome play. a sandwich and a cup of coffee, and then off to violin-land, where all is sweetness and de', 'lay. a sandwich and a cup of coffee, and then off to violin-land, where all is sweetness and delicac', 'a sandwich and a cup of coffee, and then off to violin-land, where all is sweetness and delicacy and', 'dwich and a cup of coffee, and then off to violin-land, where all is sweetness and delicacy and harm', ' and a cup of coffee, and then off to violin-land, where all is sweetness and delicacy and harmony, ', 'a cup of coffee, and then off to violin-land, where all is sweetness and delicacy and harmony, and t', ' of coffee, and then off to violin-land, where all is sweetness and delicacy and harmony, and there ', 'offee, and then off to violin-land, where all is sweetness and delicacy and harmony, and there are n', ', and then off to violin-land, where all is sweetness and delicacy and harmony, and there are no red', ' then off to violin-land, where all is sweetness and delicacy and harmony, and there are no red-head', ' off to violin-land, where all is sweetness and delicacy and harmony, and there are no red-headed cl', 'to violin-land, where all is sweetness and delicacy and harmony, and there are no red-headed clients', 'olin-land, where all is sweetness and delicacy and harmony, and there are no red-headed clients to v', 'land, where all is sweetness and delicacy and harmony, and there are no red-headed clients to vex us', ' where all is sweetness and delicacy and harmony, and there are no red-headed clients to vex us with', 'e all is sweetness and delicacy and harmony, and there are no red-headed clients to vex us with thei', ' is sweetness and delicacy and harmony, and there are no red-headed clients to vex us with their con', 'weetness and delicacy and harmony, and there are no red-headed clients to vex us with their conundru', 'ess and delicacy and harmony, and there are no red-headed clients to vex us with their conundrums." ', 'nd delicacy and harmony, and there are no red-headed clients to vex us with their conundrums." my fr', 'licacy and harmony, and there are no red-headed clients to vex us with their conundrums." my friend ', 'y and harmony, and there are no red-headed clients to vex us with their conundrums." my friend was a', ' harmony, and there are no red-headed clients to vex us with their conundrums." my friend was an ent', 'ony, and there are no red-headed clients to vex us with their conundrums." my friend was an enthusia', 'and there are no red-headed clients to vex us with their conundrums." my friend was an enthusiastic ', 'here are no red-headed clients to vex us with their conundrums." my friend was an enthusiastic music', 'are no red-headed clients to vex us with their conundrums." my friend was an enthusiastic musician, ', 'o red-headed clients to vex us with their conundrums." my friend was an enthusiastic musician, being', '-headed clients to vex us with their conundrums." my friend was an enthusiastic musician, being hims', 'ed clients to vex us with their conundrums." my friend was an enthusiastic musician, being himself n', 'ients to vex us with their conundrums." my friend was an enthusiastic musician, being himself not on', ' to vex us with their conundrums." my friend was an enthusiastic musician, being himself not only a ', 'ex us with their conundrums." my friend was an enthusiastic musician, being himself not only a very ', ' with their conundrums." my friend was an enthusiastic musician, being himself not only a very capab', ' their conundrums." my friend was an enthusiastic musician, being himself not only a very capable pe', 'r conundrums." my friend was an enthusiastic musician, being himself not only a very capable perform', 'undrums." my friend was an enthusiastic musician, being himself not only a very capable performer bu', 'ms." my friend was an enthusiastic musician, being himself not only a very capable performer but a c', 'my friend was an enthusiastic musician, being himself not only a very capable performer but a compos', 'iend was an enthusiastic musician, being himself not only a very capable performer but a composer of', 'was an enthusiastic musician, being himself not only a very capable performer but a composer of no o', 'n enthusiastic musician, being himself not only a very capable performer but a composer of no ordina', 'husiastic musician, being himself not only a very capable performer but a composer of no ordinary me', 'stic musician, being himself not only a very capable performer but a composer of no ordinary merit. ', 'musician, being himself not only a very capable performer but a composer of no ordinary merit. all t', 'ian, being himself not only a very capable performer but a composer of no ordinary merit. all the af', 'being himself not only a very capable performer but a composer of no ordinary merit. all the afterno', ' himself not only a very capable performer but a composer of no ordinary merit. all the afternoon he', 'elf not only a very capable performer but a composer of no ordinary merit. all the afternoon he sat ', 'ot only a very capable performer but a composer of no ordinary merit. all the afternoon he sat in th', 'ly a very capable performer but a composer of no ordinary merit. all the afternoon he sat in the sta', 'very capable performer but a composer of no ordinary merit. all the afternoon he sat in the stalls w', 'capable performer but a composer of no ordinary merit. all the afternoon he sat in the stalls wrappe', 'le performer but a composer of no ordinary merit. all the afternoon he sat in the stalls wrapped in ', 'rformer but a composer of no ordinary merit. all the afternoon he sat in the stalls wrapped in the m', 'er but a composer of no ordinary merit. all the afternoon he sat in the stalls wrapped in the most p', 't a composer of no ordinary merit. all the afternoon he sat in the stalls wrapped in the most perfec', 'omposer of no ordinary merit. all the afternoon he sat in the stalls wrapped in the most perfect hap', 'er of no ordinary merit. all the afternoon he sat in the stalls wrapped in the most perfect happines', ' no ordinary merit. all the afternoon he sat in the stalls wrapped in the most perfect happiness, ge', 'rdinary merit. all the afternoon he sat in the stalls wrapped in the most perfect happiness, gently ', 'ry merit. all the afternoon he sat in the stalls wrapped in the most perfect happiness, gently wavin', 'rit. all the afternoon he sat in the stalls wrapped in the most perfect happiness, gently waving his', 'all the afternoon he sat in the stalls wrapped in the most perfect happiness, gently waving his long', 'he afternoon he sat in the stalls wrapped in the most perfect happiness, gently waving his long, thi', 'ternoon he sat in the stalls wrapped in the most perfect happiness, gently waving his long, thin fin', 'on he sat in the stalls wrapped in the most perfect happiness, gently waving his long, thin fingers ', ' sat in the stalls wrapped in the most perfect happiness, gently waving his long, thin fingers in ti', 'in the stalls wrapped in the most perfect happiness, gently waving his long, thin fingers in time to', 'e stalls wrapped in the most perfect happiness, gently waving his long, thin fingers in time to the ', 'lls wrapped in the most perfect happiness, gently waving his long, thin fingers in time to the music', 'rapped in the most perfect happiness, gently waving his long, thin fingers in time to the music, whi', 'd in the most perfect happiness, gently waving his long, thin fingers in time to the music, while hi', 'the most perfect happiness, gently waving his long, thin fingers in time to the music, while his gen', 'ost perfect happiness, gently waving his long, thin fingers in time to the music, while his gently s', 'erfect happiness, gently waving his long, thin fingers in time to the music, while his gently smilin', 't happiness, gently waving his long, thin fingers in time to the music, while his gently smiling fac', 'piness, gently waving his long, thin fingers in time to the music, while his gently smiling face and', 's, gently waving his long, thin fingers in time to the music, while his gently smiling face and his ', 'ntly waving his long, thin fingers in time to the music, while his gently smiling face and his langu', 'waving his long, thin fingers in time to the music, while his gently smiling face and his languid, d', 'g his long, thin fingers in time to the music, while his gently smiling face and his languid, dreamy', ' long, thin fingers in time to the music, while his gently smiling face and his languid, dreamy eyes', ', thin fingers in time to the music, while his gently smiling face and his languid, dreamy eyes were', 'n fingers in time to the music, while his gently smiling face and his languid, dreamy eyes were as u', 'gers in time to the music, while his gently smiling face and his languid, dreamy eyes were as unlike', 'in time to the music, while his gently smiling face and his languid, dreamy eyes were as unlike thos', 'me to the music, while his gently smiling face and his languid, dreamy eyes were as unlike those of ', ' the music, while his gently smiling face and his languid, dreamy eyes were as unlike those of holme', 'music, while his gently smiling face and his languid, dreamy eyes were as unlike those of holmes the', ', while his gently smiling face and his languid, dreamy eyes were as unlike those of holmes the sleu', 'le his gently smiling face and his languid, dreamy eyes were as unlike those of holmes the sleuth-ho', 's gently smiling face and his languid, dreamy eyes were as unlike those of holmes the sleuth-hound, ', 'tly smiling face and his languid, dreamy eyes were as unlike those of holmes the sleuth-hound, holme', 'miling face and his languid, dreamy eyes were as unlike those of holmes the sleuth-hound, holmes the', 'g face and his languid, dreamy eyes were as unlike those of holmes the sleuth-hound, holmes the rele', 'e and his languid, dreamy eyes were as unlike those of holmes the sleuth-hound, holmes the relentles', ' his languid, dreamy eyes were as unlike those of holmes the sleuth-hound, holmes the relentless, ke', 'languid, dreamy eyes were as unlike those of holmes the sleuth-hound, holmes the relentless, keen-wi', 'id, dreamy eyes were as unlike those of holmes the sleuth-hound, holmes the relentless, keen-witted,', 'reamy eyes were as unlike those of holmes the sleuth-hound, holmes the relentless, keen-witted, read', ' eyes were as unlike those of holmes the sleuth-hound, holmes the relentless, keen-witted, ready-han', ' were as unlike those of holmes the sleuth-hound, holmes the relentless, keen-witted, ready-handed c', ' as unlike those of holmes the sleuth-hound, holmes the relentless, keen-witted, ready-handed crimin', 'nlike those of holmes the sleuth-hound, holmes the relentless, keen-witted, ready-handed criminal ag', ' those of holmes the sleuth-hound, holmes the relentless, keen-witted, ready-handed criminal agent, ', 'e of holmes the sleuth-hound, holmes the relentless, keen-witted, ready-handed criminal agent, as it', 'holmes the sleuth-hound, holmes the relentless, keen-witted, ready-handed criminal agent, as it was ', 's the sleuth-hound, holmes the relentless, keen-witted, ready-handed criminal agent, as it was possi', ' sleuth-hound, holmes the relentless, keen-witted, ready-handed criminal agent, as it was possible t', 'th-hound, holmes the relentless, keen-witted, ready-handed criminal agent, as it was possible to con', 'und, holmes the relentless, keen-witted, ready-handed criminal agent, as it was possible to conceive', 'holmes the relentless, keen-witted, ready-handed criminal agent, as it was possible to conceive. in ', 's the relentless, keen-witted, ready-handed criminal agent, as it was possible to conceive. in his s', ' relentless, keen-witted, ready-handed criminal agent, as it was possible to conceive. in his singul', 'ntless, keen-witted, ready-handed criminal agent, as it was possible to conceive. in his singular ch', 's, keen-witted, ready-handed criminal agent, as it was possible to conceive. in his singular charact', 'en-witted, ready-handed criminal agent, as it was possible to conceive. in his singular character th', 'tted, ready-handed criminal agent, as it was possible to conceive. in his singular character the dua', ' ready-handed criminal agent, as it was possible to conceive. in his singular character the dual nat', 'y-handed criminal agent, as it was possible to conceive. in his singular character the dual nature a', 'ded criminal agent, as it was possible to conceive. in his singular character the dual nature altern', 'riminal agent, as it was possible to conceive. in his singular character the dual nature alternately', 'al agent, as it was possible to conceive. in his singular character the dual nature alternately asse', 'ent, as it was possible to conceive. in his singular character the dual nature alternately asserted ', 'as it was possible to conceive. in his singular character the dual nature alternately asserted itsel', ' was possible to conceive. in his singular character the dual nature alternately asserted itself, an', 'possible to conceive. in his singular character the dual nature alternately asserted itself, and his', 'ble to conceive. in his singular character the dual nature alternately asserted itself, and his extr', 'o conceive. in his singular character the dual nature alternately asserted itself, and his extreme e', 'ceive. in his singular character the dual nature alternately asserted itself, and his extreme exactn', '. in his singular character the dual nature alternately asserted itself, and his extreme exactness a', 'his singular character the dual nature alternately asserted itself, and his extreme exactness and as', 'ingular character the dual nature alternately asserted itself, and his extreme exactness and astuten', 'ar character the dual nature alternately asserted itself, and his extreme exactness and astuteness r', 'aracter the dual nature alternately asserted itself, and his extreme exactness and astuteness repres', 'er the dual nature alternately asserted itself, and his extreme exactness and astuteness represented', 'e dual nature alternately asserted itself, and his extreme exactness and astuteness represented, as ', 'l nature alternately asserted itself, and his extreme exactness and astuteness represented, as i hav', 'ure alternately asserted itself, and his extreme exactness and astuteness represented, as i have oft', 'lternately asserted itself, and his extreme exactness and astuteness represented, as i have often th', 'ately asserted itself, and his extreme exactness and astuteness represented, as i have often thought', ' asserted itself, and his extreme exactness and astuteness represented, as i have often thought, the', 'rted itself, and his extreme exactness and astuteness represented, as i have often thought, the reac', 'itself, and his extreme exactness and astuteness represented, as i have often thought, the reaction ', 'f, and his extreme exactness and astuteness represented, as i have often thought, the reaction again', 'd his extreme exactness and astuteness represented, as i have often thought, the reaction against th', ' extreme exactness and astuteness represented, as i have often thought, the reaction against the poe', 'eme exactness and astuteness represented, as i have often thought, the reaction against the poetic a', 'xactness and astuteness represented, as i have often thought, the reaction against the poetic and co', 'ess and astuteness represented, as i have often thought, the reaction against the poetic and contemp', 'nd astuteness represented, as i have often thought, the reaction against the poetic and contemplativ', 'tuteness represented, as i have often thought, the reaction against the poetic and contemplative moo', 'ess represented, as i have often thought, the reaction against the poetic and contemplative mood whi', 'epresented, as i have often thought, the reaction against the poetic and contemplative mood which oc', 'ented, as i have often thought, the reaction against the poetic and contemplative mood which occasio', ', as i have often thought, the reaction against the poetic and contemplative mood which occasionally', 'i have often thought, the reaction against the poetic and contemplative mood which occasionally pred', 'e often thought, the reaction against the poetic and contemplative mood which occasionally predomina', 'en thought, the reaction against the poetic and contemplative mood which occasionally predominated i', 'ought, the reaction against the poetic and contemplative mood which occasionally predominated in him', ', the reaction against the poetic and contemplative mood which occasionally predominated in him. the', ' reaction against the poetic and contemplative mood which occasionally predominated in him. the swin', 'tion against the poetic and contemplative mood which occasionally predominated in him. the swing of ', 'against the poetic and contemplative mood which occasionally predominated in him. the swing of his n', 'st the poetic and contemplative mood which occasionally predominated in him. the swing of his nature', 'e poetic and contemplative mood which occasionally predominated in him. the swing of his nature took', 'tic and contemplative mood which occasionally predominated in him. the swing of his nature took him ', 'nd contemplative mood which occasionally predominated in him. the swing of his nature took him from ', 'ntemplative mood which occasionally predominated in him. the swing of his nature took him from extre', 'lative mood which occasionally predominated in him. the swing of his nature took him from extreme la', 'e mood which occasionally predominated in him. the swing of his nature took him from extreme languor', 'd which occasionally predominated in him. the swing of his nature took him from extreme languor to d', 'ch occasionally predominated in him. the swing of his nature took him from extreme languor to devour', 'casionally predominated in him. the swing of his nature took him from extreme languor to devouring e', 'nally predominated in him. the swing of his nature took him from extreme languor to devouring energy', ' predominated in him. the swing of his nature took him from extreme languor to devouring energy; and', 'ominated in him. the swing of his nature took him from extreme languor to devouring energy; and, as ', 'ted in him. the swing of his nature took him from extreme languor to devouring energy; and, as i kne', 'n him. the swing of his nature took him from extreme languor to devouring energy; and, as i knew wel', '. the swing of his nature took him from extreme languor to devouring energy; and, as i knew well, he', ' swing of his nature took him from extreme languor to devouring energy; and, as i knew well, he was ', 'g of his nature took him from extreme languor to devouring energy; and, as i knew well, he was never', 'his nature took him from extreme languor to devouring energy; and, as i knew well, he was never so t', 'ature took him from extreme languor to devouring energy; and, as i knew well, he was never so truly ', ' took him from extreme languor to devouring energy; and, as i knew well, he was never so truly formi', ' him from extreme languor to devouring energy; and, as i knew well, he was never so truly formidable', 'from extreme languor to devouring energy; and, as i knew well, he was never so truly formidable as w', 'extreme languor to devouring energy; and, as i knew well, he was never so truly formidable as when, ', 'me languor to devouring energy; and, as i knew well, he was never so truly formidable as when, for d', 'nguor to devouring energy; and, as i knew well, he was never so truly formidable as when, for days o', ' to devouring energy; and, as i knew well, he was never so truly formidable as when, for days on end', 'evouring energy; and, as i knew well, he was never so truly formidable as when, for days on end, he ', 'ing energy; and, as i knew well, he was never so truly formidable as when, for days on end, he had b', 'nergy; and, as i knew well, he was never so truly formidable as when, for days on end, he had been l', '; and, as i knew well, he was never so truly formidable as when, for days on end, he had been loungi', ', as i knew well, he was never so truly formidable as when, for days on end, he had been lounging in', 'i knew well, he was never so truly formidable as when, for days on end, he had been lounging in his ', 'w well, he was never so truly formidable as when, for days on end, he had been lounging in his armch', 'l, he was never so truly formidable as when, for days on end, he had been lounging in his armchair a', ' was never so truly formidable as when, for days on end, he had been lounging in his armchair amid h', 'never so truly formidable as when, for days on end, he had been lounging in his armchair amid his im', ' so truly formidable as when, for days on end, he had been lounging in his armchair amid his improvi', 'ruly formidable as when, for days on end, he had been lounging in his armchair amid his improvisatio', 'formidable as when, for days on end, he had been lounging in his armchair amid his improvisations an', 'dable as when, for days on end, he had been lounging in his armchair amid his improvisations and his', ' as when, for days on end, he had been lounging in his armchair amid his improvisations and his blac', 'hen, for days on end, he had been lounging in his armchair amid his improvisations and his black-let', 'for days on end, he had been lounging in his armchair amid his improvisations and his black-letter e', 'ays on end, he had been lounging in his armchair amid his improvisations and his black-letter editio', 'n end, he had been lounging in his armchair amid his improvisations and his black-letter editions. t', ', he had been lounging in his armchair amid his improvisations and his black-letter editions. then i', 'had been lounging in his armchair amid his improvisations and his black-letter editions. then it was', 'een lounging in his armchair amid his improvisations and his black-letter editions. then it was that', 'ounging in his armchair amid his improvisations and his black-letter editions. then it was that the ', 'ng in his armchair amid his improvisations and his black-letter editions. then it was that the lust ', ' his armchair amid his improvisations and his black-letter editions. then it was that the lust of th', 'armchair amid his improvisations and his black-letter editions. then it was that the lust of the cha', 'air amid his improvisations and his black-letter editions. then it was that the lust of the chase wo', 'mid his improvisations and his black-letter editions. then it was that the lust of the chase would s', 'is improvisations and his black-letter editions. then it was that the lust of the chase would sudden', 'provisations and his black-letter editions. then it was that the lust of the chase would suddenly co', 'sations and his black-letter editions. then it was that the lust of the chase would suddenly come up', 'ns and his black-letter editions. then it was that the lust of the chase would suddenly come upon hi', 'd his black-letter editions. then it was that the lust of the chase would suddenly come upon him, an', ' black-letter editions. then it was that the lust of the chase would suddenly come upon him, and tha', 'k-letter editions. then it was that the lust of the chase would suddenly come upon him, and that his', 'ter editions. then it was that the lust of the chase would suddenly come upon him, and that his bril', 'ditions. then it was that the lust of the chase would suddenly come upon him, and that his brilliant', 'ns. then it was that the lust of the chase would suddenly come upon him, and that his brilliant reas', 'hen it was that the lust of the chase would suddenly come upon him, and that his brilliant reasoning', 't was that the lust of the chase would suddenly come upon him, and that his brilliant reasoning powe', ' that the lust of the chase would suddenly come upon him, and that his brilliant reasoning power wou', ' the lust of the chase would suddenly come upon him, and that his brilliant reasoning power would ri', 'lust of the chase would suddenly come upon him, and that his brilliant reasoning power would rise to', 'of the chase would suddenly come upon him, and that his brilliant reasoning power would rise to the ', 'e chase would suddenly come upon him, and that his brilliant reasoning power would rise to the level', 'se would suddenly come upon him, and that his brilliant reasoning power would rise to the level of i', 'uld suddenly come upon him, and that his brilliant reasoning power would rise to the level of intuit', 'uddenly come upon him, and that his brilliant reasoning power would rise to the level of intuition, ', 'ly come upon him, and that his brilliant reasoning power would rise to the level of intuition, until', 'me upon him, and that his brilliant reasoning power would rise to the level of intuition, until thos', 'on him, and that his brilliant reasoning power would rise to the level of intuition, until those who', 'm, and that his brilliant reasoning power would rise to the level of intuition, until those who were', 'd that his brilliant reasoning power would rise to the level of intuition, until those who were unac', 't his brilliant reasoning power would rise to the level of intuition, until those who were unacquain', ' brilliant reasoning power would rise to the level of intuition, until those who were unacquainted w', 'liant reasoning power would rise to the level of intuition, until those who were unacquainted with h', ' reasoning power would rise to the level of intuition, until those who were unacquainted with his me', 'oning power would rise to the level of intuition, until those who were unacquainted with his methods', ' power would rise to the level of intuition, until those who were unacquainted with his methods woul', 'r would rise to the level of intuition, until those who were unacquainted with his methods would loo', 'ld rise to the level of intuition, until those who were unacquainted with his methods would look ask', 'se to the level of intuition, until those who were unacquainted with his methods would look askance ', ' the level of intuition, until those who were unacquainted with his methods would look askance at hi', 'level of intuition, until those who were unacquainted with his methods would look askance at him as ', ' of intuition, until those who were unacquainted with his methods would look askance at him as on a ', 'ntuition, until those who were unacquainted with his methods would look askance at him as on a man w', 'ion, until those who were unacquainted with his methods would look askance at him as on a man whose ', 'until those who were unacquainted with his methods would look askance at him as on a man whose knowl', ' those who were unacquainted with his methods would look askance at him as on a man whose knowledge ', 'e who were unacquainted with his methods would look askance at him as on a man whose knowledge was n', ' were unacquainted with his methods would look askance at him as on a man whose knowledge was not th', ' unacquainted with his methods would look askance at him as on a man whose knowledge was not that of', 'quainted with his methods would look askance at him as on a man whose knowledge was not that of othe', 'ted with his methods would look askance at him as on a man whose knowledge was not that of other mor', 'ith his methods would look askance at him as on a man whose knowledge was not that of other mortals.', 'is methods would look askance at him as on a man whose knowledge was not that of other mortals. when', 'thods would look askance at him as on a man whose knowledge was not that of other mortals. when i sa', ' would look askance at him as on a man whose knowledge was not that of other mortals. when i saw him', 'd look askance at him as on a man whose knowledge was not that of other mortals. when i saw him that', 'k askance at him as on a man whose knowledge was not that of other mortals. when i saw him that afte', 'ance at him as on a man whose knowledge was not that of other mortals. when i saw him that afternoon', 'at him as on a man whose knowledge was not that of other mortals. when i saw him that afternoon so e', 'm as on a man whose knowledge was not that of other mortals. when i saw him that afternoon so enwrap', 'on a man whose knowledge was not that of other mortals. when i saw him that afternoon so enwrapped i', 'man whose knowledge was not that of other mortals. when i saw him that afternoon so enwrapped in the', 'hose knowledge was not that of other mortals. when i saw him that afternoon so enwrapped in the musi', 'knowledge was not that of other mortals. when i saw him that afternoon so enwrapped in the music at ', 'edge was not that of other mortals. when i saw him that afternoon so enwrapped in the music at st. j', "was not that of other mortals. when i saw him that afternoon so enwrapped in the music at st. james'", "ot that of other mortals. when i saw him that afternoon so enwrapped in the music at st. james's hal", "at of other mortals. when i saw him that afternoon so enwrapped in the music at st. james's hall i f", " other mortals. when i saw him that afternoon so enwrapped in the music at st. james's hall i felt t", "r mortals. when i saw him that afternoon so enwrapped in the music at st. james's hall i felt that a", "tals. when i saw him that afternoon so enwrapped in the music at st. james's hall i felt that an evi", " when i saw him that afternoon so enwrapped in the music at st. james's hall i felt that an evil tim", " i saw him that afternoon so enwrapped in the music at st. james's hall i felt that an evil time mig", "w him that afternoon so enwrapped in the music at st. james's hall i felt that an evil time might be", " that afternoon so enwrapped in the music at st. james's hall i felt that an evil time might be comi", " afternoon so enwrapped in the music at st. james's hall i felt that an evil time might be coming up", "rnoon so enwrapped in the music at st. james's hall i felt that an evil time might be coming upon th", " so enwrapped in the music at st. james's hall i felt that an evil time might be coming upon those w", "nwrapped in the music at st. james's hall i felt that an evil time might be coming upon those whom h", "ped in the music at st. james's hall i felt that an evil time might be coming upon those whom he had", "n the music at st. james's hall i felt that an evil time might be coming upon those whom he had set ", " music at st. james's hall i felt that an evil time might be coming upon those whom he had set himse", "c at st. james's hall i felt that an evil time might be coming upon those whom he had set himself to", "st. james's hall i felt that an evil time might be coming upon those whom he had set himself to hunt", "ames's hall i felt that an evil time might be coming upon those whom he had set himself to hunt down", 's hall i felt that an evil time might be coming upon those whom he had set himself to hunt down. "yo', 'l i felt that an evil time might be coming upon those whom he had set himself to hunt down. "you wan', 'elt that an evil time might be coming upon those whom he had set himself to hunt down. "you want to ', 'hat an evil time might be coming upon those whom he had set himself to hunt down. "you want to go ho', 'n evil time might be coming upon those whom he had set himself to hunt down. "you want to go home, n', 'l time might be coming upon those whom he had set himself to hunt down. "you want to go home, no dou', 'e might be coming upon those whom he had set himself to hunt down. "you want to go home, no doubt, d', 'ht be coming upon those whom he had set himself to hunt down. "you want to go home, no doubt, doctor', ' coming upon those whom he had set himself to hunt down. "you want to go home, no doubt, doctor," he', 'ng upon those whom he had set himself to hunt down. "you want to go home, no doubt, doctor," he rema', 'on those whom he had set himself to hunt down. "you want to go home, no doubt, doctor," he remarked ', 'ose whom he had set himself to hunt down. "you want to go home, no doubt, doctor," he remarked as we', 'hom he had set himself to hunt down. "you want to go home, no doubt, doctor," he remarked as we emer', 'e had set himself to hunt down. "you want to go home, no doubt, doctor," he remarked as we emerged. ', ' set himself to hunt down. "you want to go home, no doubt, doctor," he remarked as we emerged. "yes,', 'himself to hunt down. "you want to go home, no doubt, doctor," he remarked as we emerged. "yes, it w', 'lf to hunt down. "you want to go home, no doubt, doctor," he remarked as we emerged. "yes, it would ', ' hunt down. "you want to go home, no doubt, doctor," he remarked as we emerged. "yes, it would be as', ' down. "you want to go home, no doubt, doctor," he remarked as we emerged. "yes, it would be as well', '. "you want to go home, no doubt, doctor," he remarked as we emerged. "yes, it would be as well." "a', 'u want to go home, no doubt, doctor," he remarked as we emerged. "yes, it would be as well." "and i ', 't to go home, no doubt, doctor," he remarked as we emerged. "yes, it would be as well." "and i have ', 'go home, no doubt, doctor," he remarked as we emerged. "yes, it would be as well." "and i have some ', 'me, no doubt, doctor," he remarked as we emerged. "yes, it would be as well." "and i have some busin', 'o doubt, doctor," he remarked as we emerged. "yes, it would be as well." "and i have some business t', 'bt, doctor," he remarked as we emerged. "yes, it would be as well." "and i have some business to do ', 'octor," he remarked as we emerged. "yes, it would be as well." "and i have some business to do which', '," he remarked as we emerged. "yes, it would be as well." "and i have some business to do which will', ' remarked as we emerged. "yes, it would be as well." "and i have some business to do which will take', 'rked as we emerged. "yes, it would be as well." "and i have some business to do which will take some', 'as we emerged. "yes, it would be as well." "and i have some business to do which will take some hour', ' emerged. "yes, it would be as well." "and i have some business to do which will take some hours. th', 'ged. "yes, it would be as well." "and i have some business to do which will take some hours. this bu', '"yes, it would be as well." "and i have some business to do which will take some hours. this busines', ' it would be as well." "and i have some business to do which will take some hours. this business at ', 'ould be as well." "and i have some business to do which will take some hours. this business at cobur', 'be as well." "and i have some business to do which will take some hours. this business at coburg squ', ' well." "and i have some business to do which will take some hours. this business at coburg square i', '." "and i have some business to do which will take some hours. this business at coburg square is ser', 'nd i have some business to do which will take some hours. this business at coburg square is serious.', 'have some business to do which will take some hours. this business at coburg square is serious." "wh', 'some business to do which will take some hours. this business at coburg square is serious." "why ser', 'business to do which will take some hours. this business at coburg square is serious." "why serious?', 'ess to do which will take some hours. this business at coburg square is serious." "why serious?" "a ', 'o do which will take some hours. this business at coburg square is serious." "why serious?" "a consi', 'which will take some hours. this business at coburg square is serious." "why serious?" "a considerab', ' will take some hours. this business at coburg square is serious." "why serious?" "a considerable cr', ' take some hours. this business at coburg square is serious." "why serious?" "a considerable crime i', ' some hours. this business at coburg square is serious." "why serious?" "a considerable crime is in ', ' hours. this business at coburg square is serious." "why serious?" "a considerable crime is in conte', 's. this business at coburg square is serious." "why serious?" "a considerable crime is in contemplat', 'is business at coburg square is serious." "why serious?" "a considerable crime is in contemplation. ', 'siness at coburg square is serious." "why serious?" "a considerable crime is in contemplation. i hav', 's at coburg square is serious." "why serious?" "a considerable crime is in contemplation. i have eve', 'coburg square is serious." "why serious?" "a considerable crime is in contemplation. i have every re', 'g square is serious." "why serious?" "a considerable crime is in contemplation. i have every reason ', 'are is serious." "why serious?" "a considerable crime is in contemplation. i have every reason to be', 's serious." "why serious?" "a considerable crime is in contemplation. i have every reason to believe', 'ious." "why serious?" "a considerable crime is in contemplation. i have every reason to believe that', '" "why serious?" "a considerable crime is in contemplation. i have every reason to believe that we s', 'y serious?" "a considerable crime is in contemplation. i have every reason to believe that we shall ', 'ious?" "a considerable crime is in contemplation. i have every reason to believe that we shall be in', '" "a considerable crime is in contemplation. i have every reason to believe that we shall be in time', 'considerable crime is in contemplation. i have every reason to believe that we shall be in time to s', 'derable crime is in contemplation. i have every reason to believe that we shall be in time to stop i', 'le crime is in contemplation. i have every reason to believe that we shall be in time to stop it. bu', 'ime is in contemplation. i have every reason to believe that we shall be in time to stop it. but to-', 's in contemplation. i have every reason to believe that we shall be in time to stop it. but to-day b', 'contemplation. i have every reason to believe that we shall be in time to stop it. but to-day being ', 'mplation. i have every reason to believe that we shall be in time to stop it. but to-day being satur', 'ion. i have every reason to believe that we shall be in time to stop it. but to-day being saturday r', 'i have every reason to believe that we shall be in time to stop it. but to-day being saturday rather', 'e every reason to believe that we shall be in time to stop it. but to-day being saturday rather comp', 'ry reason to believe that we shall be in time to stop it. but to-day being saturday rather complicat', 'ason to believe that we shall be in time to stop it. but to-day being saturday rather complicates ma', 'to believe that we shall be in time to stop it. but to-day being saturday rather complicates matters', 'lieve that we shall be in time to stop it. but to-day being saturday rather complicates matters. i s', ' that we shall be in time to stop it. but to-day being saturday rather complicates matters. i shall ', ' we shall be in time to stop it. but to-day being saturday rather complicates matters. i shall want ', 'hall be in time to stop it. but to-day being saturday rather complicates matters. i shall want your ', 'be in time to stop it. but to-day being saturday rather complicates matters. i shall want your help ', ' time to stop it. but to-day being saturday rather complicates matters. i shall want your help to-ni', ' to stop it. but to-day being saturday rather complicates matters. i shall want your help to-night."', 'top it. but to-day being saturday rather complicates matters. i shall want your help to-night." "at ', 't. but to-day being saturday rather complicates matters. i shall want your help to-night." "at what ', 't to-day being saturday rather complicates matters. i shall want your help to-night." "at what time?', 'day being saturday rather complicates matters. i shall want your help to-night." "at what time?" "te', 'eing saturday rather complicates matters. i shall want your help to-night." "at what time?" "ten wil', 'saturday rather complicates matters. i shall want your help to-night." "at what time?" "ten will be ', 'day rather complicates matters. i shall want your help to-night." "at what time?" "ten will be early', 'ather complicates matters. i shall want your help to-night." "at what time?" "ten will be early enou', ' complicates matters. i shall want your help to-night." "at what time?" "ten will be early enough." ', 'licates matters. i shall want your help to-night." "at what time?" "ten will be early enough." "i sh', 'es matters. i shall want your help to-night." "at what time?" "ten will be early enough." "i shall b', 'tters. i shall want your help to-night." "at what time?" "ten will be early enough." "i shall be at ', '. i shall want your help to-night." "at what time?" "ten will be early enough." "i shall be at baker', 'hall want your help to-night." "at what time?" "ten will be early enough." "i shall be at baker stre', 'want your help to-night." "at what time?" "ten will be early enough." "i shall be at baker street at', 'your help to-night." "at what time?" "ten will be early enough." "i shall be at baker street at ten.', 'help to-night." "at what time?" "ten will be early enough." "i shall be at baker street at ten." "ve', 'to-night." "at what time?" "ten will be early enough." "i shall be at baker street at ten." "very we', 'ght." "at what time?" "ten will be early enough." "i shall be at baker street at ten." "very well. a', ' "at what time?" "ten will be early enough." "i shall be at baker street at ten." "very well. and, i', 'what time?" "ten will be early enough." "i shall be at baker street at ten." "very well. and, i say,', 'time?" "ten will be early enough." "i shall be at baker street at ten." "very well. and, i say, doct', '" "ten will be early enough." "i shall be at baker street at ten." "very well. and, i say, doctor, t', 'n will be early enough." "i shall be at baker street at ten." "very well. and, i say, doctor, there ', 'l be early enough." "i shall be at baker street at ten." "very well. and, i say, doctor, there may b', 'early enough." "i shall be at baker street at ten." "very well. and, i say, doctor, there may be som', ' enough." "i shall be at baker street at ten." "very well. and, i say, doctor, there may be some lit', 'gh." "i shall be at baker street at ten." "very well. and, i say, doctor, there may be some little d', '"i shall be at baker street at ten." "very well. and, i say, doctor, there may be some little danger', 'all be at baker street at ten." "very well. and, i say, doctor, there may be some little danger, so ', 'e at baker street at ten." "very well. and, i say, doctor, there may be some little danger, so kindl', 'baker street at ten." "very well. and, i say, doctor, there may be some little danger, so kindly put', ' street at ten." "very well. and, i say, doctor, there may be some little danger, so kindly put your', 'et at ten." "very well. and, i say, doctor, there may be some little danger, so kindly put your army', ' ten." "very well. and, i say, doctor, there may be some little danger, so kindly put your army revo', '" "very well. and, i say, doctor, there may be some little danger, so kindly put your army revolver ', 'ry well. and, i say, doctor, there may be some little danger, so kindly put your army revolver in yo', 'll. and, i say, doctor, there may be some little danger, so kindly put your army revolver in your po', 'nd, i say, doctor, there may be some little danger, so kindly put your army revolver in your pocket.', ' say, doctor, there may be some little danger, so kindly put your army revolver in your pocket." he ', ' doctor, there may be some little danger, so kindly put your army revolver in your pocket." he waved', 'or, there may be some little danger, so kindly put your army revolver in your pocket." he waved his ', 'here may be some little danger, so kindly put your army revolver in your pocket." he waved his hand,', 'may be some little danger, so kindly put your army revolver in your pocket." he waved his hand, turn', 'e some little danger, so kindly put your army revolver in your pocket." he waved his hand, turned on', 'e little danger, so kindly put your army revolver in your pocket." he waved his hand, turned on his ', 'tle danger, so kindly put your army revolver in your pocket." he waved his hand, turned on his heel,', 'anger, so kindly put your army revolver in your pocket." he waved his hand, turned on his heel, and ', ', so kindly put your army revolver in your pocket." he waved his hand, turned on his heel, and disap', 'kindly put your army revolver in your pocket." he waved his hand, turned on his heel, and disappeare', 'y put your army revolver in your pocket." he waved his hand, turned on his heel, and disappeared in ', ' your army revolver in your pocket." he waved his hand, turned on his heel, and disappeared in an in', ' army revolver in your pocket." he waved his hand, turned on his heel, and disappeared in an instant', ' revolver in your pocket." he waved his hand, turned on his heel, and disappeared in an instant amon', 'lver in your pocket." he waved his hand, turned on his heel, and disappeared in an instant among the', 'in your pocket." he waved his hand, turned on his heel, and disappeared in an instant among the crow', 'ur pocket." he waved his hand, turned on his heel, and disappeared in an instant among the crowd. i ', 'cket." he waved his hand, turned on his heel, and disappeared in an instant among the crowd. i trust', '" he waved his hand, turned on his heel, and disappeared in an instant among the crowd. i trust that', 'waved his hand, turned on his heel, and disappeared in an instant among the crowd. i trust that i am', ' his hand, turned on his heel, and disappeared in an instant among the crowd. i trust that i am not ', 'hand, turned on his heel, and disappeared in an instant among the crowd. i trust that i am not more ', ' turned on his heel, and disappeared in an instant among the crowd. i trust that i am not more dense', 'ed on his heel, and disappeared in an instant among the crowd. i trust that i am not more dense than', ' his heel, and disappeared in an instant among the crowd. i trust that i am not more dense than my n', 'heel, and disappeared in an instant among the crowd. i trust that i am not more dense than my neighb', ' and disappeared in an instant among the crowd. i trust that i am not more dense than my neighbours,', 'disappeared in an instant among the crowd. i trust that i am not more dense than my neighbours, but ', 'peared in an instant among the crowd. i trust that i am not more dense than my neighbours, but i was', 'd in an instant among the crowd. i trust that i am not more dense than my neighbours, but i was alwa', 'an instant among the crowd. i trust that i am not more dense than my neighbours, but i was always op', 'stant among the crowd. i trust that i am not more dense than my neighbours, but i was always oppress', ' among the crowd. i trust that i am not more dense than my neighbours, but i was always oppressed wi', 'g the crowd. i trust that i am not more dense than my neighbours, but i was always oppressed with a ', ' crowd. i trust that i am not more dense than my neighbours, but i was always oppressed with a sense', 'd. i trust that i am not more dense than my neighbours, but i was always oppressed with a sense of m', 'trust that i am not more dense than my neighbours, but i was always oppressed with a sense of my own', ' that i am not more dense than my neighbours, but i was always oppressed with a sense of my own stup', ' i am not more dense than my neighbours, but i was always oppressed with a sense of my own stupidity', ' not more dense than my neighbours, but i was always oppressed with a sense of my own stupidity in m', 'more dense than my neighbours, but i was always oppressed with a sense of my own stupidity in my dea', 'dense than my neighbours, but i was always oppressed with a sense of my own stupidity in my dealings', ' than my neighbours, but i was always oppressed with a sense of my own stupidity in my dealings with', ' my neighbours, but i was always oppressed with a sense of my own stupidity in my dealings with sher', 'eighbours, but i was always oppressed with a sense of my own stupidity in my dealings with sherlock ', 'ours, but i was always oppressed with a sense of my own stupidity in my dealings with sherlock holme', ' but i was always oppressed with a sense of my own stupidity in my dealings with sherlock holmes. he', 'i was always oppressed with a sense of my own stupidity in my dealings with sherlock holmes. here i ', ' always oppressed with a sense of my own stupidity in my dealings with sherlock holmes. here i had h', 'ys oppressed with a sense of my own stupidity in my dealings with sherlock holmes. here i had heard ', 'pressed with a sense of my own stupidity in my dealings with sherlock holmes. here i had heard what ', 'ed with a sense of my own stupidity in my dealings with sherlock holmes. here i had heard what he ha', 'th a sense of my own stupidity in my dealings with sherlock holmes. here i had heard what he had hea', 'sense of my own stupidity in my dealings with sherlock holmes. here i had heard what he had heard, i', ' of my own stupidity in my dealings with sherlock holmes. here i had heard what he had heard, i had ', 'y own stupidity in my dealings with sherlock holmes. here i had heard what he had heard, i had seen ', ' stupidity in my dealings with sherlock holmes. here i had heard what he had heard, i had seen what ', 'idity in my dealings with sherlock holmes. here i had heard what he had heard, i had seen what he ha', ' in my dealings with sherlock holmes. here i had heard what he had heard, i had seen what he had see', 'y dealings with sherlock holmes. here i had heard what he had heard, i had seen what he had seen, an', 'lings with sherlock holmes. here i had heard what he had heard, i had seen what he had seen, and yet', ' with sherlock holmes. here i had heard what he had heard, i had seen what he had seen, and yet from', ' sherlock holmes. here i had heard what he had heard, i had seen what he had seen, and yet from his ', 'lock holmes. here i had heard what he had heard, i had seen what he had seen, and yet from his words', 'holmes. here i had heard what he had heard, i had seen what he had seen, and yet from his words it w', 's. here i had heard what he had heard, i had seen what he had seen, and yet from his words it was ev', 're i had heard what he had heard, i had seen what he had seen, and yet from his words it was evident', 'had heard what he had heard, i had seen what he had seen, and yet from his words it was evident that', 'eard what he had heard, i had seen what he had seen, and yet from his words it was evident that he s', 'what he had heard, i had seen what he had seen, and yet from his words it was evident that he saw cl', 'he had heard, i had seen what he had seen, and yet from his words it was evident that he saw clearly', 'd heard, i had seen what he had seen, and yet from his words it was evident that he saw clearly not ', 'rd, i had seen what he had seen, and yet from his words it was evident that he saw clearly not only ', ' had seen what he had seen, and yet from his words it was evident that he saw clearly not only what ', 'seen what he had seen, and yet from his words it was evident that he saw clearly not only what had h', 'what he had seen, and yet from his words it was evident that he saw clearly not only what had happen', 'he had seen, and yet from his words it was evident that he saw clearly not only what had happened bu', 'd seen, and yet from his words it was evident that he saw clearly not only what had happened but wha', 'n, and yet from his words it was evident that he saw clearly not only what had happened but what was', 'd yet from his words it was evident that he saw clearly not only what had happened but what was abou', ' from his words it was evident that he saw clearly not only what had happened but what was about to ', ' his words it was evident that he saw clearly not only what had happened but what was about to happe', 'words it was evident that he saw clearly not only what had happened but what was about to happen, wh', ' it was evident that he saw clearly not only what had happened but what was about to happen, while t', 'as evident that he saw clearly not only what had happened but what was about to happen, while to me ', 'ident that he saw clearly not only what had happened but what was about to happen, while to me the w', ' that he saw clearly not only what had happened but what was about to happen, while to me the whole ', ' he saw clearly not only what had happened but what was about to happen, while to me the whole busin', 'aw clearly not only what had happened but what was about to happen, while to me the whole business w', 'early not only what had happened but what was about to happen, while to me the whole business was st', ' not only what had happened but what was about to happen, while to me the whole business was still c', 'only what had happened but what was about to happen, while to me the whole business was still confus', 'what had happened but what was about to happen, while to me the whole business was still confused an', 'had happened but what was about to happen, while to me the whole business was still confused and gro', 'appened but what was about to happen, while to me the whole business was still confused and grotesqu', 'ed but what was about to happen, while to me the whole business was still confused and grotesque. as', 't what was about to happen, while to me the whole business was still confused and grotesque. as i dr', 't was about to happen, while to me the whole business was still confused and grotesque. as i drove h', ' about to happen, while to me the whole business was still confused and grotesque. as i drove home t', 't to happen, while to me the whole business was still confused and grotesque. as i drove home to my ', 'happen, while to me the whole business was still confused and grotesque. as i drove home to my house', 'n, while to me the whole business was still confused and grotesque. as i drove home to my house in k', 'ile to me the whole business was still confused and grotesque. as i drove home to my house in kensin', 'o me the whole business was still confused and grotesque. as i drove home to my house in kensington ', 'the whole business was still confused and grotesque. as i drove home to my house in kensington i tho', 'hole business was still confused and grotesque. as i drove home to my house in kensington i thought ', 'business was still confused and grotesque. as i drove home to my house in kensington i thought over ', 'ess was still confused and grotesque. as i drove home to my house in kensington i thought over it al', 'as still confused and grotesque. as i drove home to my house in kensington i thought over it all, fr', 'ill confused and grotesque. as i drove home to my house in kensington i thought over it all, from th', 'onfused and grotesque. as i drove home to my house in kensington i thought over it all, from the ext', 'ed and grotesque. as i drove home to my house in kensington i thought over it all, from the extraord', 'd grotesque. as i drove home to my house in kensington i thought over it all, from the extraordinary', 'tesque. as i drove home to my house in kensington i thought over it all, from the extraordinary stor', 'e. as i drove home to my house in kensington i thought over it all, from the extraordinary story of ', ' i drove home to my house in kensington i thought over it all, from the extraordinary story of the r', 'ove home to my house in kensington i thought over it all, from the extraordinary story of the red-he', 'ome to my house in kensington i thought over it all, from the extraordinary story of the red-headed ', 'o my house in kensington i thought over it all, from the extraordinary story of the red-headed copie', 'house in kensington i thought over it all, from the extraordinary story of the red-headed copier of ', ' in kensington i thought over it all, from the extraordinary story of the red-headed copier of the "', 'ensington i thought over it all, from the extraordinary story of the red-headed copier of the "encyc', 'gton i thought over it all, from the extraordinary story of the red-headed copier of the "encyclopae', 'i thought over it all, from the extraordinary story of the red-headed copier of the "encyclopaedia" ', 'ught over it all, from the extraordinary story of the red-headed copier of the "encyclopaedia" down ', 'over it all, from the extraordinary story of the red-headed copier of the "encyclopaedia" down to th', 'it all, from the extraordinary story of the red-headed copier of the "encyclopaedia" down to the vis', 'l, from the extraordinary story of the red-headed copier of the "encyclopaedia" down to the visit to', 'om the extraordinary story of the red-headed copier of the "encyclopaedia" down to the visit to saxe', 'e extraordinary story of the red-headed copier of the "encyclopaedia" down to the visit to saxe-cobu', 'raordinary story of the red-headed copier of the "encyclopaedia" down to the visit to saxe-coburg sq', 'inary story of the red-headed copier of the "encyclopaedia" down to the visit to saxe-coburg square,', ' story of the red-headed copier of the "encyclopaedia" down to the visit to saxe-coburg square, and ', 'y of the red-headed copier of the "encyclopaedia" down to the visit to saxe-coburg square, and the o', 'the red-headed copier of the "encyclopaedia" down to the visit to saxe-coburg square, and the ominou', 'ed-headed copier of the "encyclopaedia" down to the visit to saxe-coburg square, and the ominous wor', 'aded copier of the "encyclopaedia" down to the visit to saxe-coburg square, and the ominous words wi', 'copier of the "encyclopaedia" down to the visit to saxe-coburg square, and the ominous words with wh', 'r of the "encyclopaedia" down to the visit to saxe-coburg square, and the ominous words with which h', 'the "encyclopaedia" down to the visit to saxe-coburg square, and the ominous words with which he had', 'encyclopaedia" down to the visit to saxe-coburg square, and the ominous words with which he had part', 'lopaedia" down to the visit to saxe-coburg square, and the ominous words with which he had parted fr', 'dia" down to the visit to saxe-coburg square, and the ominous words with which he had parted from me', 'down to the visit to saxe-coburg square, and the ominous words with which he had parted from me. wha', 'to the visit to saxe-coburg square, and the ominous words with which he had parted from me. what was', 'e visit to saxe-coburg square, and the ominous words with which he had parted from me. what was this', 'it to saxe-coburg square, and the ominous words with which he had parted from me. what was this noct', ' saxe-coburg square, and the ominous words with which he had parted from me. what was this nocturnal', '-coburg square, and the ominous words with which he had parted from me. what was this nocturnal expe', 'rg square, and the ominous words with which he had parted from me. what was this nocturnal expeditio', 'uare, and the ominous words with which he had parted from me. what was this nocturnal expedition, an', ' and the ominous words with which he had parted from me. what was this nocturnal expedition, and why', 'the ominous words with which he had parted from me. what was this nocturnal expedition, and why shou', 'minous words with which he had parted from me. what was this nocturnal expedition, and why should i ', 's words with which he had parted from me. what was this nocturnal expedition, and why should i go ar', 'ds with which he had parted from me. what was this nocturnal expedition, and why should i go armed? ', 'th which he had parted from me. what was this nocturnal expedition, and why should i go armed? where', 'ich he had parted from me. what was this nocturnal expedition, and why should i go armed? where were', 'e had parted from me. what was this nocturnal expedition, and why should i go armed? where were we g', ' parted from me. what was this nocturnal expedition, and why should i go armed? where were we going,', 'ed from me. what was this nocturnal expedition, and why should i go armed? where were we going, and ', 'om me. what was this nocturnal expedition, and why should i go armed? where were we going, and what ', '. what was this nocturnal expedition, and why should i go armed? where were we going, and what were ', 't was this nocturnal expedition, and why should i go armed? where were we going, and what were we to', ' this nocturnal expedition, and why should i go armed? where were we going, and what were we to do? ', ' nocturnal expedition, and why should i go armed? where were we going, and what were we to do? i had', 'urnal expedition, and why should i go armed? where were we going, and what were we to do? i had the ', ' expedition, and why should i go armed? where were we going, and what were we to do? i had the hint ', 'dition, and why should i go armed? where were we going, and what were we to do? i had the hint from ', 'n, and why should i go armed? where were we going, and what were we to do? i had the hint from holme', 'd why should i go armed? where were we going, and what were we to do? i had the hint from holmes tha', ' should i go armed? where were we going, and what were we to do? i had the hint from holmes that thi', 'ld i go armed? where were we going, and what were we to do? i had the hint from holmes that this smo', 'go armed? where were we going, and what were we to do? i had the hint from holmes that this smooth-f', 'med? where were we going, and what were we to do? i had the hint from holmes that this smooth-faced ', 'where were we going, and what were we to do? i had the hint from holmes that this smooth-faced pawnb', ' were we going, and what were we to do? i had the hint from holmes that this smooth-faced pawnbroker', " we going, and what were we to do? i had the hint from holmes that this smooth-faced pawnbroker's as", "oing, and what were we to do? i had the hint from holmes that this smooth-faced pawnbroker's assista", " and what were we to do? i had the hint from holmes that this smooth-faced pawnbroker's assistant wa", "what were we to do? i had the hint from holmes that this smooth-faced pawnbroker's assistant was a f", "were we to do? i had the hint from holmes that this smooth-faced pawnbroker's assistant was a formid", "we to do? i had the hint from holmes that this smooth-faced pawnbroker's assistant was a formidable ", " do? i had the hint from holmes that this smooth-faced pawnbroker's assistant was a formidable mana ", "i had the hint from holmes that this smooth-faced pawnbroker's assistant was a formidable mana man w", " the hint from holmes that this smooth-faced pawnbroker's assistant was a formidable mana man who mi", "hint from holmes that this smooth-faced pawnbroker's assistant was a formidable mana man who might p", "from holmes that this smooth-faced pawnbroker's assistant was a formidable mana man who might play a", "holmes that this smooth-faced pawnbroker's assistant was a formidable mana man who might play a deep", "s that this smooth-faced pawnbroker's assistant was a formidable mana man who might play a deep game", "t this smooth-faced pawnbroker's assistant was a formidable mana man who might play a deep game. i t", "s smooth-faced pawnbroker's assistant was a formidable mana man who might play a deep game. i tried ", "oth-faced pawnbroker's assistant was a formidable mana man who might play a deep game. i tried to pu", "aced pawnbroker's assistant was a formidable mana man who might play a deep game. i tried to puzzle ", "pawnbroker's assistant was a formidable mana man who might play a deep game. i tried to puzzle it ou", "roker's assistant was a formidable mana man who might play a deep game. i tried to puzzle it out, bu", "'s assistant was a formidable mana man who might play a deep game. i tried to puzzle it out, but gav", 'sistant was a formidable mana man who might play a deep game. i tried to puzzle it out, but gave it ', 'nt was a formidable mana man who might play a deep game. i tried to puzzle it out, but gave it up in', 's a formidable mana man who might play a deep game. i tried to puzzle it out, but gave it up in desp', 'ormidable mana man who might play a deep game. i tried to puzzle it out, but gave it up in despair a', 'able mana man who might play a deep game. i tried to puzzle it out, but gave it up in despair and se', 'mana man who might play a deep game. i tried to puzzle it out, but gave it up in despair and set the', 'man who might play a deep game. i tried to puzzle it out, but gave it up in despair and set the matt', 'ho might play a deep game. i tried to puzzle it out, but gave it up in despair and set the matter as', 'ght play a deep game. i tried to puzzle it out, but gave it up in despair and set the matter aside u', 'lay a deep game. i tried to puzzle it out, but gave it up in despair and set the matter aside until ', ' deep game. i tried to puzzle it out, but gave it up in despair and set the matter aside until night', ' game. i tried to puzzle it out, but gave it up in despair and set the matter aside until night shou', '. i tried to puzzle it out, but gave it up in despair and set the matter aside until night should br', 'ried to puzzle it out, but gave it up in despair and set the matter aside until night should bring a', 'to puzzle it out, but gave it up in despair and set the matter aside until night should bring an exp', 'zzle it out, but gave it up in despair and set the matter aside until night should bring an explanat', 'it out, but gave it up in despair and set the matter aside until night should bring an explanation. ', 't, but gave it up in despair and set the matter aside until night should bring an explanation. it wa', 't gave it up in despair and set the matter aside until night should bring an explanation. it was a q', 'e it up in despair and set the matter aside until night should bring an explanation. it was a quarte', 'up in despair and set the matter aside until night should bring an explanation. it was a quarter-pas', ' despair and set the matter aside until night should bring an explanation. it was a quarter-past nin', 'air and set the matter aside until night should bring an explanation. it was a quarter-past nine whe', 'nd set the matter aside until night should bring an explanation. it was a quarter-past nine when i s', 't the matter aside until night should bring an explanation. it was a quarter-past nine when i starte', ' matter aside until night should bring an explanation. it was a quarter-past nine when i started fro', 'er aside until night should bring an explanation. it was a quarter-past nine when i started from hom', 'ide until night should bring an explanation. it was a quarter-past nine when i started from home and', 'ntil night should bring an explanation. it was a quarter-past nine when i started from home and made', 'night should bring an explanation. it was a quarter-past nine when i started from home and made my w', ' should bring an explanation. it was a quarter-past nine when i started from home and made my way ac', 'ld bring an explanation. it was a quarter-past nine when i started from home and made my way across ', 'ing an explanation. it was a quarter-past nine when i started from home and made my way across the p', 'n explanation. it was a quarter-past nine when i started from home and made my way across the park, ', 'lanation. it was a quarter-past nine when i started from home and made my way across the park, and s', 'ion. it was a quarter-past nine when i started from home and made my way across the park, and so thr', 'it was a quarter-past nine when i started from home and made my way across the park, and so through ', 's a quarter-past nine when i started from home and made my way across the park, and so through oxfor', 'uarter-past nine when i started from home and made my way across the park, and so through oxford str', 'r-past nine when i started from home and made my way across the park, and so through oxford street t', 't nine when i started from home and made my way across the park, and so through oxford street to bak', 'e when i started from home and made my way across the park, and so through oxford street to baker st', 'n i started from home and made my way across the park, and so through oxford street to baker street.', 'tarted from home and made my way across the park, and so through oxford street to baker street. two ', 'd from home and made my way across the park, and so through oxford street to baker street. two hanso', 'm home and made my way across the park, and so through oxford street to baker street. two hansoms we', 'e and made my way across the park, and so through oxford street to baker street. two hansoms were st', ' made my way across the park, and so through oxford street to baker street. two hansoms were standin', ' my way across the park, and so through oxford street to baker street. two hansoms were standing at ', 'ay across the park, and so through oxford street to baker street. two hansoms were standing at the d', 'ross the park, and so through oxford street to baker street. two hansoms were standing at the door, ', 'the park, and so through oxford street to baker street. two hansoms were standing at the door, and a', 'ark, and so through oxford street to baker street. two hansoms were standing at the door, and as i e', 'and so through oxford street to baker street. two hansoms were standing at the door, and as i entere', 'o through oxford street to baker street. two hansoms were standing at the door, and as i entered the', 'ough oxford street to baker street. two hansoms were standing at the door, and as i entered the pass', 'oxford street to baker street. two hansoms were standing at the door, and as i entered the passage i', 'd street to baker street. two hansoms were standing at the door, and as i entered the passage i hear', 'eet to baker street. two hansoms were standing at the door, and as i entered the passage i heard the', 'o baker street. two hansoms were standing at the door, and as i entered the passage i heard the soun', 'er street. two hansoms were standing at the door, and as i entered the passage i heard the sound of ', 'reet. two hansoms were standing at the door, and as i entered the passage i heard the sound of voice', ' two hansoms were standing at the door, and as i entered the passage i heard the sound of voices fro', 'hansoms were standing at the door, and as i entered the passage i heard the sound of voices from abo', 'ms were standing at the door, and as i entered the passage i heard the sound of voices from above. o', 're standing at the door, and as i entered the passage i heard the sound of voices from above. on ent', 'anding at the door, and as i entered the passage i heard the sound of voices from above. on entering', 'g at the door, and as i entered the passage i heard the sound of voices from above. on entering his ', 'the door, and as i entered the passage i heard the sound of voices from above. on entering his room ', 'oor, and as i entered the passage i heard the sound of voices from above. on entering his room i fou', 'and as i entered the passage i heard the sound of voices from above. on entering his room i found ho', 's i entered the passage i heard the sound of voices from above. on entering his room i found holmes ', 'ntered the passage i heard the sound of voices from above. on entering his room i found holmes in an', 'd the passage i heard the sound of voices from above. on entering his room i found holmes in animate', ' passage i heard the sound of voices from above. on entering his room i found holmes in animated con', 'age i heard the sound of voices from above. on entering his room i found holmes in animated conversa', ' heard the sound of voices from above. on entering his room i found holmes in animated conversation ', 'd the sound of voices from above. on entering his room i found holmes in animated conversation with ', ' sound of voices from above. on entering his room i found holmes in animated conversation with two m', 'd of voices from above. on entering his room i found holmes in animated conversation with two men, o', 'voices from above. on entering his room i found holmes in animated conversation with two men, one of', 's from above. on entering his room i found holmes in animated conversation with two men, one of whom', 'm above. on entering his room i found holmes in animated conversation with two men, one of whom i re', 've. on entering his room i found holmes in animated conversation with two men, one of whom i recogni', 'n entering his room i found holmes in animated conversation with two men, one of whom i recognised a', 'ering his room i found holmes in animated conversation with two men, one of whom i recognised as pet', ' his room i found holmes in animated conversation with two men, one of whom i recognised as peter jo', 'room i found holmes in animated conversation with two men, one of whom i recognised as peter jones, ', 'i found holmes in animated conversation with two men, one of whom i recognised as peter jones, the o', 'nd holmes in animated conversation with two men, one of whom i recognised as peter jones, the offici', 'lmes in animated conversation with two men, one of whom i recognised as peter jones, the official po', 'in animated conversation with two men, one of whom i recognised as peter jones, the official police ', 'imated conversation with two men, one of whom i recognised as peter jones, the official police agent', 'd conversation with two men, one of whom i recognised as peter jones, the official police agent, whi', 'versation with two men, one of whom i recognised as peter jones, the official police agent, while th', 'tion with two men, one of whom i recognised as peter jones, the official police agent, while the oth', 'with two men, one of whom i recognised as peter jones, the official police agent, while the other wa', 'two men, one of whom i recognised as peter jones, the official police agent, while the other was a l', 'en, one of whom i recognised as peter jones, the official police agent, while the other was a long, ', 'ne of whom i recognised as peter jones, the official police agent, while the other was a long, thin,', ' whom i recognised as peter jones, the official police agent, while the other was a long, thin, sad-', ' i recognised as peter jones, the official police agent, while the other was a long, thin, sad-faced', 'cognised as peter jones, the official police agent, while the other was a long, thin, sad-faced man,', 'sed as peter jones, the official police agent, while the other was a long, thin, sad-faced man, with', 's peter jones, the official police agent, while the other was a long, thin, sad-faced man, with a ve', 'er jones, the official police agent, while the other was a long, thin, sad-faced man, with a very sh', 'nes, the official police agent, while the other was a long, thin, sad-faced man, with a very shiny h', 'the official police agent, while the other was a long, thin, sad-faced man, with a very shiny hat an', 'fficial police agent, while the other was a long, thin, sad-faced man, with a very shiny hat and opp', 'al police agent, while the other was a long, thin, sad-faced man, with a very shiny hat and oppressi', 'lice agent, while the other was a long, thin, sad-faced man, with a very shiny hat and oppressively ', 'agent, while the other was a long, thin, sad-faced man, with a very shiny hat and oppressively respe', ', while the other was a long, thin, sad-faced man, with a very shiny hat and oppressively respectabl', 'le the other was a long, thin, sad-faced man, with a very shiny hat and oppressively respectable fro', 'e other was a long, thin, sad-faced man, with a very shiny hat and oppressively respectable frock-co', 'er was a long, thin, sad-faced man, with a very shiny hat and oppressively respectable frock-coat. "', 's a long, thin, sad-faced man, with a very shiny hat and oppressively respectable frock-coat. "ha! o', 'ong, thin, sad-faced man, with a very shiny hat and oppressively respectable frock-coat. "ha! our pa', 'thin, sad-faced man, with a very shiny hat and oppressively respectable frock-coat. "ha! our party i', ' sad-faced man, with a very shiny hat and oppressively respectable frock-coat. "ha! our party is com', 'faced man, with a very shiny hat and oppressively respectable frock-coat. "ha! our party is complete', ' man, with a very shiny hat and oppressively respectable frock-coat. "ha! our party is complete," sa', ' with a very shiny hat and oppressively respectable frock-coat. "ha! our party is complete," said ho', ' a very shiny hat and oppressively respectable frock-coat. "ha! our party is complete," said holmes,', 'ry shiny hat and oppressively respectable frock-coat. "ha! our party is complete," said holmes, butt', 'iny hat and oppressively respectable frock-coat. "ha! our party is complete," said holmes, buttoning', 'at and oppressively respectable frock-coat. "ha! our party is complete," said holmes, buttoning up h', 'd oppressively respectable frock-coat. "ha! our party is complete," said holmes, buttoning up his pe', 'ressively respectable frock-coat. "ha! our party is complete," said holmes, buttoning up his pea-jac', 'vely respectable frock-coat. "ha! our party is complete," said holmes, buttoning up his pea-jacket a', 'respectable frock-coat. "ha! our party is complete," said holmes, buttoning up his pea-jacket and ta', 'ctable frock-coat. "ha! our party is complete," said holmes, buttoning up his pea-jacket and taking ', 'e frock-coat. "ha! our party is complete," said holmes, buttoning up his pea-jacket and taking his h', 'ck-coat. "ha! our party is complete," said holmes, buttoning up his pea-jacket and taking his heavy ', 'at. "ha! our party is complete," said holmes, buttoning up his pea-jacket and taking his heavy hunti', 'ha! our party is complete," said holmes, buttoning up his pea-jacket and taking his heavy hunting cr', 'ur party is complete," said holmes, buttoning up his pea-jacket and taking his heavy hunting crop fr', 'rty is complete," said holmes, buttoning up his pea-jacket and taking his heavy hunting crop from th', 's complete," said holmes, buttoning up his pea-jacket and taking his heavy hunting crop from the rac', 'plete," said holmes, buttoning up his pea-jacket and taking his heavy hunting crop from the rack. "w', '," said holmes, buttoning up his pea-jacket and taking his heavy hunting crop from the rack. "watson', 'id holmes, buttoning up his pea-jacket and taking his heavy hunting crop from the rack. "watson, i t', 'lmes, buttoning up his pea-jacket and taking his heavy hunting crop from the rack. "watson, i think ', ' buttoning up his pea-jacket and taking his heavy hunting crop from the rack. "watson, i think you k', 'oning up his pea-jacket and taking his heavy hunting crop from the rack. "watson, i think you know m', ' up his pea-jacket and taking his heavy hunting crop from the rack. "watson, i think you know mr. jo', 'is pea-jacket and taking his heavy hunting crop from the rack. "watson, i think you know mr. jones, ', 'a-jacket and taking his heavy hunting crop from the rack. "watson, i think you know mr. jones, of sc', 'ket and taking his heavy hunting crop from the rack. "watson, i think you know mr. jones, of scotlan', 'nd taking his heavy hunting crop from the rack. "watson, i think you know mr. jones, of scotland yar', 'king his heavy hunting crop from the rack. "watson, i think you know mr. jones, of scotland yard? le', 'his heavy hunting crop from the rack. "watson, i think you know mr. jones, of scotland yard? let me ', 'eavy hunting crop from the rack. "watson, i think you know mr. jones, of scotland yard? let me intro', 'hunting crop from the rack. "watson, i think you know mr. jones, of scotland yard? let me introduce ', 'ng crop from the rack. "watson, i think you know mr. jones, of scotland yard? let me introduce you t', 'op from the rack. "watson, i think you know mr. jones, of scotland yard? let me introduce you to mr.', 'om the rack. "watson, i think you know mr. jones, of scotland yard? let me introduce you to mr. merr', 'e rack. "watson, i think you know mr. jones, of scotland yard? let me introduce you to mr. merryweat', 'k. "watson, i think you know mr. jones, of scotland yard? let me introduce you to mr. merryweather, ', 'atson, i think you know mr. jones, of scotland yard? let me introduce you to mr. merryweather, who i', ', i think you know mr. jones, of scotland yard? let me introduce you to mr. merryweather, who is to ', 'hink you know mr. jones, of scotland yard? let me introduce you to mr. merryweather, who is to be ou', 'you know mr. jones, of scotland yard? let me introduce you to mr. merryweather, who is to be our com', 'now mr. jones, of scotland yard? let me introduce you to mr. merryweather, who is to be our companio', 'r. jones, of scotland yard? let me introduce you to mr. merryweather, who is to be our companion in ', 'nes, of scotland yard? let me introduce you to mr. merryweather, who is to be our companion in to-ni', "of scotland yard? let me introduce you to mr. merryweather, who is to be our companion in to-night's", "otland yard? let me introduce you to mr. merryweather, who is to be our companion in to-night's adve", "d yard? let me introduce you to mr. merryweather, who is to be our companion in to-night's adventure", 'd? let me introduce you to mr. merryweather, who is to be our companion in to-night\'s adventure." "w', 't me introduce you to mr. merryweather, who is to be our companion in to-night\'s adventure." "we\'re ', 'introduce you to mr. merryweather, who is to be our companion in to-night\'s adventure." "we\'re hunti', 'duce you to mr. merryweather, who is to be our companion in to-night\'s adventure." "we\'re hunting in', 'you to mr. merryweather, who is to be our companion in to-night\'s adventure." "we\'re hunting in coup', 'o mr. merryweather, who is to be our companion in to-night\'s adventure." "we\'re hunting in couples a', ' merryweather, who is to be our companion in to-night\'s adventure." "we\'re hunting in couples again,', 'yweather, who is to be our companion in to-night\'s adventure." "we\'re hunting in couples again, doct', 'her, who is to be our companion in to-night\'s adventure." "we\'re hunting in couples again, doctor, y', 'who is to be our companion in to-night\'s adventure." "we\'re hunting in couples again, doctor, you se', 's to be our companion in to-night\'s adventure." "we\'re hunting in couples again, doctor, you see," s', 'be our companion in to-night\'s adventure." "we\'re hunting in couples again, doctor, you see," said j', 'r companion in to-night\'s adventure." "we\'re hunting in couples again, doctor, you see," said jones ', 'panion in to-night\'s adventure." "we\'re hunting in couples again, doctor, you see," said jones in hi', 'n in to-night\'s adventure." "we\'re hunting in couples again, doctor, you see," said jones in his con', 'to-night\'s adventure." "we\'re hunting in couples again, doctor, you see," said jones in his conseque', 'ght\'s adventure." "we\'re hunting in couples again, doctor, you see," said jones in his consequential', ' adventure." "we\'re hunting in couples again, doctor, you see," said jones in his consequential way.', 'nture." "we\'re hunting in couples again, doctor, you see," said jones in his consequential way. "our', '." "we\'re hunting in couples again, doctor, you see," said jones in his consequential way. "our frie', 'e\'re hunting in couples again, doctor, you see," said jones in his consequential way. "our friend he', 'hunting in couples again, doctor, you see," said jones in his consequential way. "our friend here is', 'ng in couples again, doctor, you see," said jones in his consequential way. "our friend here is a wo', ' couples again, doctor, you see," said jones in his consequential way. "our friend here is a wonderf', 'les again, doctor, you see," said jones in his consequential way. "our friend here is a wonderful ma', 'gain, doctor, you see," said jones in his consequential way. "our friend here is a wonderful man for', ' doctor, you see," said jones in his consequential way. "our friend here is a wonderful man for star', 'or, you see," said jones in his consequential way. "our friend here is a wonderful man for starting ', 'ou see," said jones in his consequential way. "our friend here is a wonderful man for starting a cha', 'e," said jones in his consequential way. "our friend here is a wonderful man for starting a chase. a', 'aid jones in his consequential way. "our friend here is a wonderful man for starting a chase. all he', 'ones in his consequential way. "our friend here is a wonderful man for starting a chase. all he want', 'in his consequential way. "our friend here is a wonderful man for starting a chase. all he wants is ', 's consequential way. "our friend here is a wonderful man for starting a chase. all he wants is an ol', 'sequential way. "our friend here is a wonderful man for starting a chase. all he wants is an old dog', 'ntial way. "our friend here is a wonderful man for starting a chase. all he wants is an old dog to h', ' way. "our friend here is a wonderful man for starting a chase. all he wants is an old dog to help h', ' "our friend here is a wonderful man for starting a chase. all he wants is an old dog to help him to', ' friend here is a wonderful man for starting a chase. all he wants is an old dog to help him to do t', 'nd here is a wonderful man for starting a chase. all he wants is an old dog to help him to do the ru', 're is a wonderful man for starting a chase. all he wants is an old dog to help him to do the running', ' a wonderful man for starting a chase. all he wants is an old dog to help him to do the running down', 'nderful man for starting a chase. all he wants is an old dog to help him to do the running down." "i', 'ul man for starting a chase. all he wants is an old dog to help him to do the running down." "i hope', 'n for starting a chase. all he wants is an old dog to help him to do the running down." "i hope a wi', ' starting a chase. all he wants is an old dog to help him to do the running down." "i hope a wild go', 'ting a chase. all he wants is an old dog to help him to do the running down." "i hope a wild goose m', 'a chase. all he wants is an old dog to help him to do the running down." "i hope a wild goose may no', 'se. all he wants is an old dog to help him to do the running down." "i hope a wild goose may not pro', 'll he wants is an old dog to help him to do the running down." "i hope a wild goose may not prove to', ' wants is an old dog to help him to do the running down." "i hope a wild goose may not prove to be t', 's is an old dog to help him to do the running down." "i hope a wild goose may not prove to be the en', 'an old dog to help him to do the running down." "i hope a wild goose may not prove to be the end of ', 'd dog to help him to do the running down." "i hope a wild goose may not prove to be the end of our c', ' to help him to do the running down." "i hope a wild goose may not prove to be the end of our chase,', 'elp him to do the running down." "i hope a wild goose may not prove to be the end of our chase," obs', 'im to do the running down." "i hope a wild goose may not prove to be the end of our chase," observed', ' do the running down." "i hope a wild goose may not prove to be the end of our chase," observed mr. ', 'he running down." "i hope a wild goose may not prove to be the end of our chase," observed mr. merry', 'nning down." "i hope a wild goose may not prove to be the end of our chase," observed mr. merryweath', ' down." "i hope a wild goose may not prove to be the end of our chase," observed mr. merryweather gl', '." "i hope a wild goose may not prove to be the end of our chase," observed mr. merryweather gloomil', ' hope a wild goose may not prove to be the end of our chase," observed mr. merryweather gloomily. "y', ' a wild goose may not prove to be the end of our chase," observed mr. merryweather gloomily. "you ma', 'ld goose may not prove to be the end of our chase," observed mr. merryweather gloomily. "you may pla', 'ose may not prove to be the end of our chase," observed mr. merryweather gloomily. "you may place co', 'ay not prove to be the end of our chase," observed mr. merryweather gloomily. "you may place conside', 't prove to be the end of our chase," observed mr. merryweather gloomily. "you may place considerable', 've to be the end of our chase," observed mr. merryweather gloomily. "you may place considerable conf', ' be the end of our chase," observed mr. merryweather gloomily. "you may place considerable confidenc', 'he end of our chase," observed mr. merryweather gloomily. "you may place considerable confidence in ', 'd of our chase," observed mr. merryweather gloomily. "you may place considerable confidence in mr. h', 'our chase," observed mr. merryweather gloomily. "you may place considerable confidence in mr. holmes', 'hase," observed mr. merryweather gloomily. "you may place considerable confidence in mr. holmes, sir', '" observed mr. merryweather gloomily. "you may place considerable confidence in mr. holmes, sir," sa', 'erved mr. merryweather gloomily. "you may place considerable confidence in mr. holmes, sir," said th', ' mr. merryweather gloomily. "you may place considerable confidence in mr. holmes, sir," said the pol', 'merryweather gloomily. "you may place considerable confidence in mr. holmes, sir," said the police a', 'weather gloomily. "you may place considerable confidence in mr. holmes, sir," said the police agent ', 'er gloomily. "you may place considerable confidence in mr. holmes, sir," said the police agent lofti', 'oomily. "you may place considerable confidence in mr. holmes, sir," said the police agent loftily. "', 'y. "you may place considerable confidence in mr. holmes, sir," said the police agent loftily. "he ha', 'ou may place considerable confidence in mr. holmes, sir," said the police agent loftily. "he has his', 'y place considerable confidence in mr. holmes, sir," said the police agent loftily. "he has his own ', 'ce considerable confidence in mr. holmes, sir," said the police agent loftily. "he has his own littl', 'nsiderable confidence in mr. holmes, sir," said the police agent loftily. "he has his own little met', 'rable confidence in mr. holmes, sir," said the police agent loftily. "he has his own little methods,', ' confidence in mr. holmes, sir," said the police agent loftily. "he has his own little methods, whic', 'idence in mr. holmes, sir," said the police agent loftily. "he has his own little methods, which are', 'e in mr. holmes, sir," said the police agent loftily. "he has his own little methods, which are, if ', 'mr. holmes, sir," said the police agent loftily. "he has his own little methods, which are, if he wo', 'olmes, sir," said the police agent loftily. "he has his own little methods, which are, if he won\'t m', ', sir," said the police agent loftily. "he has his own little methods, which are, if he won\'t mind m', '," said the police agent loftily. "he has his own little methods, which are, if he won\'t mind my say', 'id the police agent loftily. "he has his own little methods, which are, if he won\'t mind my saying s', 'e police agent loftily. "he has his own little methods, which are, if he won\'t mind my saying so, ju', 'ice agent loftily. "he has his own little methods, which are, if he won\'t mind my saying so, just a ', 'gent loftily. "he has his own little methods, which are, if he won\'t mind my saying so, just a littl', 'loftily. "he has his own little methods, which are, if he won\'t mind my saying so, just a little too', 'ly. "he has his own little methods, which are, if he won\'t mind my saying so, just a little too theo', "he has his own little methods, which are, if he won't mind my saying so, just a little too theoretic", "s his own little methods, which are, if he won't mind my saying so, just a little too theoretical an", " own little methods, which are, if he won't mind my saying so, just a little too theoretical and fan", "little methods, which are, if he won't mind my saying so, just a little too theoretical and fantasti", "e methods, which are, if he won't mind my saying so, just a little too theoretical and fantastic, bu", "hods, which are, if he won't mind my saying so, just a little too theoretical and fantastic, but he ", " which are, if he won't mind my saying so, just a little too theoretical and fantastic, but he has t", "h are, if he won't mind my saying so, just a little too theoretical and fantastic, but he has the ma", ", if he won't mind my saying so, just a little too theoretical and fantastic, but he has the makings", "he won't mind my saying so, just a little too theoretical and fantastic, but he has the makings of a", "n't mind my saying so, just a little too theoretical and fantastic, but he has the makings of a dete", 'ind my saying so, just a little too theoretical and fantastic, but he has the makings of a detective', 'y saying so, just a little too theoretical and fantastic, but he has the makings of a detective in h', 'ing so, just a little too theoretical and fantastic, but he has the makings of a detective in him. i', 'o, just a little too theoretical and fantastic, but he has the makings of a detective in him. it is ', 'st a little too theoretical and fantastic, but he has the makings of a detective in him. it is not t', 'little too theoretical and fantastic, but he has the makings of a detective in him. it is not too mu', 'e too theoretical and fantastic, but he has the makings of a detective in him. it is not too much to', ' theoretical and fantastic, but he has the makings of a detective in him. it is not too much to say ', 'retical and fantastic, but he has the makings of a detective in him. it is not too much to say that ', 'al and fantastic, but he has the makings of a detective in him. it is not too much to say that once ', 'd fantastic, but he has the makings of a detective in him. it is not too much to say that once or tw', 'tastic, but he has the makings of a detective in him. it is not too much to say that once or twice, ', 'c, but he has the makings of a detective in him. it is not too much to say that once or twice, as in', 't he has the makings of a detective in him. it is not too much to say that once or twice, as in that', 'has the makings of a detective in him. it is not too much to say that once or twice, as in that busi', 'he makings of a detective in him. it is not too much to say that once or twice, as in that business ', 'kings of a detective in him. it is not too much to say that once or twice, as in that business of th', ' of a detective in him. it is not too much to say that once or twice, as in that business of the sho', ' detective in him. it is not too much to say that once or twice, as in that business of the sholto m', 'ctive in him. it is not too much to say that once or twice, as in that business of the sholto murder', ' in him. it is not too much to say that once or twice, as in that business of the sholto murder and ', 'im. it is not too much to say that once or twice, as in that business of the sholto murder and the a', 't is not too much to say that once or twice, as in that business of the sholto murder and the agra t', 'not too much to say that once or twice, as in that business of the sholto murder and the agra treasu', 'oo much to say that once or twice, as in that business of the sholto murder and the agra treasure, h', 'ch to say that once or twice, as in that business of the sholto murder and the agra treasure, he has', ' say that once or twice, as in that business of the sholto murder and the agra treasure, he has been', 'that once or twice, as in that business of the sholto murder and the agra treasure, he has been more', 'once or twice, as in that business of the sholto murder and the agra treasure, he has been more near', 'or twice, as in that business of the sholto murder and the agra treasure, he has been more nearly co', 'ice, as in that business of the sholto murder and the agra treasure, he has been more nearly correct', 'as in that business of the sholto murder and the agra treasure, he has been more nearly correct than', ' that business of the sholto murder and the agra treasure, he has been more nearly correct than the ', ' business of the sholto murder and the agra treasure, he has been more nearly correct than the offic', 'ness of the sholto murder and the agra treasure, he has been more nearly correct than the official f', 'of the sholto murder and the agra treasure, he has been more nearly correct than the official force.', 'e sholto murder and the agra treasure, he has been more nearly correct than the official force." "oh', 'lto murder and the agra treasure, he has been more nearly correct than the official force." "oh, if ', 'urder and the agra treasure, he has been more nearly correct than the official force." "oh, if you s', ' and the agra treasure, he has been more nearly correct than the official force." "oh, if you say so', 'the agra treasure, he has been more nearly correct than the official force." "oh, if you say so, mr.', 'gra treasure, he has been more nearly correct than the official force." "oh, if you say so, mr. jone', 'reasure, he has been more nearly correct than the official force." "oh, if you say so, mr. jones, it', 're, he has been more nearly correct than the official force." "oh, if you say so, mr. jones, it is a', 'e has been more nearly correct than the official force." "oh, if you say so, mr. jones, it is all ri', ' been more nearly correct than the official force." "oh, if you say so, mr. jones, it is all right,"', ' more nearly correct than the official force." "oh, if you say so, mr. jones, it is all right," said', ' nearly correct than the official force." "oh, if you say so, mr. jones, it is all right," said the ', 'ly correct than the official force." "oh, if you say so, mr. jones, it is all right," said the stran', 'rrect than the official force." "oh, if you say so, mr. jones, it is all right," said the stranger w', ' than the official force." "oh, if you say so, mr. jones, it is all right," said the stranger with d', ' the official force." "oh, if you say so, mr. jones, it is all right," said the stranger with defere', 'official force." "oh, if you say so, mr. jones, it is all right," said the stranger with deference. ', 'ial force." "oh, if you say so, mr. jones, it is all right," said the stranger with deference. "stil', 'orce." "oh, if you say so, mr. jones, it is all right," said the stranger with deference. "still, i ', '" "oh, if you say so, mr. jones, it is all right," said the stranger with deference. "still, i confe', ', if you say so, mr. jones, it is all right," said the stranger with deference. "still, i confess th', 'you say so, mr. jones, it is all right," said the stranger with deference. "still, i confess that i ', 'ay so, mr. jones, it is all right," said the stranger with deference. "still, i confess that i miss ', ', mr. jones, it is all right," said the stranger with deference. "still, i confess that i miss my ru', ' jones, it is all right," said the stranger with deference. "still, i confess that i miss my rubber.', 's, it is all right," said the stranger with deference. "still, i confess that i miss my rubber. it i', ' is all right," said the stranger with deference. "still, i confess that i miss my rubber. it is the', 'll right," said the stranger with deference. "still, i confess that i miss my rubber. it is the firs', 'ght," said the stranger with deference. "still, i confess that i miss my rubber. it is the first sat', ' said the stranger with deference. "still, i confess that i miss my rubber. it is the first saturday', ' the stranger with deference. "still, i confess that i miss my rubber. it is the first saturday nigh', 'stranger with deference. "still, i confess that i miss my rubber. it is the first saturday night for', 'ger with deference. "still, i confess that i miss my rubber. it is the first saturday night for seve', 'ith deference. "still, i confess that i miss my rubber. it is the first saturday night for seven-and', 'eference. "still, i confess that i miss my rubber. it is the first saturday night for seven-and-twen', 'nce. "still, i confess that i miss my rubber. it is the first saturday night for seven-and-twenty ye', '"still, i confess that i miss my rubber. it is the first saturday night for seven-and-twenty years t', 'l, i confess that i miss my rubber. it is the first saturday night for seven-and-twenty years that i', 'confess that i miss my rubber. it is the first saturday night for seven-and-twenty years that i have', 'ss that i miss my rubber. it is the first saturday night for seven-and-twenty years that i have not ', 'at i miss my rubber. it is the first saturday night for seven-and-twenty years that i have not had m', 'miss my rubber. it is the first saturday night for seven-and-twenty years that i have not had my rub', 'my rubber. it is the first saturday night for seven-and-twenty years that i have not had my rubber."', 'bber. it is the first saturday night for seven-and-twenty years that i have not had my rubber." "i t', ' it is the first saturday night for seven-and-twenty years that i have not had my rubber." "i think ', 's the first saturday night for seven-and-twenty years that i have not had my rubber." "i think you w', ' first saturday night for seven-and-twenty years that i have not had my rubber." "i think you will f', 't saturday night for seven-and-twenty years that i have not had my rubber." "i think you will find,"', 'urday night for seven-and-twenty years that i have not had my rubber." "i think you will find," said', ' night for seven-and-twenty years that i have not had my rubber." "i think you will find," said sher', 't for seven-and-twenty years that i have not had my rubber." "i think you will find," said sherlock ', ' seven-and-twenty years that i have not had my rubber." "i think you will find," said sherlock holme', 'n-and-twenty years that i have not had my rubber." "i think you will find," said sherlock holmes, "t', '-twenty years that i have not had my rubber." "i think you will find," said sherlock holmes, "that y', 'ty years that i have not had my rubber." "i think you will find," said sherlock holmes, "that you wi', 'ars that i have not had my rubber." "i think you will find," said sherlock holmes, "that you will pl', 'hat i have not had my rubber." "i think you will find," said sherlock holmes, "that you will play fo', ' have not had my rubber." "i think you will find," said sherlock holmes, "that you will play for a h', ' not had my rubber." "i think you will find," said sherlock holmes, "that you will play for a higher', 'had my rubber." "i think you will find," said sherlock holmes, "that you will play for a higher stak', 'y rubber." "i think you will find," said sherlock holmes, "that you will play for a higher stake to-', 'ber." "i think you will find," said sherlock holmes, "that you will play for a higher stake to-night', ' "i think you will find," said sherlock holmes, "that you will play for a higher stake to-night than', 'hink you will find," said sherlock holmes, "that you will play for a higher stake to-night than you ', 'you will find," said sherlock holmes, "that you will play for a higher stake to-night than you have ', 'ill find," said sherlock holmes, "that you will play for a higher stake to-night than you have ever ', 'ind," said sherlock holmes, "that you will play for a higher stake to-night than you have ever done ', ' said sherlock holmes, "that you will play for a higher stake to-night than you have ever done yet, ', ' sherlock holmes, "that you will play for a higher stake to-night than you have ever done yet, and t', 'lock holmes, "that you will play for a higher stake to-night than you have ever done yet, and that t', 'holmes, "that you will play for a higher stake to-night than you have ever done yet, and that the pl', 's, "that you will play for a higher stake to-night than you have ever done yet, and that the play wi', 'hat you will play for a higher stake to-night than you have ever done yet, and that the play will be', 'ou will play for a higher stake to-night than you have ever done yet, and that the play will be more', 'll play for a higher stake to-night than you have ever done yet, and that the play will be more exci', 'ay for a higher stake to-night than you have ever done yet, and that the play will be more exciting.', 'r a higher stake to-night than you have ever done yet, and that the play will be more exciting. for ', 'igher stake to-night than you have ever done yet, and that the play will be more exciting. for you, ', ' stake to-night than you have ever done yet, and that the play will be more exciting. for you, mr. m', 'e to-night than you have ever done yet, and that the play will be more exciting. for you, mr. merryw', 'night than you have ever done yet, and that the play will be more exciting. for you, mr. merryweathe', ' than you have ever done yet, and that the play will be more exciting. for you, mr. merryweather, th', ' you have ever done yet, and that the play will be more exciting. for you, mr. merryweather, the sta', 'have ever done yet, and that the play will be more exciting. for you, mr. merryweather, the stake wi', 'ever done yet, and that the play will be more exciting. for you, mr. merryweather, the stake will be', 'done yet, and that the play will be more exciting. for you, mr. merryweather, the stake will be some', 'yet, and that the play will be more exciting. for you, mr. merryweather, the stake will be some , ', 'and that the play will be more exciting. for you, mr. merryweather, the stake will be some , pound', 'hat the play will be more exciting. for you, mr. merryweather, the stake will be some , pounds; an', 'he play will be more exciting. for you, mr. merryweather, the stake will be some , pounds; and for', 'ay will be more exciting. for you, mr. merryweather, the stake will be some , pounds; and for you,', 'll be more exciting. for you, mr. merryweather, the stake will be some , pounds; and for you, jone', ' more exciting. for you, mr. merryweather, the stake will be some , pounds; and for you, jones, it', ' exciting. for you, mr. merryweather, the stake will be some , pounds; and for you, jones, it will', 'ting. for you, mr. merryweather, the stake will be some , pounds; and for you, jones, it will be t', ' for you, mr. merryweather, the stake will be some , pounds; and for you, jones, it will be the ma', 'you, mr. merryweather, the stake will be some , pounds; and for you, jones, it will be the man upo', 'mr. merryweather, the stake will be some , pounds; and for you, jones, it will be the man upon who', 'erryweather, the stake will be some , pounds; and for you, jones, it will be the man upon whom you', 'eather, the stake will be some , pounds; and for you, jones, it will be the man upon whom you wish', 'r, the stake will be some , pounds; and for you, jones, it will be the man upon whom you wish to l', 'e stake will be some , pounds; and for you, jones, it will be the man upon whom you wish to lay yo', 'ke will be some , pounds; and for you, jones, it will be the man upon whom you wish to lay your ha', 'll be some , pounds; and for you, jones, it will be the man upon whom you wish to lay your hands."', ' some , pounds; and for you, jones, it will be the man upon whom you wish to lay your hands." "joh', ' , pounds; and for you, jones, it will be the man upon whom you wish to lay your hands." "john cla', 'pounds; and for you, jones, it will be the man upon whom you wish to lay your hands." "john clay, th', 's; and for you, jones, it will be the man upon whom you wish to lay your hands." "john clay, the mur', 'd for you, jones, it will be the man upon whom you wish to lay your hands." "john clay, the murderer', ' you, jones, it will be the man upon whom you wish to lay your hands." "john clay, the murderer, thi', ' jones, it will be the man upon whom you wish to lay your hands." "john clay, the murderer, thief, s', 's, it will be the man upon whom you wish to lay your hands." "john clay, the murderer, thief, smashe', ' will be the man upon whom you wish to lay your hands." "john clay, the murderer, thief, smasher, an', ' be the man upon whom you wish to lay your hands." "john clay, the murderer, thief, smasher, and for', 'he man upon whom you wish to lay your hands." "john clay, the murderer, thief, smasher, and forger. ', 'n upon whom you wish to lay your hands." "john clay, the murderer, thief, smasher, and forger. he\'s ', 'n whom you wish to lay your hands." "john clay, the murderer, thief, smasher, and forger. he\'s a you', 'm you wish to lay your hands." "john clay, the murderer, thief, smasher, and forger. he\'s a young ma', ' wish to lay your hands." "john clay, the murderer, thief, smasher, and forger. he\'s a young man, mr', ' to lay your hands." "john clay, the murderer, thief, smasher, and forger. he\'s a young man, mr. mer', 'ay your hands." "john clay, the murderer, thief, smasher, and forger. he\'s a young man, mr. merrywea', 'ur hands." "john clay, the murderer, thief, smasher, and forger. he\'s a young man, mr. merryweather,', 'nds." "john clay, the murderer, thief, smasher, and forger. he\'s a young man, mr. merryweather, but ', ' "john clay, the murderer, thief, smasher, and forger. he\'s a young man, mr. merryweather, but he is', "n clay, the murderer, thief, smasher, and forger. he's a young man, mr. merryweather, but he is at t", "y, the murderer, thief, smasher, and forger. he's a young man, mr. merryweather, but he is at the he", "e murderer, thief, smasher, and forger. he's a young man, mr. merryweather, but he is at the head of", "derer, thief, smasher, and forger. he's a young man, mr. merryweather, but he is at the head of his ", ", thief, smasher, and forger. he's a young man, mr. merryweather, but he is at the head of his profe", "ef, smasher, and forger. he's a young man, mr. merryweather, but he is at the head of his profession", "masher, and forger. he's a young man, mr. merryweather, but he is at the head of his profession, and", "r, and forger. he's a young man, mr. merryweather, but he is at the head of his profession, and i wo", "d forger. he's a young man, mr. merryweather, but he is at the head of his profession, and i would r", "ger. he's a young man, mr. merryweather, but he is at the head of his profession, and i would rather", "he's a young man, mr. merryweather, but he is at the head of his profession, and i would rather have", 'a young man, mr. merryweather, but he is at the head of his profession, and i would rather have my b', 'ng man, mr. merryweather, but he is at the head of his profession, and i would rather have my bracel', 'n, mr. merryweather, but he is at the head of his profession, and i would rather have my bracelets o', '. merryweather, but he is at the head of his profession, and i would rather have my bracelets on him', 'ryweather, but he is at the head of his profession, and i would rather have my bracelets on him than', 'ther, but he is at the head of his profession, and i would rather have my bracelets on him than on a', ' but he is at the head of his profession, and i would rather have my bracelets on him than on any cr', 'he is at the head of his profession, and i would rather have my bracelets on him than on any crimina', ' at the head of his profession, and i would rather have my bracelets on him than on any criminal in ', 'he head of his profession, and i would rather have my bracelets on him than on any criminal in londo', 'ad of his profession, and i would rather have my bracelets on him than on any criminal in london. he', " his profession, and i would rather have my bracelets on him than on any criminal in london. he's a ", "profession, and i would rather have my bracelets on him than on any criminal in london. he's a remar", "ssion, and i would rather have my bracelets on him than on any criminal in london. he's a remarkable", ", and i would rather have my bracelets on him than on any criminal in london. he's a remarkable man,", " i would rather have my bracelets on him than on any criminal in london. he's a remarkable man, is y", "uld rather have my bracelets on him than on any criminal in london. he's a remarkable man, is young ", "ather have my bracelets on him than on any criminal in london. he's a remarkable man, is young john ", " have my bracelets on him than on any criminal in london. he's a remarkable man, is young john clay.", " my bracelets on him than on any criminal in london. he's a remarkable man, is young john clay. his ", "racelets on him than on any criminal in london. he's a remarkable man, is young john clay. his grand", "ets on him than on any criminal in london. he's a remarkable man, is young john clay. his grandfathe", "n him than on any criminal in london. he's a remarkable man, is young john clay. his grandfather was", " than on any criminal in london. he's a remarkable man, is young john clay. his grandfather was a ro", " on any criminal in london. he's a remarkable man, is young john clay. his grandfather was a royal d", "ny criminal in london. he's a remarkable man, is young john clay. his grandfather was a royal duke, ", "iminal in london. he's a remarkable man, is young john clay. his grandfather was a royal duke, and h", "l in london. he's a remarkable man, is young john clay. his grandfather was a royal duke, and he him", "london. he's a remarkable man, is young john clay. his grandfather was a royal duke, and he himself ", "n. he's a remarkable man, is young john clay. his grandfather was a royal duke, and he himself has b", "'s a remarkable man, is young john clay. his grandfather was a royal duke, and he himself has been t", 'remarkable man, is young john clay. his grandfather was a royal duke, and he himself has been to eto', 'kable man, is young john clay. his grandfather was a royal duke, and he himself has been to eton and', ' man, is young john clay. his grandfather was a royal duke, and he himself has been to eton and oxfo', ' is young john clay. his grandfather was a royal duke, and he himself has been to eton and oxford. h', 'oung john clay. his grandfather was a royal duke, and he himself has been to eton and oxford. his br', 'john clay. his grandfather was a royal duke, and he himself has been to eton and oxford. his brain i', 'clay. his grandfather was a royal duke, and he himself has been to eton and oxford. his brain is as ', ' his grandfather was a royal duke, and he himself has been to eton and oxford. his brain is as cunni', 'grandfather was a royal duke, and he himself has been to eton and oxford. his brain is as cunning as', 'father was a royal duke, and he himself has been to eton and oxford. his brain is as cunning as his ', 'r was a royal duke, and he himself has been to eton and oxford. his brain is as cunning as his finge', ' a royal duke, and he himself has been to eton and oxford. his brain is as cunning as his fingers, a', 'yal duke, and he himself has been to eton and oxford. his brain is as cunning as his fingers, and th', 'uke, and he himself has been to eton and oxford. his brain is as cunning as his fingers, and though ', 'and he himself has been to eton and oxford. his brain is as cunning as his fingers, and though we me', 'e himself has been to eton and oxford. his brain is as cunning as his fingers, and though we meet si', 'self has been to eton and oxford. his brain is as cunning as his fingers, and though we meet signs o', 'has been to eton and oxford. his brain is as cunning as his fingers, and though we meet signs of him', 'een to eton and oxford. his brain is as cunning as his fingers, and though we meet signs of him at e', 'o eton and oxford. his brain is as cunning as his fingers, and though we meet signs of him at every ', 'n and oxford. his brain is as cunning as his fingers, and though we meet signs of him at every turn,', ' oxford. his brain is as cunning as his fingers, and though we meet signs of him at every turn, we n', 'rd. his brain is as cunning as his fingers, and though we meet signs of him at every turn, we never ', 'is brain is as cunning as his fingers, and though we meet signs of him at every turn, we never know ', 'ain is as cunning as his fingers, and though we meet signs of him at every turn, we never know where', 's as cunning as his fingers, and though we meet signs of him at every turn, we never know where to f', 'cunning as his fingers, and though we meet signs of him at every turn, we never know where to find t', 'ng as his fingers, and though we meet signs of him at every turn, we never know where to find the ma', ' his fingers, and though we meet signs of him at every turn, we never know where to find the man him', 'fingers, and though we meet signs of him at every turn, we never know where to find the man himself.', "rs, and though we meet signs of him at every turn, we never know where to find the man himself. he'l", "nd though we meet signs of him at every turn, we never know where to find the man himself. he'll cra", "ough we meet signs of him at every turn, we never know where to find the man himself. he'll crack a ", "we meet signs of him at every turn, we never know where to find the man himself. he'll crack a crib ", "et signs of him at every turn, we never know where to find the man himself. he'll crack a crib in sc", "gns of him at every turn, we never know where to find the man himself. he'll crack a crib in scotlan", "f him at every turn, we never know where to find the man himself. he'll crack a crib in scotland one", " at every turn, we never know where to find the man himself. he'll crack a crib in scotland one week", "very turn, we never know where to find the man himself. he'll crack a crib in scotland one week, and", "turn, we never know where to find the man himself. he'll crack a crib in scotland one week, and be r", " we never know where to find the man himself. he'll crack a crib in scotland one week, and be raisin", "ever know where to find the man himself. he'll crack a crib in scotland one week, and be raising mon", "know where to find the man himself. he'll crack a crib in scotland one week, and be raising money to", "where to find the man himself. he'll crack a crib in scotland one week, and be raising money to buil", " to find the man himself. he'll crack a crib in scotland one week, and be raising money to build an ", "ind the man himself. he'll crack a crib in scotland one week, and be raising money to build an orpha", "he man himself. he'll crack a crib in scotland one week, and be raising money to build an orphanage ", "n himself. he'll crack a crib in scotland one week, and be raising money to build an orphanage in co", "self. he'll crack a crib in scotland one week, and be raising money to build an orphanage in cornwal", " he'll crack a crib in scotland one week, and be raising money to build an orphanage in cornwall the", 'l crack a crib in scotland one week, and be raising money to build an orphanage in cornwall the next', "ck a crib in scotland one week, and be raising money to build an orphanage in cornwall the next. i'v", "crib in scotland one week, and be raising money to build an orphanage in cornwall the next. i've bee", "in scotland one week, and be raising money to build an orphanage in cornwall the next. i've been on ", "otland one week, and be raising money to build an orphanage in cornwall the next. i've been on his t", "d one week, and be raising money to build an orphanage in cornwall the next. i've been on his track ", " week, and be raising money to build an orphanage in cornwall the next. i've been on his track for y", ", and be raising money to build an orphanage in cornwall the next. i've been on his track for years ", " be raising money to build an orphanage in cornwall the next. i've been on his track for years and h", "aising money to build an orphanage in cornwall the next. i've been on his track for years and have n", "g money to build an orphanage in cornwall the next. i've been on his track for years and have never ", "ey to build an orphanage in cornwall the next. i've been on his track for years and have never set e", " build an orphanage in cornwall the next. i've been on his track for years and have never set eyes o", "d an orphanage in cornwall the next. i've been on his track for years and have never set eyes on him", "orphanage in cornwall the next. i've been on his track for years and have never set eyes on him yet.", 'nage in cornwall the next. i\'ve been on his track for years and have never set eyes on him yet." "i ', 'in cornwall the next. i\'ve been on his track for years and have never set eyes on him yet." "i hope ', 'rnwall the next. i\'ve been on his track for years and have never set eyes on him yet." "i hope that ', 'l the next. i\'ve been on his track for years and have never set eyes on him yet." "i hope that i may', ' next. i\'ve been on his track for years and have never set eyes on him yet." "i hope that i may have', '. i\'ve been on his track for years and have never set eyes on him yet." "i hope that i may have the ', 'e been on his track for years and have never set eyes on him yet." "i hope that i may have the pleas', 'n on his track for years and have never set eyes on him yet." "i hope that i may have the pleasure o', 'his track for years and have never set eyes on him yet." "i hope that i may have the pleasure of int', 'rack for years and have never set eyes on him yet." "i hope that i may have the pleasure of introduc', 'for years and have never set eyes on him yet." "i hope that i may have the pleasure of introducing y', 'ears and have never set eyes on him yet." "i hope that i may have the pleasure of introducing you to', 'and have never set eyes on him yet." "i hope that i may have the pleasure of introducing you to-nigh', 'ave never set eyes on him yet." "i hope that i may have the pleasure of introducing you to-night. i\'', 'ever set eyes on him yet." "i hope that i may have the pleasure of introducing you to-night. i\'ve ha', 'set eyes on him yet." "i hope that i may have the pleasure of introducing you to-night. i\'ve had one', 'yes on him yet." "i hope that i may have the pleasure of introducing you to-night. i\'ve had one or t', 'n him yet." "i hope that i may have the pleasure of introducing you to-night. i\'ve had one or two li', ' yet." "i hope that i may have the pleasure of introducing you to-night. i\'ve had one or two little ', '" "i hope that i may have the pleasure of introducing you to-night. i\'ve had one or two little turns', "hope that i may have the pleasure of introducing you to-night. i've had one or two little turns also", "that i may have the pleasure of introducing you to-night. i've had one or two little turns also with", "i may have the pleasure of introducing you to-night. i've had one or two little turns also with mr. ", " have the pleasure of introducing you to-night. i've had one or two little turns also with mr. john ", " the pleasure of introducing you to-night. i've had one or two little turns also with mr. john clay,", "pleasure of introducing you to-night. i've had one or two little turns also with mr. john clay, and ", "ure of introducing you to-night. i've had one or two little turns also with mr. john clay, and i agr", "f introducing you to-night. i've had one or two little turns also with mr. john clay, and i agree wi", "roducing you to-night. i've had one or two little turns also with mr. john clay, and i agree with yo", "ing you to-night. i've had one or two little turns also with mr. john clay, and i agree with you tha", "ou to-night. i've had one or two little turns also with mr. john clay, and i agree with you that he ", "-night. i've had one or two little turns also with mr. john clay, and i agree with you that he is at", "t. i've had one or two little turns also with mr. john clay, and i agree with you that he is at the ", 've had one or two little turns also with mr. john clay, and i agree with you that he is at the head ', 'd one or two little turns also with mr. john clay, and i agree with you that he is at the head of hi', ' or two little turns also with mr. john clay, and i agree with you that he is at the head of his pro', 'wo little turns also with mr. john clay, and i agree with you that he is at the head of his professi', 'ttle turns also with mr. john clay, and i agree with you that he is at the head of his profession. i', 'turns also with mr. john clay, and i agree with you that he is at the head of his profession. it is ', ' also with mr. john clay, and i agree with you that he is at the head of his profession. it is past ', ' with mr. john clay, and i agree with you that he is at the head of his profession. it is past ten, ', ' mr. john clay, and i agree with you that he is at the head of his profession. it is past ten, howev', 'john clay, and i agree with you that he is at the head of his profession. it is past ten, however, a', 'clay, and i agree with you that he is at the head of his profession. it is past ten, however, and qu', ' and i agree with you that he is at the head of his profession. it is past ten, however, and quite t', 'i agree with you that he is at the head of his profession. it is past ten, however, and quite time t', 'ee with you that he is at the head of his profession. it is past ten, however, and quite time that w', 'th you that he is at the head of his profession. it is past ten, however, and quite time that we sta', 'u that he is at the head of his profession. it is past ten, however, and quite time that we started.', 't he is at the head of his profession. it is past ten, however, and quite time that we started. if y', 'is at the head of his profession. it is past ten, however, and quite time that we started. if you tw', ' the head of his profession. it is past ten, however, and quite time that we started. if you two wil', 'head of his profession. it is past ten, however, and quite time that we started. if you two will tak', 'of his profession. it is past ten, however, and quite time that we started. if you two will take the', 's profession. it is past ten, however, and quite time that we started. if you two will take the firs', 'fession. it is past ten, however, and quite time that we started. if you two will take the first han', 'on. it is past ten, however, and quite time that we started. if you two will take the first hansom, ', 't is past ten, however, and quite time that we started. if you two will take the first hansom, watso', 'past ten, however, and quite time that we started. if you two will take the first hansom, watson and', 'ten, however, and quite time that we started. if you two will take the first hansom, watson and i wi', 'however, and quite time that we started. if you two will take the first hansom, watson and i will fo', 'er, and quite time that we started. if you two will take the first hansom, watson and i will follow ', 'nd quite time that we started. if you two will take the first hansom, watson and i will follow in th', 'ite time that we started. if you two will take the first hansom, watson and i will follow in the sec', 'ime that we started. if you two will take the first hansom, watson and i will follow in the second."', 'hat we started. if you two will take the first hansom, watson and i will follow in the second." sher', 'e started. if you two will take the first hansom, watson and i will follow in the second." sherlock ', 'rted. if you two will take the first hansom, watson and i will follow in the second." sherlock holme', ' if you two will take the first hansom, watson and i will follow in the second." sherlock holmes was', 'ou two will take the first hansom, watson and i will follow in the second." sherlock holmes was not ', 'o will take the first hansom, watson and i will follow in the second." sherlock holmes was not very ', 'l take the first hansom, watson and i will follow in the second." sherlock holmes was not very commu', 'e the first hansom, watson and i will follow in the second." sherlock holmes was not very communicat', ' first hansom, watson and i will follow in the second." sherlock holmes was not very communicative d', 't hansom, watson and i will follow in the second." sherlock holmes was not very communicative during', 'som, watson and i will follow in the second." sherlock holmes was not very communicative during the ', 'watson and i will follow in the second." sherlock holmes was not very communicative during the long ', 'n and i will follow in the second." sherlock holmes was not very communicative during the long drive', ' i will follow in the second." sherlock holmes was not very communicative during the long drive and ', 'll follow in the second." sherlock holmes was not very communicative during the long drive and lay b', 'llow in the second." sherlock holmes was not very communicative during the long drive and lay back i', 'in the second." sherlock holmes was not very communicative during the long drive and lay back in the', 'e second." sherlock holmes was not very communicative during the long drive and lay back in the cab ', 'ond." sherlock holmes was not very communicative during the long drive and lay back in the cab hummi', ' sherlock holmes was not very communicative during the long drive and lay back in the cab humming th', 'lock holmes was not very communicative during the long drive and lay back in the cab humming the tun', 'holmes was not very communicative during the long drive and lay back in the cab humming the tunes wh', 's was not very communicative during the long drive and lay back in the cab humming the tunes which h', ' not very communicative during the long drive and lay back in the cab humming the tunes which he had', 'very communicative during the long drive and lay back in the cab humming the tunes which he had hear', 'communicative during the long drive and lay back in the cab humming the tunes which he had heard in ', 'nicative during the long drive and lay back in the cab humming the tunes which he had heard in the a', 'ive during the long drive and lay back in the cab humming the tunes which he had heard in the aftern', 'uring the long drive and lay back in the cab humming the tunes which he had heard in the afternoon. ', ' the long drive and lay back in the cab humming the tunes which he had heard in the afternoon. we ra', 'long drive and lay back in the cab humming the tunes which he had heard in the afternoon. we rattled', 'drive and lay back in the cab humming the tunes which he had heard in the afternoon. we rattled thro', ' and lay back in the cab humming the tunes which he had heard in the afternoon. we rattled through a', 'lay back in the cab humming the tunes which he had heard in the afternoon. we rattled through an end', 'ack in the cab humming the tunes which he had heard in the afternoon. we rattled through an endless ', 'n the cab humming the tunes which he had heard in the afternoon. we rattled through an endless labyr', ' cab humming the tunes which he had heard in the afternoon. we rattled through an endless labyrinth ', 'humming the tunes which he had heard in the afternoon. we rattled through an endless labyrinth of ga', 'ng the tunes which he had heard in the afternoon. we rattled through an endless labyrinth of gas-lit', 'e tunes which he had heard in the afternoon. we rattled through an endless labyrinth of gas-lit stre', 'es which he had heard in the afternoon. we rattled through an endless labyrinth of gas-lit streets u', 'ich he had heard in the afternoon. we rattled through an endless labyrinth of gas-lit streets until ', 'e had heard in the afternoon. we rattled through an endless labyrinth of gas-lit streets until we em', ' heard in the afternoon. we rattled through an endless labyrinth of gas-lit streets until we emerged', 'd in the afternoon. we rattled through an endless labyrinth of gas-lit streets until we emerged into', 'the afternoon. we rattled through an endless labyrinth of gas-lit streets until we emerged into farr', 'fternoon. we rattled through an endless labyrinth of gas-lit streets until we emerged into farringto', 'oon. we rattled through an endless labyrinth of gas-lit streets until we emerged into farrington str', 'we rattled through an endless labyrinth of gas-lit streets until we emerged into farrington street. ', 'ttled through an endless labyrinth of gas-lit streets until we emerged into farrington street. "we a', ' through an endless labyrinth of gas-lit streets until we emerged into farrington street. "we are cl', 'ugh an endless labyrinth of gas-lit streets until we emerged into farrington street. "we are close t', 'n endless labyrinth of gas-lit streets until we emerged into farrington street. "we are close there ', 'less labyrinth of gas-lit streets until we emerged into farrington street. "we are close there now,"', 'labyrinth of gas-lit streets until we emerged into farrington street. "we are close there now," my f', 'inth of gas-lit streets until we emerged into farrington street. "we are close there now," my friend', 'of gas-lit streets until we emerged into farrington street. "we are close there now," my friend rema', 's-lit streets until we emerged into farrington street. "we are close there now," my friend remarked.', ' streets until we emerged into farrington street. "we are close there now," my friend remarked. "thi', 'ets until we emerged into farrington street. "we are close there now," my friend remarked. "this fel', 'ntil we emerged into farrington street. "we are close there now," my friend remarked. "this fellow m', 'we emerged into farrington street. "we are close there now," my friend remarked. "this fellow merryw', 'erged into farrington street. "we are close there now," my friend remarked. "this fellow merryweathe', ' into farrington street. "we are close there now," my friend remarked. "this fellow merryweather is ', ' farrington street. "we are close there now," my friend remarked. "this fellow merryweather is a ban', 'ington street. "we are close there now," my friend remarked. "this fellow merryweather is a bank dir', 'n street. "we are close there now," my friend remarked. "this fellow merryweather is a bank director', 'eet. "we are close there now," my friend remarked. "this fellow merryweather is a bank director, and', '"we are close there now," my friend remarked. "this fellow merryweather is a bank director, and pers', 're close there now," my friend remarked. "this fellow merryweather is a bank director, and personall', 'ose there now," my friend remarked. "this fellow merryweather is a bank director, and personally int', 'here now," my friend remarked. "this fellow merryweather is a bank director, and personally interest', 'now," my friend remarked. "this fellow merryweather is a bank director, and personally interested in', ' my friend remarked. "this fellow merryweather is a bank director, and personally interested in the ', 'riend remarked. "this fellow merryweather is a bank director, and personally interested in the matte', ' remarked. "this fellow merryweather is a bank director, and personally interested in the matter. i ', 'rked. "this fellow merryweather is a bank director, and personally interested in the matter. i thoug', ' "this fellow merryweather is a bank director, and personally interested in the matter. i thought it', 's fellow merryweather is a bank director, and personally interested in the matter. i thought it as w', 'low merryweather is a bank director, and personally interested in the matter. i thought it as well t', 'erryweather is a bank director, and personally interested in the matter. i thought it as well to hav', 'eather is a bank director, and personally interested in the matter. i thought it as well to have jon', 'r is a bank director, and personally interested in the matter. i thought it as well to have jones wi', 'a bank director, and personally interested in the matter. i thought it as well to have jones with us', 'k director, and personally interested in the matter. i thought it as well to have jones with us also', 'ector, and personally interested in the matter. i thought it as well to have jones with us also. he ', ', and personally interested in the matter. i thought it as well to have jones with us also. he is no', ' personally interested in the matter. i thought it as well to have jones with us also. he is not a b', 'onally interested in the matter. i thought it as well to have jones with us also. he is not a bad fe', 'y interested in the matter. i thought it as well to have jones with us also. he is not a bad fellow,', 'erested in the matter. i thought it as well to have jones with us also. he is not a bad fellow, thou', 'ed in the matter. i thought it as well to have jones with us also. he is not a bad fellow, though an', ' the matter. i thought it as well to have jones with us also. he is not a bad fellow, though an abso', 'matter. i thought it as well to have jones with us also. he is not a bad fellow, though an absolute ', 'r. i thought it as well to have jones with us also. he is not a bad fellow, though an absolute imbec', 'thought it as well to have jones with us also. he is not a bad fellow, though an absolute imbecile i', 'ht it as well to have jones with us also. he is not a bad fellow, though an absolute imbecile in his', ' as well to have jones with us also. he is not a bad fellow, though an absolute imbecile in his prof', 'ell to have jones with us also. he is not a bad fellow, though an absolute imbecile in his professio', 'o have jones with us also. he is not a bad fellow, though an absolute imbecile in his profession. he', 'e jones with us also. he is not a bad fellow, though an absolute imbecile in his profession. he has ', 'es with us also. he is not a bad fellow, though an absolute imbecile in his profession. he has one p', 'th us also. he is not a bad fellow, though an absolute imbecile in his profession. he has one positi', ' also. he is not a bad fellow, though an absolute imbecile in his profession. he has one positive vi', '. he is not a bad fellow, though an absolute imbecile in his profession. he has one positive virtue.', 'is not a bad fellow, though an absolute imbecile in his profession. he has one positive virtue. he i', 't a bad fellow, though an absolute imbecile in his profession. he has one positive virtue. he is as ', 'ad fellow, though an absolute imbecile in his profession. he has one positive virtue. he is as brave', 'llow, though an absolute imbecile in his profession. he has one positive virtue. he is as brave as a', ' though an absolute imbecile in his profession. he has one positive virtue. he is as brave as a bull', 'gh an absolute imbecile in his profession. he has one positive virtue. he is as brave as a bulldog a', ' absolute imbecile in his profession. he has one positive virtue. he is as brave as a bulldog and as', 'lute imbecile in his profession. he has one positive virtue. he is as brave as a bulldog and as tena', 'imbecile in his profession. he has one positive virtue. he is as brave as a bulldog and as tenacious', 'ile in his profession. he has one positive virtue. he is as brave as a bulldog and as tenacious as a', 'n his profession. he has one positive virtue. he is as brave as a bulldog and as tenacious as a lobs', ' profession. he has one positive virtue. he is as brave as a bulldog and as tenacious as a lobster i', 'ession. he has one positive virtue. he is as brave as a bulldog and as tenacious as a lobster if he ', 'n. he has one positive virtue. he is as brave as a bulldog and as tenacious as a lobster if he gets ', ' has one positive virtue. he is as brave as a bulldog and as tenacious as a lobster if he gets his c', 'one positive virtue. he is as brave as a bulldog and as tenacious as a lobster if he gets his claws ', 'ositive virtue. he is as brave as a bulldog and as tenacious as a lobster if he gets his claws upon ', 've virtue. he is as brave as a bulldog and as tenacious as a lobster if he gets his claws upon anyon', 'rtue. he is as brave as a bulldog and as tenacious as a lobster if he gets his claws upon anyone. he', ' he is as brave as a bulldog and as tenacious as a lobster if he gets his claws upon anyone. here we', 's as brave as a bulldog and as tenacious as a lobster if he gets his claws upon anyone. here we are,', 'brave as a bulldog and as tenacious as a lobster if he gets his claws upon anyone. here we are, and ', ' as a bulldog and as tenacious as a lobster if he gets his claws upon anyone. here we are, and they ', ' bulldog and as tenacious as a lobster if he gets his claws upon anyone. here we are, and they are w', 'dog and as tenacious as a lobster if he gets his claws upon anyone. here we are, and they are waitin', 'nd as tenacious as a lobster if he gets his claws upon anyone. here we are, and they are waiting for', ' tenacious as a lobster if he gets his claws upon anyone. here we are, and they are waiting for us."', 'cious as a lobster if he gets his claws upon anyone. here we are, and they are waiting for us." we h', ' as a lobster if he gets his claws upon anyone. here we are, and they are waiting for us." we had re', ' lobster if he gets his claws upon anyone. here we are, and they are waiting for us." we had reached', 'ter if he gets his claws upon anyone. here we are, and they are waiting for us." we had reached the ', 'f he gets his claws upon anyone. here we are, and they are waiting for us." we had reached the same ', 'gets his claws upon anyone. here we are, and they are waiting for us." we had reached the same crowd', 'his claws upon anyone. here we are, and they are waiting for us." we had reached the same crowded th', 'laws upon anyone. here we are, and they are waiting for us." we had reached the same crowded thoroug', 'upon anyone. here we are, and they are waiting for us." we had reached the same crowded thoroughfare', 'anyone. here we are, and they are waiting for us." we had reached the same crowded thoroughfare in w', 'e. here we are, and they are waiting for us." we had reached the same crowded thoroughfare in which ', 're we are, and they are waiting for us." we had reached the same crowded thoroughfare in which we ha', ' are, and they are waiting for us." we had reached the same crowded thoroughfare in which we had fou', ' and they are waiting for us." we had reached the same crowded thoroughfare in which we had found ou', 'they are waiting for us." we had reached the same crowded thoroughfare in which we had found ourselv', 'are waiting for us." we had reached the same crowded thoroughfare in which we had found ourselves in', 'aiting for us." we had reached the same crowded thoroughfare in which we had found ourselves in the ', 'g for us." we had reached the same crowded thoroughfare in which we had found ourselves in the morni', ' us." we had reached the same crowded thoroughfare in which we had found ourselves in the morning. o', ' we had reached the same crowded thoroughfare in which we had found ourselves in the morning. our ca', 'ad reached the same crowded thoroughfare in which we had found ourselves in the morning. our cabs we', 'ached the same crowded thoroughfare in which we had found ourselves in the morning. our cabs were di', ' the same crowded thoroughfare in which we had found ourselves in the morning. our cabs were dismiss', 'same crowded thoroughfare in which we had found ourselves in the morning. our cabs were dismissed, a', 'crowded thoroughfare in which we had found ourselves in the morning. our cabs were dismissed, and, f', 'ed thoroughfare in which we had found ourselves in the morning. our cabs were dismissed, and, follow', 'oroughfare in which we had found ourselves in the morning. our cabs were dismissed, and, following t', 'hfare in which we had found ourselves in the morning. our cabs were dismissed, and, following the gu', ' in which we had found ourselves in the morning. our cabs were dismissed, and, following the guidanc', 'hich we had found ourselves in the morning. our cabs were dismissed, and, following the guidance of ', 'we had found ourselves in the morning. our cabs were dismissed, and, following the guidance of mr. m', 'd found ourselves in the morning. our cabs were dismissed, and, following the guidance of mr. merryw', 'nd ourselves in the morning. our cabs were dismissed, and, following the guidance of mr. merryweathe', 'rselves in the morning. our cabs were dismissed, and, following the guidance of mr. merryweather, we', 'es in the morning. our cabs were dismissed, and, following the guidance of mr. merryweather, we pass', ' the morning. our cabs were dismissed, and, following the guidance of mr. merryweather, we passed do', 'morning. our cabs were dismissed, and, following the guidance of mr. merryweather, we passed down a ', 'ng. our cabs were dismissed, and, following the guidance of mr. merryweather, we passed down a narro', 'ur cabs were dismissed, and, following the guidance of mr. merryweather, we passed down a narrow pas', 'bs were dismissed, and, following the guidance of mr. merryweather, we passed down a narrow passage ', 're dismissed, and, following the guidance of mr. merryweather, we passed down a narrow passage and t', 'smissed, and, following the guidance of mr. merryweather, we passed down a narrow passage and throug', 'ed, and, following the guidance of mr. merryweather, we passed down a narrow passage and through a s', 'nd, following the guidance of mr. merryweather, we passed down a narrow passage and through a side d', 'ollowing the guidance of mr. merryweather, we passed down a narrow passage and through a side door, ', 'ing the guidance of mr. merryweather, we passed down a narrow passage and through a side door, which', 'he guidance of mr. merryweather, we passed down a narrow passage and through a side door, which he o', 'idance of mr. merryweather, we passed down a narrow passage and through a side door, which he opened', 'e of mr. merryweather, we passed down a narrow passage and through a side door, which he opened for ', 'mr. merryweather, we passed down a narrow passage and through a side door, which he opened for us. w', 'erryweather, we passed down a narrow passage and through a side door, which he opened for us. within', 'eather, we passed down a narrow passage and through a side door, which he opened for us. within ther', 'r, we passed down a narrow passage and through a side door, which he opened for us. within there was', ' passed down a narrow passage and through a side door, which he opened for us. within there was a sm', 'ed down a narrow passage and through a side door, which he opened for us. within there was a small c', 'wn a narrow passage and through a side door, which he opened for us. within there was a small corrid', 'narrow passage and through a side door, which he opened for us. within there was a small corridor, w', 'w passage and through a side door, which he opened for us. within there was a small corridor, which ', 'sage and through a side door, which he opened for us. within there was a small corridor, which ended', 'and through a side door, which he opened for us. within there was a small corridor, which ended in a', 'hrough a side door, which he opened for us. within there was a small corridor, which ended in a very', 'h a side door, which he opened for us. within there was a small corridor, which ended in a very mass', 'ide door, which he opened for us. within there was a small corridor, which ended in a very massive i', 'oor, which he opened for us. within there was a small corridor, which ended in a very massive iron g', 'which he opened for us. within there was a small corridor, which ended in a very massive iron gate. ', ' he opened for us. within there was a small corridor, which ended in a very massive iron gate. this ', 'pened for us. within there was a small corridor, which ended in a very massive iron gate. this also ', ' for us. within there was a small corridor, which ended in a very massive iron gate. this also was o', 'us. within there was a small corridor, which ended in a very massive iron gate. this also was opened', 'ithin there was a small corridor, which ended in a very massive iron gate. this also was opened, and', ' there was a small corridor, which ended in a very massive iron gate. this also was opened, and led ', 'e was a small corridor, which ended in a very massive iron gate. this also was opened, and led down ', ' a small corridor, which ended in a very massive iron gate. this also was opened, and led down a fli', 'all corridor, which ended in a very massive iron gate. this also was opened, and led down a flight o', 'orridor, which ended in a very massive iron gate. this also was opened, and led down a flight of win', 'or, which ended in a very massive iron gate. this also was opened, and led down a flight of winding ', 'hich ended in a very massive iron gate. this also was opened, and led down a flight of winding stone', 'ended in a very massive iron gate. this also was opened, and led down a flight of winding stone step', ' in a very massive iron gate. this also was opened, and led down a flight of winding stone steps, wh', ' very massive iron gate. this also was opened, and led down a flight of winding stone steps, which t', ' massive iron gate. this also was opened, and led down a flight of winding stone steps, which termin', 'ive iron gate. this also was opened, and led down a flight of winding stone steps, which terminated ', 'ron gate. this also was opened, and led down a flight of winding stone steps, which terminated at an', 'ate. this also was opened, and led down a flight of winding stone steps, which terminated at another', 'this also was opened, and led down a flight of winding stone steps, which terminated at another form', 'also was opened, and led down a flight of winding stone steps, which terminated at another formidabl', 'was opened, and led down a flight of winding stone steps, which terminated at another formidable gat', 'pened, and led down a flight of winding stone steps, which terminated at another formidable gate. mr', ', and led down a flight of winding stone steps, which terminated at another formidable gate. mr. mer', ' led down a flight of winding stone steps, which terminated at another formidable gate. mr. merrywea', 'down a flight of winding stone steps, which terminated at another formidable gate. mr. merryweather ', 'a flight of winding stone steps, which terminated at another formidable gate. mr. merryweather stopp', 'ght of winding stone steps, which terminated at another formidable gate. mr. merryweather stopped to', 'f winding stone steps, which terminated at another formidable gate. mr. merryweather stopped to ligh', 'ding stone steps, which terminated at another formidable gate. mr. merryweather stopped to light a l', 'stone steps, which terminated at another formidable gate. mr. merryweather stopped to light a lanter', ' steps, which terminated at another formidable gate. mr. merryweather stopped to light a lantern, an', 's, which terminated at another formidable gate. mr. merryweather stopped to light a lantern, and the', 'ich terminated at another formidable gate. mr. merryweather stopped to light a lantern, and then con', 'erminated at another formidable gate. mr. merryweather stopped to light a lantern, and then conducte', 'ated at another formidable gate. mr. merryweather stopped to light a lantern, and then conducted us ', 'at another formidable gate. mr. merryweather stopped to light a lantern, and then conducted us down ', 'other formidable gate. mr. merryweather stopped to light a lantern, and then conducted us down a dar', ' formidable gate. mr. merryweather stopped to light a lantern, and then conducted us down a dark, ea', 'idable gate. mr. merryweather stopped to light a lantern, and then conducted us down a dark, earth-s', 'e gate. mr. merryweather stopped to light a lantern, and then conducted us down a dark, earth-smelli', 'e. mr. merryweather stopped to light a lantern, and then conducted us down a dark, earth-smelling pa', '. merryweather stopped to light a lantern, and then conducted us down a dark, earth-smelling passage', 'ryweather stopped to light a lantern, and then conducted us down a dark, earth-smelling passage, and', 'ther stopped to light a lantern, and then conducted us down a dark, earth-smelling passage, and so, ', 'stopped to light a lantern, and then conducted us down a dark, earth-smelling passage, and so, after', 'ed to light a lantern, and then conducted us down a dark, earth-smelling passage, and so, after open', ' light a lantern, and then conducted us down a dark, earth-smelling passage, and so, after opening a', 't a lantern, and then conducted us down a dark, earth-smelling passage, and so, after opening a thir', 'antern, and then conducted us down a dark, earth-smelling passage, and so, after opening a third doo', 'n, and then conducted us down a dark, earth-smelling passage, and so, after opening a third door, in', 'd then conducted us down a dark, earth-smelling passage, and so, after opening a third door, into a ', 'n conducted us down a dark, earth-smelling passage, and so, after opening a third door, into a huge ', 'ducted us down a dark, earth-smelling passage, and so, after opening a third door, into a huge vault', 'd us down a dark, earth-smelling passage, and so, after opening a third door, into a huge vault or c', 'down a dark, earth-smelling passage, and so, after opening a third door, into a huge vault or cellar', 'a dark, earth-smelling passage, and so, after opening a third door, into a huge vault or cellar, whi', 'k, earth-smelling passage, and so, after opening a third door, into a huge vault or cellar, which wa', 'rth-smelling passage, and so, after opening a third door, into a huge vault or cellar, which was pil', 'melling passage, and so, after opening a third door, into a huge vault or cellar, which was piled al', 'ng passage, and so, after opening a third door, into a huge vault or cellar, which was piled all rou', 'ssage, and so, after opening a third door, into a huge vault or cellar, which was piled all round wi', ', and so, after opening a third door, into a huge vault or cellar, which was piled all round with cr', ' so, after opening a third door, into a huge vault or cellar, which was piled all round with crates ', 'after opening a third door, into a huge vault or cellar, which was piled all round with crates and m', ' opening a third door, into a huge vault or cellar, which was piled all round with crates and massiv', 'ing a third door, into a huge vault or cellar, which was piled all round with crates and massive box', ' third door, into a huge vault or cellar, which was piled all round with crates and massive boxes. "', 'd door, into a huge vault or cellar, which was piled all round with crates and massive boxes. "you a', 'r, into a huge vault or cellar, which was piled all round with crates and massive boxes. "you are no', 'to a huge vault or cellar, which was piled all round with crates and massive boxes. "you are not ver', 'huge vault or cellar, which was piled all round with crates and massive boxes. "you are not very vul', 'vault or cellar, which was piled all round with crates and massive boxes. "you are not very vulnerab', ' or cellar, which was piled all round with crates and massive boxes. "you are not very vulnerable fr', 'ellar, which was piled all round with crates and massive boxes. "you are not very vulnerable from ab', ', which was piled all round with crates and massive boxes. "you are not very vulnerable from above,"', 'ch was piled all round with crates and massive boxes. "you are not very vulnerable from above," holm', 's piled all round with crates and massive boxes. "you are not very vulnerable from above," holmes re', 'ed all round with crates and massive boxes. "you are not very vulnerable from above," holmes remarke', 'l round with crates and massive boxes. "you are not very vulnerable from above," holmes remarked as ', 'nd with crates and massive boxes. "you are not very vulnerable from above," holmes remarked as he he', 'th crates and massive boxes. "you are not very vulnerable from above," holmes remarked as he held up', 'ates and massive boxes. "you are not very vulnerable from above," holmes remarked as he held up the ', 'and massive boxes. "you are not very vulnerable from above," holmes remarked as he held up the lante', 'assive boxes. "you are not very vulnerable from above," holmes remarked as he held up the lantern an', 'e boxes. "you are not very vulnerable from above," holmes remarked as he held up the lantern and gaz', 'es. "you are not very vulnerable from above," holmes remarked as he held up the lantern and gazed ab', 'you are not very vulnerable from above," holmes remarked as he held up the lantern and gazed about h', 're not very vulnerable from above," holmes remarked as he held up the lantern and gazed about him. "', 't very vulnerable from above," holmes remarked as he held up the lantern and gazed about him. "nor f', 'y vulnerable from above," holmes remarked as he held up the lantern and gazed about him. "nor from b', 'nerable from above," holmes remarked as he held up the lantern and gazed about him. "nor from below,', 'le from above," holmes remarked as he held up the lantern and gazed about him. "nor from below," sai', 'om above," holmes remarked as he held up the lantern and gazed about him. "nor from below," said mr.', 'ove," holmes remarked as he held up the lantern and gazed about him. "nor from below," said mr. merr', ' holmes remarked as he held up the lantern and gazed about him. "nor from below," said mr. merryweat', 'es remarked as he held up the lantern and gazed about him. "nor from below," said mr. merryweather, ', 'marked as he held up the lantern and gazed about him. "nor from below," said mr. merryweather, strik', 'd as he held up the lantern and gazed about him. "nor from below," said mr. merryweather, striking h', 'he held up the lantern and gazed about him. "nor from below," said mr. merryweather, striking his st', 'ld up the lantern and gazed about him. "nor from below," said mr. merryweather, striking his stick u', ' the lantern and gazed about him. "nor from below," said mr. merryweather, striking his stick upon t', 'lantern and gazed about him. "nor from below," said mr. merryweather, striking his stick upon the fl', 'rn and gazed about him. "nor from below," said mr. merryweather, striking his stick upon the flags w', 'd gazed about him. "nor from below," said mr. merryweather, striking his stick upon the flags which ', 'ed about him. "nor from below," said mr. merryweather, striking his stick upon the flags which lined', 'out him. "nor from below," said mr. merryweather, striking his stick upon the flags which lined the ', 'im. "nor from below," said mr. merryweather, striking his stick upon the flags which lined the floor', 'nor from below," said mr. merryweather, striking his stick upon the flags which lined the floor. "wh', 'rom below," said mr. merryweather, striking his stick upon the flags which lined the floor. "why, de', 'elow," said mr. merryweather, striking his stick upon the flags which lined the floor. "why, dear me', '" said mr. merryweather, striking his stick upon the flags which lined the floor. "why, dear me, it ', 'd mr. merryweather, striking his stick upon the flags which lined the floor. "why, dear me, it sound', ' merryweather, striking his stick upon the flags which lined the floor. "why, dear me, it sounds qui', 'yweather, striking his stick upon the flags which lined the floor. "why, dear me, it sounds quite ho', 'her, striking his stick upon the flags which lined the floor. "why, dear me, it sounds quite hollow ', 'striking his stick upon the flags which lined the floor. "why, dear me, it sounds quite hollow he re', 'ing his stick upon the flags which lined the floor. "why, dear me, it sounds quite hollow he remarke', 'is stick upon the flags which lined the floor. "why, dear me, it sounds quite hollow he remarked, lo', 'ick upon the flags which lined the floor. "why, dear me, it sounds quite hollow he remarked, looking', 'pon the flags which lined the floor. "why, dear me, it sounds quite hollow he remarked, looking up i', 'he flags which lined the floor. "why, dear me, it sounds quite hollow he remarked, looking up in sur', 'ags which lined the floor. "why, dear me, it sounds quite hollow he remarked, looking up in surprise', 'hich lined the floor. "why, dear me, it sounds quite hollow he remarked, looking up in surprise. "i ', 'lined the floor. "why, dear me, it sounds quite hollow he remarked, looking up in surprise. "i must ', ' the floor. "why, dear me, it sounds quite hollow he remarked, looking up in surprise. "i must reall', 'floor. "why, dear me, it sounds quite hollow he remarked, looking up in surprise. "i must really ask', '. "why, dear me, it sounds quite hollow he remarked, looking up in surprise. "i must really ask you ', 'y, dear me, it sounds quite hollow he remarked, looking up in surprise. "i must really ask you to be', 'ar me, it sounds quite hollow he remarked, looking up in surprise. "i must really ask you to be a li', ', it sounds quite hollow he remarked, looking up in surprise. "i must really ask you to be a little ', 'sounds quite hollow he remarked, looking up in surprise. "i must really ask you to be a little more ', 's quite hollow he remarked, looking up in surprise. "i must really ask you to be a little more quiet', 'te hollow he remarked, looking up in surprise. "i must really ask you to be a little more quiet said', 'llow he remarked, looking up in surprise. "i must really ask you to be a little more quiet said holm', 'he remarked, looking up in surprise. "i must really ask you to be a little more quiet said holmes se', 'marked, looking up in surprise. "i must really ask you to be a little more quiet said holmes severel', 'd, looking up in surprise. "i must really ask you to be a little more quiet said holmes severely. "y', 'oking up in surprise. "i must really ask you to be a little more quiet said holmes severely. "you ha', ' up in surprise. "i must really ask you to be a little more quiet said holmes severely. "you have al', 'n surprise. "i must really ask you to be a little more quiet said holmes severely. "you have already', 'prise. "i must really ask you to be a little more quiet said holmes severely. "you have already impe', '. "i must really ask you to be a little more quiet said holmes severely. "you have already imperille', 'must really ask you to be a little more quiet said holmes severely. "you have already imperilled the', 'really ask you to be a little more quiet said holmes severely. "you have already imperilled the whol', 'y ask you to be a little more quiet said holmes severely. "you have already imperilled the whole suc', ' you to be a little more quiet said holmes severely. "you have already imperilled the whole success ', 'to be a little more quiet said holmes severely. "you have already imperilled the whole success of ou', ' a little more quiet said holmes severely. "you have already imperilled the whole success of our exp', 'ttle more quiet said holmes severely. "you have already imperilled the whole success of our expediti', 'more quiet said holmes severely. "you have already imperilled the whole success of our expedition. m', 'quiet said holmes severely. "you have already imperilled the whole success of our expedition. might ', ' said holmes severely. "you have already imperilled the whole success of our expedition. might i beg', ' holmes severely. "you have already imperilled the whole success of our expedition. might i beg that', 'es severely. "you have already imperilled the whole success of our expedition. might i beg that you ', 'verely. "you have already imperilled the whole success of our expedition. might i beg that you would', 'y. "you have already imperilled the whole success of our expedition. might i beg that you would have', 'ou have already imperilled the whole success of our expedition. might i beg that you would have the ', 've already imperilled the whole success of our expedition. might i beg that you would have the goodn', 'ready imperilled the whole success of our expedition. might i beg that you would have the goodness t', ' imperilled the whole success of our expedition. might i beg that you would have the goodness to sit', 'rilled the whole success of our expedition. might i beg that you would have the goodness to sit down', 'd the whole success of our expedition. might i beg that you would have the goodness to sit down upon', ' whole success of our expedition. might i beg that you would have the goodness to sit down upon one ', 'e success of our expedition. might i beg that you would have the goodness to sit down upon one of th', 'cess of our expedition. might i beg that you would have the goodness to sit down upon one of those b', 'of our expedition. might i beg that you would have the goodness to sit down upon one of those boxes,', 'r expedition. might i beg that you would have the goodness to sit down upon one of those boxes, and ', 'edition. might i beg that you would have the goodness to sit down upon one of those boxes, and not t', 'on. might i beg that you would have the goodness to sit down upon one of those boxes, and not to int', 'ight i beg that you would have the goodness to sit down upon one of those boxes, and not to interfer', 'i beg that you would have the goodness to sit down upon one of those boxes, and not to interfere?" t', ' that you would have the goodness to sit down upon one of those boxes, and not to interfere?" the so', ' you would have the goodness to sit down upon one of those boxes, and not to interfere?" the solemn ', 'would have the goodness to sit down upon one of those boxes, and not to interfere?" the solemn mr. m', ' have the goodness to sit down upon one of those boxes, and not to interfere?" the solemn mr. merryw', ' the goodness to sit down upon one of those boxes, and not to interfere?" the solemn mr. merryweathe', 'goodness to sit down upon one of those boxes, and not to interfere?" the solemn mr. merryweather per', 'ess to sit down upon one of those boxes, and not to interfere?" the solemn mr. merryweather perched ', 'o sit down upon one of those boxes, and not to interfere?" the solemn mr. merryweather perched himse', ' down upon one of those boxes, and not to interfere?" the solemn mr. merryweather perched himself up', ' upon one of those boxes, and not to interfere?" the solemn mr. merryweather perched himself upon a ', ' one of those boxes, and not to interfere?" the solemn mr. merryweather perched himself upon a crate', 'of those boxes, and not to interfere?" the solemn mr. merryweather perched himself upon a crate, wit', 'ose boxes, and not to interfere?" the solemn mr. merryweather perched himself upon a crate, with a v', 'oxes, and not to interfere?" the solemn mr. merryweather perched himself upon a crate, with a very i', ' and not to interfere?" the solemn mr. merryweather perched himself upon a crate, with a very injure', 'not to interfere?" the solemn mr. merryweather perched himself upon a crate, with a very injured exp', 'o interfere?" the solemn mr. merryweather perched himself upon a crate, with a very injured expressi', 'erfere?" the solemn mr. merryweather perched himself upon a crate, with a very injured expression up', 'e?" the solemn mr. merryweather perched himself upon a crate, with a very injured expression upon hi', 'he solemn mr. merryweather perched himself upon a crate, with a very injured expression upon his fac', 'lemn mr. merryweather perched himself upon a crate, with a very injured expression upon his face, wh', 'mr. merryweather perched himself upon a crate, with a very injured expression upon his face, while h', 'erryweather perched himself upon a crate, with a very injured expression upon his face, while holmes', 'eather perched himself upon a crate, with a very injured expression upon his face, while holmes fell', 'r perched himself upon a crate, with a very injured expression upon his face, while holmes fell upon', 'ched himself upon a crate, with a very injured expression upon his face, while holmes fell upon his ', 'himself upon a crate, with a very injured expression upon his face, while holmes fell upon his knees', 'lf upon a crate, with a very injured expression upon his face, while holmes fell upon his knees upon', 'on a crate, with a very injured expression upon his face, while holmes fell upon his knees upon the ', 'crate, with a very injured expression upon his face, while holmes fell upon his knees upon the floor', ', with a very injured expression upon his face, while holmes fell upon his knees upon the floor and,', 'h a very injured expression upon his face, while holmes fell upon his knees upon the floor and, with', 'ery injured expression upon his face, while holmes fell upon his knees upon the floor and, with the ', 'njured expression upon his face, while holmes fell upon his knees upon the floor and, with the lante', 'd expression upon his face, while holmes fell upon his knees upon the floor and, with the lantern an', 'ression upon his face, while holmes fell upon his knees upon the floor and, with the lantern and a m', 'on upon his face, while holmes fell upon his knees upon the floor and, with the lantern and a magnif', 'on his face, while holmes fell upon his knees upon the floor and, with the lantern and a magnifying ', 's face, while holmes fell upon his knees upon the floor and, with the lantern and a magnifying lens,', 'e, while holmes fell upon his knees upon the floor and, with the lantern and a magnifying lens, bega', 'ile holmes fell upon his knees upon the floor and, with the lantern and a magnifying lens, began to ', 'olmes fell upon his knees upon the floor and, with the lantern and a magnifying lens, began to exami', ' fell upon his knees upon the floor and, with the lantern and a magnifying lens, began to examine mi', ' upon his knees upon the floor and, with the lantern and a magnifying lens, began to examine minutel', ' his knees upon the floor and, with the lantern and a magnifying lens, began to examine minutely the', 'knees upon the floor and, with the lantern and a magnifying lens, began to examine minutely the crac', ' upon the floor and, with the lantern and a magnifying lens, began to examine minutely the cracks be', ' the floor and, with the lantern and a magnifying lens, began to examine minutely the cracks between', 'floor and, with the lantern and a magnifying lens, began to examine minutely the cracks between the ', ' and, with the lantern and a magnifying lens, began to examine minutely the cracks between the stone', ' with the lantern and a magnifying lens, began to examine minutely the cracks between the stones. a ', ' the lantern and a magnifying lens, began to examine minutely the cracks between the stones. a few s', 'lantern and a magnifying lens, began to examine minutely the cracks between the stones. a few second', 'rn and a magnifying lens, began to examine minutely the cracks between the stones. a few seconds suf', 'd a magnifying lens, began to examine minutely the cracks between the stones. a few seconds sufficed', 'agnifying lens, began to examine minutely the cracks between the stones. a few seconds sufficed to s', 'ying lens, began to examine minutely the cracks between the stones. a few seconds sufficed to satisf', 'lens, began to examine minutely the cracks between the stones. a few seconds sufficed to satisfy him', ' began to examine minutely the cracks between the stones. a few seconds sufficed to satisfy him, for', 'n to examine minutely the cracks between the stones. a few seconds sufficed to satisfy him, for he s', 'examine minutely the cracks between the stones. a few seconds sufficed to satisfy him, for he sprang', 'ne minutely the cracks between the stones. a few seconds sufficed to satisfy him, for he sprang to h', 'nutely the cracks between the stones. a few seconds sufficed to satisfy him, for he sprang to his fe', 'y the cracks between the stones. a few seconds sufficed to satisfy him, for he sprang to his feet ag', ' cracks between the stones. a few seconds sufficed to satisfy him, for he sprang to his feet again a', 'ks between the stones. a few seconds sufficed to satisfy him, for he sprang to his feet again and pu', 'tween the stones. a few seconds sufficed to satisfy him, for he sprang to his feet again and put his', ' the stones. a few seconds sufficed to satisfy him, for he sprang to his feet again and put his glas', 'stones. a few seconds sufficed to satisfy him, for he sprang to his feet again and put his glass in ', 's. a few seconds sufficed to satisfy him, for he sprang to his feet again and put his glass in his p', 'few seconds sufficed to satisfy him, for he sprang to his feet again and put his glass in his pocket', 'econds sufficed to satisfy him, for he sprang to his feet again and put his glass in his pocket. "we', 's sufficed to satisfy him, for he sprang to his feet again and put his glass in his pocket. "we have', 'ficed to satisfy him, for he sprang to his feet again and put his glass in his pocket. "we have at l', ' to satisfy him, for he sprang to his feet again and put his glass in his pocket. "we have at least ', 'atisfy him, for he sprang to his feet again and put his glass in his pocket. "we have at least an ho', 'y him, for he sprang to his feet again and put his glass in his pocket. "we have at least an hour be', ', for he sprang to his feet again and put his glass in his pocket. "we have at least an hour before ', ' he sprang to his feet again and put his glass in his pocket. "we have at least an hour before us," ', 'prang to his feet again and put his glass in his pocket. "we have at least an hour before us," he re', ' to his feet again and put his glass in his pocket. "we have at least an hour before us," he remarke', 'is feet again and put his glass in his pocket. "we have at least an hour before us," he remarked, "f', 'et again and put his glass in his pocket. "we have at least an hour before us," he remarked, "for th', 'ain and put his glass in his pocket. "we have at least an hour before us," he remarked, "for they ca', 'nd put his glass in his pocket. "we have at least an hour before us," he remarked, "for they can har', 't his glass in his pocket. "we have at least an hour before us," he remarked, "for they can hardly t', ' glass in his pocket. "we have at least an hour before us," he remarked, "for they can hardly take a', 's in his pocket. "we have at least an hour before us," he remarked, "for they can hardly take any st', 'his pocket. "we have at least an hour before us," he remarked, "for they can hardly take any steps u', 'ocket. "we have at least an hour before us," he remarked, "for they can hardly take any steps until ', '. "we have at least an hour before us," he remarked, "for they can hardly take any steps until the g', ' have at least an hour before us," he remarked, "for they can hardly take any steps until the good p', ' at least an hour before us," he remarked, "for they can hardly take any steps until the good pawnbr', 'east an hour before us," he remarked, "for they can hardly take any steps until the good pawnbroker ', 'an hour before us," he remarked, "for they can hardly take any steps until the good pawnbroker is sa', 'ur before us," he remarked, "for they can hardly take any steps until the good pawnbroker is safely ', 'fore us," he remarked, "for they can hardly take any steps until the good pawnbroker is safely in be', 'us," he remarked, "for they can hardly take any steps until the good pawnbroker is safely in bed. th', 'he remarked, "for they can hardly take any steps until the good pawnbroker is safely in bed. then th', 'marked, "for they can hardly take any steps until the good pawnbroker is safely in bed. then they wi', 'd, "for they can hardly take any steps until the good pawnbroker is safely in bed. then they will no', 'or they can hardly take any steps until the good pawnbroker is safely in bed. then they will not los', 'ey can hardly take any steps until the good pawnbroker is safely in bed. then they will not lose a m', 'n hardly take any steps until the good pawnbroker is safely in bed. then they will not lose a minute', 'dly take any steps until the good pawnbroker is safely in bed. then they will not lose a minute, for', 'ake any steps until the good pawnbroker is safely in bed. then they will not lose a minute, for the ', 'ny steps until the good pawnbroker is safely in bed. then they will not lose a minute, for the soone', 'eps until the good pawnbroker is safely in bed. then they will not lose a minute, for the sooner the', 'ntil the good pawnbroker is safely in bed. then they will not lose a minute, for the sooner they do ', 'the good pawnbroker is safely in bed. then they will not lose a minute, for the sooner they do their', 'ood pawnbroker is safely in bed. then they will not lose a minute, for the sooner they do their work', 'awnbroker is safely in bed. then they will not lose a minute, for the sooner they do their work the ', 'oker is safely in bed. then they will not lose a minute, for the sooner they do their work the longe', 'is safely in bed. then they will not lose a minute, for the sooner they do their work the longer tim', 'fely in bed. then they will not lose a minute, for the sooner they do their work the longer time the', 'in bed. then they will not lose a minute, for the sooner they do their work the longer time they wil', 'd. then they will not lose a minute, for the sooner they do their work the longer time they will hav', 'en they will not lose a minute, for the sooner they do their work the longer time they will have for', 'ey will not lose a minute, for the sooner they do their work the longer time they will have for thei', 'll not lose a minute, for the sooner they do their work the longer time they will have for their esc', 't lose a minute, for the sooner they do their work the longer time they will have for their escape. ', 'e a minute, for the sooner they do their work the longer time they will have for their escape. we ar', 'inute, for the sooner they do their work the longer time they will have for their escape. we are at ', ', for the sooner they do their work the longer time they will have for their escape. we are at prese', ' the sooner they do their work the longer time they will have for their escape. we are at present, d', 'sooner they do their work the longer time they will have for their escape. we are at present, doctor', 'r they do their work the longer time they will have for their escape. we are at present, doctoras no', 'y do their work the longer time they will have for their escape. we are at present, doctoras no doub', 'their work the longer time they will have for their escape. we are at present, doctoras no doubt you', ' work the longer time they will have for their escape. we are at present, doctoras no doubt you have', ' the longer time they will have for their escape. we are at present, doctoras no doubt you have divi', 'longer time they will have for their escape. we are at present, doctoras no doubt you have divinedin', 'r time they will have for their escape. we are at present, doctoras no doubt you have divinedin the ', 'e they will have for their escape. we are at present, doctoras no doubt you have divinedin the cella', 'y will have for their escape. we are at present, doctoras no doubt you have divinedin the cellar of ', 'l have for their escape. we are at present, doctoras no doubt you have divinedin the cellar of the c', 'e for their escape. we are at present, doctoras no doubt you have divinedin the cellar of the city b', ' their escape. we are at present, doctoras no doubt you have divinedin the cellar of the city branch', 'r escape. we are at present, doctoras no doubt you have divinedin the cellar of the city branch of o', 'ape. we are at present, doctoras no doubt you have divinedin the cellar of the city branch of one of', 'we are at present, doctoras no doubt you have divinedin the cellar of the city branch of one of the ', 'e at present, doctoras no doubt you have divinedin the cellar of the city branch of one of the princ', 'present, doctoras no doubt you have divinedin the cellar of the city branch of one of the principal ', 'nt, doctoras no doubt you have divinedin the cellar of the city branch of one of the principal londo', 'octoras no doubt you have divinedin the cellar of the city branch of one of the principal london ban', 'as no doubt you have divinedin the cellar of the city branch of one of the principal london banks. m', ' doubt you have divinedin the cellar of the city branch of one of the principal london banks. mr. me', 't you have divinedin the cellar of the city branch of one of the principal london banks. mr. merrywe', ' have divinedin the cellar of the city branch of one of the principal london banks. mr. merryweather', ' divinedin the cellar of the city branch of one of the principal london banks. mr. merryweather is t', 'nedin the cellar of the city branch of one of the principal london banks. mr. merryweather is the ch', ' the cellar of the city branch of one of the principal london banks. mr. merryweather is the chairma', 'cellar of the city branch of one of the principal london banks. mr. merryweather is the chairman of ', 'r of the city branch of one of the principal london banks. mr. merryweather is the chairman of direc', 'the city branch of one of the principal london banks. mr. merryweather is the chairman of directors,', 'ity branch of one of the principal london banks. mr. merryweather is the chairman of directors, and ', 'ranch of one of the principal london banks. mr. merryweather is the chairman of directors, and he wi', ' of one of the principal london banks. mr. merryweather is the chairman of directors, and he will ex', 'ne of the principal london banks. mr. merryweather is the chairman of directors, and he will explain', ' the principal london banks. mr. merryweather is the chairman of directors, and he will explain to y', 'principal london banks. mr. merryweather is the chairman of directors, and he will explain to you th', 'ipal london banks. mr. merryweather is the chairman of directors, and he will explain to you that th', 'london banks. mr. merryweather is the chairman of directors, and he will explain to you that there a', 'n banks. mr. merryweather is the chairman of directors, and he will explain to you that there are re', 'ks. mr. merryweather is the chairman of directors, and he will explain to you that there are reasons', 'r. merryweather is the chairman of directors, and he will explain to you that there are reasons why ', 'rryweather is the chairman of directors, and he will explain to you that there are reasons why the m', 'ather is the chairman of directors, and he will explain to you that there are reasons why the more d', ' is the chairman of directors, and he will explain to you that there are reasons why the more daring', 'he chairman of directors, and he will explain to you that there are reasons why the more daring crim', 'airman of directors, and he will explain to you that there are reasons why the more daring criminals', 'n of directors, and he will explain to you that there are reasons why the more daring criminals of l', 'directors, and he will explain to you that there are reasons why the more daring criminals of london', 'tors, and he will explain to you that there are reasons why the more daring criminals of london shou', ' and he will explain to you that there are reasons why the more daring criminals of london should ta', 'he will explain to you that there are reasons why the more daring criminals of london should take a ', 'll explain to you that there are reasons why the more daring criminals of london should take a consi', 'plain to you that there are reasons why the more daring criminals of london should take a considerab', ' to you that there are reasons why the more daring criminals of london should take a considerable in', 'ou that there are reasons why the more daring criminals of london should take a considerable interes', 'at there are reasons why the more daring criminals of london should take a considerable interest in ', 'ere are reasons why the more daring criminals of london should take a considerable interest in this ', 're reasons why the more daring criminals of london should take a considerable interest in this cella', 'asons why the more daring criminals of london should take a considerable interest in this cellar at ', ' why the more daring criminals of london should take a considerable interest in this cellar at prese', 'the more daring criminals of london should take a considerable interest in this cellar at present." ', 'ore daring criminals of london should take a considerable interest in this cellar at present." "it i', 'aring criminals of london should take a considerable interest in this cellar at present." "it is our', ' criminals of london should take a considerable interest in this cellar at present." "it is our fren', 'inals of london should take a considerable interest in this cellar at present." "it is our french go', ' of london should take a considerable interest in this cellar at present." "it is our french gold," ', 'ondon should take a considerable interest in this cellar at present." "it is our french gold," whisp', ' should take a considerable interest in this cellar at present." "it is our french gold," whispered ', 'ld take a considerable interest in this cellar at present." "it is our french gold," whispered the d', 'ke a considerable interest in this cellar at present." "it is our french gold," whispered the direct', 'considerable interest in this cellar at present." "it is our french gold," whispered the director. "', 'derable interest in this cellar at present." "it is our french gold," whispered the director. "we ha', 'le interest in this cellar at present." "it is our french gold," whispered the director. "we have ha', 'terest in this cellar at present." "it is our french gold," whispered the director. "we have had sev', 't in this cellar at present." "it is our french gold," whispered the director. "we have had several ', 'this cellar at present." "it is our french gold," whispered the director. "we have had several warni', 'cellar at present." "it is our french gold," whispered the director. "we have had several warnings t', 'r at present." "it is our french gold," whispered the director. "we have had several warnings that a', 'present." "it is our french gold," whispered the director. "we have had several warnings that an att', 'nt." "it is our french gold," whispered the director. "we have had several warnings that an attempt ', '"it is our french gold," whispered the director. "we have had several warnings that an attempt might', 's our french gold," whispered the director. "we have had several warnings that an attempt might be m', ' french gold," whispered the director. "we have had several warnings that an attempt might be made u', 'ch gold," whispered the director. "we have had several warnings that an attempt might be made upon i', 'ld," whispered the director. "we have had several warnings that an attempt might be made upon it." "', 'whispered the director. "we have had several warnings that an attempt might be made upon it." "your ', 'ered the director. "we have had several warnings that an attempt might be made upon it." "your frenc', 'the director. "we have had several warnings that an attempt might be made upon it." "your french gol', 'irector. "we have had several warnings that an attempt might be made upon it." "your french gold?" "', 'or. "we have had several warnings that an attempt might be made upon it." "your french gold?" "yes. ', 'we have had several warnings that an attempt might be made upon it." "your french gold?" "yes. we ha', 've had several warnings that an attempt might be made upon it." "your french gold?" "yes. we had occ', 'd several warnings that an attempt might be made upon it." "your french gold?" "yes. we had occasion', 'eral warnings that an attempt might be made upon it." "your french gold?" "yes. we had occasion some', 'warnings that an attempt might be made upon it." "your french gold?" "yes. we had occasion some mont', 'ngs that an attempt might be made upon it." "your french gold?" "yes. we had occasion some months ag', 'hat an attempt might be made upon it." "your french gold?" "yes. we had occasion some months ago to ', 'n attempt might be made upon it." "your french gold?" "yes. we had occasion some months ago to stren', 'empt might be made upon it." "your french gold?" "yes. we had occasion some months ago to strengthen', 'might be made upon it." "your french gold?" "yes. we had occasion some months ago to strengthen our ', ' be made upon it." "your french gold?" "yes. we had occasion some months ago to strengthen our resou', 'ade upon it." "your french gold?" "yes. we had occasion some months ago to strengthen our resources ', 'pon it." "your french gold?" "yes. we had occasion some months ago to strengthen our resources and b', 't." "your french gold?" "yes. we had occasion some months ago to strengthen our resources and borrow', 'your french gold?" "yes. we had occasion some months ago to strengthen our resources and borrowed fo', 'french gold?" "yes. we had occasion some months ago to strengthen our resources and borrowed for tha', 'h gold?" "yes. we had occasion some months ago to strengthen our resources and borrowed for that pur', 'd?" "yes. we had occasion some months ago to strengthen our resources and borrowed for that purpose ', 'yes. we had occasion some months ago to strengthen our resources and borrowed for that purpose , n', 'we had occasion some months ago to strengthen our resources and borrowed for that purpose , napole', 'd occasion some months ago to strengthen our resources and borrowed for that purpose , napoleons f', 'asion some months ago to strengthen our resources and borrowed for that purpose , napoleons from t', ' some months ago to strengthen our resources and borrowed for that purpose , napoleons from the ba', ' months ago to strengthen our resources and borrowed for that purpose , napoleons from the bank of', 'hs ago to strengthen our resources and borrowed for that purpose , napoleons from the bank of fran', 'o to strengthen our resources and borrowed for that purpose , napoleons from the bank of france. i', 'strengthen our resources and borrowed for that purpose , napoleons from the bank of france. it has', 'gthen our resources and borrowed for that purpose , napoleons from the bank of france. it has beco', ' our resources and borrowed for that purpose , napoleons from the bank of france. it has become kn', 'resources and borrowed for that purpose , napoleons from the bank of france. it has become known t', 'rces and borrowed for that purpose , napoleons from the bank of france. it has become known that w', 'and borrowed for that purpose , napoleons from the bank of france. it has become known that we hav', 'orrowed for that purpose , napoleons from the bank of france. it has become known that we have nev', 'ed for that purpose , napoleons from the bank of france. it has become known that we have never ha', 'r that purpose , napoleons from the bank of france. it has become known that we have never had occ', 't purpose , napoleons from the bank of france. it has become known that we have never had occasion', 'pose , napoleons from the bank of france. it has become known that we have never had occasion to u', ' , napoleons from the bank of france. it has become known that we have never had occasion to unpack', 'apoleons from the bank of france. it has become known that we have never had occasion to unpack the ', 'ons from the bank of france. it has become known that we have never had occasion to unpack the money', 'rom the bank of france. it has become known that we have never had occasion to unpack the money, and', 'he bank of france. it has become known that we have never had occasion to unpack the money, and that', 'nk of france. it has become known that we have never had occasion to unpack the money, and that it i', ' france. it has become known that we have never had occasion to unpack the money, and that it is sti', 'ce. it has become known that we have never had occasion to unpack the money, and that it is still ly', 't has become known that we have never had occasion to unpack the money, and that it is still lying i', ' become known that we have never had occasion to unpack the money, and that it is still lying in our', 'me known that we have never had occasion to unpack the money, and that it is still lying in our cell', 'own that we have never had occasion to unpack the money, and that it is still lying in our cellar. t', 'hat we have never had occasion to unpack the money, and that it is still lying in our cellar. the cr', 'e have never had occasion to unpack the money, and that it is still lying in our cellar. the crate u', 'e never had occasion to unpack the money, and that it is still lying in our cellar. the crate upon w', 'er had occasion to unpack the money, and that it is still lying in our cellar. the crate upon which ', 'd occasion to unpack the money, and that it is still lying in our cellar. the crate upon which i sit', 'asion to unpack the money, and that it is still lying in our cellar. the crate upon which i sit cont', ' to unpack the money, and that it is still lying in our cellar. the crate upon which i sit contains ', 'npack the money, and that it is still lying in our cellar. the crate upon which i sit contains , na', ' the money, and that it is still lying in our cellar. the crate upon which i sit contains , napoleo', 'money, and that it is still lying in our cellar. the crate upon which i sit contains , napoleons pa', ', and that it is still lying in our cellar. the crate upon which i sit contains , napoleons packed ', ' that it is still lying in our cellar. the crate upon which i sit contains , napoleons packed betwe', ' it is still lying in our cellar. the crate upon which i sit contains , napoleons packed between la', 's still lying in our cellar. the crate upon which i sit contains , napoleons packed between layers ', 'll lying in our cellar. the crate upon which i sit contains , napoleons packed between layers of le', 'ing in our cellar. the crate upon which i sit contains , napoleons packed between layers of lead fo', 'n our cellar. the crate upon which i sit contains , napoleons packed between layers of lead foil. o', ' cellar. the crate upon which i sit contains , napoleons packed between layers of lead foil. our re', 'ar. the crate upon which i sit contains , napoleons packed between layers of lead foil. our reserve', 'he crate upon which i sit contains , napoleons packed between layers of lead foil. our reserve of b', 'ate upon which i sit contains , napoleons packed between layers of lead foil. our reserve of bullio', 'pon which i sit contains , napoleons packed between layers of lead foil. our reserve of bullion is ', 'hich i sit contains , napoleons packed between layers of lead foil. our reserve of bullion is much ', 'i sit contains , napoleons packed between layers of lead foil. our reserve of bullion is much large', ' contains , napoleons packed between layers of lead foil. our reserve of bullion is much larger at ', 'ains , napoleons packed between layers of lead foil. our reserve of bullion is much larger at prese', ', napoleons packed between layers of lead foil. our reserve of bullion is much larger at present th', 'poleons packed between layers of lead foil. our reserve of bullion is much larger at present than is', 'ns packed between layers of lead foil. our reserve of bullion is much larger at present than is usua', 'cked between layers of lead foil. our reserve of bullion is much larger at present than is usually k', 'between layers of lead foil. our reserve of bullion is much larger at present than is usually kept i', 'en layers of lead foil. our reserve of bullion is much larger at present than is usually kept in a s', 'yers of lead foil. our reserve of bullion is much larger at present than is usually kept in a single', 'of lead foil. our reserve of bullion is much larger at present than is usually kept in a single bran', 'ad foil. our reserve of bullion is much larger at present than is usually kept in a single branch of', 'il. our reserve of bullion is much larger at present than is usually kept in a single branch office,', 'ur reserve of bullion is much larger at present than is usually kept in a single branch office, and ', 'serve of bullion is much larger at present than is usually kept in a single branch office, and the d', ' of bullion is much larger at present than is usually kept in a single branch office, and the direct', 'ullion is much larger at present than is usually kept in a single branch office, and the directors h', 'n is much larger at present than is usually kept in a single branch office, and the directors have h', 'much larger at present than is usually kept in a single branch office, and the directors have had mi', 'larger at present than is usually kept in a single branch office, and the directors have had misgivi', 'r at present than is usually kept in a single branch office, and the directors have had misgivings u', 'present than is usually kept in a single branch office, and the directors have had misgivings upon t', 'nt than is usually kept in a single branch office, and the directors have had misgivings upon the su', 'an is usually kept in a single branch office, and the directors have had misgivings upon the subject', ' usually kept in a single branch office, and the directors have had misgivings upon the subject." "w', 'lly kept in a single branch office, and the directors have had misgivings upon the subject." "which ', 'ept in a single branch office, and the directors have had misgivings upon the subject." "which were ', 'n a single branch office, and the directors have had misgivings upon the subject." "which were very ', 'ingle branch office, and the directors have had misgivings upon the subject." "which were very well ', ' branch office, and the directors have had misgivings upon the subject." "which were very well justi', 'ch office, and the directors have had misgivings upon the subject." "which were very well justified,', 'fice, and the directors have had misgivings upon the subject." "which were very well justified," obs', ' and the directors have had misgivings upon the subject." "which were very well justified," observed', 'the directors have had misgivings upon the subject." "which were very well justified," observed holm', 'irectors have had misgivings upon the subject." "which were very well justified," observed holmes. "', 'ors have had misgivings upon the subject." "which were very well justified," observed holmes. "and n', 'ave had misgivings upon the subject." "which were very well justified," observed holmes. "and now it', 'ad misgivings upon the subject." "which were very well justified," observed holmes. "and now it is t', 'sgivings upon the subject." "which were very well justified," observed holmes. "and now it is time t', 'ngs upon the subject." "which were very well justified," observed holmes. "and now it is time that w', 'pon the subject." "which were very well justified," observed holmes. "and now it is time that we arr', 'he subject." "which were very well justified," observed holmes. "and now it is time that we arranged', 'bject." "which were very well justified," observed holmes. "and now it is time that we arranged our ', '." "which were very well justified," observed holmes. "and now it is time that we arranged our littl', 'hich were very well justified," observed holmes. "and now it is time that we arranged our little pla', 'were very well justified," observed holmes. "and now it is time that we arranged our little plans. i', 'very well justified," observed holmes. "and now it is time that we arranged our little plans. i expe', 'well justified," observed holmes. "and now it is time that we arranged our little plans. i expect th', 'justified," observed holmes. "and now it is time that we arranged our little plans. i expect that wi', 'fied," observed holmes. "and now it is time that we arranged our little plans. i expect that within ', '" observed holmes. "and now it is time that we arranged our little plans. i expect that within an ho', 'erved holmes. "and now it is time that we arranged our little plans. i expect that within an hour ma', ' holmes. "and now it is time that we arranged our little plans. i expect that within an hour matters', 'es. "and now it is time that we arranged our little plans. i expect that within an hour matters will', 'and now it is time that we arranged our little plans. i expect that within an hour matters will come', 'ow it is time that we arranged our little plans. i expect that within an hour matters will come to a', ' is time that we arranged our little plans. i expect that within an hour matters will come to a head', 'ime that we arranged our little plans. i expect that within an hour matters will come to a head. in ', 'hat we arranged our little plans. i expect that within an hour matters will come to a head. in the m', 'e arranged our little plans. i expect that within an hour matters will come to a head. in the meanti', 'anged our little plans. i expect that within an hour matters will come to a head. in the meantime mr', ' our little plans. i expect that within an hour matters will come to a head. in the meantime mr. mer', 'little plans. i expect that within an hour matters will come to a head. in the meantime mr. merrywea', 'e plans. i expect that within an hour matters will come to a head. in the meantime mr. merryweather,', 'ns. i expect that within an hour matters will come to a head. in the meantime mr. merryweather, we m', ' expect that within an hour matters will come to a head. in the meantime mr. merryweather, we must p', 'ct that within an hour matters will come to a head. in the meantime mr. merryweather, we must put th', 'at within an hour matters will come to a head. in the meantime mr. merryweather, we must put the scr', 'thin an hour matters will come to a head. in the meantime mr. merryweather, we must put the screen o', 'an hour matters will come to a head. in the meantime mr. merryweather, we must put the screen over t', 'ur matters will come to a head. in the meantime mr. merryweather, we must put the screen over that d', 'tters will come to a head. in the meantime mr. merryweather, we must put the screen over that dark l', ' will come to a head. in the meantime mr. merryweather, we must put the screen over that dark lanter', ' come to a head. in the meantime mr. merryweather, we must put the screen over that dark lantern." "', ' to a head. in the meantime mr. merryweather, we must put the screen over that dark lantern." "and s', ' head. in the meantime mr. merryweather, we must put the screen over that dark lantern." "and sit in', '. in the meantime mr. merryweather, we must put the screen over that dark lantern." "and sit in the ', 'the meantime mr. merryweather, we must put the screen over that dark lantern." "and sit in the dark?', 'eantime mr. merryweather, we must put the screen over that dark lantern." "and sit in the dark?" "i ', 'me mr. merryweather, we must put the screen over that dark lantern." "and sit in the dark?" "i am af', '. merryweather, we must put the screen over that dark lantern." "and sit in the dark?" "i am afraid ', 'ryweather, we must put the screen over that dark lantern." "and sit in the dark?" "i am afraid so. i', 'ther, we must put the screen over that dark lantern." "and sit in the dark?" "i am afraid so. i had ', ' we must put the screen over that dark lantern." "and sit in the dark?" "i am afraid so. i had broug', 'ust put the screen over that dark lantern." "and sit in the dark?" "i am afraid so. i had brought a ', 'ut the screen over that dark lantern." "and sit in the dark?" "i am afraid so. i had brought a pack ', 'e screen over that dark lantern." "and sit in the dark?" "i am afraid so. i had brought a pack of ca', 'een over that dark lantern." "and sit in the dark?" "i am afraid so. i had brought a pack of cards i', 'ver that dark lantern." "and sit in the dark?" "i am afraid so. i had brought a pack of cards in my ', 'hat dark lantern." "and sit in the dark?" "i am afraid so. i had brought a pack of cards in my pocke', 'ark lantern." "and sit in the dark?" "i am afraid so. i had brought a pack of cards in my pocket, an', 'antern." "and sit in the dark?" "i am afraid so. i had brought a pack of cards in my pocket, and i t', 'n." "and sit in the dark?" "i am afraid so. i had brought a pack of cards in my pocket, and i though', 'and sit in the dark?" "i am afraid so. i had brought a pack of cards in my pocket, and i thought tha', 'it in the dark?" "i am afraid so. i had brought a pack of cards in my pocket, and i thought that, as', ' the dark?" "i am afraid so. i had brought a pack of cards in my pocket, and i thought that, as we w', 'dark?" "i am afraid so. i had brought a pack of cards in my pocket, and i thought that, as we were a', '" "i am afraid so. i had brought a pack of cards in my pocket, and i thought that, as we were a part', 'am afraid so. i had brought a pack of cards in my pocket, and i thought that, as we were a partie ca', 'raid so. i had brought a pack of cards in my pocket, and i thought that, as we were a partie carr e,', 'so. i had brought a pack of cards in my pocket, and i thought that, as we were a partie carr e, you ', ' had brought a pack of cards in my pocket, and i thought that, as we were a partie carr e, you might', 'brought a pack of cards in my pocket, and i thought that, as we were a partie carr e, you might have', 'ht a pack of cards in my pocket, and i thought that, as we were a partie carr e, you might have your', 'pack of cards in my pocket, and i thought that, as we were a partie carr e, you might have your rubb', 'of cards in my pocket, and i thought that, as we were a partie carr e, you might have your rubber af', 'rds in my pocket, and i thought that, as we were a partie carr e, you might have your rubber after a', 'n my pocket, and i thought that, as we were a partie carr e, you might have your rubber after all. b', 'pocket, and i thought that, as we were a partie carr e, you might have your rubber after all. but i ', 't, and i thought that, as we were a partie carr e, you might have your rubber after all. but i see t', 'd i thought that, as we were a partie carr e, you might have your rubber after all. but i see that t', 'hought that, as we were a partie carr e, you might have your rubber after all. but i see that the en', "t that, as we were a partie carr e, you might have your rubber after all. but i see that the enemy's", "t, as we were a partie carr e, you might have your rubber after all. but i see that the enemy's prep", " we were a partie carr e, you might have your rubber after all. but i see that the enemy's preparati", "ere a partie carr e, you might have your rubber after all. but i see that the enemy's preparations h", " partie carr e, you might have your rubber after all. but i see that the enemy's preparations have g", "ie carr e, you might have your rubber after all. but i see that the enemy's preparations have gone s", "rr e, you might have your rubber after all. but i see that the enemy's preparations have gone so far", " you might have your rubber after all. but i see that the enemy's preparations have gone so far that", "might have your rubber after all. but i see that the enemy's preparations have gone so far that we c", " have your rubber after all. but i see that the enemy's preparations have gone so far that we cannot", " your rubber after all. but i see that the enemy's preparations have gone so far that we cannot risk", " rubber after all. but i see that the enemy's preparations have gone so far that we cannot risk the ", "er after all. but i see that the enemy's preparations have gone so far that we cannot risk the prese", "ter all. but i see that the enemy's preparations have gone so far that we cannot risk the presence o", "ll. but i see that the enemy's preparations have gone so far that we cannot risk the presence of a l", "ut i see that the enemy's preparations have gone so far that we cannot risk the presence of a light.", "see that the enemy's preparations have gone so far that we cannot risk the presence of a light. and,", "hat the enemy's preparations have gone so far that we cannot risk the presence of a light. and, firs", "he enemy's preparations have gone so far that we cannot risk the presence of a light. and, first of ", "emy's preparations have gone so far that we cannot risk the presence of a light. and, first of all, ", ' preparations have gone so far that we cannot risk the presence of a light. and, first of all, we mu', 'arations have gone so far that we cannot risk the presence of a light. and, first of all, we must ch', 'ons have gone so far that we cannot risk the presence of a light. and, first of all, we must choose ', 'ave gone so far that we cannot risk the presence of a light. and, first of all, we must choose our p', 'one so far that we cannot risk the presence of a light. and, first of all, we must choose our positi', 'o far that we cannot risk the presence of a light. and, first of all, we must choose our positions. ', ' that we cannot risk the presence of a light. and, first of all, we must choose our positions. these', ' we cannot risk the presence of a light. and, first of all, we must choose our positions. these are ', 'annot risk the presence of a light. and, first of all, we must choose our positions. these are darin', ' risk the presence of a light. and, first of all, we must choose our positions. these are daring men', ' the presence of a light. and, first of all, we must choose our positions. these are daring men, and', 'presence of a light. and, first of all, we must choose our positions. these are daring men, and thou', 'nce of a light. and, first of all, we must choose our positions. these are daring men, and though we', 'f a light. and, first of all, we must choose our positions. these are daring men, and though we shal', 'ight. and, first of all, we must choose our positions. these are daring men, and though we shall tak', ' and, first of all, we must choose our positions. these are daring men, and though we shall take the', ' first of all, we must choose our positions. these are daring men, and though we shall take them at ', 't of all, we must choose our positions. these are daring men, and though we shall take them at a dis', 'all, we must choose our positions. these are daring men, and though we shall take them at a disadvan', 'we must choose our positions. these are daring men, and though we shall take them at a disadvantage,', 'st choose our positions. these are daring men, and though we shall take them at a disadvantage, they', 'oose our positions. these are daring men, and though we shall take them at a disadvantage, they may ', 'our positions. these are daring men, and though we shall take them at a disadvantage, they may do us', 'ositions. these are daring men, and though we shall take them at a disadvantage, they may do us some', 'ons. these are daring men, and though we shall take them at a disadvantage, they may do us some harm', 'these are daring men, and though we shall take them at a disadvantage, they may do us some harm unle', ' are daring men, and though we shall take them at a disadvantage, they may do us some harm unless we', 'daring men, and though we shall take them at a disadvantage, they may do us some harm unless we are ', 'g men, and though we shall take them at a disadvantage, they may do us some harm unless we are caref', ', and though we shall take them at a disadvantage, they may do us some harm unless we are careful. i', ' though we shall take them at a disadvantage, they may do us some harm unless we are careful. i shal', 'gh we shall take them at a disadvantage, they may do us some harm unless we are careful. i shall sta', ' shall take them at a disadvantage, they may do us some harm unless we are careful. i shall stand be', 'l take them at a disadvantage, they may do us some harm unless we are careful. i shall stand behind ', 'e them at a disadvantage, they may do us some harm unless we are careful. i shall stand behind this ', 'm at a disadvantage, they may do us some harm unless we are careful. i shall stand behind this crate', 'a disadvantage, they may do us some harm unless we are careful. i shall stand behind this crate, and', 'advantage, they may do us some harm unless we are careful. i shall stand behind this crate, and do y', 'tage, they may do us some harm unless we are careful. i shall stand behind this crate, and do you co', ' they may do us some harm unless we are careful. i shall stand behind this crate, and do you conceal', ' may do us some harm unless we are careful. i shall stand behind this crate, and do you conceal your', 'do us some harm unless we are careful. i shall stand behind this crate, and do you conceal yourselve', ' some harm unless we are careful. i shall stand behind this crate, and do you conceal yourselves beh', ' harm unless we are careful. i shall stand behind this crate, and do you conceal yourselves behind t', ' unless we are careful. i shall stand behind this crate, and do you conceal yourselves behind those.', 'ss we are careful. i shall stand behind this crate, and do you conceal yourselves behind those. then', ' are careful. i shall stand behind this crate, and do you conceal yourselves behind those. then, whe', 'careful. i shall stand behind this crate, and do you conceal yourselves behind those. then, when i f', 'ul. i shall stand behind this crate, and do you conceal yourselves behind those. then, when i flash ', ' shall stand behind this crate, and do you conceal yourselves behind those. then, when i flash a lig', 'l stand behind this crate, and do you conceal yourselves behind those. then, when i flash a light up', 'nd behind this crate, and do you conceal yourselves behind those. then, when i flash a light upon th', 'hind this crate, and do you conceal yourselves behind those. then, when i flash a light upon them, c', 'this crate, and do you conceal yourselves behind those. then, when i flash a light upon them, close ', 'crate, and do you conceal yourselves behind those. then, when i flash a light upon them, close in sw', ', and do you conceal yourselves behind those. then, when i flash a light upon them, close in swiftly', ' do you conceal yourselves behind those. then, when i flash a light upon them, close in swiftly. if ', 'ou conceal yourselves behind those. then, when i flash a light upon them, close in swiftly. if they ', 'nceal yourselves behind those. then, when i flash a light upon them, close in swiftly. if they fire,', ' yourselves behind those. then, when i flash a light upon them, close in swiftly. if they fire, wats', 'selves behind those. then, when i flash a light upon them, close in swiftly. if they fire, watson, h', 's behind those. then, when i flash a light upon them, close in swiftly. if they fire, watson, have n', 'ind those. then, when i flash a light upon them, close in swiftly. if they fire, watson, have no com', 'hose. then, when i flash a light upon them, close in swiftly. if they fire, watson, have no compunct', ' then, when i flash a light upon them, close in swiftly. if they fire, watson, have no compunction a', ', when i flash a light upon them, close in swiftly. if they fire, watson, have no compunction about ', 'n i flash a light upon them, close in swiftly. if they fire, watson, have no compunction about shoot', 'lash a light upon them, close in swiftly. if they fire, watson, have no compunction about shooting t', 'a light upon them, close in swiftly. if they fire, watson, have no compunction about shooting them d', 'ht upon them, close in swiftly. if they fire, watson, have no compunction about shooting them down."', 'on them, close in swiftly. if they fire, watson, have no compunction about shooting them down." i pl', 'em, close in swiftly. if they fire, watson, have no compunction about shooting them down." i placed ', 'lose in swiftly. if they fire, watson, have no compunction about shooting them down." i placed my re', 'in swiftly. if they fire, watson, have no compunction about shooting them down." i placed my revolve', 'iftly. if they fire, watson, have no compunction about shooting them down." i placed my revolver, co', '. if they fire, watson, have no compunction about shooting them down." i placed my revolver, cocked,', 'they fire, watson, have no compunction about shooting them down." i placed my revolver, cocked, upon', 'fire, watson, have no compunction about shooting them down." i placed my revolver, cocked, upon the ', ' watson, have no compunction about shooting them down." i placed my revolver, cocked, upon the top o', 'on, have no compunction about shooting them down." i placed my revolver, cocked, upon the top of the', 'ave no compunction about shooting them down." i placed my revolver, cocked, upon the top of the wood', 'o compunction about shooting them down." i placed my revolver, cocked, upon the top of the wooden ca', 'punction about shooting them down." i placed my revolver, cocked, upon the top of the wooden case be', 'ion about shooting them down." i placed my revolver, cocked, upon the top of the wooden case behind ', 'bout shooting them down." i placed my revolver, cocked, upon the top of the wooden case behind which', 'shooting them down." i placed my revolver, cocked, upon the top of the wooden case behind which i cr', 'ing them down." i placed my revolver, cocked, upon the top of the wooden case behind which i crouche', 'hem down." i placed my revolver, cocked, upon the top of the wooden case behind which i crouched. ho', 'own." i placed my revolver, cocked, upon the top of the wooden case behind which i crouched. holmes ', ' i placed my revolver, cocked, upon the top of the wooden case behind which i crouched. holmes shot ', 'aced my revolver, cocked, upon the top of the wooden case behind which i crouched. holmes shot the s', 'my revolver, cocked, upon the top of the wooden case behind which i crouched. holmes shot the slide ', 'volver, cocked, upon the top of the wooden case behind which i crouched. holmes shot the slide acros', 'r, cocked, upon the top of the wooden case behind which i crouched. holmes shot the slide across the', 'cked, upon the top of the wooden case behind which i crouched. holmes shot the slide across the fron', ' upon the top of the wooden case behind which i crouched. holmes shot the slide across the front of ', ' the top of the wooden case behind which i crouched. holmes shot the slide across the front of his l', 'top of the wooden case behind which i crouched. holmes shot the slide across the front of his lanter', 'f the wooden case behind which i crouched. holmes shot the slide across the front of his lantern and', ' wooden case behind which i crouched. holmes shot the slide across the front of his lantern and left', 'en case behind which i crouched. holmes shot the slide across the front of his lantern and left us i', 'se behind which i crouched. holmes shot the slide across the front of his lantern and left us in pit', 'hind which i crouched. holmes shot the slide across the front of his lantern and left us in pitch da', 'which i crouched. holmes shot the slide across the front of his lantern and left us in pitch darknes', ' i crouched. holmes shot the slide across the front of his lantern and left us in pitch darknesssuch', 'ouched. holmes shot the slide across the front of his lantern and left us in pitch darknesssuch an a', 'd. holmes shot the slide across the front of his lantern and left us in pitch darknesssuch an absolu', 'lmes shot the slide across the front of his lantern and left us in pitch darknesssuch an absolute da', 'shot the slide across the front of his lantern and left us in pitch darknesssuch an absolute darknes', 'the slide across the front of his lantern and left us in pitch darknesssuch an absolute darkness as ', 'lide across the front of his lantern and left us in pitch darknesssuch an absolute darkness as i hav', 'across the front of his lantern and left us in pitch darknesssuch an absolute darkness as i have nev', 's the front of his lantern and left us in pitch darknesssuch an absolute darkness as i have never be', ' front of his lantern and left us in pitch darknesssuch an absolute darkness as i have never before ', 't of his lantern and left us in pitch darknesssuch an absolute darkness as i have never before exper', 'his lantern and left us in pitch darknesssuch an absolute darkness as i have never before experience', 'antern and left us in pitch darknesssuch an absolute darkness as i have never before experienced. th', 'n and left us in pitch darknesssuch an absolute darkness as i have never before experienced. the sme', ' left us in pitch darknesssuch an absolute darkness as i have never before experienced. the smell of', ' us in pitch darknesssuch an absolute darkness as i have never before experienced. the smell of hot ', 'n pitch darknesssuch an absolute darkness as i have never before experienced. the smell of hot metal', 'ch darknesssuch an absolute darkness as i have never before experienced. the smell of hot metal rema', 'rknesssuch an absolute darkness as i have never before experienced. the smell of hot metal remained ', 'ssuch an absolute darkness as i have never before experienced. the smell of hot metal remained to as', ' an absolute darkness as i have never before experienced. the smell of hot metal remained to assure ', 'bsolute darkness as i have never before experienced. the smell of hot metal remained to assure us th', 'te darkness as i have never before experienced. the smell of hot metal remained to assure us that th', 'rkness as i have never before experienced. the smell of hot metal remained to assure us that the lig', 's as i have never before experienced. the smell of hot metal remained to assure us that the light wa', 'i have never before experienced. the smell of hot metal remained to assure us that the light was sti', 'e never before experienced. the smell of hot metal remained to assure us that the light was still th', 'er before experienced. the smell of hot metal remained to assure us that the light was still there, ', 'fore experienced. the smell of hot metal remained to assure us that the light was still there, ready', 'experienced. the smell of hot metal remained to assure us that the light was still there, ready to f', 'ienced. the smell of hot metal remained to assure us that the light was still there, ready to flash ', 'd. the smell of hot metal remained to assure us that the light was still there, ready to flash out a', 'e smell of hot metal remained to assure us that the light was still there, ready to flash out at a m', 'll of hot metal remained to assure us that the light was still there, ready to flash out at a moment', " hot metal remained to assure us that the light was still there, ready to flash out at a moment's no", "metal remained to assure us that the light was still there, ready to flash out at a moment's notice.", " remained to assure us that the light was still there, ready to flash out at a moment's notice. to m", "ined to assure us that the light was still there, ready to flash out at a moment's notice. to me, wi", "to assure us that the light was still there, ready to flash out at a moment's notice. to me, with my", "sure us that the light was still there, ready to flash out at a moment's notice. to me, with my nerv", "us that the light was still there, ready to flash out at a moment's notice. to me, with my nerves wo", "at the light was still there, ready to flash out at a moment's notice. to me, with my nerves worked ", "e light was still there, ready to flash out at a moment's notice. to me, with my nerves worked up to", "ht was still there, ready to flash out at a moment's notice. to me, with my nerves worked up to a pi", "s still there, ready to flash out at a moment's notice. to me, with my nerves worked up to a pitch o", "ll there, ready to flash out at a moment's notice. to me, with my nerves worked up to a pitch of exp", "ere, ready to flash out at a moment's notice. to me, with my nerves worked up to a pitch of expectan", "ready to flash out at a moment's notice. to me, with my nerves worked up to a pitch of expectancy, t", " to flash out at a moment's notice. to me, with my nerves worked up to a pitch of expectancy, there ", "lash out at a moment's notice. to me, with my nerves worked up to a pitch of expectancy, there was s", "out at a moment's notice. to me, with my nerves worked up to a pitch of expectancy, there was someth", "t a moment's notice. to me, with my nerves worked up to a pitch of expectancy, there was something d", "oment's notice. to me, with my nerves worked up to a pitch of expectancy, there was something depres", "'s notice. to me, with my nerves worked up to a pitch of expectancy, there was something depressing ", 'tice. to me, with my nerves worked up to a pitch of expectancy, there was something depressing and s', ' to me, with my nerves worked up to a pitch of expectancy, there was something depressing and subdui', 'e, with my nerves worked up to a pitch of expectancy, there was something depressing and subduing in', 'th my nerves worked up to a pitch of expectancy, there was something depressing and subduing in the ', ' nerves worked up to a pitch of expectancy, there was something depressing and subduing in the sudde', 'es worked up to a pitch of expectancy, there was something depressing and subduing in the sudden glo', 'rked up to a pitch of expectancy, there was something depressing and subduing in the sudden gloom, a', 'up to a pitch of expectancy, there was something depressing and subduing in the sudden gloom, and in', ' a pitch of expectancy, there was something depressing and subduing in the sudden gloom, and in the ', 'tch of expectancy, there was something depressing and subduing in the sudden gloom, and in the cold ', 'f expectancy, there was something depressing and subduing in the sudden gloom, and in the cold dank ', 'ectancy, there was something depressing and subduing in the sudden gloom, and in the cold dank air o', 'cy, there was something depressing and subduing in the sudden gloom, and in the cold dank air of the', 'here was something depressing and subduing in the sudden gloom, and in the cold dank air of the vaul', 'was something depressing and subduing in the sudden gloom, and in the cold dank air of the vault. "t', 'omething depressing and subduing in the sudden gloom, and in the cold dank air of the vault. "they h', 'ing depressing and subduing in the sudden gloom, and in the cold dank air of the vault. "they have b', 'epressing and subduing in the sudden gloom, and in the cold dank air of the vault. "they have but on', 'sing and subduing in the sudden gloom, and in the cold dank air of the vault. "they have but one ret', 'and subduing in the sudden gloom, and in the cold dank air of the vault. "they have but one retreat,', 'ubduing in the sudden gloom, and in the cold dank air of the vault. "they have but one retreat," whi', 'ng in the sudden gloom, and in the cold dank air of the vault. "they have but one retreat," whispere', ' the sudden gloom, and in the cold dank air of the vault. "they have but one retreat," whispered hol', 'sudden gloom, and in the cold dank air of the vault. "they have but one retreat," whispered holmes. ', 'n gloom, and in the cold dank air of the vault. "they have but one retreat," whispered holmes. "that', 'om, and in the cold dank air of the vault. "they have but one retreat," whispered holmes. "that is b', 'nd in the cold dank air of the vault. "they have but one retreat," whispered holmes. "that is back t', ' the cold dank air of the vault. "they have but one retreat," whispered holmes. "that is back throug', 'cold dank air of the vault. "they have but one retreat," whispered holmes. "that is back through the', 'dank air of the vault. "they have but one retreat," whispered holmes. "that is back through the hous', 'air of the vault. "they have but one retreat," whispered holmes. "that is back through the house int', 'f the vault. "they have but one retreat," whispered holmes. "that is back through the house into sax', ' vault. "they have but one retreat," whispered holmes. "that is back through the house into saxe-cob', 't. "they have but one retreat," whispered holmes. "that is back through the house into saxe-coburg s', 'hey have but one retreat," whispered holmes. "that is back through the house into saxe-coburg square', 'ave but one retreat," whispered holmes. "that is back through the house into saxe-coburg square. i h', 'ut one retreat," whispered holmes. "that is back through the house into saxe-coburg square. i hope t', 'e retreat," whispered holmes. "that is back through the house into saxe-coburg square. i hope that y', 'reat," whispered holmes. "that is back through the house into saxe-coburg square. i hope that you ha', '" whispered holmes. "that is back through the house into saxe-coburg square. i hope that you have do', 'spered holmes. "that is back through the house into saxe-coburg square. i hope that you have done wh', 'd holmes. "that is back through the house into saxe-coburg square. i hope that you have done what i ', 'mes. "that is back through the house into saxe-coburg square. i hope that you have done what i asked', '"that is back through the house into saxe-coburg square. i hope that you have done what i asked you,', ' is back through the house into saxe-coburg square. i hope that you have done what i asked you, jone', 'ack through the house into saxe-coburg square. i hope that you have done what i asked you, jones?" "', 'hrough the house into saxe-coburg square. i hope that you have done what i asked you, jones?" "i hav', 'h the house into saxe-coburg square. i hope that you have done what i asked you, jones?" "i have an ', ' house into saxe-coburg square. i hope that you have done what i asked you, jones?" "i have an inspe', 'e into saxe-coburg square. i hope that you have done what i asked you, jones?" "i have an inspector ', 'o saxe-coburg square. i hope that you have done what i asked you, jones?" "i have an inspector and t', 'e-coburg square. i hope that you have done what i asked you, jones?" "i have an inspector and two of', 'urg square. i hope that you have done what i asked you, jones?" "i have an inspector and two officer', 'quare. i hope that you have done what i asked you, jones?" "i have an inspector and two officers wai', '. i hope that you have done what i asked you, jones?" "i have an inspector and two officers waiting ', 'ope that you have done what i asked you, jones?" "i have an inspector and two officers waiting at th', 'hat you have done what i asked you, jones?" "i have an inspector and two officers waiting at the fro', 'ou have done what i asked you, jones?" "i have an inspector and two officers waiting at the front do', 've done what i asked you, jones?" "i have an inspector and two officers waiting at the front door." ', 'ne what i asked you, jones?" "i have an inspector and two officers waiting at the front door." "then', 'at i asked you, jones?" "i have an inspector and two officers waiting at the front door." "then we h', 'asked you, jones?" "i have an inspector and two officers waiting at the front door." "then we have s', ' you, jones?" "i have an inspector and two officers waiting at the front door." "then we have stoppe', ' jones?" "i have an inspector and two officers waiting at the front door." "then we have stopped all', 's?" "i have an inspector and two officers waiting at the front door." "then we have stopped all the ', 'i have an inspector and two officers waiting at the front door." "then we have stopped all the holes', 'e an inspector and two officers waiting at the front door." "then we have stopped all the holes. and', 'inspector and two officers waiting at the front door." "then we have stopped all the holes. and now ', 'ctor and two officers waiting at the front door." "then we have stopped all the holes. and now we mu', 'and two officers waiting at the front door." "then we have stopped all the holes. and now we must be', 'wo officers waiting at the front door." "then we have stopped all the holes. and now we must be sile', 'ficers waiting at the front door." "then we have stopped all the holes. and now we must be silent an', 's waiting at the front door." "then we have stopped all the holes. and now we must be silent and wai', 'ting at the front door." "then we have stopped all the holes. and now we must be silent and wait." w', 'at the front door." "then we have stopped all the holes. and now we must be silent and wait." what a', 'e front door." "then we have stopped all the holes. and now we must be silent and wait." what a time', 'nt door." "then we have stopped all the holes. and now we must be silent and wait." what a time it s', 'or." "then we have stopped all the holes. and now we must be silent and wait." what a time it seemed', '"then we have stopped all the holes. and now we must be silent and wait." what a time it seemed! fro', ' we have stopped all the holes. and now we must be silent and wait." what a time it seemed! from com', 'ave stopped all the holes. and now we must be silent and wait." what a time it seemed! from comparin', 'topped all the holes. and now we must be silent and wait." what a time it seemed! from comparing not', 'd all the holes. and now we must be silent and wait." what a time it seemed! from comparing notes af', ' the holes. and now we must be silent and wait." what a time it seemed! from comparing notes afterwa', 'holes. and now we must be silent and wait." what a time it seemed! from comparing notes afterwards i', '. and now we must be silent and wait." what a time it seemed! from comparing notes afterwards it was', ' now we must be silent and wait." what a time it seemed! from comparing notes afterwards it was but ', 'we must be silent and wait." what a time it seemed! from comparing notes afterwards it was but an ho', 'st be silent and wait." what a time it seemed! from comparing notes afterwards it was but an hour an', ' silent and wait." what a time it seemed! from comparing notes afterwards it was but an hour and a q', 'nt and wait." what a time it seemed! from comparing notes afterwards it was but an hour and a quarte', 'd wait." what a time it seemed! from comparing notes afterwards it was but an hour and a quarter, ye', 't." what a time it seemed! from comparing notes afterwards it was but an hour and a quarter, yet it ', 'hat a time it seemed! from comparing notes afterwards it was but an hour and a quarter, yet it appea', ' time it seemed! from comparing notes afterwards it was but an hour and a quarter, yet it appeared t', ' it seemed! from comparing notes afterwards it was but an hour and a quarter, yet it appeared to me ', 'eemed! from comparing notes afterwards it was but an hour and a quarter, yet it appeared to me that ', '! from comparing notes afterwards it was but an hour and a quarter, yet it appeared to me that the n', 'm comparing notes afterwards it was but an hour and a quarter, yet it appeared to me that the night ', 'paring notes afterwards it was but an hour and a quarter, yet it appeared to me that the night must ', 'g notes afterwards it was but an hour and a quarter, yet it appeared to me that the night must have ', 'es afterwards it was but an hour and a quarter, yet it appeared to me that the night must have almos', 'terwards it was but an hour and a quarter, yet it appeared to me that the night must have almost gon', 'rds it was but an hour and a quarter, yet it appeared to me that the night must have almost gone and', 't was but an hour and a quarter, yet it appeared to me that the night must have almost gone and the ', ' but an hour and a quarter, yet it appeared to me that the night must have almost gone and the dawn ', 'an hour and a quarter, yet it appeared to me that the night must have almost gone and the dawn be br', 'ur and a quarter, yet it appeared to me that the night must have almost gone and the dawn be breakin', 'd a quarter, yet it appeared to me that the night must have almost gone and the dawn be breaking abo', 'uarter, yet it appeared to me that the night must have almost gone and the dawn be breaking above us', 'r, yet it appeared to me that the night must have almost gone and the dawn be breaking above us. my ', 't it appeared to me that the night must have almost gone and the dawn be breaking above us. my limbs', 'appeared to me that the night must have almost gone and the dawn be breaking above us. my limbs were', 'red to me that the night must have almost gone and the dawn be breaking above us. my limbs were wear', 'o me that the night must have almost gone and the dawn be breaking above us. my limbs were weary and', 'that the night must have almost gone and the dawn be breaking above us. my limbs were weary and stif', 'the night must have almost gone and the dawn be breaking above us. my limbs were weary and stiff, fo', 'ight must have almost gone and the dawn be breaking above us. my limbs were weary and stiff, for i f', 'must have almost gone and the dawn be breaking above us. my limbs were weary and stiff, for i feared', 'have almost gone and the dawn be breaking above us. my limbs were weary and stiff, for i feared to c', 'almost gone and the dawn be breaking above us. my limbs were weary and stiff, for i feared to change', 't gone and the dawn be breaking above us. my limbs were weary and stiff, for i feared to change my p', 'e and the dawn be breaking above us. my limbs were weary and stiff, for i feared to change my positi', ' the dawn be breaking above us. my limbs were weary and stiff, for i feared to change my position; y', 'dawn be breaking above us. my limbs were weary and stiff, for i feared to change my position; yet my', 'be breaking above us. my limbs were weary and stiff, for i feared to change my position; yet my nerv', 'eaking above us. my limbs were weary and stiff, for i feared to change my position; yet my nerves we', 'g above us. my limbs were weary and stiff, for i feared to change my position; yet my nerves were wo', 've us. my limbs were weary and stiff, for i feared to change my position; yet my nerves were worked ', '. my limbs were weary and stiff, for i feared to change my position; yet my nerves were worked up to', 'limbs were weary and stiff, for i feared to change my position; yet my nerves were worked up to the ', ' were weary and stiff, for i feared to change my position; yet my nerves were worked up to the highe', ' weary and stiff, for i feared to change my position; yet my nerves were worked up to the highest pi', 'y and stiff, for i feared to change my position; yet my nerves were worked up to the highest pitch o', ' stiff, for i feared to change my position; yet my nerves were worked up to the highest pitch of ten', 'f, for i feared to change my position; yet my nerves were worked up to the highest pitch of tension,', 'r i feared to change my position; yet my nerves were worked up to the highest pitch of tension, and ', 'eared to change my position; yet my nerves were worked up to the highest pitch of tension, and my he', ' to change my position; yet my nerves were worked up to the highest pitch of tension, and my hearing', 'hange my position; yet my nerves were worked up to the highest pitch of tension, and my hearing was ', ' my position; yet my nerves were worked up to the highest pitch of tension, and my hearing was so ac', 'osition; yet my nerves were worked up to the highest pitch of tension, and my hearing was so acute t', 'on; yet my nerves were worked up to the highest pitch of tension, and my hearing was so acute that i', 'et my nerves were worked up to the highest pitch of tension, and my hearing was so acute that i coul', ' nerves were worked up to the highest pitch of tension, and my hearing was so acute that i could not', 'es were worked up to the highest pitch of tension, and my hearing was so acute that i could not only', 're worked up to the highest pitch of tension, and my hearing was so acute that i could not only hear', 'rked up to the highest pitch of tension, and my hearing was so acute that i could not only hear the ', 'up to the highest pitch of tension, and my hearing was so acute that i could not only hear the gentl', ' the highest pitch of tension, and my hearing was so acute that i could not only hear the gentle bre', 'highest pitch of tension, and my hearing was so acute that i could not only hear the gentle breathin', 'st pitch of tension, and my hearing was so acute that i could not only hear the gentle breathing of ', 'tch of tension, and my hearing was so acute that i could not only hear the gentle breathing of my co', 'f tension, and my hearing was so acute that i could not only hear the gentle breathing of my compani', 'sion, and my hearing was so acute that i could not only hear the gentle breathing of my companions, ', ' and my hearing was so acute that i could not only hear the gentle breathing of my companions, but i', 'my hearing was so acute that i could not only hear the gentle breathing of my companions, but i coul', 'aring was so acute that i could not only hear the gentle breathing of my companions, but i could dis', ' was so acute that i could not only hear the gentle breathing of my companions, but i could distingu', 'so acute that i could not only hear the gentle breathing of my companions, but i could distinguish t', 'ute that i could not only hear the gentle breathing of my companions, but i could distinguish the de', 'hat i could not only hear the gentle breathing of my companions, but i could distinguish the deeper,', ' could not only hear the gentle breathing of my companions, but i could distinguish the deeper, heav', 'd not only hear the gentle breathing of my companions, but i could distinguish the deeper, heavier i', ' only hear the gentle breathing of my companions, but i could distinguish the deeper, heavier in-bre', ' hear the gentle breathing of my companions, but i could distinguish the deeper, heavier in-breath o', ' the gentle breathing of my companions, but i could distinguish the deeper, heavier in-breath of the', 'gentle breathing of my companions, but i could distinguish the deeper, heavier in-breath of the bulk', 'e breathing of my companions, but i could distinguish the deeper, heavier in-breath of the bulky jon', 'athing of my companions, but i could distinguish the deeper, heavier in-breath of the bulky jones fr', 'g of my companions, but i could distinguish the deeper, heavier in-breath of the bulky jones from th', 'my companions, but i could distinguish the deeper, heavier in-breath of the bulky jones from the thi', 'mpanions, but i could distinguish the deeper, heavier in-breath of the bulky jones from the thin, si', 'ons, but i could distinguish the deeper, heavier in-breath of the bulky jones from the thin, sighing', 'but i could distinguish the deeper, heavier in-breath of the bulky jones from the thin, sighing note', ' could distinguish the deeper, heavier in-breath of the bulky jones from the thin, sighing note of t', 'd distinguish the deeper, heavier in-breath of the bulky jones from the thin, sighing note of the ba', 'tinguish the deeper, heavier in-breath of the bulky jones from the thin, sighing note of the bank di', 'ish the deeper, heavier in-breath of the bulky jones from the thin, sighing note of the bank directo', 'he deeper, heavier in-breath of the bulky jones from the thin, sighing note of the bank director. fr', 'eper, heavier in-breath of the bulky jones from the thin, sighing note of the bank director. from my', ' heavier in-breath of the bulky jones from the thin, sighing note of the bank director. from my posi', 'ier in-breath of the bulky jones from the thin, sighing note of the bank director. from my position ', 'n-breath of the bulky jones from the thin, sighing note of the bank director. from my position i cou', 'ath of the bulky jones from the thin, sighing note of the bank director. from my position i could lo', 'f the bulky jones from the thin, sighing note of the bank director. from my position i could look ov', ' bulky jones from the thin, sighing note of the bank director. from my position i could look over th', 'y jones from the thin, sighing note of the bank director. from my position i could look over the cas', 'es from the thin, sighing note of the bank director. from my position i could look over the case in ', 'om the thin, sighing note of the bank director. from my position i could look over the case in the d', 'e thin, sighing note of the bank director. from my position i could look over the case in the direct', 'n, sighing note of the bank director. from my position i could look over the case in the direction o', 'ghing note of the bank director. from my position i could look over the case in the direction of the', ' note of the bank director. from my position i could look over the case in the direction of the floo', ' of the bank director. from my position i could look over the case in the direction of the floor. su', 'he bank director. from my position i could look over the case in the direction of the floor. suddenl', 'nk director. from my position i could look over the case in the direction of the floor. suddenly my ', 'rector. from my position i could look over the case in the direction of the floor. suddenly my eyes ', 'r. from my position i could look over the case in the direction of the floor. suddenly my eyes caugh', 'om my position i could look over the case in the direction of the floor. suddenly my eyes caught the', ' position i could look over the case in the direction of the floor. suddenly my eyes caught the glin', 'tion i could look over the case in the direction of the floor. suddenly my eyes caught the glint of ', 'i could look over the case in the direction of the floor. suddenly my eyes caught the glint of a lig', 'ld look over the case in the direction of the floor. suddenly my eyes caught the glint of a light. a', 'ok over the case in the direction of the floor. suddenly my eyes caught the glint of a light. at fir', 'er the case in the direction of the floor. suddenly my eyes caught the glint of a light. at first it', 'e case in the direction of the floor. suddenly my eyes caught the glint of a light. at first it was ', 'e in the direction of the floor. suddenly my eyes caught the glint of a light. at first it was but a', 'the direction of the floor. suddenly my eyes caught the glint of a light. at first it was but a luri', 'irection of the floor. suddenly my eyes caught the glint of a light. at first it was but a lurid spa', 'ion of the floor. suddenly my eyes caught the glint of a light. at first it was but a lurid spark up', 'f the floor. suddenly my eyes caught the glint of a light. at first it was but a lurid spark upon th', ' floor. suddenly my eyes caught the glint of a light. at first it was but a lurid spark upon the sto', 'r. suddenly my eyes caught the glint of a light. at first it was but a lurid spark upon the stone pa', 'ddenly my eyes caught the glint of a light. at first it was but a lurid spark upon the stone pavemen', 'y my eyes caught the glint of a light. at first it was but a lurid spark upon the stone pavement. th', 'eyes caught the glint of a light. at first it was but a lurid spark upon the stone pavement. then it', 'caught the glint of a light. at first it was but a lurid spark upon the stone pavement. then it leng', 't the glint of a light. at first it was but a lurid spark upon the stone pavement. then it lengthene', ' glint of a light. at first it was but a lurid spark upon the stone pavement. then it lengthened out', 't of a light. at first it was but a lurid spark upon the stone pavement. then it lengthened out unti', 'a light. at first it was but a lurid spark upon the stone pavement. then it lengthened out until it ', 'ht. at first it was but a lurid spark upon the stone pavement. then it lengthened out until it becam', 't first it was but a lurid spark upon the stone pavement. then it lengthened out until it became a y', 'st it was but a lurid spark upon the stone pavement. then it lengthened out until it became a yellow', ' was but a lurid spark upon the stone pavement. then it lengthened out until it became a yellow line', 'but a lurid spark upon the stone pavement. then it lengthened out until it became a yellow line, and', ' lurid spark upon the stone pavement. then it lengthened out until it became a yellow line, and then', 'd spark upon the stone pavement. then it lengthened out until it became a yellow line, and then, wit', 'rk upon the stone pavement. then it lengthened out until it became a yellow line, and then, without ', 'on the stone pavement. then it lengthened out until it became a yellow line, and then, without any w', 'e stone pavement. then it lengthened out until it became a yellow line, and then, without any warnin', 'ne pavement. then it lengthened out until it became a yellow line, and then, without any warning or ', 'vement. then it lengthened out until it became a yellow line, and then, without any warning or sound', 't. then it lengthened out until it became a yellow line, and then, without any warning or sound, a g', 'en it lengthened out until it became a yellow line, and then, without any warning or sound, a gash s', ' lengthened out until it became a yellow line, and then, without any warning or sound, a gash seemed', 'thened out until it became a yellow line, and then, without any warning or sound, a gash seemed to o', 'd out until it became a yellow line, and then, without any warning or sound, a gash seemed to open a', ' until it became a yellow line, and then, without any warning or sound, a gash seemed to open and a ', 'l it became a yellow line, and then, without any warning or sound, a gash seemed to open and a hand ', 'became a yellow line, and then, without any warning or sound, a gash seemed to open and a hand appea', 'e a yellow line, and then, without any warning or sound, a gash seemed to open and a hand appeared, ', 'ellow line, and then, without any warning or sound, a gash seemed to open and a hand appeared, a whi', ' line, and then, without any warning or sound, a gash seemed to open and a hand appeared, a white, a', ', and then, without any warning or sound, a gash seemed to open and a hand appeared, a white, almost', ' then, without any warning or sound, a gash seemed to open and a hand appeared, a white, almost woma', ', without any warning or sound, a gash seemed to open and a hand appeared, a white, almost womanly h', 'hout any warning or sound, a gash seemed to open and a hand appeared, a white, almost womanly hand, ', 'any warning or sound, a gash seemed to open and a hand appeared, a white, almost womanly hand, which', 'arning or sound, a gash seemed to open and a hand appeared, a white, almost womanly hand, which felt', 'g or sound, a gash seemed to open and a hand appeared, a white, almost womanly hand, which felt abou', 'sound, a gash seemed to open and a hand appeared, a white, almost womanly hand, which felt about in ', ', a gash seemed to open and a hand appeared, a white, almost womanly hand, which felt about in the c', 'ash seemed to open and a hand appeared, a white, almost womanly hand, which felt about in the centre', 'eemed to open and a hand appeared, a white, almost womanly hand, which felt about in the centre of t', ' to open and a hand appeared, a white, almost womanly hand, which felt about in the centre of the li', 'pen and a hand appeared, a white, almost womanly hand, which felt about in the centre of the little ', 'nd a hand appeared, a white, almost womanly hand, which felt about in the centre of the little area ', 'hand appeared, a white, almost womanly hand, which felt about in the centre of the little area of li', 'appeared, a white, almost womanly hand, which felt about in the centre of the little area of light. ', 'red, a white, almost womanly hand, which felt about in the centre of the little area of light. for a', 'a white, almost womanly hand, which felt about in the centre of the little area of light. for a minu', 'te, almost womanly hand, which felt about in the centre of the little area of light. for a minute or', 'lmost womanly hand, which felt about in the centre of the little area of light. for a minute or more', ' womanly hand, which felt about in the centre of the little area of light. for a minute or more the ', 'nly hand, which felt about in the centre of the little area of light. for a minute or more the hand,', 'and, which felt about in the centre of the little area of light. for a minute or more the hand, with', 'which felt about in the centre of the little area of light. for a minute or more the hand, with its ', ' felt about in the centre of the little area of light. for a minute or more the hand, with its writh', ' about in the centre of the little area of light. for a minute or more the hand, with its writhing f', 't in the centre of the little area of light. for a minute or more the hand, with its writhing finger', 'the centre of the little area of light. for a minute or more the hand, with its writhing fingers, pr', 'entre of the little area of light. for a minute or more the hand, with its writhing fingers, protrud', ' of the little area of light. for a minute or more the hand, with its writhing fingers, protruded ou', 'he little area of light. for a minute or more the hand, with its writhing fingers, protruded out of ', 'ttle area of light. for a minute or more the hand, with its writhing fingers, protruded out of the f', 'area of light. for a minute or more the hand, with its writhing fingers, protruded out of the floor.', 'of light. for a minute or more the hand, with its writhing fingers, protruded out of the floor. then', 'ght. for a minute or more the hand, with its writhing fingers, protruded out of the floor. then it w', 'for a minute or more the hand, with its writhing fingers, protruded out of the floor. then it was wi', ' minute or more the hand, with its writhing fingers, protruded out of the floor. then it was withdra', 'te or more the hand, with its writhing fingers, protruded out of the floor. then it was withdrawn as', ' more the hand, with its writhing fingers, protruded out of the floor. then it was withdrawn as sudd', ' the hand, with its writhing fingers, protruded out of the floor. then it was withdrawn as suddenly ', 'hand, with its writhing fingers, protruded out of the floor. then it was withdrawn as suddenly as it', ' with its writhing fingers, protruded out of the floor. then it was withdrawn as suddenly as it appe', ' its writhing fingers, protruded out of the floor. then it was withdrawn as suddenly as it appeared,', 'writhing fingers, protruded out of the floor. then it was withdrawn as suddenly as it appeared, and ', 'ing fingers, protruded out of the floor. then it was withdrawn as suddenly as it appeared, and all w', 'ingers, protruded out of the floor. then it was withdrawn as suddenly as it appeared, and all was da', 's, protruded out of the floor. then it was withdrawn as suddenly as it appeared, and all was dark ag', 'otruded out of the floor. then it was withdrawn as suddenly as it appeared, and all was dark again s', 'ed out of the floor. then it was withdrawn as suddenly as it appeared, and all was dark again save t', 't of the floor. then it was withdrawn as suddenly as it appeared, and all was dark again save the si', 'the floor. then it was withdrawn as suddenly as it appeared, and all was dark again save the single ', 'loor. then it was withdrawn as suddenly as it appeared, and all was dark again save the single lurid', ' then it was withdrawn as suddenly as it appeared, and all was dark again save the single lurid spar', ' it was withdrawn as suddenly as it appeared, and all was dark again save the single lurid spark whi', 'as withdrawn as suddenly as it appeared, and all was dark again save the single lurid spark which ma', 'thdrawn as suddenly as it appeared, and all was dark again save the single lurid spark which marked ', 'wn as suddenly as it appeared, and all was dark again save the single lurid spark which marked a chi', ' suddenly as it appeared, and all was dark again save the single lurid spark which marked a chink be', 'enly as it appeared, and all was dark again save the single lurid spark which marked a chink between', 'as it appeared, and all was dark again save the single lurid spark which marked a chink between the ', ' appeared, and all was dark again save the single lurid spark which marked a chink between the stone', 'ared, and all was dark again save the single lurid spark which marked a chink between the stones. it', ' and all was dark again save the single lurid spark which marked a chink between the stones. its dis', 'all was dark again save the single lurid spark which marked a chink between the stones. its disappea', 'as dark again save the single lurid spark which marked a chink between the stones. its disappearance', 'rk again save the single lurid spark which marked a chink between the stones. its disappearance, how', 'ain save the single lurid spark which marked a chink between the stones. its disappearance, however,', 'ave the single lurid spark which marked a chink between the stones. its disappearance, however, was ', 'he single lurid spark which marked a chink between the stones. its disappearance, however, was but m', 'ngle lurid spark which marked a chink between the stones. its disappearance, however, was but moment', 'lurid spark which marked a chink between the stones. its disappearance, however, was but momentary. ', ' spark which marked a chink between the stones. its disappearance, however, was but momentary. with ', 'k which marked a chink between the stones. its disappearance, however, was but momentary. with a ren', 'ch marked a chink between the stones. its disappearance, however, was but momentary. with a rending,', 'rked a chink between the stones. its disappearance, however, was but momentary. with a rending, tear', 'a chink between the stones. its disappearance, however, was but momentary. with a rending, tearing s', 'nk between the stones. its disappearance, however, was but momentary. with a rending, tearing sound,', 'tween the stones. its disappearance, however, was but momentary. with a rending, tearing sound, one ', ' the stones. its disappearance, however, was but momentary. with a rending, tearing sound, one of th', 'stones. its disappearance, however, was but momentary. with a rending, tearing sound, one of the bro', 's. its disappearance, however, was but momentary. with a rending, tearing sound, one of the broad, w', 's disappearance, however, was but momentary. with a rending, tearing sound, one of the broad, white ', 'appearance, however, was but momentary. with a rending, tearing sound, one of the broad, white stone', 'rance, however, was but momentary. with a rending, tearing sound, one of the broad, white stones tur', ', however, was but momentary. with a rending, tearing sound, one of the broad, white stones turned o', 'ever, was but momentary. with a rending, tearing sound, one of the broad, white stones turned over u', ' was but momentary. with a rending, tearing sound, one of the broad, white stones turned over upon i', 'but momentary. with a rending, tearing sound, one of the broad, white stones turned over upon its si', 'omentary. with a rending, tearing sound, one of the broad, white stones turned over upon its side an', 'ary. with a rending, tearing sound, one of the broad, white stones turned over upon its side and lef', 'with a rending, tearing sound, one of the broad, white stones turned over upon its side and left a s', 'a rending, tearing sound, one of the broad, white stones turned over upon its side and left a square', 'ding, tearing sound, one of the broad, white stones turned over upon its side and left a square, gap', ' tearing sound, one of the broad, white stones turned over upon its side and left a square, gaping h', 'ing sound, one of the broad, white stones turned over upon its side and left a square, gaping hole, ', 'ound, one of the broad, white stones turned over upon its side and left a square, gaping hole, throu', ' one of the broad, white stones turned over upon its side and left a square, gaping hole, through wh', 'of the broad, white stones turned over upon its side and left a square, gaping hole, through which s', 'e broad, white stones turned over upon its side and left a square, gaping hole, through which stream', 'ad, white stones turned over upon its side and left a square, gaping hole, through which streamed th', 'hite stones turned over upon its side and left a square, gaping hole, through which streamed the lig', 'stones turned over upon its side and left a square, gaping hole, through which streamed the light of', 's turned over upon its side and left a square, gaping hole, through which streamed the light of a la', 'ned over upon its side and left a square, gaping hole, through which streamed the light of a lantern', 'ver upon its side and left a square, gaping hole, through which streamed the light of a lantern. ove', 'pon its side and left a square, gaping hole, through which streamed the light of a lantern. over the', 'ts side and left a square, gaping hole, through which streamed the light of a lantern. over the edge', 'de and left a square, gaping hole, through which streamed the light of a lantern. over the edge ther', 'd left a square, gaping hole, through which streamed the light of a lantern. over the edge there pee', 't a square, gaping hole, through which streamed the light of a lantern. over the edge there peeped a', 'quare, gaping hole, through which streamed the light of a lantern. over the edge there peeped a clea', ', gaping hole, through which streamed the light of a lantern. over the edge there peeped a clean-cut', 'ing hole, through which streamed the light of a lantern. over the edge there peeped a clean-cut, boy', 'ole, through which streamed the light of a lantern. over the edge there peeped a clean-cut, boyish f', 'through which streamed the light of a lantern. over the edge there peeped a clean-cut, boyish face, ', 'gh which streamed the light of a lantern. over the edge there peeped a clean-cut, boyish face, which', 'ich streamed the light of a lantern. over the edge there peeped a clean-cut, boyish face, which look', 'treamed the light of a lantern. over the edge there peeped a clean-cut, boyish face, which looked ke', 'ed the light of a lantern. over the edge there peeped a clean-cut, boyish face, which looked keenly ', 'e light of a lantern. over the edge there peeped a clean-cut, boyish face, which looked keenly about', 'ht of a lantern. over the edge there peeped a clean-cut, boyish face, which looked keenly about it, ', ' a lantern. over the edge there peeped a clean-cut, boyish face, which looked keenly about it, and t', 'ntern. over the edge there peeped a clean-cut, boyish face, which looked keenly about it, and then, ', '. over the edge there peeped a clean-cut, boyish face, which looked keenly about it, and then, with ', 'r the edge there peeped a clean-cut, boyish face, which looked keenly about it, and then, with a han', ' edge there peeped a clean-cut, boyish face, which looked keenly about it, and then, with a hand on ', ' there peeped a clean-cut, boyish face, which looked keenly about it, and then, with a hand on eithe', 'e peeped a clean-cut, boyish face, which looked keenly about it, and then, with a hand on either sid', 'ped a clean-cut, boyish face, which looked keenly about it, and then, with a hand on either side of ', ' clean-cut, boyish face, which looked keenly about it, and then, with a hand on either side of the a', 'n-cut, boyish face, which looked keenly about it, and then, with a hand on either side of the apertu', ', boyish face, which looked keenly about it, and then, with a hand on either side of the aperture, d', 'ish face, which looked keenly about it, and then, with a hand on either side of the aperture, drew i', 'ace, which looked keenly about it, and then, with a hand on either side of the aperture, drew itself', 'which looked keenly about it, and then, with a hand on either side of the aperture, drew itself shou', ' looked keenly about it, and then, with a hand on either side of the aperture, drew itself shoulder-', 'ed keenly about it, and then, with a hand on either side of the aperture, drew itself shoulder-high ', 'enly about it, and then, with a hand on either side of the aperture, drew itself shoulder-high and w', 'about it, and then, with a hand on either side of the aperture, drew itself shoulder-high and waist-', ' it, and then, with a hand on either side of the aperture, drew itself shoulder-high and waist-high,', 'and then, with a hand on either side of the aperture, drew itself shoulder-high and waist-high, unti', 'hen, with a hand on either side of the aperture, drew itself shoulder-high and waist-high, until one', 'with a hand on either side of the aperture, drew itself shoulder-high and waist-high, until one knee', 'a hand on either side of the aperture, drew itself shoulder-high and waist-high, until one knee rest', 'd on either side of the aperture, drew itself shoulder-high and waist-high, until one knee rested up', 'either side of the aperture, drew itself shoulder-high and waist-high, until one knee rested upon th', 'r side of the aperture, drew itself shoulder-high and waist-high, until one knee rested upon the edg', 'e of the aperture, drew itself shoulder-high and waist-high, until one knee rested upon the edge. in', 'the aperture, drew itself shoulder-high and waist-high, until one knee rested upon the edge. in anot', 'perture, drew itself shoulder-high and waist-high, until one knee rested upon the edge. in another i', 're, drew itself shoulder-high and waist-high, until one knee rested upon the edge. in another instan', 'rew itself shoulder-high and waist-high, until one knee rested upon the edge. in another instant he ', 'tself shoulder-high and waist-high, until one knee rested upon the edge. in another instant he stood', ' shoulder-high and waist-high, until one knee rested upon the edge. in another instant he stood at t', 'lder-high and waist-high, until one knee rested upon the edge. in another instant he stood at the si', 'high and waist-high, until one knee rested upon the edge. in another instant he stood at the side of', 'and waist-high, until one knee rested upon the edge. in another instant he stood at the side of the ', 'aist-high, until one knee rested upon the edge. in another instant he stood at the side of the hole ', 'high, until one knee rested upon the edge. in another instant he stood at the side of the hole and w', ' until one knee rested upon the edge. in another instant he stood at the side of the hole and was ha', 'l one knee rested upon the edge. in another instant he stood at the side of the hole and was hauling', ' knee rested upon the edge. in another instant he stood at the side of the hole and was hauling afte', ' rested upon the edge. in another instant he stood at the side of the hole and was hauling after him', 'ed upon the edge. in another instant he stood at the side of the hole and was hauling after him a co', 'on the edge. in another instant he stood at the side of the hole and was hauling after him a compani', 'e edge. in another instant he stood at the side of the hole and was hauling after him a companion, l', 'e. in another instant he stood at the side of the hole and was hauling after him a companion, lithe ', ' another instant he stood at the side of the hole and was hauling after him a companion, lithe and s', 'her instant he stood at the side of the hole and was hauling after him a companion, lithe and small ', 'nstant he stood at the side of the hole and was hauling after him a companion, lithe and small like ', 't he stood at the side of the hole and was hauling after him a companion, lithe and small like himse', 'stood at the side of the hole and was hauling after him a companion, lithe and small like himself, w', ' at the side of the hole and was hauling after him a companion, lithe and small like himself, with a', 'he side of the hole and was hauling after him a companion, lithe and small like himself, with a pale', 'de of the hole and was hauling after him a companion, lithe and small like himself, with a pale face', ' the hole and was hauling after him a companion, lithe and small like himself, with a pale face and ', 'hole and was hauling after him a companion, lithe and small like himself, with a pale face and a sho', 'and was hauling after him a companion, lithe and small like himself, with a pale face and a shock of', 'as hauling after him a companion, lithe and small like himself, with a pale face and a shock of very', 'uling after him a companion, lithe and small like himself, with a pale face and a shock of very red ', ' after him a companion, lithe and small like himself, with a pale face and a shock of very red hair.', 'r him a companion, lithe and small like himself, with a pale face and a shock of very red hair. "it\'', ' a companion, lithe and small like himself, with a pale face and a shock of very red hair. "it\'s all', 'mpanion, lithe and small like himself, with a pale face and a shock of very red hair. "it\'s all clea', 'on, lithe and small like himself, with a pale face and a shock of very red hair. "it\'s all clear," h', 'ithe and small like himself, with a pale face and a shock of very red hair. "it\'s all clear," he whi', 'and small like himself, with a pale face and a shock of very red hair. "it\'s all clear," he whispere', 'mall like himself, with a pale face and a shock of very red hair. "it\'s all clear," he whispered. "h', 'like himself, with a pale face and a shock of very red hair. "it\'s all clear," he whispered. "have y', 'himself, with a pale face and a shock of very red hair. "it\'s all clear," he whispered. "have you th', 'lf, with a pale face and a shock of very red hair. "it\'s all clear," he whispered. "have you the chi', 'ith a pale face and a shock of very red hair. "it\'s all clear," he whispered. "have you the chisel a', ' pale face and a shock of very red hair. "it\'s all clear," he whispered. "have you the chisel and th', ' face and a shock of very red hair. "it\'s all clear," he whispered. "have you the chisel and the bag', ' and a shock of very red hair. "it\'s all clear," he whispered. "have you the chisel and the bags? gr', 'a shock of very red hair. "it\'s all clear," he whispered. "have you the chisel and the bags? great s', 'ck of very red hair. "it\'s all clear," he whispered. "have you the chisel and the bags? great scott!', ' very red hair. "it\'s all clear," he whispered. "have you the chisel and the bags? great scott! jump', ' red hair. "it\'s all clear," he whispered. "have you the chisel and the bags? great scott! jump, arc', 'hair. "it\'s all clear," he whispered. "have you the chisel and the bags? great scott! jump, archie, ', ' "it\'s all clear," he whispered. "have you the chisel and the bags? great scott! jump, archie, jump,', 's all clear," he whispered. "have you the chisel and the bags? great scott! jump, archie, jump, and ', ' clear," he whispered. "have you the chisel and the bags? great scott! jump, archie, jump, and i\'ll ', 'r," he whispered. "have you the chisel and the bags? great scott! jump, archie, jump, and i\'ll swing', 'e whispered. "have you the chisel and the bags? great scott! jump, archie, jump, and i\'ll swing for ', 'spered. "have you the chisel and the bags? great scott! jump, archie, jump, and i\'ll swing for it s', 'd. "have you the chisel and the bags? great scott! jump, archie, jump, and i\'ll swing for it sherlo', "ave you the chisel and the bags? great scott! jump, archie, jump, and i'll swing for it sherlock ho", "ou the chisel and the bags? great scott! jump, archie, jump, and i'll swing for it sherlock holmes ", "e chisel and the bags? great scott! jump, archie, jump, and i'll swing for it sherlock holmes had s", "sel and the bags? great scott! jump, archie, jump, and i'll swing for it sherlock holmes had sprung", "nd the bags? great scott! jump, archie, jump, and i'll swing for it sherlock holmes had sprung out ", "e bags? great scott! jump, archie, jump, and i'll swing for it sherlock holmes had sprung out and s", "s? great scott! jump, archie, jump, and i'll swing for it sherlock holmes had sprung out and seized", "eat scott! jump, archie, jump, and i'll swing for it sherlock holmes had sprung out and seized the ", "cott! jump, archie, jump, and i'll swing for it sherlock holmes had sprung out and seized the intru", " jump, archie, jump, and i'll swing for it sherlock holmes had sprung out and seized the intruder b", ", archie, jump, and i'll swing for it sherlock holmes had sprung out and seized the intruder by the", "hie, jump, and i'll swing for it sherlock holmes had sprung out and seized the intruder by the coll", "jump, and i'll swing for it sherlock holmes had sprung out and seized the intruder by the collar. t", " and i'll swing for it sherlock holmes had sprung out and seized the intruder by the collar. the ot", "i'll swing for it sherlock holmes had sprung out and seized the intruder by the collar. the other d", 'swing for it sherlock holmes had sprung out and seized the intruder by the collar. the other dived ', ' for it sherlock holmes had sprung out and seized the intruder by the collar. the other dived down ', 'it sherlock holmes had sprung out and seized the intruder by the collar. the other dived down the h', 'herlock holmes had sprung out and seized the intruder by the collar. the other dived down the hole, ', 'ck holmes had sprung out and seized the intruder by the collar. the other dived down the hole, and i', 'lmes had sprung out and seized the intruder by the collar. the other dived down the hole, and i hear', 'had sprung out and seized the intruder by the collar. the other dived down the hole, and i heard the', 'prung out and seized the intruder by the collar. the other dived down the hole, and i heard the soun', ' out and seized the intruder by the collar. the other dived down the hole, and i heard the sound of ', 'and seized the intruder by the collar. the other dived down the hole, and i heard the sound of rendi', 'eized the intruder by the collar. the other dived down the hole, and i heard the sound of rending cl', ' the intruder by the collar. the other dived down the hole, and i heard the sound of rending cloth a', 'intruder by the collar. the other dived down the hole, and i heard the sound of rending cloth as jon', 'der by the collar. the other dived down the hole, and i heard the sound of rending cloth as jones cl', 'y the collar. the other dived down the hole, and i heard the sound of rending cloth as jones clutche', ' collar. the other dived down the hole, and i heard the sound of rending cloth as jones clutched at ', 'ar. the other dived down the hole, and i heard the sound of rending cloth as jones clutched at his s', 'he other dived down the hole, and i heard the sound of rending cloth as jones clutched at his skirts', 'her dived down the hole, and i heard the sound of rending cloth as jones clutched at his skirts. the', 'ived down the hole, and i heard the sound of rending cloth as jones clutched at his skirts. the ligh', 'down the hole, and i heard the sound of rending cloth as jones clutched at his skirts. the light fla', 'the hole, and i heard the sound of rending cloth as jones clutched at his skirts. the light flashed ', 'ole, and i heard the sound of rending cloth as jones clutched at his skirts. the light flashed upon ', 'and i heard the sound of rending cloth as jones clutched at his skirts. the light flashed upon the b', ' heard the sound of rending cloth as jones clutched at his skirts. the light flashed upon the barrel', 'd the sound of rending cloth as jones clutched at his skirts. the light flashed upon the barrel of a', ' sound of rending cloth as jones clutched at his skirts. the light flashed upon the barrel of a revo', 'd of rending cloth as jones clutched at his skirts. the light flashed upon the barrel of a revolver,', 'rending cloth as jones clutched at his skirts. the light flashed upon the barrel of a revolver, but ', 'ng cloth as jones clutched at his skirts. the light flashed upon the barrel of a revolver, but holme', "oth as jones clutched at his skirts. the light flashed upon the barrel of a revolver, but holmes' hu", "s jones clutched at his skirts. the light flashed upon the barrel of a revolver, but holmes' hunting", "es clutched at his skirts. the light flashed upon the barrel of a revolver, but holmes' hunting crop", "utched at his skirts. the light flashed upon the barrel of a revolver, but holmes' hunting crop came", "d at his skirts. the light flashed upon the barrel of a revolver, but holmes' hunting crop came down", "his skirts. the light flashed upon the barrel of a revolver, but holmes' hunting crop came down on t", "kirts. the light flashed upon the barrel of a revolver, but holmes' hunting crop came down on the ma", ". the light flashed upon the barrel of a revolver, but holmes' hunting crop came down on the man's w", " light flashed upon the barrel of a revolver, but holmes' hunting crop came down on the man's wrist,", "t flashed upon the barrel of a revolver, but holmes' hunting crop came down on the man's wrist, and ", "shed upon the barrel of a revolver, but holmes' hunting crop came down on the man's wrist, and the p", "upon the barrel of a revolver, but holmes' hunting crop came down on the man's wrist, and the pistol", "the barrel of a revolver, but holmes' hunting crop came down on the man's wrist, and the pistol clin", "arrel of a revolver, but holmes' hunting crop came down on the man's wrist, and the pistol clinked u", " of a revolver, but holmes' hunting crop came down on the man's wrist, and the pistol clinked upon t", " revolver, but holmes' hunting crop came down on the man's wrist, and the pistol clinked upon the st", "lver, but holmes' hunting crop came down on the man's wrist, and the pistol clinked upon the stone f", " but holmes' hunting crop came down on the man's wrist, and the pistol clinked upon the stone floor.", 'holmes\' hunting crop came down on the man\'s wrist, and the pistol clinked upon the stone floor. "it\'', 's\' hunting crop came down on the man\'s wrist, and the pistol clinked upon the stone floor. "it\'s no ', 'nting crop came down on the man\'s wrist, and the pistol clinked upon the stone floor. "it\'s no use, ', ' crop came down on the man\'s wrist, and the pistol clinked upon the stone floor. "it\'s no use, john ', ' came down on the man\'s wrist, and the pistol clinked upon the stone floor. "it\'s no use, john clay,', ' down on the man\'s wrist, and the pistol clinked upon the stone floor. "it\'s no use, john clay," sai', ' on the man\'s wrist, and the pistol clinked upon the stone floor. "it\'s no use, john clay," said hol', 'he man\'s wrist, and the pistol clinked upon the stone floor. "it\'s no use, john clay," said holmes b', 'n\'s wrist, and the pistol clinked upon the stone floor. "it\'s no use, john clay," said holmes blandl', 'rist, and the pistol clinked upon the stone floor. "it\'s no use, john clay," said holmes blandly. "y', ' and the pistol clinked upon the stone floor. "it\'s no use, john clay," said holmes blandly. "you ha', 'the pistol clinked upon the stone floor. "it\'s no use, john clay," said holmes blandly. "you have no', 'istol clinked upon the stone floor. "it\'s no use, john clay," said holmes blandly. "you have no chan', ' clinked upon the stone floor. "it\'s no use, john clay," said holmes blandly. "you have no chance at', 'ked upon the stone floor. "it\'s no use, john clay," said holmes blandly. "you have no chance at all.', 'pon the stone floor. "it\'s no use, john clay," said holmes blandly. "you have no chance at all." "so', 'he stone floor. "it\'s no use, john clay," said holmes blandly. "you have no chance at all." "so i se', 'one floor. "it\'s no use, john clay," said holmes blandly. "you have no chance at all." "so i see," t', 'loor. "it\'s no use, john clay," said holmes blandly. "you have no chance at all." "so i see," the ot', ' "it\'s no use, john clay," said holmes blandly. "you have no chance at all." "so i see," the other a', 's no use, john clay," said holmes blandly. "you have no chance at all." "so i see," the other answer', 'use, john clay," said holmes blandly. "you have no chance at all." "so i see," the other answered wi', 'john clay," said holmes blandly. "you have no chance at all." "so i see," the other answered with th', 'clay," said holmes blandly. "you have no chance at all." "so i see," the other answered with the utm', '" said holmes blandly. "you have no chance at all." "so i see," the other answered with the utmost c', 'd holmes blandly. "you have no chance at all." "so i see," the other answered with the utmost coolne', 'mes blandly. "you have no chance at all." "so i see," the other answered with the utmost coolness. "', 'landly. "you have no chance at all." "so i see," the other answered with the utmost coolness. "i fan', 'y. "you have no chance at all." "so i see," the other answered with the utmost coolness. "i fancy th', 'ou have no chance at all." "so i see," the other answered with the utmost coolness. "i fancy that my', 've no chance at all." "so i see," the other answered with the utmost coolness. "i fancy that my pal ', ' chance at all." "so i see," the other answered with the utmost coolness. "i fancy that my pal is al', 'ce at all." "so i see," the other answered with the utmost coolness. "i fancy that my pal is all rig', ' all." "so i see," the other answered with the utmost coolness. "i fancy that my pal is all right, t', '" "so i see," the other answered with the utmost coolness. "i fancy that my pal is all right, though', ' i see," the other answered with the utmost coolness. "i fancy that my pal is all right, though i se', 'e," the other answered with the utmost coolness. "i fancy that my pal is all right, though i see you', 'he other answered with the utmost coolness. "i fancy that my pal is all right, though i see you have', 'her answered with the utmost coolness. "i fancy that my pal is all right, though i see you have got ', 'nswered with the utmost coolness. "i fancy that my pal is all right, though i see you have got his c', 'ed with the utmost coolness. "i fancy that my pal is all right, though i see you have got his coat-t', 'th the utmost coolness. "i fancy that my pal is all right, though i see you have got his coat-tails.', 'e utmost coolness. "i fancy that my pal is all right, though i see you have got his coat-tails." "th', 'ost coolness. "i fancy that my pal is all right, though i see you have got his coat-tails." "there a', 'oolness. "i fancy that my pal is all right, though i see you have got his coat-tails." "there are th', 'ss. "i fancy that my pal is all right, though i see you have got his coat-tails." "there are three m', 'i fancy that my pal is all right, though i see you have got his coat-tails." "there are three men wa', 'cy that my pal is all right, though i see you have got his coat-tails." "there are three men waiting', 'at my pal is all right, though i see you have got his coat-tails." "there are three men waiting for ', ' pal is all right, though i see you have got his coat-tails." "there are three men waiting for him a', 'is all right, though i see you have got his coat-tails." "there are three men waiting for him at the', 'l right, though i see you have got his coat-tails." "there are three men waiting for him at the door', 'ht, though i see you have got his coat-tails." "there are three men waiting for him at the door," sa', 'hough i see you have got his coat-tails." "there are three men waiting for him at the door," said ho', ' i see you have got his coat-tails." "there are three men waiting for him at the door," said holmes.', 'e you have got his coat-tails." "there are three men waiting for him at the door," said holmes. "oh,', ' have got his coat-tails." "there are three men waiting for him at the door," said holmes. "oh, inde', ' got his coat-tails." "there are three men waiting for him at the door," said holmes. "oh, indeed! y', 'his coat-tails." "there are three men waiting for him at the door," said holmes. "oh, indeed! you se', 'oat-tails." "there are three men waiting for him at the door," said holmes. "oh, indeed! you seem to', 'ails." "there are three men waiting for him at the door," said holmes. "oh, indeed! you seem to have', '" "there are three men waiting for him at the door," said holmes. "oh, indeed! you seem to have done', 'ere are three men waiting for him at the door," said holmes. "oh, indeed! you seem to have done the ', 're three men waiting for him at the door," said holmes. "oh, indeed! you seem to have done the thing', 'ree men waiting for him at the door," said holmes. "oh, indeed! you seem to have done the thing very', 'en waiting for him at the door," said holmes. "oh, indeed! you seem to have done the thing very comp', 'iting for him at the door," said holmes. "oh, indeed! you seem to have done the thing very completel', ' for him at the door," said holmes. "oh, indeed! you seem to have done the thing very completely. i ', 'him at the door," said holmes. "oh, indeed! you seem to have done the thing very completely. i must ', 't the door," said holmes. "oh, indeed! you seem to have done the thing very completely. i must compl', ' door," said holmes. "oh, indeed! you seem to have done the thing very completely. i must compliment', '," said holmes. "oh, indeed! you seem to have done the thing very completely. i must compliment you.', 'id holmes. "oh, indeed! you seem to have done the thing very completely. i must compliment you." "an', 'lmes. "oh, indeed! you seem to have done the thing very completely. i must compliment you." "and i y', ' "oh, indeed! you seem to have done the thing very completely. i must compliment you." "and i you," ', ' indeed! you seem to have done the thing very completely. i must compliment you." "and i you," holme', 'ed! you seem to have done the thing very completely. i must compliment you." "and i you," holmes ans', 'ou seem to have done the thing very completely. i must compliment you." "and i you," holmes answered', 'em to have done the thing very completely. i must compliment you." "and i you," holmes answered. "yo', ' have done the thing very completely. i must compliment you." "and i you," holmes answered. "your re', ' done the thing very completely. i must compliment you." "and i you," holmes answered. "your red-hea', ' the thing very completely. i must compliment you." "and i you," holmes answered. "your red-headed i', 'thing very completely. i must compliment you." "and i you," holmes answered. "your red-headed idea w', ' very completely. i must compliment you." "and i you," holmes answered. "your red-headed idea was ve', ' completely. i must compliment you." "and i you," holmes answered. "your red-headed idea was very ne', 'letely. i must compliment you." "and i you," holmes answered. "your red-headed idea was very new and', 'y. i must compliment you." "and i you," holmes answered. "your red-headed idea was very new and effe', 'must compliment you." "and i you," holmes answered. "your red-headed idea was very new and effective', 'compliment you." "and i you," holmes answered. "your red-headed idea was very new and effective." "y', 'iment you." "and i you," holmes answered. "your red-headed idea was very new and effective." "you\'ll', ' you." "and i you," holmes answered. "your red-headed idea was very new and effective." "you\'ll see ', '" "and i you," holmes answered. "your red-headed idea was very new and effective." "you\'ll see your ', 'd i you," holmes answered. "your red-headed idea was very new and effective." "you\'ll see your pal a', 'ou," holmes answered. "your red-headed idea was very new and effective." "you\'ll see your pal again ', 'holmes answered. "your red-headed idea was very new and effective." "you\'ll see your pal again prese', 's answered. "your red-headed idea was very new and effective." "you\'ll see your pal again presently,', 'wered. "your red-headed idea was very new and effective." "you\'ll see your pal again presently," sai', '. "your red-headed idea was very new and effective." "you\'ll see your pal again presently," said jon', 'ur red-headed idea was very new and effective." "you\'ll see your pal again presently," said jones. "', 'd-headed idea was very new and effective." "you\'ll see your pal again presently," said jones. "he\'s ', 'ded idea was very new and effective." "you\'ll see your pal again presently," said jones. "he\'s quick', 'dea was very new and effective." "you\'ll see your pal again presently," said jones. "he\'s quicker at', 'as very new and effective." "you\'ll see your pal again presently," said jones. "he\'s quicker at clim', 'ry new and effective." "you\'ll see your pal again presently," said jones. "he\'s quicker at climbing ', 'w and effective." "you\'ll see your pal again presently," said jones. "he\'s quicker at climbing down ', ' effective." "you\'ll see your pal again presently," said jones. "he\'s quicker at climbing down holes', 'ctive." "you\'ll see your pal again presently," said jones. "he\'s quicker at climbing down holes than', '." "you\'ll see your pal again presently," said jones. "he\'s quicker at climbing down holes than i am', 'ou\'ll see your pal again presently," said jones. "he\'s quicker at climbing down holes than i am. jus', ' see your pal again presently," said jones. "he\'s quicker at climbing down holes than i am. just hol', 'your pal again presently," said jones. "he\'s quicker at climbing down holes than i am. just hold out', 'pal again presently," said jones. "he\'s quicker at climbing down holes than i am. just hold out whil', 'gain presently," said jones. "he\'s quicker at climbing down holes than i am. just hold out while i f', 'presently," said jones. "he\'s quicker at climbing down holes than i am. just hold out while i fix th', 'ntly," said jones. "he\'s quicker at climbing down holes than i am. just hold out while i fix the der', '" said jones. "he\'s quicker at climbing down holes than i am. just hold out while i fix the derbies.', 'd jones. "he\'s quicker at climbing down holes than i am. just hold out while i fix the derbies." "i ', 'es. "he\'s quicker at climbing down holes than i am. just hold out while i fix the derbies." "i beg t', 'he\'s quicker at climbing down holes than i am. just hold out while i fix the derbies." "i beg that y', 'quicker at climbing down holes than i am. just hold out while i fix the derbies." "i beg that you wi', 'er at climbing down holes than i am. just hold out while i fix the derbies." "i beg that you will no', ' climbing down holes than i am. just hold out while i fix the derbies." "i beg that you will not tou', 'bing down holes than i am. just hold out while i fix the derbies." "i beg that you will not touch me', 'down holes than i am. just hold out while i fix the derbies." "i beg that you will not touch me with', 'holes than i am. just hold out while i fix the derbies." "i beg that you will not touch me with your', ' than i am. just hold out while i fix the derbies." "i beg that you will not touch me with your filt', ' i am. just hold out while i fix the derbies." "i beg that you will not touch me with your filthy ha', '. just hold out while i fix the derbies." "i beg that you will not touch me with your filthy hands,"', 't hold out while i fix the derbies." "i beg that you will not touch me with your filthy hands," rema', 'd out while i fix the derbies." "i beg that you will not touch me with your filthy hands," remarked ', ' while i fix the derbies." "i beg that you will not touch me with your filthy hands," remarked our p', 'e i fix the derbies." "i beg that you will not touch me with your filthy hands," remarked our prison', 'ix the derbies." "i beg that you will not touch me with your filthy hands," remarked our prisoner as', 'e derbies." "i beg that you will not touch me with your filthy hands," remarked our prisoner as the ', 'bies." "i beg that you will not touch me with your filthy hands," remarked our prisoner as the handc', '" "i beg that you will not touch me with your filthy hands," remarked our prisoner as the handcuffs ', 'beg that you will not touch me with your filthy hands," remarked our prisoner as the handcuffs clatt', 'hat you will not touch me with your filthy hands," remarked our prisoner as the handcuffs clattered ', 'ou will not touch me with your filthy hands," remarked our prisoner as the handcuffs clattered upon ', 'll not touch me with your filthy hands," remarked our prisoner as the handcuffs clattered upon his w', 't touch me with your filthy hands," remarked our prisoner as the handcuffs clattered upon his wrists', 'ch me with your filthy hands," remarked our prisoner as the handcuffs clattered upon his wrists. "yo', ' with your filthy hands," remarked our prisoner as the handcuffs clattered upon his wrists. "you may', ' your filthy hands," remarked our prisoner as the handcuffs clattered upon his wrists. "you may not ', ' filthy hands," remarked our prisoner as the handcuffs clattered upon his wrists. "you may not be aw', 'hy hands," remarked our prisoner as the handcuffs clattered upon his wrists. "you may not be aware t', 'nds," remarked our prisoner as the handcuffs clattered upon his wrists. "you may not be aware that i', ' remarked our prisoner as the handcuffs clattered upon his wrists. "you may not be aware that i have', 'rked our prisoner as the handcuffs clattered upon his wrists. "you may not be aware that i have roya', 'our prisoner as the handcuffs clattered upon his wrists. "you may not be aware that i have royal blo', 'risoner as the handcuffs clattered upon his wrists. "you may not be aware that i have royal blood in', 'er as the handcuffs clattered upon his wrists. "you may not be aware that i have royal blood in my v', ' the handcuffs clattered upon his wrists. "you may not be aware that i have royal blood in my veins.', 'handcuffs clattered upon his wrists. "you may not be aware that i have royal blood in my veins. have', 'uffs clattered upon his wrists. "you may not be aware that i have royal blood in my veins. have the ', 'clattered upon his wrists. "you may not be aware that i have royal blood in my veins. have the goodn', 'ered upon his wrists. "you may not be aware that i have royal blood in my veins. have the goodness, ', 'upon his wrists. "you may not be aware that i have royal blood in my veins. have the goodness, also,', 'his wrists. "you may not be aware that i have royal blood in my veins. have the goodness, also, when', 'rists. "you may not be aware that i have royal blood in my veins. have the goodness, also, when you ', '. "you may not be aware that i have royal blood in my veins. have the goodness, also, when you addre', 'u may not be aware that i have royal blood in my veins. have the goodness, also, when you address me', ' not be aware that i have royal blood in my veins. have the goodness, also, when you address me alwa', 'be aware that i have royal blood in my veins. have the goodness, also, when you address me always to', 'are that i have royal blood in my veins. have the goodness, also, when you address me always to say ', "hat i have royal blood in my veins. have the goodness, also, when you address me always to say 'sir'", " have royal blood in my veins. have the goodness, also, when you address me always to say 'sir' and ", " royal blood in my veins. have the goodness, also, when you address me always to say 'sir' and 'plea", 'l blood in my veins. have the goodness, also, when you address me always to say \'sir\' and \'please.\'"', 'od in my veins. have the goodness, also, when you address me always to say \'sir\' and \'please.\'" "all', ' my veins. have the goodness, also, when you address me always to say \'sir\' and \'please.\'" "all righ', 'eins. have the goodness, also, when you address me always to say \'sir\' and \'please.\'" "all right," s', ' have the goodness, also, when you address me always to say \'sir\' and \'please.\'" "all right," said j', ' the goodness, also, when you address me always to say \'sir\' and \'please.\'" "all right," said jones ', 'goodness, also, when you address me always to say \'sir\' and \'please.\'" "all right," said jones with ', 'ess, also, when you address me always to say \'sir\' and \'please.\'" "all right," said jones with a sta', 'also, when you address me always to say \'sir\' and \'please.\'" "all right," said jones with a stare an', ' when you address me always to say \'sir\' and \'please.\'" "all right," said jones with a stare and a s', ' you address me always to say \'sir\' and \'please.\'" "all right," said jones with a stare and a snigge', 'address me always to say \'sir\' and \'please.\'" "all right," said jones with a stare and a snigger. "w', 'ss me always to say \'sir\' and \'please.\'" "all right," said jones with a stare and a snigger. "well, ', ' always to say \'sir\' and \'please.\'" "all right," said jones with a stare and a snigger. "well, would', 'ys to say \'sir\' and \'please.\'" "all right," said jones with a stare and a snigger. "well, would you ', ' say \'sir\' and \'please.\'" "all right," said jones with a stare and a snigger. "well, would you pleas', '\'sir\' and \'please.\'" "all right," said jones with a stare and a snigger. "well, would you please, si', ' and \'please.\'" "all right," said jones with a stare and a snigger. "well, would you please, sir, ma', '\'please.\'" "all right," said jones with a stare and a snigger. "well, would you please, sir, march u', 'se.\'" "all right," said jones with a stare and a snigger. "well, would you please, sir, march upstai', ' "all right," said jones with a stare and a snigger. "well, would you please, sir, march upstairs, w', ' right," said jones with a stare and a snigger. "well, would you please, sir, march upstairs, where ', 't," said jones with a stare and a snigger. "well, would you please, sir, march upstairs, where we ca', 'aid jones with a stare and a snigger. "well, would you please, sir, march upstairs, where we can get', 'ones with a stare and a snigger. "well, would you please, sir, march upstairs, where we can get a ca', 'with a stare and a snigger. "well, would you please, sir, march upstairs, where we can get a cab to ', 'a stare and a snigger. "well, would you please, sir, march upstairs, where we can get a cab to carry', 're and a snigger. "well, would you please, sir, march upstairs, where we can get a cab to carry your', 'd a snigger. "well, would you please, sir, march upstairs, where we can get a cab to carry your high', 'nigger. "well, would you please, sir, march upstairs, where we can get a cab to carry your highness ', 'r. "well, would you please, sir, march upstairs, where we can get a cab to carry your highness to th', 'ell, would you please, sir, march upstairs, where we can get a cab to carry your highness to the pol', 'would you please, sir, march upstairs, where we can get a cab to carry your highness to the police-s', ' you please, sir, march upstairs, where we can get a cab to carry your highness to the police-statio', 'please, sir, march upstairs, where we can get a cab to carry your highness to the police-station?" "', 'e, sir, march upstairs, where we can get a cab to carry your highness to the police-station?" "that ', 'r, march upstairs, where we can get a cab to carry your highness to the police-station?" "that is be', 'rch upstairs, where we can get a cab to carry your highness to the police-station?" "that is better,', 'pstairs, where we can get a cab to carry your highness to the police-station?" "that is better," sai', 'rs, where we can get a cab to carry your highness to the police-station?" "that is better," said joh', 'here we can get a cab to carry your highness to the police-station?" "that is better," said john cla', 'we can get a cab to carry your highness to the police-station?" "that is better," said john clay ser', 'n get a cab to carry your highness to the police-station?" "that is better," said john clay serenely', ' a cab to carry your highness to the police-station?" "that is better," said john clay serenely. he ', 'b to carry your highness to the police-station?" "that is better," said john clay serenely. he made ', 'carry your highness to the police-station?" "that is better," said john clay serenely. he made a swe', ' your highness to the police-station?" "that is better," said john clay serenely. he made a sweeping', ' highness to the police-station?" "that is better," said john clay serenely. he made a sweeping bow ', 'ness to the police-station?" "that is better," said john clay serenely. he made a sweeping bow to th', 'to the police-station?" "that is better," said john clay serenely. he made a sweeping bow to the thr', 'e police-station?" "that is better," said john clay serenely. he made a sweeping bow to the three of', 'ice-station?" "that is better," said john clay serenely. he made a sweeping bow to the three of us a', 'tation?" "that is better," said john clay serenely. he made a sweeping bow to the three of us and wa', 'n?" "that is better," said john clay serenely. he made a sweeping bow to the three of us and walked ', 'that is better," said john clay serenely. he made a sweeping bow to the three of us and walked quiet', 'is better," said john clay serenely. he made a sweeping bow to the three of us and walked quietly of', 'tter," said john clay serenely. he made a sweeping bow to the three of us and walked quietly off in ', '" said john clay serenely. he made a sweeping bow to the three of us and walked quietly off in the c', 'd john clay serenely. he made a sweeping bow to the three of us and walked quietly off in the custod', 'n clay serenely. he made a sweeping bow to the three of us and walked quietly off in the custody of ', 'y serenely. he made a sweeping bow to the three of us and walked quietly off in the custody of the d', 'enely. he made a sweeping bow to the three of us and walked quietly off in the custody of the detect', '. he made a sweeping bow to the three of us and walked quietly off in the custody of the detective. ', 'made a sweeping bow to the three of us and walked quietly off in the custody of the detective. "real', 'a sweeping bow to the three of us and walked quietly off in the custody of the detective. "really, m', 'eping bow to the three of us and walked quietly off in the custody of the detective. "really, mr. ho', ' bow to the three of us and walked quietly off in the custody of the detective. "really, mr. holmes,', 'to the three of us and walked quietly off in the custody of the detective. "really, mr. holmes," sai', 'e three of us and walked quietly off in the custody of the detective. "really, mr. holmes," said mr.', 'ee of us and walked quietly off in the custody of the detective. "really, mr. holmes," said mr. merr', ' us and walked quietly off in the custody of the detective. "really, mr. holmes," said mr. merryweat', 'nd walked quietly off in the custody of the detective. "really, mr. holmes," said mr. merryweather a', 'lked quietly off in the custody of the detective. "really, mr. holmes," said mr. merryweather as we ', 'quietly off in the custody of the detective. "really, mr. holmes," said mr. merryweather as we follo', 'ly off in the custody of the detective. "really, mr. holmes," said mr. merryweather as we followed t', 'f in the custody of the detective. "really, mr. holmes," said mr. merryweather as we followed them f', 'the custody of the detective. "really, mr. holmes," said mr. merryweather as we followed them from t', 'ustody of the detective. "really, mr. holmes," said mr. merryweather as we followed them from the ce', 'y of the detective. "really, mr. holmes," said mr. merryweather as we followed them from the cellar,', 'the detective. "really, mr. holmes," said mr. merryweather as we followed them from the cellar, "i d', 'etective. "really, mr. holmes," said mr. merryweather as we followed them from the cellar, "i do not', 'ive. "really, mr. holmes," said mr. merryweather as we followed them from the cellar, "i do not know', '"really, mr. holmes," said mr. merryweather as we followed them from the cellar, "i do not know how ', 'ly, mr. holmes," said mr. merryweather as we followed them from the cellar, "i do not know how the b', 'r. holmes," said mr. merryweather as we followed them from the cellar, "i do not know how the bank c', 'lmes," said mr. merryweather as we followed them from the cellar, "i do not know how the bank can th', '" said mr. merryweather as we followed them from the cellar, "i do not know how the bank can thank y', 'd mr. merryweather as we followed them from the cellar, "i do not know how the bank can thank you or', ' merryweather as we followed them from the cellar, "i do not know how the bank can thank you or repa', 'yweather as we followed them from the cellar, "i do not know how the bank can thank you or repay you', 'her as we followed them from the cellar, "i do not know how the bank can thank you or repay you. the', 's we followed them from the cellar, "i do not know how the bank can thank you or repay you. there is', 'followed them from the cellar, "i do not know how the bank can thank you or repay you. there is no d', 'wed them from the cellar, "i do not know how the bank can thank you or repay you. there is no doubt ', 'hem from the cellar, "i do not know how the bank can thank you or repay you. there is no doubt that ', 'rom the cellar, "i do not know how the bank can thank you or repay you. there is no doubt that you h', 'he cellar, "i do not know how the bank can thank you or repay you. there is no doubt that you have d', 'llar, "i do not know how the bank can thank you or repay you. there is no doubt that you have detect', ' "i do not know how the bank can thank you or repay you. there is no doubt that you have detected an', 'o not know how the bank can thank you or repay you. there is no doubt that you have detected and def', ' know how the bank can thank you or repay you. there is no doubt that you have detected and defeated', ' how the bank can thank you or repay you. there is no doubt that you have detected and defeated in t', 'the bank can thank you or repay you. there is no doubt that you have detected and defeated in the mo', 'ank can thank you or repay you. there is no doubt that you have detected and defeated in the most co', 'an thank you or repay you. there is no doubt that you have detected and defeated in the most complet', 'ank you or repay you. there is no doubt that you have detected and defeated in the most complete man', 'ou or repay you. there is no doubt that you have detected and defeated in the most complete manner o', ' repay you. there is no doubt that you have detected and defeated in the most complete manner one of', 'y you. there is no doubt that you have detected and defeated in the most complete manner one of the ', '. there is no doubt that you have detected and defeated in the most complete manner one of the most ', 're is no doubt that you have detected and defeated in the most complete manner one of the most deter', ' no doubt that you have detected and defeated in the most complete manner one of the most determined', 'oubt that you have detected and defeated in the most complete manner one of the most determined atte', 'that you have detected and defeated in the most complete manner one of the most determined attempts ', 'you have detected and defeated in the most complete manner one of the most determined attempts at ba', 'ave detected and defeated in the most complete manner one of the most determined attempts at bank ro', 'etected and defeated in the most complete manner one of the most determined attempts at bank robbery', 'ed and defeated in the most complete manner one of the most determined attempts at bank robbery that', 'd defeated in the most complete manner one of the most determined attempts at bank robbery that have', 'eated in the most complete manner one of the most determined attempts at bank robbery that have ever', ' in the most complete manner one of the most determined attempts at bank robbery that have ever come', 'he most complete manner one of the most determined attempts at bank robbery that have ever come with', 'st complete manner one of the most determined attempts at bank robbery that have ever come within my', 'mplete manner one of the most determined attempts at bank robbery that have ever come within my expe', 'e manner one of the most determined attempts at bank robbery that have ever come within my experienc', 'ner one of the most determined attempts at bank robbery that have ever come within my experience." "', 'ne of the most determined attempts at bank robbery that have ever come within my experience." "i hav', ' the most determined attempts at bank robbery that have ever come within my experience." "i have had', 'most determined attempts at bank robbery that have ever come within my experience." "i have had one ', 'determined attempts at bank robbery that have ever come within my experience." "i have had one or tw', 'mined attempts at bank robbery that have ever come within my experience." "i have had one or two lit', ' attempts at bank robbery that have ever come within my experience." "i have had one or two little s', 'mpts at bank robbery that have ever come within my experience." "i have had one or two little scores', 'at bank robbery that have ever come within my experience." "i have had one or two little scores of m', 'nk robbery that have ever come within my experience." "i have had one or two little scores of my own', 'bbery that have ever come within my experience." "i have had one or two little scores of my own to s', ' that have ever come within my experience." "i have had one or two little scores of my own to settle', ' have ever come within my experience." "i have had one or two little scores of my own to settle with', ' ever come within my experience." "i have had one or two little scores of my own to settle with mr. ', ' come within my experience." "i have had one or two little scores of my own to settle with mr. john ', ' within my experience." "i have had one or two little scores of my own to settle with mr. john clay,', 'in my experience." "i have had one or two little scores of my own to settle with mr. john clay," sai', ' experience." "i have had one or two little scores of my own to settle with mr. john clay," said hol', 'rience." "i have had one or two little scores of my own to settle with mr. john clay," said holmes. ', 'e." "i have had one or two little scores of my own to settle with mr. john clay," said holmes. "i ha', 'i have had one or two little scores of my own to settle with mr. john clay," said holmes. "i have be', 'e had one or two little scores of my own to settle with mr. john clay," said holmes. "i have been at', ' one or two little scores of my own to settle with mr. john clay," said holmes. "i have been at some', 'or two little scores of my own to settle with mr. john clay," said holmes. "i have been at some smal', 'o little scores of my own to settle with mr. john clay," said holmes. "i have been at some small exp', 'tle scores of my own to settle with mr. john clay," said holmes. "i have been at some small expense ', 'cores of my own to settle with mr. john clay," said holmes. "i have been at some small expense over ', ' of my own to settle with mr. john clay," said holmes. "i have been at some small expense over this ', 'y own to settle with mr. john clay," said holmes. "i have been at some small expense over this matte', ' to settle with mr. john clay," said holmes. "i have been at some small expense over this matter, wh', 'ettle with mr. john clay," said holmes. "i have been at some small expense over this matter, which i', ' with mr. john clay," said holmes. "i have been at some small expense over this matter, which i shal', ' mr. john clay," said holmes. "i have been at some small expense over this matter, which i shall exp', 'john clay," said holmes. "i have been at some small expense over this matter, which i shall expect t', 'clay," said holmes. "i have been at some small expense over this matter, which i shall expect the ba', '" said holmes. "i have been at some small expense over this matter, which i shall expect the bank to', 'd holmes. "i have been at some small expense over this matter, which i shall expect the bank to refu', 'mes. "i have been at some small expense over this matter, which i shall expect the bank to refund, b', '"i have been at some small expense over this matter, which i shall expect the bank to refund, but be', 've been at some small expense over this matter, which i shall expect the bank to refund, but beyond ', 'en at some small expense over this matter, which i shall expect the bank to refund, but beyond that ', ' some small expense over this matter, which i shall expect the bank to refund, but beyond that i am ', ' small expense over this matter, which i shall expect the bank to refund, but beyond that i am amply', 'l expense over this matter, which i shall expect the bank to refund, but beyond that i am amply repa', 'ense over this matter, which i shall expect the bank to refund, but beyond that i am amply repaid by', 'over this matter, which i shall expect the bank to refund, but beyond that i am amply repaid by havi', 'this matter, which i shall expect the bank to refund, but beyond that i am amply repaid by having ha', 'matter, which i shall expect the bank to refund, but beyond that i am amply repaid by having had an ', 'r, which i shall expect the bank to refund, but beyond that i am amply repaid by having had an exper', 'ich i shall expect the bank to refund, but beyond that i am amply repaid by having had an experience', ' shall expect the bank to refund, but beyond that i am amply repaid by having had an experience whic', 'l expect the bank to refund, but beyond that i am amply repaid by having had an experience which is ', 'ect the bank to refund, but beyond that i am amply repaid by having had an experience which is in ma', 'he bank to refund, but beyond that i am amply repaid by having had an experience which is in many wa', 'nk to refund, but beyond that i am amply repaid by having had an experience which is in many ways un', ' refund, but beyond that i am amply repaid by having had an experience which is in many ways unique,', 'nd, but beyond that i am amply repaid by having had an experience which is in many ways unique, and ', 'ut beyond that i am amply repaid by having had an experience which is in many ways unique, and by he', 'yond that i am amply repaid by having had an experience which is in many ways unique, and by hearing', 'that i am amply repaid by having had an experience which is in many ways unique, and by hearing the ', 'i am amply repaid by having had an experience which is in many ways unique, and by hearing the very ', 'amply repaid by having had an experience which is in many ways unique, and by hearing the very remar', ' repaid by having had an experience which is in many ways unique, and by hearing the very remarkable', 'id by having had an experience which is in many ways unique, and by hearing the very remarkable narr', ' having had an experience which is in many ways unique, and by hearing the very remarkable narrative', 'ng had an experience which is in many ways unique, and by hearing the very remarkable narrative of t', 'd an experience which is in many ways unique, and by hearing the very remarkable narrative of the re', 'experience which is in many ways unique, and by hearing the very remarkable narrative of the red-hea', 'ience which is in many ways unique, and by hearing the very remarkable narrative of the red-headed l', ' which is in many ways unique, and by hearing the very remarkable narrative of the red-headed league', 'h is in many ways unique, and by hearing the very remarkable narrative of the red-headed league." "', 'in many ways unique, and by hearing the very remarkable narrative of the red-headed league." "you s', 'ny ways unique, and by hearing the very remarkable narrative of the red-headed league." "you see, w', 'ys unique, and by hearing the very remarkable narrative of the red-headed league." "you see, watson', 'ique, and by hearing the very remarkable narrative of the red-headed league." "you see, watson," he', ' and by hearing the very remarkable narrative of the red-headed league." "you see, watson," he expl', 'by hearing the very remarkable narrative of the red-headed league." "you see, watson," he explained', 'aring the very remarkable narrative of the red-headed league." "you see, watson," he explained in t', ' the very remarkable narrative of the red-headed league." "you see, watson," he explained in the ea', 'very remarkable narrative of the red-headed league." "you see, watson," he explained in the early h', 'remarkable narrative of the red-headed league." "you see, watson," he explained in the early hours ', 'kable narrative of the red-headed league." "you see, watson," he explained in the early hours of th', ' narrative of the red-headed league." "you see, watson," he explained in the early hours of the mor', 'ative of the red-headed league." "you see, watson," he explained in the early hours of the morning ', ' of the red-headed league." "you see, watson," he explained in the early hours of the morning as we', 'he red-headed league." "you see, watson," he explained in the early hours of the morning as we sat ', 'd-headed league." "you see, watson," he explained in the early hours of the morning as we sat over ', 'ded league." "you see, watson," he explained in the early hours of the morning as we sat over a gla', 'eague." "you see, watson," he explained in the early hours of the morning as we sat over a glass of', '." "you see, watson," he explained in the early hours of the morning as we sat over a glass of whis', 'you see, watson," he explained in the early hours of the morning as we sat over a glass of whisky an', 'ee, watson," he explained in the early hours of the morning as we sat over a glass of whisky and sod', 'atson," he explained in the early hours of the morning as we sat over a glass of whisky and soda in ', '," he explained in the early hours of the morning as we sat over a glass of whisky and soda in baker', ' explained in the early hours of the morning as we sat over a glass of whisky and soda in baker stre', 'ained in the early hours of the morning as we sat over a glass of whisky and soda in baker street, "', ' in the early hours of the morning as we sat over a glass of whisky and soda in baker street, "it wa', 'he early hours of the morning as we sat over a glass of whisky and soda in baker street, "it was per', 'rly hours of the morning as we sat over a glass of whisky and soda in baker street, "it was perfectl', 'ours of the morning as we sat over a glass of whisky and soda in baker street, "it was perfectly obv', 'of the morning as we sat over a glass of whisky and soda in baker street, "it was perfectly obvious ', 'e morning as we sat over a glass of whisky and soda in baker street, "it was perfectly obvious from ', 'ning as we sat over a glass of whisky and soda in baker street, "it was perfectly obvious from the f', 'as we sat over a glass of whisky and soda in baker street, "it was perfectly obvious from the first ', ' sat over a glass of whisky and soda in baker street, "it was perfectly obvious from the first that ', 'over a glass of whisky and soda in baker street, "it was perfectly obvious from the first that the o', 'a glass of whisky and soda in baker street, "it was perfectly obvious from the first that the only p', 'ss of whisky and soda in baker street, "it was perfectly obvious from the first that the only possib', ' whisky and soda in baker street, "it was perfectly obvious from the first that the only possible ob', 'ky and soda in baker street, "it was perfectly obvious from the first that the only possible object ', 'd soda in baker street, "it was perfectly obvious from the first that the only possible object of th', 'a in baker street, "it was perfectly obvious from the first that the only possible object of this ra', 'baker street, "it was perfectly obvious from the first that the only possible object of this rather ', ' street, "it was perfectly obvious from the first that the only possible object of this rather fanta', 'et, "it was perfectly obvious from the first that the only possible object of this rather fantastic ', 'it was perfectly obvious from the first that the only possible object of this rather fantastic busin', 's perfectly obvious from the first that the only possible object of this rather fantastic business o', 'fectly obvious from the first that the only possible object of this rather fantastic business of the', 'y obvious from the first that the only possible object of this rather fantastic business of the adve', 'ious from the first that the only possible object of this rather fantastic business of the advertise', 'from the first that the only possible object of this rather fantastic business of the advertisement ', 'the first that the only possible object of this rather fantastic business of the advertisement of th', 'irst that the only possible object of this rather fantastic business of the advertisement of the lea', 'that the only possible object of this rather fantastic business of the advertisement of the league, ', 'the only possible object of this rather fantastic business of the advertisement of the league, and t', 'nly possible object of this rather fantastic business of the advertisement of the league, and the co', 'ossible object of this rather fantastic business of the advertisement of the league, and the copying', 'le object of this rather fantastic business of the advertisement of the league, and the copying of t', "ject of this rather fantastic business of the advertisement of the league, and the copying of the 'e", "of this rather fantastic business of the advertisement of the league, and the copying of the 'encycl", "is rather fantastic business of the advertisement of the league, and the copying of the 'encyclopaed", "ther fantastic business of the advertisement of the league, and the copying of the 'encyclopaedia,' ", "fantastic business of the advertisement of the league, and the copying of the 'encyclopaedia,' must ", "stic business of the advertisement of the league, and the copying of the 'encyclopaedia,' must be to", "business of the advertisement of the league, and the copying of the 'encyclopaedia,' must be to get ", "ess of the advertisement of the league, and the copying of the 'encyclopaedia,' must be to get this ", "f the advertisement of the league, and the copying of the 'encyclopaedia,' must be to get this not o", " advertisement of the league, and the copying of the 'encyclopaedia,' must be to get this not over-b", "rtisement of the league, and the copying of the 'encyclopaedia,' must be to get this not over-bright", "ment of the league, and the copying of the 'encyclopaedia,' must be to get this not over-bright pawn", "of the league, and the copying of the 'encyclopaedia,' must be to get this not over-bright pawnbroke", "e league, and the copying of the 'encyclopaedia,' must be to get this not over-bright pawnbroker out", "gue, and the copying of the 'encyclopaedia,' must be to get this not over-bright pawnbroker out of t", "and the copying of the 'encyclopaedia,' must be to get this not over-bright pawnbroker out of the wa", "he copying of the 'encyclopaedia,' must be to get this not over-bright pawnbroker out of the way for", "pying of the 'encyclopaedia,' must be to get this not over-bright pawnbroker out of the way for a nu", " of the 'encyclopaedia,' must be to get this not over-bright pawnbroker out of the way for a number ", "he 'encyclopaedia,' must be to get this not over-bright pawnbroker out of the way for a number of ho", "ncyclopaedia,' must be to get this not over-bright pawnbroker out of the way for a number of hours e", "opaedia,' must be to get this not over-bright pawnbroker out of the way for a number of hours every ", "ia,' must be to get this not over-bright pawnbroker out of the way for a number of hours every day. ", 'must be to get this not over-bright pawnbroker out of the way for a number of hours every day. it wa', 'be to get this not over-bright pawnbroker out of the way for a number of hours every day. it was a c', ' get this not over-bright pawnbroker out of the way for a number of hours every day. it was a curiou', 'this not over-bright pawnbroker out of the way for a number of hours every day. it was a curious way', 'not over-bright pawnbroker out of the way for a number of hours every day. it was a curious way of m', 'ver-bright pawnbroker out of the way for a number of hours every day. it was a curious way of managi', 'right pawnbroker out of the way for a number of hours every day. it was a curious way of managing it', ' pawnbroker out of the way for a number of hours every day. it was a curious way of managing it, but', 'broker out of the way for a number of hours every day. it was a curious way of managing it, but, rea', 'r out of the way for a number of hours every day. it was a curious way of managing it, but, really, ', ' of the way for a number of hours every day. it was a curious way of managing it, but, really, it wo', 'he way for a number of hours every day. it was a curious way of managing it, but, really, it would b', 'y for a number of hours every day. it was a curious way of managing it, but, really, it would be dif', ' a number of hours every day. it was a curious way of managing it, but, really, it would be difficul', 'mber of hours every day. it was a curious way of managing it, but, really, it would be difficult to ', 'of hours every day. it was a curious way of managing it, but, really, it would be difficult to sugge', 'urs every day. it was a curious way of managing it, but, really, it would be difficult to suggest a ', 'very day. it was a curious way of managing it, but, really, it would be difficult to suggest a bette', 'day. it was a curious way of managing it, but, really, it would be difficult to suggest a better. th', 'it was a curious way of managing it, but, really, it would be difficult to suggest a better. the met', 's a curious way of managing it, but, really, it would be difficult to suggest a better. the method w', 'urious way of managing it, but, really, it would be difficult to suggest a better. the method was no', 's way of managing it, but, really, it would be difficult to suggest a better. the method was no doub', ' of managing it, but, really, it would be difficult to suggest a better. the method was no doubt sug', 'anaging it, but, really, it would be difficult to suggest a better. the method was no doubt suggeste', 'ng it, but, really, it would be difficult to suggest a better. the method was no doubt suggested to ', ", but, really, it would be difficult to suggest a better. the method was no doubt suggested to clay'", ", really, it would be difficult to suggest a better. the method was no doubt suggested to clay's ing", "lly, it would be difficult to suggest a better. the method was no doubt suggested to clay's ingeniou", "it would be difficult to suggest a better. the method was no doubt suggested to clay's ingenious min", "uld be difficult to suggest a better. the method was no doubt suggested to clay's ingenious mind by ", "e difficult to suggest a better. the method was no doubt suggested to clay's ingenious mind by the c", "ficult to suggest a better. the method was no doubt suggested to clay's ingenious mind by the colour", "t to suggest a better. the method was no doubt suggested to clay's ingenious mind by the colour of h", "suggest a better. the method was no doubt suggested to clay's ingenious mind by the colour of his ac", "st a better. the method was no doubt suggested to clay's ingenious mind by the colour of his accompl", "better. the method was no doubt suggested to clay's ingenious mind by the colour of his accomplice's", "r. the method was no doubt suggested to clay's ingenious mind by the colour of his accomplice's hair", "e method was no doubt suggested to clay's ingenious mind by the colour of his accomplice's hair. the", "hod was no doubt suggested to clay's ingenious mind by the colour of his accomplice's hair. the pou", "as no doubt suggested to clay's ingenious mind by the colour of his accomplice's hair. the pounds a", " doubt suggested to clay's ingenious mind by the colour of his accomplice's hair. the pounds a week", "t suggested to clay's ingenious mind by the colour of his accomplice's hair. the pounds a week was ", "gested to clay's ingenious mind by the colour of his accomplice's hair. the pounds a week was a lur", "d to clay's ingenious mind by the colour of his accomplice's hair. the pounds a week was a lure whi", "clay's ingenious mind by the colour of his accomplice's hair. the pounds a week was a lure which mu", "s ingenious mind by the colour of his accomplice's hair. the pounds a week was a lure which must dr", "enious mind by the colour of his accomplice's hair. the pounds a week was a lure which must draw hi", "s mind by the colour of his accomplice's hair. the pounds a week was a lure which must draw him, an", "d by the colour of his accomplice's hair. the pounds a week was a lure which must draw him, and wha", "the colour of his accomplice's hair. the pounds a week was a lure which must draw him, and what was", "olour of his accomplice's hair. the pounds a week was a lure which must draw him, and what was it t", " of his accomplice's hair. the pounds a week was a lure which must draw him, and what was it to the", "is accomplice's hair. the pounds a week was a lure which must draw him, and what was it to them, wh", "complice's hair. the pounds a week was a lure which must draw him, and what was it to them, who wer", "ice's hair. the pounds a week was a lure which must draw him, and what was it to them, who were pla", ' hair. the pounds a week was a lure which must draw him, and what was it to them, who were playing ', '. the pounds a week was a lure which must draw him, and what was it to them, who were playing for t', ' pounds a week was a lure which must draw him, and what was it to them, who were playing for thousa', 'nds a week was a lure which must draw him, and what was it to them, who were playing for thousands? ', ' week was a lure which must draw him, and what was it to them, who were playing for thousands? they ', ' was a lure which must draw him, and what was it to them, who were playing for thousands? they put i', 'a lure which must draw him, and what was it to them, who were playing for thousands? they put in the', 'e which must draw him, and what was it to them, who were playing for thousands? they put in the adve', 'ch must draw him, and what was it to them, who were playing for thousands? they put in the advertise', 'st draw him, and what was it to them, who were playing for thousands? they put in the advertisement,', 'aw him, and what was it to them, who were playing for thousands? they put in the advertisement, one ', 'm, and what was it to them, who were playing for thousands? they put in the advertisement, one rogue', 'd what was it to them, who were playing for thousands? they put in the advertisement, one rogue has ', 't was it to them, who were playing for thousands? they put in the advertisement, one rogue has the t', ' it to them, who were playing for thousands? they put in the advertisement, one rogue has the tempor', 'o them, who were playing for thousands? they put in the advertisement, one rogue has the temporary o', 'm, who were playing for thousands? they put in the advertisement, one rogue has the temporary office', 'o were playing for thousands? they put in the advertisement, one rogue has the temporary office, the', 'e playing for thousands? they put in the advertisement, one rogue has the temporary office, the othe', 'ying for thousands? they put in the advertisement, one rogue has the temporary office, the other rog', 'for thousands? they put in the advertisement, one rogue has the temporary office, the other rogue in', 'housands? they put in the advertisement, one rogue has the temporary office, the other rogue incites', 'nds? they put in the advertisement, one rogue has the temporary office, the other rogue incites the ', 'they put in the advertisement, one rogue has the temporary office, the other rogue incites the man t', 'put in the advertisement, one rogue has the temporary office, the other rogue incites the man to app', 'n the advertisement, one rogue has the temporary office, the other rogue incites the man to apply fo', ' advertisement, one rogue has the temporary office, the other rogue incites the man to apply for it,', 'rtisement, one rogue has the temporary office, the other rogue incites the man to apply for it, and ', 'ment, one rogue has the temporary office, the other rogue incites the man to apply for it, and toget', ' one rogue has the temporary office, the other rogue incites the man to apply for it, and together t', 'rogue has the temporary office, the other rogue incites the man to apply for it, and together they m', ' has the temporary office, the other rogue incites the man to apply for it, and together they manage', 'the temporary office, the other rogue incites the man to apply for it, and together they manage to s', 'emporary office, the other rogue incites the man to apply for it, and together they manage to secure', 'ary office, the other rogue incites the man to apply for it, and together they manage to secure his ', 'ffice, the other rogue incites the man to apply for it, and together they manage to secure his absen', ', the other rogue incites the man to apply for it, and together they manage to secure his absence ev', ' other rogue incites the man to apply for it, and together they manage to secure his absence every m', 'r rogue incites the man to apply for it, and together they manage to secure his absence every mornin', 'ue incites the man to apply for it, and together they manage to secure his absence every morning in ', 'cites the man to apply for it, and together they manage to secure his absence every morning in the w', ' the man to apply for it, and together they manage to secure his absence every morning in the week. ', 'man to apply for it, and together they manage to secure his absence every morning in the week. from ', 'o apply for it, and together they manage to secure his absence every morning in the week. from the t', 'ly for it, and together they manage to secure his absence every morning in the week. from the time t', 'r it, and together they manage to secure his absence every morning in the week. from the time that i', ' and together they manage to secure his absence every morning in the week. from the time that i hear', 'together they manage to secure his absence every morning in the week. from the time that i heard of ', 'her they manage to secure his absence every morning in the week. from the time that i heard of the a', 'hey manage to secure his absence every morning in the week. from the time that i heard of the assist', 'anage to secure his absence every morning in the week. from the time that i heard of the assistant h', ' to secure his absence every morning in the week. from the time that i heard of the assistant having', 'ecure his absence every morning in the week. from the time that i heard of the assistant having come', ' his absence every morning in the week. from the time that i heard of the assistant having come for ', 'absence every morning in the week. from the time that i heard of the assistant having come for half ', 'ce every morning in the week. from the time that i heard of the assistant having come for half wages', 'ery morning in the week. from the time that i heard of the assistant having come for half wages, it ', 'orning in the week. from the time that i heard of the assistant having come for half wages, it was o', 'g in the week. from the time that i heard of the assistant having come for half wages, it was obviou', 'the week. from the time that i heard of the assistant having come for half wages, it was obvious to ', 'eek. from the time that i heard of the assistant having come for half wages, it was obvious to me th', 'from the time that i heard of the assistant having come for half wages, it was obvious to me that he', 'the time that i heard of the assistant having come for half wages, it was obvious to me that he had ', 'ime that i heard of the assistant having come for half wages, it was obvious to me that he had some ', 'hat i heard of the assistant having come for half wages, it was obvious to me that he had some stron', ' heard of the assistant having come for half wages, it was obvious to me that he had some strong mot', 'd of the assistant having come for half wages, it was obvious to me that he had some strong motive f', 'the assistant having come for half wages, it was obvious to me that he had some strong motive for se', 'ssistant having come for half wages, it was obvious to me that he had some strong motive for securin', 'ant having come for half wages, it was obvious to me that he had some strong motive for securing the', 'aving come for half wages, it was obvious to me that he had some strong motive for securing the situ', ' come for half wages, it was obvious to me that he had some strong motive for securing the situation', ' for half wages, it was obvious to me that he had some strong motive for securing the situation." "b', 'half wages, it was obvious to me that he had some strong motive for securing the situation." "but ho', 'wages, it was obvious to me that he had some strong motive for securing the situation." "but how cou', ', it was obvious to me that he had some strong motive for securing the situation." "but how could yo', 'was obvious to me that he had some strong motive for securing the situation." "but how could you gue', 'bvious to me that he had some strong motive for securing the situation." "but how could you guess wh', 's to me that he had some strong motive for securing the situation." "but how could you guess what th', 'me that he had some strong motive for securing the situation." "but how could you guess what the mot', 'at he had some strong motive for securing the situation." "but how could you guess what the motive w', ' had some strong motive for securing the situation." "but how could you guess what the motive was?" ', 'some strong motive for securing the situation." "but how could you guess what the motive was?" "had ', 'strong motive for securing the situation." "but how could you guess what the motive was?" "had there', 'g motive for securing the situation." "but how could you guess what the motive was?" "had there been', 'ive for securing the situation." "but how could you guess what the motive was?" "had there been wome', 'or securing the situation." "but how could you guess what the motive was?" "had there been women in ', 'curing the situation." "but how could you guess what the motive was?" "had there been women in the h', 'g the situation." "but how could you guess what the motive was?" "had there been women in the house,', ' situation." "but how could you guess what the motive was?" "had there been women in the house, i sh', 'ation." "but how could you guess what the motive was?" "had there been women in the house, i should ', '." "but how could you guess what the motive was?" "had there been women in the house, i should have ', 'ut how could you guess what the motive was?" "had there been women in the house, i should have suspe', 'w could you guess what the motive was?" "had there been women in the house, i should have suspected ', 'ld you guess what the motive was?" "had there been women in the house, i should have suspected a mer', 'u guess what the motive was?" "had there been women in the house, i should have suspected a mere vul', 'ss what the motive was?" "had there been women in the house, i should have suspected a mere vulgar i', 'at the motive was?" "had there been women in the house, i should have suspected a mere vulgar intrig', 'e motive was?" "had there been women in the house, i should have suspected a mere vulgar intrigue. t', 'ive was?" "had there been women in the house, i should have suspected a mere vulgar intrigue. that, ', 'as?" "had there been women in the house, i should have suspected a mere vulgar intrigue. that, howev', '"had there been women in the house, i should have suspected a mere vulgar intrigue. that, however, w', 'there been women in the house, i should have suspected a mere vulgar intrigue. that, however, was ou', ' been women in the house, i should have suspected a mere vulgar intrigue. that, however, was out of ', ' women in the house, i should have suspected a mere vulgar intrigue. that, however, was out of the q', 'n in the house, i should have suspected a mere vulgar intrigue. that, however, was out of the questi', 'the house, i should have suspected a mere vulgar intrigue. that, however, was out of the question. t', 'ouse, i should have suspected a mere vulgar intrigue. that, however, was out of the question. the ma', " i should have suspected a mere vulgar intrigue. that, however, was out of the question. the man's b", "ould have suspected a mere vulgar intrigue. that, however, was out of the question. the man's busine", "have suspected a mere vulgar intrigue. that, however, was out of the question. the man's business wa", "suspected a mere vulgar intrigue. that, however, was out of the question. the man's business was a s", "cted a mere vulgar intrigue. that, however, was out of the question. the man's business was a small ", "a mere vulgar intrigue. that, however, was out of the question. the man's business was a small one, ", "e vulgar intrigue. that, however, was out of the question. the man's business was a small one, and t", "gar intrigue. that, however, was out of the question. the man's business was a small one, and there ", "ntrigue. that, however, was out of the question. the man's business was a small one, and there was n", "ue. that, however, was out of the question. the man's business was a small one, and there was nothin", "hat, however, was out of the question. the man's business was a small one, and there was nothing in ", "however, was out of the question. the man's business was a small one, and there was nothing in his h", "er, was out of the question. the man's business was a small one, and there was nothing in his house ", "as out of the question. the man's business was a small one, and there was nothing in his house which", "t of the question. the man's business was a small one, and there was nothing in his house which coul", "the question. the man's business was a small one, and there was nothing in his house which could acc", "uestion. the man's business was a small one, and there was nothing in his house which could account ", "on. the man's business was a small one, and there was nothing in his house which could account for s", "he man's business was a small one, and there was nothing in his house which could account for such e", "n's business was a small one, and there was nothing in his house which could account for such elabor", 'usiness was a small one, and there was nothing in his house which could account for such elaborate p', 'ss was a small one, and there was nothing in his house which could account for such elaborate prepar', 's a small one, and there was nothing in his house which could account for such elaborate preparation', 'mall one, and there was nothing in his house which could account for such elaborate preparations, an', 'one, and there was nothing in his house which could account for such elaborate preparations, and suc', 'and there was nothing in his house which could account for such elaborate preparations, and such an ', 'here was nothing in his house which could account for such elaborate preparations, and such an expen', 'was nothing in his house which could account for such elaborate preparations, and such an expenditur', 'othing in his house which could account for such elaborate preparations, and such an expenditure as ', 'g in his house which could account for such elaborate preparations, and such an expenditure as they ', 'his house which could account for such elaborate preparations, and such an expenditure as they were ', 'ouse which could account for such elaborate preparations, and such an expenditure as they were at. i', 'which could account for such elaborate preparations, and such an expenditure as they were at. it mus', ' could account for such elaborate preparations, and such an expenditure as they were at. it must, th', 'd account for such elaborate preparations, and such an expenditure as they were at. it must, then, b', 'ount for such elaborate preparations, and such an expenditure as they were at. it must, then, be som', 'for such elaborate preparations, and such an expenditure as they were at. it must, then, be somethin', 'uch elaborate preparations, and such an expenditure as they were at. it must, then, be something out', 'laborate preparations, and such an expenditure as they were at. it must, then, be something out of t', 'ate preparations, and such an expenditure as they were at. it must, then, be something out of the ho', 'reparations, and such an expenditure as they were at. it must, then, be something out of the house. ', 'ations, and such an expenditure as they were at. it must, then, be something out of the house. what ', 's, and such an expenditure as they were at. it must, then, be something out of the house. what could', 'd such an expenditure as they were at. it must, then, be something out of the house. what could it b', 'h an expenditure as they were at. it must, then, be something out of the house. what could it be? i ', 'expenditure as they were at. it must, then, be something out of the house. what could it be? i thoug', 'diture as they were at. it must, then, be something out of the house. what could it be? i thought of', 'e as they were at. it must, then, be something out of the house. what could it be? i thought of the ', 'they were at. it must, then, be something out of the house. what could it be? i thought of the assis', "were at. it must, then, be something out of the house. what could it be? i thought of the assistant'", "at. it must, then, be something out of the house. what could it be? i thought of the assistant's fon", "t must, then, be something out of the house. what could it be? i thought of the assistant's fondness", "t, then, be something out of the house. what could it be? i thought of the assistant's fondness for ", "en, be something out of the house. what could it be? i thought of the assistant's fondness for photo", "e something out of the house. what could it be? i thought of the assistant's fondness for photograph", "ething out of the house. what could it be? i thought of the assistant's fondness for photography, an", "g out of the house. what could it be? i thought of the assistant's fondness for photography, and his", " of the house. what could it be? i thought of the assistant's fondness for photography, and his tric", "he house. what could it be? i thought of the assistant's fondness for photography, and his trick of ", "use. what could it be? i thought of the assistant's fondness for photography, and his trick of vanis", "what could it be? i thought of the assistant's fondness for photography, and his trick of vanishing ", "could it be? i thought of the assistant's fondness for photography, and his trick of vanishing into ", " it be? i thought of the assistant's fondness for photography, and his trick of vanishing into the c", "e? i thought of the assistant's fondness for photography, and his trick of vanishing into the cellar", "thought of the assistant's fondness for photography, and his trick of vanishing into the cellar. the", "ht of the assistant's fondness for photography, and his trick of vanishing into the cellar. the cell", " the assistant's fondness for photography, and his trick of vanishing into the cellar. the cellar! t", "assistant's fondness for photography, and his trick of vanishing into the cellar. the cellar! there ", "tant's fondness for photography, and his trick of vanishing into the cellar. the cellar! there was t", 's fondness for photography, and his trick of vanishing into the cellar. the cellar! there was the en', 'dness for photography, and his trick of vanishing into the cellar. the cellar! there was the end of ', ' for photography, and his trick of vanishing into the cellar. the cellar! there was the end of this ', 'photography, and his trick of vanishing into the cellar. the cellar! there was the end of this tangl', 'graphy, and his trick of vanishing into the cellar. the cellar! there was the end of this tangled cl', 'y, and his trick of vanishing into the cellar. the cellar! there was the end of this tangled clue. t', 'd his trick of vanishing into the cellar. the cellar! there was the end of this tangled clue. then i', ' trick of vanishing into the cellar. the cellar! there was the end of this tangled clue. then i made', 'k of vanishing into the cellar. the cellar! there was the end of this tangled clue. then i made inqu', 'vanishing into the cellar. the cellar! there was the end of this tangled clue. then i made inquiries', 'hing into the cellar. the cellar! there was the end of this tangled clue. then i made inquiries as t', 'into the cellar. the cellar! there was the end of this tangled clue. then i made inquiries as to thi', 'the cellar. the cellar! there was the end of this tangled clue. then i made inquiries as to this mys', 'ellar. the cellar! there was the end of this tangled clue. then i made inquiries as to this mysterio', '. the cellar! there was the end of this tangled clue. then i made inquiries as to this mysterious as', ' cellar! there was the end of this tangled clue. then i made inquiries as to this mysterious assista', 'ar! there was the end of this tangled clue. then i made inquiries as to this mysterious assistant an', 'here was the end of this tangled clue. then i made inquiries as to this mysterious assistant and fou', 'was the end of this tangled clue. then i made inquiries as to this mysterious assistant and found th', 'he end of this tangled clue. then i made inquiries as to this mysterious assistant and found that i ', 'd of this tangled clue. then i made inquiries as to this mysterious assistant and found that i had t', 'this tangled clue. then i made inquiries as to this mysterious assistant and found that i had to dea', 'tangled clue. then i made inquiries as to this mysterious assistant and found that i had to deal wit', 'ed clue. then i made inquiries as to this mysterious assistant and found that i had to deal with one', 'ue. then i made inquiries as to this mysterious assistant and found that i had to deal with one of t', 'hen i made inquiries as to this mysterious assistant and found that i had to deal with one of the co', ' made inquiries as to this mysterious assistant and found that i had to deal with one of the coolest', ' inquiries as to this mysterious assistant and found that i had to deal with one of the coolest and ', 'iries as to this mysterious assistant and found that i had to deal with one of the coolest and most ', ' as to this mysterious assistant and found that i had to deal with one of the coolest and most darin', 'o this mysterious assistant and found that i had to deal with one of the coolest and most daring cri', 's mysterious assistant and found that i had to deal with one of the coolest and most daring criminal', 'terious assistant and found that i had to deal with one of the coolest and most daring criminals in ', 'us assistant and found that i had to deal with one of the coolest and most daring criminals in londo', 'sistant and found that i had to deal with one of the coolest and most daring criminals in london. he', 'nt and found that i had to deal with one of the coolest and most daring criminals in london. he was ', 'd found that i had to deal with one of the coolest and most daring criminals in london. he was doing', 'nd that i had to deal with one of the coolest and most daring criminals in london. he was doing some', 'at i had to deal with one of the coolest and most daring criminals in london. he was doing something', 'had to deal with one of the coolest and most daring criminals in london. he was doing something in t', 'o deal with one of the coolest and most daring criminals in london. he was doing something in the ce', 'l with one of the coolest and most daring criminals in london. he was doing something in the cellars', 'h one of the coolest and most daring criminals in london. he was doing something in the cellarsometh', ' of the coolest and most daring criminals in london. he was doing something in the cellarsomething w', 'he coolest and most daring criminals in london. he was doing something in the cellarsomething which ', 'olest and most daring criminals in london. he was doing something in the cellarsomething which took ', ' and most daring criminals in london. he was doing something in the cellarsomething which took many ', 'most daring criminals in london. he was doing something in the cellarsomething which took many hours', 'daring criminals in london. he was doing something in the cellarsomething which took many hours a da', 'g criminals in london. he was doing something in the cellarsomething which took many hours a day for', 'minals in london. he was doing something in the cellarsomething which took many hours a day for mont', 's in london. he was doing something in the cellarsomething which took many hours a day for months on', 'london. he was doing something in the cellarsomething which took many hours a day for months on end.', 'n. he was doing something in the cellarsomething which took many hours a day for months on end. what', ' was doing something in the cellarsomething which took many hours a day for months on end. what coul', 'doing something in the cellarsomething which took many hours a day for months on end. what could it ', ' something in the cellarsomething which took many hours a day for months on end. what could it be, o', 'thing in the cellarsomething which took many hours a day for months on end. what could it be, once m', ' in the cellarsomething which took many hours a day for months on end. what could it be, once more? ', 'he cellarsomething which took many hours a day for months on end. what could it be, once more? i cou', 'llarsomething which took many hours a day for months on end. what could it be, once more? i could th', 'omething which took many hours a day for months on end. what could it be, once more? i could think o', 'ing which took many hours a day for months on end. what could it be, once more? i could think of not', 'hich took many hours a day for months on end. what could it be, once more? i could think of nothing ', 'took many hours a day for months on end. what could it be, once more? i could think of nothing save ', 'many hours a day for months on end. what could it be, once more? i could think of nothing save that ', 'hours a day for months on end. what could it be, once more? i could think of nothing save that he wa', ' a day for months on end. what could it be, once more? i could think of nothing save that he was run', 'y for months on end. what could it be, once more? i could think of nothing save that he was running ', ' months on end. what could it be, once more? i could think of nothing save that he was running a tun', 'hs on end. what could it be, once more? i could think of nothing save that he was running a tunnel t', ' end. what could it be, once more? i could think of nothing save that he was running a tunnel to som', ' what could it be, once more? i could think of nothing save that he was running a tunnel to some oth', ' could it be, once more? i could think of nothing save that he was running a tunnel to some other bu', 'd it be, once more? i could think of nothing save that he was running a tunnel to some other buildin', 'be, once more? i could think of nothing save that he was running a tunnel to some other building. "s', 'nce more? i could think of nothing save that he was running a tunnel to some other building. "so far', 'ore? i could think of nothing save that he was running a tunnel to some other building. "so far i ha', 'i could think of nothing save that he was running a tunnel to some other building. "so far i had got', 'ld think of nothing save that he was running a tunnel to some other building. "so far i had got when', 'ink of nothing save that he was running a tunnel to some other building. "so far i had got when we w', 'f nothing save that he was running a tunnel to some other building. "so far i had got when we went t', 'hing save that he was running a tunnel to some other building. "so far i had got when we went to vis', 'save that he was running a tunnel to some other building. "so far i had got when we went to visit th', 'that he was running a tunnel to some other building. "so far i had got when we went to visit the sce', 'he was running a tunnel to some other building. "so far i had got when we went to visit the scene of', 's running a tunnel to some other building. "so far i had got when we went to visit the scene of acti', 'ning a tunnel to some other building. "so far i had got when we went to visit the scene of action. i', 'a tunnel to some other building. "so far i had got when we went to visit the scene of action. i surp', 'nel to some other building. "so far i had got when we went to visit the scene of action. i surprised', 'o some other building. "so far i had got when we went to visit the scene of action. i surprised you ', 'e other building. "so far i had got when we went to visit the scene of action. i surprised you by be', 'er building. "so far i had got when we went to visit the scene of action. i surprised you by beating', 'ilding. "so far i had got when we went to visit the scene of action. i surprised you by beating upon', 'g. "so far i had got when we went to visit the scene of action. i surprised you by beating upon the ', 'o far i had got when we went to visit the scene of action. i surprised you by beating upon the pavem', ' i had got when we went to visit the scene of action. i surprised you by beating upon the pavement w', 'd got when we went to visit the scene of action. i surprised you by beating upon the pavement with m', ' when we went to visit the scene of action. i surprised you by beating upon the pavement with my sti', ' we went to visit the scene of action. i surprised you by beating upon the pavement with my stick. i', 'ent to visit the scene of action. i surprised you by beating upon the pavement with my stick. i was ', 'o visit the scene of action. i surprised you by beating upon the pavement with my stick. i was ascer', 'it the scene of action. i surprised you by beating upon the pavement with my stick. i was ascertaini', 'e scene of action. i surprised you by beating upon the pavement with my stick. i was ascertaining wh', 'ne of action. i surprised you by beating upon the pavement with my stick. i was ascertaining whether', ' action. i surprised you by beating upon the pavement with my stick. i was ascertaining whether the ', 'on. i surprised you by beating upon the pavement with my stick. i was ascertaining whether the cella', ' surprised you by beating upon the pavement with my stick. i was ascertaining whether the cellar str', 'rised you by beating upon the pavement with my stick. i was ascertaining whether the cellar stretche', ' you by beating upon the pavement with my stick. i was ascertaining whether the cellar stretched out', 'by beating upon the pavement with my stick. i was ascertaining whether the cellar stretched out in f', 'ating upon the pavement with my stick. i was ascertaining whether the cellar stretched out in front ', ' upon the pavement with my stick. i was ascertaining whether the cellar stretched out in front or be', ' the pavement with my stick. i was ascertaining whether the cellar stretched out in front or behind.', 'pavement with my stick. i was ascertaining whether the cellar stretched out in front or behind. it w', 'ent with my stick. i was ascertaining whether the cellar stretched out in front or behind. it was no', 'ith my stick. i was ascertaining whether the cellar stretched out in front or behind. it was not in ', 'y stick. i was ascertaining whether the cellar stretched out in front or behind. it was not in front', 'ck. i was ascertaining whether the cellar stretched out in front or behind. it was not in front. the', ' was ascertaining whether the cellar stretched out in front or behind. it was not in front. then i r', 'ascertaining whether the cellar stretched out in front or behind. it was not in front. then i rang t', 'taining whether the cellar stretched out in front or behind. it was not in front. then i rang the be', 'ng whether the cellar stretched out in front or behind. it was not in front. then i rang the bell, a', 'ether the cellar stretched out in front or behind. it was not in front. then i rang the bell, and, a', ' the cellar stretched out in front or behind. it was not in front. then i rang the bell, and, as i h', 'cellar stretched out in front or behind. it was not in front. then i rang the bell, and, as i hoped,', 'r stretched out in front or behind. it was not in front. then i rang the bell, and, as i hoped, the ', 'etched out in front or behind. it was not in front. then i rang the bell, and, as i hoped, the assis', 'd out in front or behind. it was not in front. then i rang the bell, and, as i hoped, the assistant ', ' in front or behind. it was not in front. then i rang the bell, and, as i hoped, the assistant answe', 'ront or behind. it was not in front. then i rang the bell, and, as i hoped, the assistant answered i', 'or behind. it was not in front. then i rang the bell, and, as i hoped, the assistant answered it. we', 'hind. it was not in front. then i rang the bell, and, as i hoped, the assistant answered it. we have', ' it was not in front. then i rang the bell, and, as i hoped, the assistant answered it. we have had ', 'as not in front. then i rang the bell, and, as i hoped, the assistant answered it. we have had some ', 't in front. then i rang the bell, and, as i hoped, the assistant answered it. we have had some skirm', 'front. then i rang the bell, and, as i hoped, the assistant answered it. we have had some skirmishes', '. then i rang the bell, and, as i hoped, the assistant answered it. we have had some skirmishes, but', 'n i rang the bell, and, as i hoped, the assistant answered it. we have had some skirmishes, but we h', 'ang the bell, and, as i hoped, the assistant answered it. we have had some skirmishes, but we had ne', 'he bell, and, as i hoped, the assistant answered it. we have had some skirmishes, but we had never s', 'll, and, as i hoped, the assistant answered it. we have had some skirmishes, but we had never set ey', 'nd, as i hoped, the assistant answered it. we have had some skirmishes, but we had never set eyes up', 's i hoped, the assistant answered it. we have had some skirmishes, but we had never set eyes upon ea', 'oped, the assistant answered it. we have had some skirmishes, but we had never set eyes upon each ot', ' the assistant answered it. we have had some skirmishes, but we had never set eyes upon each other b', 'assistant answered it. we have had some skirmishes, but we had never set eyes upon each other before', 'tant answered it. we have had some skirmishes, but we had never set eyes upon each other before. i h', 'answered it. we have had some skirmishes, but we had never set eyes upon each other before. i hardly', 'red it. we have had some skirmishes, but we had never set eyes upon each other before. i hardly look', 't. we have had some skirmishes, but we had never set eyes upon each other before. i hardly looked at', ' have had some skirmishes, but we had never set eyes upon each other before. i hardly looked at his ', ' had some skirmishes, but we had never set eyes upon each other before. i hardly looked at his face.', 'some skirmishes, but we had never set eyes upon each other before. i hardly looked at his face. his ', 'skirmishes, but we had never set eyes upon each other before. i hardly looked at his face. his knees', 'ishes, but we had never set eyes upon each other before. i hardly looked at his face. his knees were', ', but we had never set eyes upon each other before. i hardly looked at his face. his knees were what', ' we had never set eyes upon each other before. i hardly looked at his face. his knees were what i wi', 'ad never set eyes upon each other before. i hardly looked at his face. his knees were what i wished ', 'ver set eyes upon each other before. i hardly looked at his face. his knees were what i wished to se', 'et eyes upon each other before. i hardly looked at his face. his knees were what i wished to see. yo', 'es upon each other before. i hardly looked at his face. his knees were what i wished to see. you mus', 'on each other before. i hardly looked at his face. his knees were what i wished to see. you must you', 'ch other before. i hardly looked at his face. his knees were what i wished to see. you must yourself', 'her before. i hardly looked at his face. his knees were what i wished to see. you must yourself have', 'efore. i hardly looked at his face. his knees were what i wished to see. you must yourself have rema', '. i hardly looked at his face. his knees were what i wished to see. you must yourself have remarked ', 'ardly looked at his face. his knees were what i wished to see. you must yourself have remarked how w', ' looked at his face. his knees were what i wished to see. you must yourself have remarked how worn, ', 'ed at his face. his knees were what i wished to see. you must yourself have remarked how worn, wrink', ' his face. his knees were what i wished to see. you must yourself have remarked how worn, wrinkled, ', 'face. his knees were what i wished to see. you must yourself have remarked how worn, wrinkled, and s', ' his knees were what i wished to see. you must yourself have remarked how worn, wrinkled, and staine', 'knees were what i wished to see. you must yourself have remarked how worn, wrinkled, and stained the', ' were what i wished to see. you must yourself have remarked how worn, wrinkled, and stained they wer', ' what i wished to see. you must yourself have remarked how worn, wrinkled, and stained they were. th', ' i wished to see. you must yourself have remarked how worn, wrinkled, and stained they were. they sp', 'shed to see. you must yourself have remarked how worn, wrinkled, and stained they were. they spoke o', 'to see. you must yourself have remarked how worn, wrinkled, and stained they were. they spoke of tho', 'e. you must yourself have remarked how worn, wrinkled, and stained they were. they spoke of those ho', 'u must yourself have remarked how worn, wrinkled, and stained they were. they spoke of those hours o', 't yourself have remarked how worn, wrinkled, and stained they were. they spoke of those hours of bur', 'rself have remarked how worn, wrinkled, and stained they were. they spoke of those hours of burrowin', ' have remarked how worn, wrinkled, and stained they were. they spoke of those hours of burrowing. th', ' remarked how worn, wrinkled, and stained they were. they spoke of those hours of burrowing. the onl', 'rked how worn, wrinkled, and stained they were. they spoke of those hours of burrowing. the only rem', 'how worn, wrinkled, and stained they were. they spoke of those hours of burrowing. the only remainin', 'orn, wrinkled, and stained they were. they spoke of those hours of burrowing. the only remaining poi', 'wrinkled, and stained they were. they spoke of those hours of burrowing. the only remaining point wa', 'led, and stained they were. they spoke of those hours of burrowing. the only remaining point was wha', 'and stained they were. they spoke of those hours of burrowing. the only remaining point was what the', 'tained they were. they spoke of those hours of burrowing. the only remaining point was what they wer', 'd they were. they spoke of those hours of burrowing. the only remaining point was what they were bur', 'y were. they spoke of those hours of burrowing. the only remaining point was what they were burrowin', 'e. they spoke of those hours of burrowing. the only remaining point was what they were burrowing for', 'ey spoke of those hours of burrowing. the only remaining point was what they were burrowing for. i w', 'oke of those hours of burrowing. the only remaining point was what they were burrowing for. i walked', 'f those hours of burrowing. the only remaining point was what they were burrowing for. i walked roun', 'se hours of burrowing. the only remaining point was what they were burrowing for. i walked round the', 'urs of burrowing. the only remaining point was what they were burrowing for. i walked round the corn', 'f burrowing. the only remaining point was what they were burrowing for. i walked round the corner, s', 'rowing. the only remaining point was what they were burrowing for. i walked round the corner, saw th', 'g. the only remaining point was what they were burrowing for. i walked round the corner, saw the cit', 'e only remaining point was what they were burrowing for. i walked round the corner, saw the city and', 'y remaining point was what they were burrowing for. i walked round the corner, saw the city and subu', 'aining point was what they were burrowing for. i walked round the corner, saw the city and suburban ', 'g point was what they were burrowing for. i walked round the corner, saw the city and suburban bank ', 'nt was what they were burrowing for. i walked round the corner, saw the city and suburban bank abutt', 's what they were burrowing for. i walked round the corner, saw the city and suburban bank abutted on', 't they were burrowing for. i walked round the corner, saw the city and suburban bank abutted on our ', 'y were burrowing for. i walked round the corner, saw the city and suburban bank abutted on our frien', "e burrowing for. i walked round the corner, saw the city and suburban bank abutted on our friend's p", "rowing for. i walked round the corner, saw the city and suburban bank abutted on our friend's premis", "g for. i walked round the corner, saw the city and suburban bank abutted on our friend's premises, a", ". i walked round the corner, saw the city and suburban bank abutted on our friend's premises, and fe", "alked round the corner, saw the city and suburban bank abutted on our friend's premises, and felt th", " round the corner, saw the city and suburban bank abutted on our friend's premises, and felt that i ", "d the corner, saw the city and suburban bank abutted on our friend's premises, and felt that i had s", " corner, saw the city and suburban bank abutted on our friend's premises, and felt that i had solved", "er, saw the city and suburban bank abutted on our friend's premises, and felt that i had solved my p", "aw the city and suburban bank abutted on our friend's premises, and felt that i had solved my proble", "e city and suburban bank abutted on our friend's premises, and felt that i had solved my problem. wh", "y and suburban bank abutted on our friend's premises, and felt that i had solved my problem. when yo", " suburban bank abutted on our friend's premises, and felt that i had solved my problem. when you dro", "rban bank abutted on our friend's premises, and felt that i had solved my problem. when you drove ho", "bank abutted on our friend's premises, and felt that i had solved my problem. when you drove home af", "abutted on our friend's premises, and felt that i had solved my problem. when you drove home after t", "ed on our friend's premises, and felt that i had solved my problem. when you drove home after the co", " our friend's premises, and felt that i had solved my problem. when you drove home after the concert", "friend's premises, and felt that i had solved my problem. when you drove home after the concert i ca", "d's premises, and felt that i had solved my problem. when you drove home after the concert i called ", 'remises, and felt that i had solved my problem. when you drove home after the concert i called upon ', 'es, and felt that i had solved my problem. when you drove home after the concert i called upon scotl', 'nd felt that i had solved my problem. when you drove home after the concert i called upon scotland y', 'lt that i had solved my problem. when you drove home after the concert i called upon scotland yard a', 'at i had solved my problem. when you drove home after the concert i called upon scotland yard and up', 'had solved my problem. when you drove home after the concert i called upon scotland yard and upon th', 'olved my problem. when you drove home after the concert i called upon scotland yard and upon the cha', ' my problem. when you drove home after the concert i called upon scotland yard and upon the chairman', 'roblem. when you drove home after the concert i called upon scotland yard and upon the chairman of t', 'm. when you drove home after the concert i called upon scotland yard and upon the chairman of the ba', 'en you drove home after the concert i called upon scotland yard and upon the chairman of the bank di', 'u drove home after the concert i called upon scotland yard and upon the chairman of the bank directo', 've home after the concert i called upon scotland yard and upon the chairman of the bank directors, w', 'me after the concert i called upon scotland yard and upon the chairman of the bank directors, with t', 'ter the concert i called upon scotland yard and upon the chairman of the bank directors, with the re', 'he concert i called upon scotland yard and upon the chairman of the bank directors, with the result ', 'ncert i called upon scotland yard and upon the chairman of the bank directors, with the result that ', ' i called upon scotland yard and upon the chairman of the bank directors, with the result that you h', 'lled upon scotland yard and upon the chairman of the bank directors, with the result that you have s', 'upon scotland yard and upon the chairman of the bank directors, with the result that you have seen."', 'scotland yard and upon the chairman of the bank directors, with the result that you have seen." "and', 'and yard and upon the chairman of the bank directors, with the result that you have seen." "and how ', 'ard and upon the chairman of the bank directors, with the result that you have seen." "and how could', 'nd upon the chairman of the bank directors, with the result that you have seen." "and how could you ', 'on the chairman of the bank directors, with the result that you have seen." "and how could you tell ', 'e chairman of the bank directors, with the result that you have seen." "and how could you tell that ', 'irman of the bank directors, with the result that you have seen." "and how could you tell that they ', ' of the bank directors, with the result that you have seen." "and how could you tell that they would', 'he bank directors, with the result that you have seen." "and how could you tell that they would make', 'nk directors, with the result that you have seen." "and how could you tell that they would make thei', 'rectors, with the result that you have seen." "and how could you tell that they would make their att', 'rs, with the result that you have seen." "and how could you tell that they would make their attempt ', 'ith the result that you have seen." "and how could you tell that they would make their attempt to-ni', 'he result that you have seen." "and how could you tell that they would make their attempt to-night?"', 'sult that you have seen." "and how could you tell that they would make their attempt to-night?" i as', 'that you have seen." "and how could you tell that they would make their attempt to-night?" i asked. ', 'you have seen." "and how could you tell that they would make their attempt to-night?" i asked. "well', 'ave seen." "and how could you tell that they would make their attempt to-night?" i asked. "well, whe', 'een." "and how could you tell that they would make their attempt to-night?" i asked. "well, when the', ' "and how could you tell that they would make their attempt to-night?" i asked. "well, when they clo', ' how could you tell that they would make their attempt to-night?" i asked. "well, when they closed t', 'could you tell that they would make their attempt to-night?" i asked. "well, when they closed their ', ' you tell that they would make their attempt to-night?" i asked. "well, when they closed their leagu', 'tell that they would make their attempt to-night?" i asked. "well, when they closed their league off', 'that they would make their attempt to-night?" i asked. "well, when they closed their league offices ', 'they would make their attempt to-night?" i asked. "well, when they closed their league offices that ', 'would make their attempt to-night?" i asked. "well, when they closed their league offices that was a', ' make their attempt to-night?" i asked. "well, when they closed their league offices that was a sign', ' their attempt to-night?" i asked. "well, when they closed their league offices that was a sign that', 'r attempt to-night?" i asked. "well, when they closed their league offices that was a sign that they', 'empt to-night?" i asked. "well, when they closed their league offices that was a sign that they care', 'to-night?" i asked. "well, when they closed their league offices that was a sign that they cared no ', 'ght?" i asked. "well, when they closed their league offices that was a sign that they cared no longe', ' i asked. "well, when they closed their league offices that was a sign that they cared no longer abo', 'ked. "well, when they closed their league offices that was a sign that they cared no longer about mr', '"well, when they closed their league offices that was a sign that they cared no longer about mr. jab', ', when they closed their league offices that was a sign that they cared no longer about mr. jabez wi', "n they closed their league offices that was a sign that they cared no longer about mr. jabez wilson'", "y closed their league offices that was a sign that they cared no longer about mr. jabez wilson's pre", "sed their league offices that was a sign that they cared no longer about mr. jabez wilson's presence", "heir league offices that was a sign that they cared no longer about mr. jabez wilson's presencein ot", "league offices that was a sign that they cared no longer about mr. jabez wilson's presencein other w", "e offices that was a sign that they cared no longer about mr. jabez wilson's presencein other words,", "ices that was a sign that they cared no longer about mr. jabez wilson's presencein other words, that", "that was a sign that they cared no longer about mr. jabez wilson's presencein other words, that they", "was a sign that they cared no longer about mr. jabez wilson's presencein other words, that they had ", " sign that they cared no longer about mr. jabez wilson's presencein other words, that they had compl", " that they cared no longer about mr. jabez wilson's presencein other words, that they had completed ", " they cared no longer about mr. jabez wilson's presencein other words, that they had completed their", " cared no longer about mr. jabez wilson's presencein other words, that they had completed their tunn", "d no longer about mr. jabez wilson's presencein other words, that they had completed their tunnel. b", "longer about mr. jabez wilson's presencein other words, that they had completed their tunnel. but it", "r about mr. jabez wilson's presencein other words, that they had completed their tunnel. but it was ", "ut mr. jabez wilson's presencein other words, that they had completed their tunnel. but it was essen", ". jabez wilson's presencein other words, that they had completed their tunnel. but it was essential ", "ez wilson's presencein other words, that they had completed their tunnel. but it was essential that ", "lson's presencein other words, that they had completed their tunnel. but it was essential that they ", 's presencein other words, that they had completed their tunnel. but it was essential that they shoul', 'sencein other words, that they had completed their tunnel. but it was essential that they should use', 'in other words, that they had completed their tunnel. but it was essential that they should use it s', 'her words, that they had completed their tunnel. but it was essential that they should use it soon, ', 'ords, that they had completed their tunnel. but it was essential that they should use it soon, as it', ' that they had completed their tunnel. but it was essential that they should use it soon, as it migh', ' they had completed their tunnel. but it was essential that they should use it soon, as it might be ', ' had completed their tunnel. but it was essential that they should use it soon, as it might be disco', 'completed their tunnel. but it was essential that they should use it soon, as it might be discovered', 'eted their tunnel. but it was essential that they should use it soon, as it might be discovered, or ', 'their tunnel. but it was essential that they should use it soon, as it might be discovered, or the b', ' tunnel. but it was essential that they should use it soon, as it might be discovered, or the bullio', 'el. but it was essential that they should use it soon, as it might be discovered, or the bullion mig', 'ut it was essential that they should use it soon, as it might be discovered, or the bullion might be', ' was essential that they should use it soon, as it might be discovered, or the bullion might be remo', 'essential that they should use it soon, as it might be discovered, or the bullion might be removed. ', 'tial that they should use it soon, as it might be discovered, or the bullion might be removed. satur', 'that they should use it soon, as it might be discovered, or the bullion might be removed. saturday w', 'they should use it soon, as it might be discovered, or the bullion might be removed. saturday would ', 'should use it soon, as it might be discovered, or the bullion might be removed. saturday would suit ', 'd use it soon, as it might be discovered, or the bullion might be removed. saturday would suit them ', ' it soon, as it might be discovered, or the bullion might be removed. saturday would suit them bette', 'oon, as it might be discovered, or the bullion might be removed. saturday would suit them better tha', 'as it might be discovered, or the bullion might be removed. saturday would suit them better than any', ' might be discovered, or the bullion might be removed. saturday would suit them better than any othe', 't be discovered, or the bullion might be removed. saturday would suit them better than any other day', 'discovered, or the bullion might be removed. saturday would suit them better than any other day, as ', 'vered, or the bullion might be removed. saturday would suit them better than any other day, as it wo', ', or the bullion might be removed. saturday would suit them better than any other day, as it would g', 'the bullion might be removed. saturday would suit them better than any other day, as it would give t', 'ullion might be removed. saturday would suit them better than any other day, as it would give them t', 'n might be removed. saturday would suit them better than any other day, as it would give them two da', 'ht be removed. saturday would suit them better than any other day, as it would give them two days fo', ' removed. saturday would suit them better than any other day, as it would give them two days for the', 'ved. saturday would suit them better than any other day, as it would give them two days for their es', 'saturday would suit them better than any other day, as it would give them two days for their escape.', 'day would suit them better than any other day, as it would give them two days for their escape. for ', 'ould suit them better than any other day, as it would give them two days for their escape. for all t', 'suit them better than any other day, as it would give them two days for their escape. for all these ', 'them better than any other day, as it would give them two days for their escape. for all these reaso', 'better than any other day, as it would give them two days for their escape. for all these reasons i ', 'r than any other day, as it would give them two days for their escape. for all these reasons i expec', 'n any other day, as it would give them two days for their escape. for all these reasons i expected t', ' other day, as it would give them two days for their escape. for all these reasons i expected them t', 'r day, as it would give them two days for their escape. for all these reasons i expected them to com', ', as it would give them two days for their escape. for all these reasons i expected them to come to-', 'it would give them two days for their escape. for all these reasons i expected them to come to-night', 'uld give them two days for their escape. for all these reasons i expected them to come to-night." "y', 'ive them two days for their escape. for all these reasons i expected them to come to-night." "you re', 'hem two days for their escape. for all these reasons i expected them to come to-night." "you reasone', 'wo days for their escape. for all these reasons i expected them to come to-night." "you reasoned it ', 'ys for their escape. for all these reasons i expected them to come to-night." "you reasoned it out b', 'r their escape. for all these reasons i expected them to come to-night." "you reasoned it out beauti', 'ir escape. for all these reasons i expected them to come to-night." "you reasoned it out beautifully', 'cape. for all these reasons i expected them to come to-night." "you reasoned it out beautifully," i ', ' for all these reasons i expected them to come to-night." "you reasoned it out beautifully," i excla', 'all these reasons i expected them to come to-night." "you reasoned it out beautifully," i exclaimed ', 'hese reasons i expected them to come to-night." "you reasoned it out beautifully," i exclaimed in un', 'reasons i expected them to come to-night." "you reasoned it out beautifully," i exclaimed in unfeign', 'ns i expected them to come to-night." "you reasoned it out beautifully," i exclaimed in unfeigned ad', 'expected them to come to-night." "you reasoned it out beautifully," i exclaimed in unfeigned admirat', 'ted them to come to-night." "you reasoned it out beautifully," i exclaimed in unfeigned admiration. ', 'hem to come to-night." "you reasoned it out beautifully," i exclaimed in unfeigned admiration. "it i', 'o come to-night." "you reasoned it out beautifully," i exclaimed in unfeigned admiration. "it is so ', 'e to-night." "you reasoned it out beautifully," i exclaimed in unfeigned admiration. "it is so long ', 'night." "you reasoned it out beautifully," i exclaimed in unfeigned admiration. "it is so long a cha', '." "you reasoned it out beautifully," i exclaimed in unfeigned admiration. "it is so long a chain, a', 'ou reasoned it out beautifully," i exclaimed in unfeigned admiration. "it is so long a chain, and ye', 'asoned it out beautifully," i exclaimed in unfeigned admiration. "it is so long a chain, and yet eve', 'd it out beautifully," i exclaimed in unfeigned admiration. "it is so long a chain, and yet every li', 'out beautifully," i exclaimed in unfeigned admiration. "it is so long a chain, and yet every link ri', 'eautifully," i exclaimed in unfeigned admiration. "it is so long a chain, and yet every link rings t', 'fully," i exclaimed in unfeigned admiration. "it is so long a chain, and yet every link rings true."', '," i exclaimed in unfeigned admiration. "it is so long a chain, and yet every link rings true." "it ', 'exclaimed in unfeigned admiration. "it is so long a chain, and yet every link rings true." "it saved', 'imed in unfeigned admiration. "it is so long a chain, and yet every link rings true." "it saved me f', 'in unfeigned admiration. "it is so long a chain, and yet every link rings true." "it saved me from e', 'feigned admiration. "it is so long a chain, and yet every link rings true." "it saved me from ennui,', 'ed admiration. "it is so long a chain, and yet every link rings true." "it saved me from ennui," he ', 'miration. "it is so long a chain, and yet every link rings true." "it saved me from ennui," he answe', 'ion. "it is so long a chain, and yet every link rings true." "it saved me from ennui," he answered, ', '"it is so long a chain, and yet every link rings true." "it saved me from ennui," he answered, yawni', 's so long a chain, and yet every link rings true." "it saved me from ennui," he answered, yawning. "', 'long a chain, and yet every link rings true." "it saved me from ennui," he answered, yawning. "alas!', 'a chain, and yet every link rings true." "it saved me from ennui," he answered, yawning. "alas! i al', 'in, and yet every link rings true." "it saved me from ennui," he answered, yawning. "alas! i already', 'nd yet every link rings true." "it saved me from ennui," he answered, yawning. "alas! i already feel', 't every link rings true." "it saved me from ennui," he answered, yawning. "alas! i already feel it c', 'ry link rings true." "it saved me from ennui," he answered, yawning. "alas! i already feel it closin', 'nk rings true." "it saved me from ennui," he answered, yawning. "alas! i already feel it closing in ', 'ngs true." "it saved me from ennui," he answered, yawning. "alas! i already feel it closing in upon ', 'rue." "it saved me from ennui," he answered, yawning. "alas! i already feel it closing in upon me. m', ' "it saved me from ennui," he answered, yawning. "alas! i already feel it closing in upon me. my lif', 'saved me from ennui," he answered, yawning. "alas! i already feel it closing in upon me. my life is ', ' me from ennui," he answered, yawning. "alas! i already feel it closing in upon me. my life is spent', 'rom ennui," he answered, yawning. "alas! i already feel it closing in upon me. my life is spent in o', 'nnui," he answered, yawning. "alas! i already feel it closing in upon me. my life is spent in one lo', '" he answered, yawning. "alas! i already feel it closing in upon me. my life is spent in one long ef', 'answered, yawning. "alas! i already feel it closing in upon me. my life is spent in one long effort ', 'red, yawning. "alas! i already feel it closing in upon me. my life is spent in one long effort to es', 'yawning. "alas! i already feel it closing in upon me. my life is spent in one long effort to escape ', 'ng. "alas! i already feel it closing in upon me. my life is spent in one long effort to escape from ', 'alas! i already feel it closing in upon me. my life is spent in one long effort to escape from the c', ' i already feel it closing in upon me. my life is spent in one long effort to escape from the common', 'ready feel it closing in upon me. my life is spent in one long effort to escape from the commonplace', ' feel it closing in upon me. my life is spent in one long effort to escape from the commonplaces of ', ' it closing in upon me. my life is spent in one long effort to escape from the commonplaces of exist', 'losing in upon me. my life is spent in one long effort to escape from the commonplaces of existence.', 'g in upon me. my life is spent in one long effort to escape from the commonplaces of existence. thes', 'upon me. my life is spent in one long effort to escape from the commonplaces of existence. these lit', 'me. my life is spent in one long effort to escape from the commonplaces of existence. these little p', 'y life is spent in one long effort to escape from the commonplaces of existence. these little proble', 'e is spent in one long effort to escape from the commonplaces of existence. these little problems he', 'spent in one long effort to escape from the commonplaces of existence. these little problems help me', ' in one long effort to escape from the commonplaces of existence. these little problems help me to d', 'ne long effort to escape from the commonplaces of existence. these little problems help me to do so.', 'ng effort to escape from the commonplaces of existence. these little problems help me to do so." "an', 'fort to escape from the commonplaces of existence. these little problems help me to do so." "and you', 'to escape from the commonplaces of existence. these little problems help me to do so." "and you are ', 'cape from the commonplaces of existence. these little problems help me to do so." "and you are a ben', 'from the commonplaces of existence. these little problems help me to do so." "and you are a benefact', 'the commonplaces of existence. these little problems help me to do so." "and you are a benefactor of', 'ommonplaces of existence. these little problems help me to do so." "and you are a benefactor of the ', 'places of existence. these little problems help me to do so." "and you are a benefactor of the race,', 's of existence. these little problems help me to do so." "and you are a benefactor of the race," sai', 'existence. these little problems help me to do so." "and you are a benefactor of the race," said i. ', 'ence. these little problems help me to do so." "and you are a benefactor of the race," said i. he sh', ' these little problems help me to do so." "and you are a benefactor of the race," said i. he shrugge', 'e little problems help me to do so." "and you are a benefactor of the race," said i. he shrugged his', 'tle problems help me to do so." "and you are a benefactor of the race," said i. he shrugged his shou', 'roblems help me to do so." "and you are a benefactor of the race," said i. he shrugged his shoulders', 'ms help me to do so." "and you are a benefactor of the race," said i. he shrugged his shoulders. "we', 'lp me to do so." "and you are a benefactor of the race," said i. he shrugged his shoulders. "well, p', ' to do so." "and you are a benefactor of the race," said i. he shrugged his shoulders. "well, perhap', 'o so." "and you are a benefactor of the race," said i. he shrugged his shoulders. "well, perhaps, af', '" "and you are a benefactor of the race," said i. he shrugged his shoulders. "well, perhaps, after a', 'd you are a benefactor of the race," said i. he shrugged his shoulders. "well, perhaps, after all, i', ' are a benefactor of the race," said i. he shrugged his shoulders. "well, perhaps, after all, it is ', 'a benefactor of the race," said i. he shrugged his shoulders. "well, perhaps, after all, it is of so', 'efactor of the race," said i. he shrugged his shoulders. "well, perhaps, after all, it is of some li', 'or of the race," said i. he shrugged his shoulders. "well, perhaps, after all, it is of some little ', ' the race," said i. he shrugged his shoulders. "well, perhaps, after all, it is of some little use,"', 'race," said i. he shrugged his shoulders. "well, perhaps, after all, it is of some little use," he r', '" said i. he shrugged his shoulders. "well, perhaps, after all, it is of some little use," he remark', 'd i. he shrugged his shoulders. "well, perhaps, after all, it is of some little use," he remarked. "', 'he shrugged his shoulders. "well, perhaps, after all, it is of some little use," he remarked. "\'l\'ho', 'rugged his shoulders. "well, perhaps, after all, it is of some little use," he remarked. "\'l\'homme c', 'd his shoulders. "well, perhaps, after all, it is of some little use," he remarked. "\'l\'homme c\'est ', ' shoulders. "well, perhaps, after all, it is of some little use," he remarked. "\'l\'homme c\'est rienl', 'lders. "well, perhaps, after all, it is of some little use," he remarked. "\'l\'homme c\'est rienl\'oeuv', '. "well, perhaps, after all, it is of some little use," he remarked. "\'l\'homme c\'est rienl\'oeuvre c\'', 'll, perhaps, after all, it is of some little use," he remarked. "\'l\'homme c\'est rienl\'oeuvre c\'est t', 'erhaps, after all, it is of some little use," he remarked. "\'l\'homme c\'est rienl\'oeuvre c\'est tout,\'', 's, after all, it is of some little use," he remarked. "\'l\'homme c\'est rienl\'oeuvre c\'est tout,\' as g', 'ter all, it is of some little use," he remarked. "\'l\'homme c\'est rienl\'oeuvre c\'est tout,\' as gustav', 'll, it is of some little use," he remarked. "\'l\'homme c\'est rienl\'oeuvre c\'est tout,\' as gustave fla', 't is of some little use," he remarked. "\'l\'homme c\'est rienl\'oeuvre c\'est tout,\' as gustave flaubert', 'of some little use," he remarked. "\'l\'homme c\'est rienl\'oeuvre c\'est tout,\' as gustave flaubert wrot', 'me little use," he remarked. "\'l\'homme c\'est rienl\'oeuvre c\'est tout,\' as gustave flaubert wrote to ', 'ttle use," he remarked. "\'l\'homme c\'est rienl\'oeuvre c\'est tout,\' as gustave flaubert wrote to georg', 'use," he remarked. "\'l\'homme c\'est rienl\'oeuvre c\'est tout,\' as gustave flaubert wrote to george san', ' he remarked. "\'l\'homme c\'est rienl\'oeuvre c\'est tout,\' as gustave flaubert wrote to george sand." ', 'emarked. "\'l\'homme c\'est rienl\'oeuvre c\'est tout,\' as gustave flaubert wrote to george sand." adven', 'ed. "\'l\'homme c\'est rienl\'oeuvre c\'est tout,\' as gustave flaubert wrote to george sand." adventure ', '\'l\'homme c\'est rienl\'oeuvre c\'est tout,\' as gustave flaubert wrote to george sand." adventure iii. ', 'mme c\'est rienl\'oeuvre c\'est tout,\' as gustave flaubert wrote to george sand." adventure iii. a cas', '\'est rienl\'oeuvre c\'est tout,\' as gustave flaubert wrote to george sand." adventure iii. a case of ', 'rienl\'oeuvre c\'est tout,\' as gustave flaubert wrote to george sand." adventure iii. a case of ident', '\'oeuvre c\'est tout,\' as gustave flaubert wrote to george sand." adventure iii. a case of identity "', 're c\'est tout,\' as gustave flaubert wrote to george sand." adventure iii. a case of identity "my de', 'est tout,\' as gustave flaubert wrote to george sand." adventure iii. a case of identity "my dear fe', 'out,\' as gustave flaubert wrote to george sand." adventure iii. a case of identity "my dear fellow,', ' as gustave flaubert wrote to george sand." adventure iii. a case of identity "my dear fellow," sai', 'ustave flaubert wrote to george sand." adventure iii. a case of identity "my dear fellow," said she', 'e flaubert wrote to george sand." adventure iii. a case of identity "my dear fellow," said sherlock', 'ubert wrote to george sand." adventure iii. a case of identity "my dear fellow," said sherlock holm', ' wrote to george sand." adventure iii. a case of identity "my dear fellow," said sherlock holmes as', 'e to george sand." adventure iii. a case of identity "my dear fellow," said sherlock holmes as we s', 'george sand." adventure iii. a case of identity "my dear fellow," said sherlock holmes as we sat on', 'e sand." adventure iii. a case of identity "my dear fellow," said sherlock holmes as we sat on eith', 'd." adventure iii. a case of identity "my dear fellow," said sherlock holmes as we sat on either si', 'adventure iii. a case of identity "my dear fellow," said sherlock holmes as we sat on either side of', 'ture iii. a case of identity "my dear fellow," said sherlock holmes as we sat on either side of the ', 'iii. a case of identity "my dear fellow," said sherlock holmes as we sat on either side of the fire ', 'a case of identity "my dear fellow," said sherlock holmes as we sat on either side of the fire in hi', 'e of identity "my dear fellow," said sherlock holmes as we sat on either side of the fire in his lod', 'identity "my dear fellow," said sherlock holmes as we sat on either side of the fire in his lodgings', 'ity "my dear fellow," said sherlock holmes as we sat on either side of the fire in his lodgings at b', 'my dear fellow," said sherlock holmes as we sat on either side of the fire in his lodgings at baker ', 'ar fellow," said sherlock holmes as we sat on either side of the fire in his lodgings at baker stree', 'llow," said sherlock holmes as we sat on either side of the fire in his lodgings at baker street, "l', '" said sherlock holmes as we sat on either side of the fire in his lodgings at baker street, "life i', 'd sherlock holmes as we sat on either side of the fire in his lodgings at baker street, "life is inf', 'rlock holmes as we sat on either side of the fire in his lodgings at baker street, "life is infinite', ' holmes as we sat on either side of the fire in his lodgings at baker street, "life is infinitely st', 'es as we sat on either side of the fire in his lodgings at baker street, "life is infinitely strange', ' we sat on either side of the fire in his lodgings at baker street, "life is infinitely stranger tha', 'at on either side of the fire in his lodgings at baker street, "life is infinitely stranger than any', ' either side of the fire in his lodgings at baker street, "life is infinitely stranger than anything', 'er side of the fire in his lodgings at baker street, "life is infinitely stranger than anything whic', 'de of the fire in his lodgings at baker street, "life is infinitely stranger than anything which the', ' the fire in his lodgings at baker street, "life is infinitely stranger than anything which the mind', 'fire in his lodgings at baker street, "life is infinitely stranger than anything which the mind of m', 'in his lodgings at baker street, "life is infinitely stranger than anything which the mind of man co', 's lodgings at baker street, "life is infinitely stranger than anything which the mind of man could i', 'gings at baker street, "life is infinitely stranger than anything which the mind of man could invent', ' at baker street, "life is infinitely stranger than anything which the mind of man could invent. we ', 'aker street, "life is infinitely stranger than anything which the mind of man could invent. we would', 'street, "life is infinitely stranger than anything which the mind of man could invent. we would not ', 't, "life is infinitely stranger than anything which the mind of man could invent. we would not dare ', 'ife is infinitely stranger than anything which the mind of man could invent. we would not dare to co', 's infinitely stranger than anything which the mind of man could invent. we would not dare to conceiv', 'initely stranger than anything which the mind of man could invent. we would not dare to conceive the', 'ly stranger than anything which the mind of man could invent. we would not dare to conceive the thin', 'ranger than anything which the mind of man could invent. we would not dare to conceive the things wh', 'r than anything which the mind of man could invent. we would not dare to conceive the things which a', 'n anything which the mind of man could invent. we would not dare to conceive the things which are re', 'thing which the mind of man could invent. we would not dare to conceive the things which are really ', ' which the mind of man could invent. we would not dare to conceive the things which are really mere ', 'h the mind of man could invent. we would not dare to conceive the things which are really mere commo', ' mind of man could invent. we would not dare to conceive the things which are really mere commonplac', ' of man could invent. we would not dare to conceive the things which are really mere commonplaces of', 'an could invent. we would not dare to conceive the things which are really mere commonplaces of exis', 'uld invent. we would not dare to conceive the things which are really mere commonplaces of existence', 'nvent. we would not dare to conceive the things which are really mere commonplaces of existence. if ', '. we would not dare to conceive the things which are really mere commonplaces of existence. if we co', 'would not dare to conceive the things which are really mere commonplaces of existence. if we could f', ' not dare to conceive the things which are really mere commonplaces of existence. if we could fly ou', 'dare to conceive the things which are really mere commonplaces of existence. if we could fly out of ', 'to conceive the things which are really mere commonplaces of existence. if we could fly out of that ', 'nceive the things which are really mere commonplaces of existence. if we could fly out of that windo', 'e the things which are really mere commonplaces of existence. if we could fly out of that window han', ' things which are really mere commonplaces of existence. if we could fly out of that window hand in ', 'gs which are really mere commonplaces of existence. if we could fly out of that window hand in hand,', 'ich are really mere commonplaces of existence. if we could fly out of that window hand in hand, hove', 're really mere commonplaces of existence. if we could fly out of that window hand in hand, hover ove', 'ally mere commonplaces of existence. if we could fly out of that window hand in hand, hover over thi', 'mere commonplaces of existence. if we could fly out of that window hand in hand, hover over this gre', 'commonplaces of existence. if we could fly out of that window hand in hand, hover over this great ci', 'nplaces of existence. if we could fly out of that window hand in hand, hover over this great city, g', 'es of existence. if we could fly out of that window hand in hand, hover over this great city, gently', ' existence. if we could fly out of that window hand in hand, hover over this great city, gently remo', 'tence. if we could fly out of that window hand in hand, hover over this great city, gently remove th', '. if we could fly out of that window hand in hand, hover over this great city, gently remove the roo', 'we could fly out of that window hand in hand, hover over this great city, gently remove the roofs, a', 'uld fly out of that window hand in hand, hover over this great city, gently remove the roofs, and pe', 'ly out of that window hand in hand, hover over this great city, gently remove the roofs, and peep in', 't of that window hand in hand, hover over this great city, gently remove the roofs, and peep in at t', 'that window hand in hand, hover over this great city, gently remove the roofs, and peep in at the qu', 'window hand in hand, hover over this great city, gently remove the roofs, and peep in at the queer t', 'w hand in hand, hover over this great city, gently remove the roofs, and peep in at the queer things', 'd in hand, hover over this great city, gently remove the roofs, and peep in at the queer things whic', 'hand, hover over this great city, gently remove the roofs, and peep in at the queer things which are', ' hover over this great city, gently remove the roofs, and peep in at the queer things which are goin', 'r over this great city, gently remove the roofs, and peep in at the queer things which are going on,', 'r this great city, gently remove the roofs, and peep in at the queer things which are going on, the ', 's great city, gently remove the roofs, and peep in at the queer things which are going on, the stran', 'at city, gently remove the roofs, and peep in at the queer things which are going on, the strange co', 'ty, gently remove the roofs, and peep in at the queer things which are going on, the strange coincid', 'ently remove the roofs, and peep in at the queer things which are going on, the strange coincidences', ' remove the roofs, and peep in at the queer things which are going on, the strange coincidences, the', 've the roofs, and peep in at the queer things which are going on, the strange coincidences, the plan', 'e roofs, and peep in at the queer things which are going on, the strange coincidences, the plannings', 'fs, and peep in at the queer things which are going on, the strange coincidences, the plannings, the', 'nd peep in at the queer things which are going on, the strange coincidences, the plannings, the cros', 'ep in at the queer things which are going on, the strange coincidences, the plannings, the cross-pur', ' at the queer things which are going on, the strange coincidences, the plannings, the cross-purposes', 'he queer things which are going on, the strange coincidences, the plannings, the cross-purposes, the', 'eer things which are going on, the strange coincidences, the plannings, the cross-purposes, the wond', 'hings which are going on, the strange coincidences, the plannings, the cross-purposes, the wonderful', ' which are going on, the strange coincidences, the plannings, the cross-purposes, the wonderful chai', 'h are going on, the strange coincidences, the plannings, the cross-purposes, the wonderful chains of', ' going on, the strange coincidences, the plannings, the cross-purposes, the wonderful chains of even', 'g on, the strange coincidences, the plannings, the cross-purposes, the wonderful chains of events, w', ' the strange coincidences, the plannings, the cross-purposes, the wonderful chains of events, workin', 'strange coincidences, the plannings, the cross-purposes, the wonderful chains of events, working thr', 'ge coincidences, the plannings, the cross-purposes, the wonderful chains of events, working through ', 'incidences, the plannings, the cross-purposes, the wonderful chains of events, working through gener', 'ences, the plannings, the cross-purposes, the wonderful chains of events, working through generation', ', the plannings, the cross-purposes, the wonderful chains of events, working through generations, an', ' plannings, the cross-purposes, the wonderful chains of events, working through generations, and lea', 'nings, the cross-purposes, the wonderful chains of events, working through generations, and leading ', ', the cross-purposes, the wonderful chains of events, working through generations, and leading to th', ' cross-purposes, the wonderful chains of events, working through generations, and leading to the mos', 's-purposes, the wonderful chains of events, working through generations, and leading to the most out', 'poses, the wonderful chains of events, working through generations, and leading to the most outr res', ', the wonderful chains of events, working through generations, and leading to the most outr results,', ' wonderful chains of events, working through generations, and leading to the most outr results, it w', 'erful chains of events, working through generations, and leading to the most outr results, it would ', ' chains of events, working through generations, and leading to the most outr results, it would make ', 'ns of events, working through generations, and leading to the most outr results, it would make all f', ' events, working through generations, and leading to the most outr results, it would make all fictio', 'ts, working through generations, and leading to the most outr results, it would make all fiction wit', 'orking through generations, and leading to the most outr results, it would make all fiction with its', 'g through generations, and leading to the most outr results, it would make all fiction with its conv', 'ough generations, and leading to the most outr results, it would make all fiction with its conventio', 'generations, and leading to the most outr results, it would make all fiction with its conventionalit', 'ations, and leading to the most outr results, it would make all fiction with its conventionalities a', 's, and leading to the most outr results, it would make all fiction with its conventionalities and fo', 'd leading to the most outr results, it would make all fiction with its conventionalities and foresee', 'ding to the most outr results, it would make all fiction with its conventionalities and foreseen con', 'to the most outr results, it would make all fiction with its conventionalities and foreseen conclusi', 'e most outr results, it would make all fiction with its conventionalities and foreseen conclusions m', 't outr results, it would make all fiction with its conventionalities and foreseen conclusions most s', 'r results, it would make all fiction with its conventionalities and foreseen conclusions most stale ', 'ults, it would make all fiction with its conventionalities and foreseen conclusions most stale and u', ' it would make all fiction with its conventionalities and foreseen conclusions most stale and unprof', 'ould make all fiction with its conventionalities and foreseen conclusions most stale and unprofitabl', 'make all fiction with its conventionalities and foreseen conclusions most stale and unprofitable." "', 'all fiction with its conventionalities and foreseen conclusions most stale and unprofitable." "and y', 'iction with its conventionalities and foreseen conclusions most stale and unprofitable." "and yet i ', 'n with its conventionalities and foreseen conclusions most stale and unprofitable." "and yet i am no', 'h its conventionalities and foreseen conclusions most stale and unprofitable." "and yet i am not con', ' conventionalities and foreseen conclusions most stale and unprofitable." "and yet i am not convince', 'entionalities and foreseen conclusions most stale and unprofitable." "and yet i am not convinced of ', 'nalities and foreseen conclusions most stale and unprofitable." "and yet i am not convinced of it," ', 'ies and foreseen conclusions most stale and unprofitable." "and yet i am not convinced of it," i ans', 'nd foreseen conclusions most stale and unprofitable." "and yet i am not convinced of it," i answered', 'reseen conclusions most stale and unprofitable." "and yet i am not convinced of it," i answered. "th', 'n conclusions most stale and unprofitable." "and yet i am not convinced of it," i answered. "the cas', 'clusions most stale and unprofitable." "and yet i am not convinced of it," i answered. "the cases wh', 'ons most stale and unprofitable." "and yet i am not convinced of it," i answered. "the cases which c', 'ost stale and unprofitable." "and yet i am not convinced of it," i answered. "the cases which come t', 'tale and unprofitable." "and yet i am not convinced of it," i answered. "the cases which come to lig', 'and unprofitable." "and yet i am not convinced of it," i answered. "the cases which come to light in', 'nprofitable." "and yet i am not convinced of it," i answered. "the cases which come to light in the ', 'itable." "and yet i am not convinced of it," i answered. "the cases which come to light in the paper', 'e." "and yet i am not convinced of it," i answered. "the cases which come to light in the papers are', 'and yet i am not convinced of it," i answered. "the cases which come to light in the papers are, as ', 'et i am not convinced of it," i answered. "the cases which come to light in the papers are, as a rul', 'am not convinced of it," i answered. "the cases which come to light in the papers are, as a rule, ba', 't convinced of it," i answered. "the cases which come to light in the papers are, as a rule, bald en', 'vinced of it," i answered. "the cases which come to light in the papers are, as a rule, bald enough,', 'd of it," i answered. "the cases which come to light in the papers are, as a rule, bald enough, and ', 'it," i answered. "the cases which come to light in the papers are, as a rule, bald enough, and vulga', 'i answered. "the cases which come to light in the papers are, as a rule, bald enough, and vulgar eno', 'wered. "the cases which come to light in the papers are, as a rule, bald enough, and vulgar enough. ', '. "the cases which come to light in the papers are, as a rule, bald enough, and vulgar enough. we ha', 'e cases which come to light in the papers are, as a rule, bald enough, and vulgar enough. we have in', 'es which come to light in the papers are, as a rule, bald enough, and vulgar enough. we have in our ', 'ich come to light in the papers are, as a rule, bald enough, and vulgar enough. we have in our polic', 'ome to light in the papers are, as a rule, bald enough, and vulgar enough. we have in our police rep', 'o light in the papers are, as a rule, bald enough, and vulgar enough. we have in our police reports ', 'ht in the papers are, as a rule, bald enough, and vulgar enough. we have in our police reports reali', ' the papers are, as a rule, bald enough, and vulgar enough. we have in our police reports realism pu', 'papers are, as a rule, bald enough, and vulgar enough. we have in our police reports realism pushed ', 's are, as a rule, bald enough, and vulgar enough. we have in our police reports realism pushed to it', ', as a rule, bald enough, and vulgar enough. we have in our police reports realism pushed to its ext', 'a rule, bald enough, and vulgar enough. we have in our police reports realism pushed to its extreme ', 'e, bald enough, and vulgar enough. we have in our police reports realism pushed to its extreme limit', 'ld enough, and vulgar enough. we have in our police reports realism pushed to its extreme limits, an', 'ough, and vulgar enough. we have in our police reports realism pushed to its extreme limits, and yet', ' and vulgar enough. we have in our police reports realism pushed to its extreme limits, and yet the ', 'vulgar enough. we have in our police reports realism pushed to its extreme limits, and yet the resul', 'r enough. we have in our police reports realism pushed to its extreme limits, and yet the result is,', 'ugh. we have in our police reports realism pushed to its extreme limits, and yet the result is, it m', 'we have in our police reports realism pushed to its extreme limits, and yet the result is, it must b', 've in our police reports realism pushed to its extreme limits, and yet the result is, it must be con', ' our police reports realism pushed to its extreme limits, and yet the result is, it must be confesse', 'police reports realism pushed to its extreme limits, and yet the result is, it must be confessed, ne', 'e reports realism pushed to its extreme limits, and yet the result is, it must be confessed, neither', 'orts realism pushed to its extreme limits, and yet the result is, it must be confessed, neither fasc', 'realism pushed to its extreme limits, and yet the result is, it must be confessed, neither fascinati', 'sm pushed to its extreme limits, and yet the result is, it must be confessed, neither fascinating no', 'shed to its extreme limits, and yet the result is, it must be confessed, neither fascinating nor art', 'to its extreme limits, and yet the result is, it must be confessed, neither fascinating nor artistic', 's extreme limits, and yet the result is, it must be confessed, neither fascinating nor artistic." "a', 'reme limits, and yet the result is, it must be confessed, neither fascinating nor artistic." "a cert', 'limits, and yet the result is, it must be confessed, neither fascinating nor artistic." "a certain s', 's, and yet the result is, it must be confessed, neither fascinating nor artistic." "a certain select', 'd yet the result is, it must be confessed, neither fascinating nor artistic." "a certain selection a', ' the result is, it must be confessed, neither fascinating nor artistic." "a certain selection and di', 'result is, it must be confessed, neither fascinating nor artistic." "a certain selection and discret', 't is, it must be confessed, neither fascinating nor artistic." "a certain selection and discretion m', ' it must be confessed, neither fascinating nor artistic." "a certain selection and discretion must b', 'ust be confessed, neither fascinating nor artistic." "a certain selection and discretion must be use', 'e confessed, neither fascinating nor artistic." "a certain selection and discretion must be used in ', 'fessed, neither fascinating nor artistic." "a certain selection and discretion must be used in produ', 'd, neither fascinating nor artistic." "a certain selection and discretion must be used in producing ', 'ither fascinating nor artistic." "a certain selection and discretion must be used in producing a rea', ' fascinating nor artistic." "a certain selection and discretion must be used in producing a realisti', 'inating nor artistic." "a certain selection and discretion must be used in producing a realistic eff', 'ng nor artistic." "a certain selection and discretion must be used in producing a realistic effect,"', 'r artistic." "a certain selection and discretion must be used in producing a realistic effect," rema', 'istic." "a certain selection and discretion must be used in producing a realistic effect," remarked ', '." "a certain selection and discretion must be used in producing a realistic effect," remarked holme', ' certain selection and discretion must be used in producing a realistic effect," remarked holmes. "t', 'ain selection and discretion must be used in producing a realistic effect," remarked holmes. "this i', 'election and discretion must be used in producing a realistic effect," remarked holmes. "this is wan', 'ion and discretion must be used in producing a realistic effect," remarked holmes. "this is wanting ', 'nd discretion must be used in producing a realistic effect," remarked holmes. "this is wanting in th', 'scretion must be used in producing a realistic effect," remarked holmes. "this is wanting in the pol', 'ion must be used in producing a realistic effect," remarked holmes. "this is wanting in the police r', 'ust be used in producing a realistic effect," remarked holmes. "this is wanting in the police report', 'e used in producing a realistic effect," remarked holmes. "this is wanting in the police report, whe', 'd in producing a realistic effect," remarked holmes. "this is wanting in the police report, where mo', 'producing a realistic effect," remarked holmes. "this is wanting in the police report, where more st', 'cing a realistic effect," remarked holmes. "this is wanting in the police report, where more stress ', 'a realistic effect," remarked holmes. "this is wanting in the police report, where more stress is la', 'listic effect," remarked holmes. "this is wanting in the police report, where more stress is laid, p', 'c effect," remarked holmes. "this is wanting in the police report, where more stress is laid, perhap', 'ect," remarked holmes. "this is wanting in the police report, where more stress is laid, perhaps, up', ' remarked holmes. "this is wanting in the police report, where more stress is laid, perhaps, upon th', 'rked holmes. "this is wanting in the police report, where more stress is laid, perhaps, upon the pla', 'holmes. "this is wanting in the police report, where more stress is laid, perhaps, upon the platitud', 's. "this is wanting in the police report, where more stress is laid, perhaps, upon the platitudes of', 'his is wanting in the police report, where more stress is laid, perhaps, upon the platitudes of the ', 's wanting in the police report, where more stress is laid, perhaps, upon the platitudes of the magis', 'ting in the police report, where more stress is laid, perhaps, upon the platitudes of the magistrate', 'in the police report, where more stress is laid, perhaps, upon the platitudes of the magistrate than', 'e police report, where more stress is laid, perhaps, upon the platitudes of the magistrate than upon', 'ice report, where more stress is laid, perhaps, upon the platitudes of the magistrate than upon the ', 'eport, where more stress is laid, perhaps, upon the platitudes of the magistrate than upon the detai', ', where more stress is laid, perhaps, upon the platitudes of the magistrate than upon the details, w', 're more stress is laid, perhaps, upon the platitudes of the magistrate than upon the details, which ', 're stress is laid, perhaps, upon the platitudes of the magistrate than upon the details, which to an', 'ress is laid, perhaps, upon the platitudes of the magistrate than upon the details, which to an obse', 'is laid, perhaps, upon the platitudes of the magistrate than upon the details, which to an observer ', 'id, perhaps, upon the platitudes of the magistrate than upon the details, which to an observer conta', 'erhaps, upon the platitudes of the magistrate than upon the details, which to an observer contain th', 's, upon the platitudes of the magistrate than upon the details, which to an observer contain the vit', 'on the platitudes of the magistrate than upon the details, which to an observer contain the vital es', 'e platitudes of the magistrate than upon the details, which to an observer contain the vital essence', 'titudes of the magistrate than upon the details, which to an observer contain the vital essence of t', 'es of the magistrate than upon the details, which to an observer contain the vital essence of the wh', ' the magistrate than upon the details, which to an observer contain the vital essence of the whole m', 'magistrate than upon the details, which to an observer contain the vital essence of the whole matter', 'trate than upon the details, which to an observer contain the vital essence of the whole matter. dep', ' than upon the details, which to an observer contain the vital essence of the whole matter. depend u', ' upon the details, which to an observer contain the vital essence of the whole matter. depend upon i', ' the details, which to an observer contain the vital essence of the whole matter. depend upon it, th', 'details, which to an observer contain the vital essence of the whole matter. depend upon it, there i', 'ls, which to an observer contain the vital essence of the whole matter. depend upon it, there is not', 'hich to an observer contain the vital essence of the whole matter. depend upon it, there is nothing ', 'to an observer contain the vital essence of the whole matter. depend upon it, there is nothing so un', ' observer contain the vital essence of the whole matter. depend upon it, there is nothing so unnatur', 'rver contain the vital essence of the whole matter. depend upon it, there is nothing so unnatural as', 'contain the vital essence of the whole matter. depend upon it, there is nothing so unnatural as the ', 'in the vital essence of the whole matter. depend upon it, there is nothing so unnatural as the commo', 'e vital essence of the whole matter. depend upon it, there is nothing so unnatural as the commonplac', 'al essence of the whole matter. depend upon it, there is nothing so unnatural as the commonplace." i', 'sence of the whole matter. depend upon it, there is nothing so unnatural as the commonplace." i smil', ' of the whole matter. depend upon it, there is nothing so unnatural as the commonplace." i smiled an', 'he whole matter. depend upon it, there is nothing so unnatural as the commonplace." i smiled and sho', 'ole matter. depend upon it, there is nothing so unnatural as the commonplace." i smiled and shook my', 'atter. depend upon it, there is nothing so unnatural as the commonplace." i smiled and shook my head', '. depend upon it, there is nothing so unnatural as the commonplace." i smiled and shook my head. "i ', 'end upon it, there is nothing so unnatural as the commonplace." i smiled and shook my head. "i can q', 'pon it, there is nothing so unnatural as the commonplace." i smiled and shook my head. "i can quite ', 't, there is nothing so unnatural as the commonplace." i smiled and shook my head. "i can quite under', 'ere is nothing so unnatural as the commonplace." i smiled and shook my head. "i can quite understand', 's nothing so unnatural as the commonplace." i smiled and shook my head. "i can quite understand your', 'hing so unnatural as the commonplace." i smiled and shook my head. "i can quite understand your thin', 'so unnatural as the commonplace." i smiled and shook my head. "i can quite understand your thinking ', 'natural as the commonplace." i smiled and shook my head. "i can quite understand your thinking so," ', 'al as the commonplace." i smiled and shook my head. "i can quite understand your thinking so," i sai', ' the commonplace." i smiled and shook my head. "i can quite understand your thinking so," i said. "o', 'commonplace." i smiled and shook my head. "i can quite understand your thinking so," i said. "of cou', 'nplace." i smiled and shook my head. "i can quite understand your thinking so," i said. "of course, ', 'e." i smiled and shook my head. "i can quite understand your thinking so," i said. "of course, in yo', ' smiled and shook my head. "i can quite understand your thinking so," i said. "of course, in your po', 'ed and shook my head. "i can quite understand your thinking so," i said. "of course, in your positio', 'd shook my head. "i can quite understand your thinking so," i said. "of course, in your position of ', 'ok my head. "i can quite understand your thinking so," i said. "of course, in your position of unoff', ' head. "i can quite understand your thinking so," i said. "of course, in your position of unofficial', '. "i can quite understand your thinking so," i said. "of course, in your position of unofficial advi', 'can quite understand your thinking so," i said. "of course, in your position of unofficial adviser a', 'uite understand your thinking so," i said. "of course, in your position of unofficial adviser and he', 'understand your thinking so," i said. "of course, in your position of unofficial adviser and helper ', 'stand your thinking so," i said. "of course, in your position of unofficial adviser and helper to ev', ' your thinking so," i said. "of course, in your position of unofficial adviser and helper to everybo', ' thinking so," i said. "of course, in your position of unofficial adviser and helper to everybody wh', 'king so," i said. "of course, in your position of unofficial adviser and helper to everybody who is ', 'so," i said. "of course, in your position of unofficial adviser and helper to everybody who is absol', 'i said. "of course, in your position of unofficial adviser and helper to everybody who is absolutely', 'd. "of course, in your position of unofficial adviser and helper to everybody who is absolutely puzz', 'f course, in your position of unofficial adviser and helper to everybody who is absolutely puzzled, ', 'rse, in your position of unofficial adviser and helper to everybody who is absolutely puzzled, throu', 'in your position of unofficial adviser and helper to everybody who is absolutely puzzled, throughout', 'ur position of unofficial adviser and helper to everybody who is absolutely puzzled, throughout thre', 'sition of unofficial adviser and helper to everybody who is absolutely puzzled, throughout three con', 'n of unofficial adviser and helper to everybody who is absolutely puzzled, throughout three continen', 'unofficial adviser and helper to everybody who is absolutely puzzled, throughout three continents, y', 'icial adviser and helper to everybody who is absolutely puzzled, throughout three continents, you ar', ' adviser and helper to everybody who is absolutely puzzled, throughout three continents, you are bro', 'ser and helper to everybody who is absolutely puzzled, throughout three continents, you are brought ', 'nd helper to everybody who is absolutely puzzled, throughout three continents, you are brought in co', 'lper to everybody who is absolutely puzzled, throughout three continents, you are brought in contact', 'to everybody who is absolutely puzzled, throughout three continents, you are brought in contact with', 'erybody who is absolutely puzzled, throughout three continents, you are brought in contact with all ', 'dy who is absolutely puzzled, throughout three continents, you are brought in contact with all that ', 'o is absolutely puzzled, throughout three continents, you are brought in contact with all that is st', 'absolutely puzzled, throughout three continents, you are brought in contact with all that is strange', 'utely puzzled, throughout three continents, you are brought in contact with all that is strange and ', ' puzzled, throughout three continents, you are brought in contact with all that is strange and bizar', 'led, throughout three continents, you are brought in contact with all that is strange and bizarre. b', 'throughout three continents, you are brought in contact with all that is strange and bizarre. but he', 'ghout three continents, you are brought in contact with all that is strange and bizarre. but here"i ', ' three continents, you are brought in contact with all that is strange and bizarre. but here"i picke', 'e continents, you are brought in contact with all that is strange and bizarre. but here"i picked up ', 'tinents, you are brought in contact with all that is strange and bizarre. but here"i picked up the m', 'ts, you are brought in contact with all that is strange and bizarre. but here"i picked up the mornin', 'ou are brought in contact with all that is strange and bizarre. but here"i picked up the morning pap', 'e brought in contact with all that is strange and bizarre. but here"i picked up the morning paper fr', 'ught in contact with all that is strange and bizarre. but here"i picked up the morning paper from th', 'in contact with all that is strange and bizarre. but here"i picked up the morning paper from the gro', 'ntact with all that is strange and bizarre. but here"i picked up the morning paper from the ground"l', ' with all that is strange and bizarre. but here"i picked up the morning paper from the ground"let us', ' all that is strange and bizarre. but here"i picked up the morning paper from the ground"let us put ', 'that is strange and bizarre. but here"i picked up the morning paper from the ground"let us put it to', 'is strange and bizarre. but here"i picked up the morning paper from the ground"let us put it to a pr', 'range and bizarre. but here"i picked up the morning paper from the ground"let us put it to a practic', ' and bizarre. but here"i picked up the morning paper from the ground"let us put it to a practical te', 'bizarre. but here"i picked up the morning paper from the ground"let us put it to a practical test. h', 're. but here"i picked up the morning paper from the ground"let us put it to a practical test. here i', 'ut here"i picked up the morning paper from the ground"let us put it to a practical test. here is the', 're"i picked up the morning paper from the ground"let us put it to a practical test. here is the firs', 'picked up the morning paper from the ground"let us put it to a practical test. here is the first hea', 'd up the morning paper from the ground"let us put it to a practical test. here is the first heading ', 'the morning paper from the ground"let us put it to a practical test. here is the first heading upon ', 'orning paper from the ground"let us put it to a practical test. here is the first heading upon which', 'g paper from the ground"let us put it to a practical test. here is the first heading upon which i co', 'er from the ground"let us put it to a practical test. here is the first heading upon which i come. \'', 'om the ground"let us put it to a practical test. here is the first heading upon which i come. \'a hus', 'e ground"let us put it to a practical test. here is the first heading upon which i come. \'a husband\'', 'und"let us put it to a practical test. here is the first heading upon which i come. \'a husband\'s cru', "et us put it to a practical test. here is the first heading upon which i come. 'a husband's cruelty ", " put it to a practical test. here is the first heading upon which i come. 'a husband's cruelty to hi", "it to a practical test. here is the first heading upon which i come. 'a husband's cruelty to his wif", " a practical test. here is the first heading upon which i come. 'a husband's cruelty to his wife.' t", "actical test. here is the first heading upon which i come. 'a husband's cruelty to his wife.' there ", "al test. here is the first heading upon which i come. 'a husband's cruelty to his wife.' there is ha", "st. here is the first heading upon which i come. 'a husband's cruelty to his wife.' there is half a ", "ere is the first heading upon which i come. 'a husband's cruelty to his wife.' there is half a colum", "s the first heading upon which i come. 'a husband's cruelty to his wife.' there is half a column of ", " first heading upon which i come. 'a husband's cruelty to his wife.' there is half a column of print", "t heading upon which i come. 'a husband's cruelty to his wife.' there is half a column of print, but", "ding upon which i come. 'a husband's cruelty to his wife.' there is half a column of print, but i kn", "upon which i come. 'a husband's cruelty to his wife.' there is half a column of print, but i know wi", "which i come. 'a husband's cruelty to his wife.' there is half a column of print, but i know without", " i come. 'a husband's cruelty to his wife.' there is half a column of print, but i know without read", "me. 'a husband's cruelty to his wife.' there is half a column of print, but i know without reading i", "a husband's cruelty to his wife.' there is half a column of print, but i know without reading it tha", "band's cruelty to his wife.' there is half a column of print, but i know without reading it that it ", "s cruelty to his wife.' there is half a column of print, but i know without reading it that it is al", "elty to his wife.' there is half a column of print, but i know without reading it that it is all per", "to his wife.' there is half a column of print, but i know without reading it that it is all perfectl", "s wife.' there is half a column of print, but i know without reading it that it is all perfectly fam", "e.' there is half a column of print, but i know without reading it that it is all perfectly familiar", 'here is half a column of print, but i know without reading it that it is all perfectly familiar to m', 'is half a column of print, but i know without reading it that it is all perfectly familiar to me. th', 'lf a column of print, but i know without reading it that it is all perfectly familiar to me. there i', 'column of print, but i know without reading it that it is all perfectly familiar to me. there is, of', 'n of print, but i know without reading it that it is all perfectly familiar to me. there is, of cour', 'print, but i know without reading it that it is all perfectly familiar to me. there is, of course, t', ', but i know without reading it that it is all perfectly familiar to me. there is, of course, the ot', ' i know without reading it that it is all perfectly familiar to me. there is, of course, the other w', 'ow without reading it that it is all perfectly familiar to me. there is, of course, the other woman,', 'thout reading it that it is all perfectly familiar to me. there is, of course, the other woman, the ', ' reading it that it is all perfectly familiar to me. there is, of course, the other woman, the drink', 'ing it that it is all perfectly familiar to me. there is, of course, the other woman, the drink, the', 't that it is all perfectly familiar to me. there is, of course, the other woman, the drink, the push', 't it is all perfectly familiar to me. there is, of course, the other woman, the drink, the push, the', 'is all perfectly familiar to me. there is, of course, the other woman, the drink, the push, the blow', 'l perfectly familiar to me. there is, of course, the other woman, the drink, the push, the blow, the', 'fectly familiar to me. there is, of course, the other woman, the drink, the push, the blow, the brui', 'y familiar to me. there is, of course, the other woman, the drink, the push, the blow, the bruise, t', 'iliar to me. there is, of course, the other woman, the drink, the push, the blow, the bruise, the sy', ' to me. there is, of course, the other woman, the drink, the push, the blow, the bruise, the sympath', 'e. there is, of course, the other woman, the drink, the push, the blow, the bruise, the sympathetic ', 'ere is, of course, the other woman, the drink, the push, the blow, the bruise, the sympathetic siste', 's, of course, the other woman, the drink, the push, the blow, the bruise, the sympathetic sister or ', ' course, the other woman, the drink, the push, the blow, the bruise, the sympathetic sister or landl', 'se, the other woman, the drink, the push, the blow, the bruise, the sympathetic sister or landlady. ', 'he other woman, the drink, the push, the blow, the bruise, the sympathetic sister or landlady. the c', 'her woman, the drink, the push, the blow, the bruise, the sympathetic sister or landlady. the crudes', 'oman, the drink, the push, the blow, the bruise, the sympathetic sister or landlady. the crudest of ', ' the drink, the push, the blow, the bruise, the sympathetic sister or landlady. the crudest of write', 'drink, the push, the blow, the bruise, the sympathetic sister or landlady. the crudest of writers co', ', the push, the blow, the bruise, the sympathetic sister or landlady. the crudest of writers could i', ' push, the blow, the bruise, the sympathetic sister or landlady. the crudest of writers could invent', ', the blow, the bruise, the sympathetic sister or landlady. the crudest of writers could invent noth', ' blow, the bruise, the sympathetic sister or landlady. the crudest of writers could invent nothing m', ', the bruise, the sympathetic sister or landlady. the crudest of writers could invent nothing more c', ' bruise, the sympathetic sister or landlady. the crudest of writers could invent nothing more crude.', 'se, the sympathetic sister or landlady. the crudest of writers could invent nothing more crude." "in', 'he sympathetic sister or landlady. the crudest of writers could invent nothing more crude." "indeed,', 'mpathetic sister or landlady. the crudest of writers could invent nothing more crude." "indeed, your', 'etic sister or landlady. the crudest of writers could invent nothing more crude." "indeed, your exam', 'sister or landlady. the crudest of writers could invent nothing more crude." "indeed, your example i', 'r or landlady. the crudest of writers could invent nothing more crude." "indeed, your example is an ', 'landlady. the crudest of writers could invent nothing more crude." "indeed, your example is an unfor', 'ady. the crudest of writers could invent nothing more crude." "indeed, your example is an unfortunat', 'the crudest of writers could invent nothing more crude." "indeed, your example is an unfortunate one', 'rudest of writers could invent nothing more crude." "indeed, your example is an unfortunate one for ', 't of writers could invent nothing more crude." "indeed, your example is an unfortunate one for your ', 'writers could invent nothing more crude." "indeed, your example is an unfortunate one for your argum', 'rs could invent nothing more crude." "indeed, your example is an unfortunate one for your argument,"', 'uld invent nothing more crude." "indeed, your example is an unfortunate one for your argument," said', 'nvent nothing more crude." "indeed, your example is an unfortunate one for your argument," said holm', ' nothing more crude." "indeed, your example is an unfortunate one for your argument," said holmes, t', 'ing more crude." "indeed, your example is an unfortunate one for your argument," said holmes, taking', 'ore crude." "indeed, your example is an unfortunate one for your argument," said holmes, taking the ', 'rude." "indeed, your example is an unfortunate one for your argument," said holmes, taking the paper', '" "indeed, your example is an unfortunate one for your argument," said holmes, taking the paper and ', 'deed, your example is an unfortunate one for your argument," said holmes, taking the paper and glanc', ' your example is an unfortunate one for your argument," said holmes, taking the paper and glancing h', ' example is an unfortunate one for your argument," said holmes, taking the paper and glancing his ey', 'ple is an unfortunate one for your argument," said holmes, taking the paper and glancing his eye dow', 's an unfortunate one for your argument," said holmes, taking the paper and glancing his eye down it.', 'unfortunate one for your argument," said holmes, taking the paper and glancing his eye down it. "thi', 'tunate one for your argument," said holmes, taking the paper and glancing his eye down it. "this is ', 'e one for your argument," said holmes, taking the paper and glancing his eye down it. "this is the d', ' for your argument," said holmes, taking the paper and glancing his eye down it. "this is the dundas', 'your argument," said holmes, taking the paper and glancing his eye down it. "this is the dundas sepa', 'argument," said holmes, taking the paper and glancing his eye down it. "this is the dundas separatio', 'ent," said holmes, taking the paper and glancing his eye down it. "this is the dundas separation cas', ' said holmes, taking the paper and glancing his eye down it. "this is the dundas separation case, an', ' holmes, taking the paper and glancing his eye down it. "this is the dundas separation case, and, as', 'es, taking the paper and glancing his eye down it. "this is the dundas separation case, and, as it h', 'aking the paper and glancing his eye down it. "this is the dundas separation case, and, as it happen', ' the paper and glancing his eye down it. "this is the dundas separation case, and, as it happens, i ', 'paper and glancing his eye down it. "this is the dundas separation case, and, as it happens, i was e', ' and glancing his eye down it. "this is the dundas separation case, and, as it happens, i was engage', 'glancing his eye down it. "this is the dundas separation case, and, as it happens, i was engaged in ', 'ing his eye down it. "this is the dundas separation case, and, as it happens, i was engaged in clear', 'is eye down it. "this is the dundas separation case, and, as it happens, i was engaged in clearing u', 'e down it. "this is the dundas separation case, and, as it happens, i was engaged in clearing up som', 'n it. "this is the dundas separation case, and, as it happens, i was engaged in clearing up some sma', ' "this is the dundas separation case, and, as it happens, i was engaged in clearing up some small po', 's is the dundas separation case, and, as it happens, i was engaged in clearing up some small points ', 'the dundas separation case, and, as it happens, i was engaged in clearing up some small points in co', 'undas separation case, and, as it happens, i was engaged in clearing up some small points in connect', ' separation case, and, as it happens, i was engaged in clearing up some small points in connection w', 'ration case, and, as it happens, i was engaged in clearing up some small points in connection with i', 'n case, and, as it happens, i was engaged in clearing up some small points in connection with it. th', 'e, and, as it happens, i was engaged in clearing up some small points in connection with it. the hus', 'd, as it happens, i was engaged in clearing up some small points in connection with it. the husband ', ' it happens, i was engaged in clearing up some small points in connection with it. the husband was a', 'appens, i was engaged in clearing up some small points in connection with it. the husband was a teet', 's, i was engaged in clearing up some small points in connection with it. the husband was a teetotale', 'was engaged in clearing up some small points in connection with it. the husband was a teetotaler, th', 'ngaged in clearing up some small points in connection with it. the husband was a teetotaler, there w', 'd in clearing up some small points in connection with it. the husband was a teetotaler, there was no', 'clearing up some small points in connection with it. the husband was a teetotaler, there was no othe', 'ing up some small points in connection with it. the husband was a teetotaler, there was no other wom', 'p some small points in connection with it. the husband was a teetotaler, there was no other woman, a', 'e small points in connection with it. the husband was a teetotaler, there was no other woman, and th', 'll points in connection with it. the husband was a teetotaler, there was no other woman, and the con', 'ints in connection with it. the husband was a teetotaler, there was no other woman, and the conduct ', 'in connection with it. the husband was a teetotaler, there was no other woman, and the conduct compl', 'nnection with it. the husband was a teetotaler, there was no other woman, and the conduct complained', 'ion with it. the husband was a teetotaler, there was no other woman, and the conduct complained of w', 'ith it. the husband was a teetotaler, there was no other woman, and the conduct complained of was th', 't. the husband was a teetotaler, there was no other woman, and the conduct complained of was that he', 'e husband was a teetotaler, there was no other woman, and the conduct complained of was that he had ', 'band was a teetotaler, there was no other woman, and the conduct complained of was that he had drift', 'was a teetotaler, there was no other woman, and the conduct complained of was that he had drifted in', ' teetotaler, there was no other woman, and the conduct complained of was that he had drifted into th', 'otaler, there was no other woman, and the conduct complained of was that he had drifted into the hab', 'r, there was no other woman, and the conduct complained of was that he had drifted into the habit of', 'ere was no other woman, and the conduct complained of was that he had drifted into the habit of wind', 'as no other woman, and the conduct complained of was that he had drifted into the habit of winding u', ' other woman, and the conduct complained of was that he had drifted into the habit of winding up eve', 'r woman, and the conduct complained of was that he had drifted into the habit of winding up every me', 'an, and the conduct complained of was that he had drifted into the habit of winding up every meal by', 'nd the conduct complained of was that he had drifted into the habit of winding up every meal by taki', 'e conduct complained of was that he had drifted into the habit of winding up every meal by taking ou', 'duct complained of was that he had drifted into the habit of winding up every meal by taking out his', 'complained of was that he had drifted into the habit of winding up every meal by taking out his fals', 'ained of was that he had drifted into the habit of winding up every meal by taking out his false tee', ' of was that he had drifted into the habit of winding up every meal by taking out his false teeth an', 'as that he had drifted into the habit of winding up every meal by taking out his false teeth and hur', 'at he had drifted into the habit of winding up every meal by taking out his false teeth and hurling ', ' had drifted into the habit of winding up every meal by taking out his false teeth and hurling them ', 'drifted into the habit of winding up every meal by taking out his false teeth and hurling them at hi', 'ed into the habit of winding up every meal by taking out his false teeth and hurling them at his wif', 'to the habit of winding up every meal by taking out his false teeth and hurling them at his wife, wh', 'e habit of winding up every meal by taking out his false teeth and hurling them at his wife, which, ', 'it of winding up every meal by taking out his false teeth and hurling them at his wife, which, you w', ' winding up every meal by taking out his false teeth and hurling them at his wife, which, you will a', 'ing up every meal by taking out his false teeth and hurling them at his wife, which, you will allow,', 'p every meal by taking out his false teeth and hurling them at his wife, which, you will allow, is n', 'ry meal by taking out his false teeth and hurling them at his wife, which, you will allow, is not an', 'al by taking out his false teeth and hurling them at his wife, which, you will allow, is not an acti', ' taking out his false teeth and hurling them at his wife, which, you will allow, is not an action li', 'ng out his false teeth and hurling them at his wife, which, you will allow, is not an action likely ', 't his false teeth and hurling them at his wife, which, you will allow, is not an action likely to oc', ' false teeth and hurling them at his wife, which, you will allow, is not an action likely to occur t', 'e teeth and hurling them at his wife, which, you will allow, is not an action likely to occur to the', 'th and hurling them at his wife, which, you will allow, is not an action likely to occur to the imag', 'd hurling them at his wife, which, you will allow, is not an action likely to occur to the imaginati', 'ling them at his wife, which, you will allow, is not an action likely to occur to the imagination of', 'them at his wife, which, you will allow, is not an action likely to occur to the imagination of the ', 'at his wife, which, you will allow, is not an action likely to occur to the imagination of the avera', 's wife, which, you will allow, is not an action likely to occur to the imagination of the average st', 'e, which, you will allow, is not an action likely to occur to the imagination of the average story-t', 'ich, you will allow, is not an action likely to occur to the imagination of the average story-teller', 'you will allow, is not an action likely to occur to the imagination of the average story-teller. tak', 'ill allow, is not an action likely to occur to the imagination of the average story-teller. take a p', 'llow, is not an action likely to occur to the imagination of the average story-teller. take a pinch ', ' is not an action likely to occur to the imagination of the average story-teller. take a pinch of sn', 'ot an action likely to occur to the imagination of the average story-teller. take a pinch of snuff, ', ' action likely to occur to the imagination of the average story-teller. take a pinch of snuff, docto', 'on likely to occur to the imagination of the average story-teller. take a pinch of snuff, doctor, an', 'kely to occur to the imagination of the average story-teller. take a pinch of snuff, doctor, and ack', 'to occur to the imagination of the average story-teller. take a pinch of snuff, doctor, and acknowle', 'cur to the imagination of the average story-teller. take a pinch of snuff, doctor, and acknowledge t', 'o the imagination of the average story-teller. take a pinch of snuff, doctor, and acknowledge that i', ' imagination of the average story-teller. take a pinch of snuff, doctor, and acknowledge that i have', 'ination of the average story-teller. take a pinch of snuff, doctor, and acknowledge that i have scor', 'on of the average story-teller. take a pinch of snuff, doctor, and acknowledge that i have scored ov', ' the average story-teller. take a pinch of snuff, doctor, and acknowledge that i have scored over yo', 'average story-teller. take a pinch of snuff, doctor, and acknowledge that i have scored over you in ', 'ge story-teller. take a pinch of snuff, doctor, and acknowledge that i have scored over you in your ', 'ory-teller. take a pinch of snuff, doctor, and acknowledge that i have scored over you in your examp', 'eller. take a pinch of snuff, doctor, and acknowledge that i have scored over you in your example." ', '. take a pinch of snuff, doctor, and acknowledge that i have scored over you in your example." he he', 'e a pinch of snuff, doctor, and acknowledge that i have scored over you in your example." he held ou', 'inch of snuff, doctor, and acknowledge that i have scored over you in your example." he held out his', 'of snuff, doctor, and acknowledge that i have scored over you in your example." he held out his snuf', 'uff, doctor, and acknowledge that i have scored over you in your example." he held out his snuffbox ', 'doctor, and acknowledge that i have scored over you in your example." he held out his snuffbox of ol', 'r, and acknowledge that i have scored over you in your example." he held out his snuffbox of old gol', 'd acknowledge that i have scored over you in your example." he held out his snuffbox of old gold, wi', 'nowledge that i have scored over you in your example." he held out his snuffbox of old gold, with a ', 'dge that i have scored over you in your example." he held out his snuffbox of old gold, with a great', 'hat i have scored over you in your example." he held out his snuffbox of old gold, with a great amet', ' have scored over you in your example." he held out his snuffbox of old gold, with a great amethyst ', ' scored over you in your example." he held out his snuffbox of old gold, with a great amethyst in th', 'ed over you in your example." he held out his snuffbox of old gold, with a great amethyst in the cen', 'er you in your example." he held out his snuffbox of old gold, with a great amethyst in the centre o', 'u in your example." he held out his snuffbox of old gold, with a great amethyst in the centre of the', 'your example." he held out his snuffbox of old gold, with a great amethyst in the centre of the lid.', 'example." he held out his snuffbox of old gold, with a great amethyst in the centre of the lid. its ', 'le." he held out his snuffbox of old gold, with a great amethyst in the centre of the lid. its splen', 'he held out his snuffbox of old gold, with a great amethyst in the centre of the lid. its splendour ', 'ld out his snuffbox of old gold, with a great amethyst in the centre of the lid. its splendour was i', 't his snuffbox of old gold, with a great amethyst in the centre of the lid. its splendour was in suc', ' snuffbox of old gold, with a great amethyst in the centre of the lid. its splendour was in such con', 'fbox of old gold, with a great amethyst in the centre of the lid. its splendour was in such contrast', 'of old gold, with a great amethyst in the centre of the lid. its splendour was in such contrast to h', 'd gold, with a great amethyst in the centre of the lid. its splendour was in such contrast to his ho', 'd, with a great amethyst in the centre of the lid. its splendour was in such contrast to his homely ', 'th a great amethyst in the centre of the lid. its splendour was in such contrast to his homely ways ', 'great amethyst in the centre of the lid. its splendour was in such contrast to his homely ways and s', ' amethyst in the centre of the lid. its splendour was in such contrast to his homely ways and simple', 'hyst in the centre of the lid. its splendour was in such contrast to his homely ways and simple life', 'in the centre of the lid. its splendour was in such contrast to his homely ways and simple life that', 'e centre of the lid. its splendour was in such contrast to his homely ways and simple life that i co', 'tre of the lid. its splendour was in such contrast to his homely ways and simple life that i could n', 'f the lid. its splendour was in such contrast to his homely ways and simple life that i could not he', ' lid. its splendour was in such contrast to his homely ways and simple life that i could not help co', ' its splendour was in such contrast to his homely ways and simple life that i could not help comment', 'splendour was in such contrast to his homely ways and simple life that i could not help commenting u', 'dour was in such contrast to his homely ways and simple life that i could not help commenting upon i', 'was in such contrast to his homely ways and simple life that i could not help commenting upon it. "a', 'n such contrast to his homely ways and simple life that i could not help commenting upon it. "ah," s', 'h contrast to his homely ways and simple life that i could not help commenting upon it. "ah," said h', 'trast to his homely ways and simple life that i could not help commenting upon it. "ah," said he, "i', ' to his homely ways and simple life that i could not help commenting upon it. "ah," said he, "i forg', 'is homely ways and simple life that i could not help commenting upon it. "ah," said he, "i forgot th', 'mely ways and simple life that i could not help commenting upon it. "ah," said he, "i forgot that i ', 'ways and simple life that i could not help commenting upon it. "ah," said he, "i forgot that i had n', 'and simple life that i could not help commenting upon it. "ah," said he, "i forgot that i had not se', 'imple life that i could not help commenting upon it. "ah," said he, "i forgot that i had not seen yo', ' life that i could not help commenting upon it. "ah," said he, "i forgot that i had not seen you for', ' that i could not help commenting upon it. "ah," said he, "i forgot that i had not seen you for some', ' i could not help commenting upon it. "ah," said he, "i forgot that i had not seen you for some week', 'uld not help commenting upon it. "ah," said he, "i forgot that i had not seen you for some weeks. it', 'ot help commenting upon it. "ah," said he, "i forgot that i had not seen you for some weeks. it is a', 'lp commenting upon it. "ah," said he, "i forgot that i had not seen you for some weeks. it is a litt', 'mmenting upon it. "ah," said he, "i forgot that i had not seen you for some weeks. it is a little so', 'ing upon it. "ah," said he, "i forgot that i had not seen you for some weeks. it is a little souveni', 'pon it. "ah," said he, "i forgot that i had not seen you for some weeks. it is a little souvenir fro', 't. "ah," said he, "i forgot that i had not seen you for some weeks. it is a little souvenir from the', 'h," said he, "i forgot that i had not seen you for some weeks. it is a little souvenir from the king', 'aid he, "i forgot that i had not seen you for some weeks. it is a little souvenir from the king of b', 'e, "i forgot that i had not seen you for some weeks. it is a little souvenir from the king of bohemi', ' forgot that i had not seen you for some weeks. it is a little souvenir from the king of bohemia in ', 'ot that i had not seen you for some weeks. it is a little souvenir from the king of bohemia in retur', 'at i had not seen you for some weeks. it is a little souvenir from the king of bohemia in return for', 'had not seen you for some weeks. it is a little souvenir from the king of bohemia in return for my a', 'ot seen you for some weeks. it is a little souvenir from the king of bohemia in return for my assist', 'en you for some weeks. it is a little souvenir from the king of bohemia in return for my assistance ', 'u for some weeks. it is a little souvenir from the king of bohemia in return for my assistance in th', ' some weeks. it is a little souvenir from the king of bohemia in return for my assistance in the cas', ' weeks. it is a little souvenir from the king of bohemia in return for my assistance in the case of ', 's. it is a little souvenir from the king of bohemia in return for my assistance in the case of the i', ' is a little souvenir from the king of bohemia in return for my assistance in the case of the irene ', ' little souvenir from the king of bohemia in return for my assistance in the case of the irene adler', 'le souvenir from the king of bohemia in return for my assistance in the case of the irene adler pape', 'uvenir from the king of bohemia in return for my assistance in the case of the irene adler papers." ', 'r from the king of bohemia in return for my assistance in the case of the irene adler papers." "and ', 'm the king of bohemia in return for my assistance in the case of the irene adler papers." "and the r', ' king of bohemia in return for my assistance in the case of the irene adler papers." "and the ring?"', ' of bohemia in return for my assistance in the case of the irene adler papers." "and the ring?" i as', 'ohemia in return for my assistance in the case of the irene adler papers." "and the ring?" i asked, ', 'a in return for my assistance in the case of the irene adler papers." "and the ring?" i asked, glanc', 'return for my assistance in the case of the irene adler papers." "and the ring?" i asked, glancing a', 'n for my assistance in the case of the irene adler papers." "and the ring?" i asked, glancing at a r', ' my assistance in the case of the irene adler papers." "and the ring?" i asked, glancing at a remark', 'ssistance in the case of the irene adler papers." "and the ring?" i asked, glancing at a remarkable ', 'ance in the case of the irene adler papers." "and the ring?" i asked, glancing at a remarkable brill', 'in the case of the irene adler papers." "and the ring?" i asked, glancing at a remarkable brilliant ', 'e case of the irene adler papers." "and the ring?" i asked, glancing at a remarkable brilliant which', 'e of the irene adler papers." "and the ring?" i asked, glancing at a remarkable brilliant which spar', 'the irene adler papers." "and the ring?" i asked, glancing at a remarkable brilliant which sparkled ', 'rene adler papers." "and the ring?" i asked, glancing at a remarkable brilliant which sparkled upon ', 'adler papers." "and the ring?" i asked, glancing at a remarkable brilliant which sparkled upon his f', ' papers." "and the ring?" i asked, glancing at a remarkable brilliant which sparkled upon his finger', 'rs." "and the ring?" i asked, glancing at a remarkable brilliant which sparkled upon his finger. "it', '"and the ring?" i asked, glancing at a remarkable brilliant which sparkled upon his finger. "it was ', 'the ring?" i asked, glancing at a remarkable brilliant which sparkled upon his finger. "it was from ', 'ing?" i asked, glancing at a remarkable brilliant which sparkled upon his finger. "it was from the r', ' i asked, glancing at a remarkable brilliant which sparkled upon his finger. "it was from the reigni', 'ked, glancing at a remarkable brilliant which sparkled upon his finger. "it was from the reigning fa', 'glancing at a remarkable brilliant which sparkled upon his finger. "it was from the reigning family ', 'ing at a remarkable brilliant which sparkled upon his finger. "it was from the reigning family of ho', 't a remarkable brilliant which sparkled upon his finger. "it was from the reigning family of holland', 'emarkable brilliant which sparkled upon his finger. "it was from the reigning family of holland, tho', 'able brilliant which sparkled upon his finger. "it was from the reigning family of holland, though t', 'brilliant which sparkled upon his finger. "it was from the reigning family of holland, though the ma', 'iant which sparkled upon his finger. "it was from the reigning family of holland, though the matter ', 'which sparkled upon his finger. "it was from the reigning family of holland, though the matter in wh', ' sparkled upon his finger. "it was from the reigning family of holland, though the matter in which i', 'kled upon his finger. "it was from the reigning family of holland, though the matter in which i serv', 'upon his finger. "it was from the reigning family of holland, though the matter in which i served th', 'his finger. "it was from the reigning family of holland, though the matter in which i served them wa', 'inger. "it was from the reigning family of holland, though the matter in which i served them was of ', '. "it was from the reigning family of holland, though the matter in which i served them was of such ', ' was from the reigning family of holland, though the matter in which i served them was of such delic', 'from the reigning family of holland, though the matter in which i served them was of such delicacy t', 'the reigning family of holland, though the matter in which i served them was of such delicacy that i', 'eigning family of holland, though the matter in which i served them was of such delicacy that i cann', 'ng family of holland, though the matter in which i served them was of such delicacy that i cannot co', 'mily of holland, though the matter in which i served them was of such delicacy that i cannot confide', 'of holland, though the matter in which i served them was of such delicacy that i cannot confide it e', 'lland, though the matter in which i served them was of such delicacy that i cannot confide it even t', ', though the matter in which i served them was of such delicacy that i cannot confide it even to you', 'ugh the matter in which i served them was of such delicacy that i cannot confide it even to you, who', 'he matter in which i served them was of such delicacy that i cannot confide it even to you, who have', 'tter in which i served them was of such delicacy that i cannot confide it even to you, who have been', 'in which i served them was of such delicacy that i cannot confide it even to you, who have been good', 'ich i served them was of such delicacy that i cannot confide it even to you, who have been good enou', ' served them was of such delicacy that i cannot confide it even to you, who have been good enough to', 'ed them was of such delicacy that i cannot confide it even to you, who have been good enough to chro', 'em was of such delicacy that i cannot confide it even to you, who have been good enough to chronicle', 's of such delicacy that i cannot confide it even to you, who have been good enough to chronicle one ', 'such delicacy that i cannot confide it even to you, who have been good enough to chronicle one or tw', 'delicacy that i cannot confide it even to you, who have been good enough to chronicle one or two of ', 'acy that i cannot confide it even to you, who have been good enough to chronicle one or two of my li', 'hat i cannot confide it even to you, who have been good enough to chronicle one or two of my little ', ' cannot confide it even to you, who have been good enough to chronicle one or two of my little probl', 'ot confide it even to you, who have been good enough to chronicle one or two of my little problems."', 'nfide it even to you, who have been good enough to chronicle one or two of my little problems." "and', ' it even to you, who have been good enough to chronicle one or two of my little problems." "and have', 'ven to you, who have been good enough to chronicle one or two of my little problems." "and have you ', 'o you, who have been good enough to chronicle one or two of my little problems." "and have you any o', ', who have been good enough to chronicle one or two of my little problems." "and have you any on han', ' have been good enough to chronicle one or two of my little problems." "and have you any on hand jus', ' been good enough to chronicle one or two of my little problems." "and have you any on hand just now', ' good enough to chronicle one or two of my little problems." "and have you any on hand just now?" i ', ' enough to chronicle one or two of my little problems." "and have you any on hand just now?" i asked', 'gh to chronicle one or two of my little problems." "and have you any on hand just now?" i asked with', ' chronicle one or two of my little problems." "and have you any on hand just now?" i asked with inte', 'nicle one or two of my little problems." "and have you any on hand just now?" i asked with interest.', ' one or two of my little problems." "and have you any on hand just now?" i asked with interest. "som', 'or two of my little problems." "and have you any on hand just now?" i asked with interest. "some ten', 'o of my little problems." "and have you any on hand just now?" i asked with interest. "some ten or t', 'my little problems." "and have you any on hand just now?" i asked with interest. "some ten or twelve', 'ttle problems." "and have you any on hand just now?" i asked with interest. "some ten or twelve, but', 'problems." "and have you any on hand just now?" i asked with interest. "some ten or twelve, but none', 'ems." "and have you any on hand just now?" i asked with interest. "some ten or twelve, but none whic', ' "and have you any on hand just now?" i asked with interest. "some ten or twelve, but none which pre', ' have you any on hand just now?" i asked with interest. "some ten or twelve, but none which present ', ' you any on hand just now?" i asked with interest. "some ten or twelve, but none which present any f', 'any on hand just now?" i asked with interest. "some ten or twelve, but none which present any featur', 'n hand just now?" i asked with interest. "some ten or twelve, but none which present any feature of ', 'd just now?" i asked with interest. "some ten or twelve, but none which present any feature of inter', 't now?" i asked with interest. "some ten or twelve, but none which present any feature of interest. ', '?" i asked with interest. "some ten or twelve, but none which present any feature of interest. they ', 'asked with interest. "some ten or twelve, but none which present any feature of interest. they are i', ' with interest. "some ten or twelve, but none which present any feature of interest. they are import', ' interest. "some ten or twelve, but none which present any feature of interest. they are important, ', 'rest. "some ten or twelve, but none which present any feature of interest. they are important, you u', ' "some ten or twelve, but none which present any feature of interest. they are important, you unders', 'e ten or twelve, but none which present any feature of interest. they are important, you understand,', ' or twelve, but none which present any feature of interest. they are important, you understand, with', 'welve, but none which present any feature of interest. they are important, you understand, without b', ', but none which present any feature of interest. they are important, you understand, without being ', ' none which present any feature of interest. they are important, you understand, without being inter', ' which present any feature of interest. they are important, you understand, without being interestin', 'h present any feature of interest. they are important, you understand, without being interesting. in', 'sent any feature of interest. they are important, you understand, without being interesting. indeed,', 'any feature of interest. they are important, you understand, without being interesting. indeed, i ha', 'eature of interest. they are important, you understand, without being interesting. indeed, i have fo', 'e of interest. they are important, you understand, without being interesting. indeed, i have found t', 'interest. they are important, you understand, without being interesting. indeed, i have found that i', 'est. they are important, you understand, without being interesting. indeed, i have found that it is ', 'they are important, you understand, without being interesting. indeed, i have found that it is usual', 'are important, you understand, without being interesting. indeed, i have found that it is usually in', 'mportant, you understand, without being interesting. indeed, i have found that it is usually in unim', 'ant, you understand, without being interesting. indeed, i have found that it is usually in unimporta', 'you understand, without being interesting. indeed, i have found that it is usually in unimportant ma', 'nderstand, without being interesting. indeed, i have found that it is usually in unimportant matters', 'tand, without being interesting. indeed, i have found that it is usually in unimportant matters that', ' without being interesting. indeed, i have found that it is usually in unimportant matters that ther', 'out being interesting. indeed, i have found that it is usually in unimportant matters that there is ', 'eing interesting. indeed, i have found that it is usually in unimportant matters that there is a fie', 'interesting. indeed, i have found that it is usually in unimportant matters that there is a field fo', 'esting. indeed, i have found that it is usually in unimportant matters that there is a field for the', 'g. indeed, i have found that it is usually in unimportant matters that there is a field for the obse', 'deed, i have found that it is usually in unimportant matters that there is a field for the observati', ' i have found that it is usually in unimportant matters that there is a field for the observation, a', 've found that it is usually in unimportant matters that there is a field for the observation, and fo', 'und that it is usually in unimportant matters that there is a field for the observation, and for the', 'hat it is usually in unimportant matters that there is a field for the observation, and for the quic', 't is usually in unimportant matters that there is a field for the observation, and for the quick ana', 'usually in unimportant matters that there is a field for the observation, and for the quick analysis', 'ly in unimportant matters that there is a field for the observation, and for the quick analysis of c', ' unimportant matters that there is a field for the observation, and for the quick analysis of cause ', 'portant matters that there is a field for the observation, and for the quick analysis of cause and e', 'nt matters that there is a field for the observation, and for the quick analysis of cause and effect', 'tters that there is a field for the observation, and for the quick analysis of cause and effect whic', ' that there is a field for the observation, and for the quick analysis of cause and effect which giv', ' there is a field for the observation, and for the quick analysis of cause and effect which gives th', 'e is a field for the observation, and for the quick analysis of cause and effect which gives the cha', 'a field for the observation, and for the quick analysis of cause and effect which gives the charm to', 'ld for the observation, and for the quick analysis of cause and effect which gives the charm to an i', 'r the observation, and for the quick analysis of cause and effect which gives the charm to an invest', ' observation, and for the quick analysis of cause and effect which gives the charm to an investigati', 'rvation, and for the quick analysis of cause and effect which gives the charm to an investigation. t', 'on, and for the quick analysis of cause and effect which gives the charm to an investigation. the la', 'nd for the quick analysis of cause and effect which gives the charm to an investigation. the larger ', 'r the quick analysis of cause and effect which gives the charm to an investigation. the larger crime', ' quick analysis of cause and effect which gives the charm to an investigation. the larger crimes are', 'k analysis of cause and effect which gives the charm to an investigation. the larger crimes are apt ', 'lysis of cause and effect which gives the charm to an investigation. the larger crimes are apt to be', ' of cause and effect which gives the charm to an investigation. the larger crimes are apt to be the ', 'ause and effect which gives the charm to an investigation. the larger crimes are apt to be the simpl', 'and effect which gives the charm to an investigation. the larger crimes are apt to be the simpler, f', 'ffect which gives the charm to an investigation. the larger crimes are apt to be the simpler, for th', ' which gives the charm to an investigation. the larger crimes are apt to be the simpler, for the big', 'h gives the charm to an investigation. the larger crimes are apt to be the simpler, for the bigger t', 'es the charm to an investigation. the larger crimes are apt to be the simpler, for the bigger the cr', 'e charm to an investigation. the larger crimes are apt to be the simpler, for the bigger the crime t', 'rm to an investigation. the larger crimes are apt to be the simpler, for the bigger the crime the mo', ' an investigation. the larger crimes are apt to be the simpler, for the bigger the crime the more ob', 'nvestigation. the larger crimes are apt to be the simpler, for the bigger the crime the more obvious', 'igation. the larger crimes are apt to be the simpler, for the bigger the crime the more obvious, as ', 'on. the larger crimes are apt to be the simpler, for the bigger the crime the more obvious, as a rul', 'he larger crimes are apt to be the simpler, for the bigger the crime the more obvious, as a rule, is', 'rger crimes are apt to be the simpler, for the bigger the crime the more obvious, as a rule, is the ', 'crimes are apt to be the simpler, for the bigger the crime the more obvious, as a rule, is the motiv', 's are apt to be the simpler, for the bigger the crime the more obvious, as a rule, is the motive. in', ' apt to be the simpler, for the bigger the crime the more obvious, as a rule, is the motive. in thes', 'to be the simpler, for the bigger the crime the more obvious, as a rule, is the motive. in these cas', ' the simpler, for the bigger the crime the more obvious, as a rule, is the motive. in these cases, s', 'simpler, for the bigger the crime the more obvious, as a rule, is the motive. in these cases, save f', 'er, for the bigger the crime the more obvious, as a rule, is the motive. in these cases, save for on', 'or the bigger the crime the more obvious, as a rule, is the motive. in these cases, save for one rat', 'e bigger the crime the more obvious, as a rule, is the motive. in these cases, save for one rather i', 'ger the crime the more obvious, as a rule, is the motive. in these cases, save for one rather intric', 'he crime the more obvious, as a rule, is the motive. in these cases, save for one rather intricate m', 'ime the more obvious, as a rule, is the motive. in these cases, save for one rather intricate matter', 'he more obvious, as a rule, is the motive. in these cases, save for one rather intricate matter whic', 're obvious, as a rule, is the motive. in these cases, save for one rather intricate matter which has', 'vious, as a rule, is the motive. in these cases, save for one rather intricate matter which has been', ', as a rule, is the motive. in these cases, save for one rather intricate matter which has been refe', 'a rule, is the motive. in these cases, save for one rather intricate matter which has been referred ', 'e, is the motive. in these cases, save for one rather intricate matter which has been referred to me', ' the motive. in these cases, save for one rather intricate matter which has been referred to me from', 'motive. in these cases, save for one rather intricate matter which has been referred to me from mars', 'e. in these cases, save for one rather intricate matter which has been referred to me from marseille', ' these cases, save for one rather intricate matter which has been referred to me from marseilles, th', 'e cases, save for one rather intricate matter which has been referred to me from marseilles, there i', 'es, save for one rather intricate matter which has been referred to me from marseilles, there is not', 'ave for one rather intricate matter which has been referred to me from marseilles, there is nothing ', 'or one rather intricate matter which has been referred to me from marseilles, there is nothing which', 'e rather intricate matter which has been referred to me from marseilles, there is nothing which pres', 'her intricate matter which has been referred to me from marseilles, there is nothing which presents ', 'ntricate matter which has been referred to me from marseilles, there is nothing which presents any f', 'ate matter which has been referred to me from marseilles, there is nothing which presents any featur', 'atter which has been referred to me from marseilles, there is nothing which presents any features of', ' which has been referred to me from marseilles, there is nothing which presents any features of inte', 'h has been referred to me from marseilles, there is nothing which presents any features of interest.', ' been referred to me from marseilles, there is nothing which presents any features of interest. it i', ' referred to me from marseilles, there is nothing which presents any features of interest. it is pos', 'rred to me from marseilles, there is nothing which presents any features of interest. it is possible', 'to me from marseilles, there is nothing which presents any features of interest. it is possible, how', ' from marseilles, there is nothing which presents any features of interest. it is possible, however,', ' marseilles, there is nothing which presents any features of interest. it is possible, however, that', 'eilles, there is nothing which presents any features of interest. it is possible, however, that i ma', 's, there is nothing which presents any features of interest. it is possible, however, that i may hav', 'ere is nothing which presents any features of interest. it is possible, however, that i may have som', 's nothing which presents any features of interest. it is possible, however, that i may have somethin', 'hing which presents any features of interest. it is possible, however, that i may have something bet', 'which presents any features of interest. it is possible, however, that i may have something better b', ' presents any features of interest. it is possible, however, that i may have something better before', 'ents any features of interest. it is possible, however, that i may have something better before very', 'any features of interest. it is possible, however, that i may have something better before very many', 'eatures of interest. it is possible, however, that i may have something better before very many minu', 'es of interest. it is possible, however, that i may have something better before very many minutes a', ' interest. it is possible, however, that i may have something better before very many minutes are ov', 'rest. it is possible, however, that i may have something better before very many minutes are over, f', ' it is possible, however, that i may have something better before very many minutes are over, for th', 's possible, however, that i may have something better before very many minutes are over, for this is', 'sible, however, that i may have something better before very many minutes are over, for this is one ', ', however, that i may have something better before very many minutes are over, for this is one of my', 'ever, that i may have something better before very many minutes are over, for this is one of my clie', ' that i may have something better before very many minutes are over, for this is one of my clients, ', ' i may have something better before very many minutes are over, for this is one of my clients, or i ', 'y have something better before very many minutes are over, for this is one of my clients, or i am mu', 'e something better before very many minutes are over, for this is one of my clients, or i am much mi', 'ething better before very many minutes are over, for this is one of my clients, or i am much mistake', 'g better before very many minutes are over, for this is one of my clients, or i am much mistaken." h', 'ter before very many minutes are over, for this is one of my clients, or i am much mistaken." he had', 'efore very many minutes are over, for this is one of my clients, or i am much mistaken." he had rise', ' very many minutes are over, for this is one of my clients, or i am much mistaken." he had risen fro', ' many minutes are over, for this is one of my clients, or i am much mistaken." he had risen from his', ' minutes are over, for this is one of my clients, or i am much mistaken." he had risen from his chai', 'tes are over, for this is one of my clients, or i am much mistaken." he had risen from his chair and', 're over, for this is one of my clients, or i am much mistaken." he had risen from his chair and was ', 'er, for this is one of my clients, or i am much mistaken." he had risen from his chair and was stand', 'or this is one of my clients, or i am much mistaken." he had risen from his chair and was standing b', 'is is one of my clients, or i am much mistaken." he had risen from his chair and was standing betwee', ' one of my clients, or i am much mistaken." he had risen from his chair and was standing between the', 'of my clients, or i am much mistaken." he had risen from his chair and was standing between the part', ' clients, or i am much mistaken." he had risen from his chair and was standing between the parted bl', 'nts, or i am much mistaken." he had risen from his chair and was standing between the parted blinds ', 'or i am much mistaken." he had risen from his chair and was standing between the parted blinds gazin', 'am much mistaken." he had risen from his chair and was standing between the parted blinds gazing dow', 'ch mistaken." he had risen from his chair and was standing between the parted blinds gazing down int', 'staken." he had risen from his chair and was standing between the parted blinds gazing down into the', 'n." he had risen from his chair and was standing between the parted blinds gazing down into the dull', 'e had risen from his chair and was standing between the parted blinds gazing down into the dull neut', ' risen from his chair and was standing between the parted blinds gazing down into the dull neutral-t', 'n from his chair and was standing between the parted blinds gazing down into the dull neutral-tinted', 'm his chair and was standing between the parted blinds gazing down into the dull neutral-tinted lond', ' chair and was standing between the parted blinds gazing down into the dull neutral-tinted london st', 'r and was standing between the parted blinds gazing down into the dull neutral-tinted london street.', ' was standing between the parted blinds gazing down into the dull neutral-tinted london street. look', 'standing between the parted blinds gazing down into the dull neutral-tinted london street. looking o', 'ing between the parted blinds gazing down into the dull neutral-tinted london street. looking over h', 'etween the parted blinds gazing down into the dull neutral-tinted london street. looking over his sh', 'n the parted blinds gazing down into the dull neutral-tinted london street. looking over his shoulde', ' parted blinds gazing down into the dull neutral-tinted london street. looking over his shoulder, i ', 'ed blinds gazing down into the dull neutral-tinted london street. looking over his shoulder, i saw t', 'inds gazing down into the dull neutral-tinted london street. looking over his shoulder, i saw that o', 'gazing down into the dull neutral-tinted london street. looking over his shoulder, i saw that on the', 'g down into the dull neutral-tinted london street. looking over his shoulder, i saw that on the pave', 'n into the dull neutral-tinted london street. looking over his shoulder, i saw that on the pavement ', 'o the dull neutral-tinted london street. looking over his shoulder, i saw that on the pavement oppos', ' dull neutral-tinted london street. looking over his shoulder, i saw that on the pavement opposite t', ' neutral-tinted london street. looking over his shoulder, i saw that on the pavement opposite there ', 'ral-tinted london street. looking over his shoulder, i saw that on the pavement opposite there stood', 'inted london street. looking over his shoulder, i saw that on the pavement opposite there stood a la', ' london street. looking over his shoulder, i saw that on the pavement opposite there stood a large w', 'on street. looking over his shoulder, i saw that on the pavement opposite there stood a large woman ', 'reet. looking over his shoulder, i saw that on the pavement opposite there stood a large woman with ', ' looking over his shoulder, i saw that on the pavement opposite there stood a large woman with a hea', 'ing over his shoulder, i saw that on the pavement opposite there stood a large woman with a heavy fu', 'ver his shoulder, i saw that on the pavement opposite there stood a large woman with a heavy fur boa', 'is shoulder, i saw that on the pavement opposite there stood a large woman with a heavy fur boa roun', 'oulder, i saw that on the pavement opposite there stood a large woman with a heavy fur boa round her', 'r, i saw that on the pavement opposite there stood a large woman with a heavy fur boa round her neck', 'saw that on the pavement opposite there stood a large woman with a heavy fur boa round her neck, and', 'hat on the pavement opposite there stood a large woman with a heavy fur boa round her neck, and a la', 'n the pavement opposite there stood a large woman with a heavy fur boa round her neck, and a large c', ' pavement opposite there stood a large woman with a heavy fur boa round her neck, and a large curlin', 'ment opposite there stood a large woman with a heavy fur boa round her neck, and a large curling red', 'opposite there stood a large woman with a heavy fur boa round her neck, and a large curling red feat', 'ite there stood a large woman with a heavy fur boa round her neck, and a large curling red feather i', 'here stood a large woman with a heavy fur boa round her neck, and a large curling red feather in a b', 'stood a large woman with a heavy fur boa round her neck, and a large curling red feather in a broad-', ' a large woman with a heavy fur boa round her neck, and a large curling red feather in a broad-brimm', 'rge woman with a heavy fur boa round her neck, and a large curling red feather in a broad-brimmed ha', 'oman with a heavy fur boa round her neck, and a large curling red feather in a broad-brimmed hat whi', 'with a heavy fur boa round her neck, and a large curling red feather in a broad-brimmed hat which wa', 'a heavy fur boa round her neck, and a large curling red feather in a broad-brimmed hat which was til', 'vy fur boa round her neck, and a large curling red feather in a broad-brimmed hat which was tilted i', 'r boa round her neck, and a large curling red feather in a broad-brimmed hat which was tilted in a c', ' round her neck, and a large curling red feather in a broad-brimmed hat which was tilted in a coquet', 'd her neck, and a large curling red feather in a broad-brimmed hat which was tilted in a coquettish ', ' neck, and a large curling red feather in a broad-brimmed hat which was tilted in a coquettish duche', ', and a large curling red feather in a broad-brimmed hat which was tilted in a coquettish duchess of', ' a large curling red feather in a broad-brimmed hat which was tilted in a coquettish duchess of devo', 'rge curling red feather in a broad-brimmed hat which was tilted in a coquettish duchess of devonshir', 'urling red feather in a broad-brimmed hat which was tilted in a coquettish duchess of devonshire fas', 'g red feather in a broad-brimmed hat which was tilted in a coquettish duchess of devonshire fashion ', ' feather in a broad-brimmed hat which was tilted in a coquettish duchess of devonshire fashion over ', 'her in a broad-brimmed hat which was tilted in a coquettish duchess of devonshire fashion over her e', 'n a broad-brimmed hat which was tilted in a coquettish duchess of devonshire fashion over her ear. f', 'road-brimmed hat which was tilted in a coquettish duchess of devonshire fashion over her ear. from u', 'brimmed hat which was tilted in a coquettish duchess of devonshire fashion over her ear. from under ', 'ed hat which was tilted in a coquettish duchess of devonshire fashion over her ear. from under this ', 't which was tilted in a coquettish duchess of devonshire fashion over her ear. from under this great', 'ch was tilted in a coquettish duchess of devonshire fashion over her ear. from under this great pano', 's tilted in a coquettish duchess of devonshire fashion over her ear. from under this great panoply s', 'ted in a coquettish duchess of devonshire fashion over her ear. from under this great panoply she pe', 'n a coquettish duchess of devonshire fashion over her ear. from under this great panoply she peeped ', 'oquettish duchess of devonshire fashion over her ear. from under this great panoply she peeped up in', 'tish duchess of devonshire fashion over her ear. from under this great panoply she peeped up in a ne', 'duchess of devonshire fashion over her ear. from under this great panoply she peeped up in a nervous', 'ss of devonshire fashion over her ear. from under this great panoply she peeped up in a nervous, hes', ' devonshire fashion over her ear. from under this great panoply she peeped up in a nervous, hesitati', 'nshire fashion over her ear. from under this great panoply she peeped up in a nervous, hesitating fa', 'e fashion over her ear. from under this great panoply she peeped up in a nervous, hesitating fashion', 'hion over her ear. from under this great panoply she peeped up in a nervous, hesitating fashion at o', 'over her ear. from under this great panoply she peeped up in a nervous, hesitating fashion at our wi', 'her ear. from under this great panoply she peeped up in a nervous, hesitating fashion at our windows', 'ar. from under this great panoply she peeped up in a nervous, hesitating fashion at our windows, whi', 'rom under this great panoply she peeped up in a nervous, hesitating fashion at our windows, while he', 'nder this great panoply she peeped up in a nervous, hesitating fashion at our windows, while her bod', 'this great panoply she peeped up in a nervous, hesitating fashion at our windows, while her body osc', 'great panoply she peeped up in a nervous, hesitating fashion at our windows, while her body oscillat', ' panoply she peeped up in a nervous, hesitating fashion at our windows, while her body oscillated ba', 'ply she peeped up in a nervous, hesitating fashion at our windows, while her body oscillated backwar', 'he peeped up in a nervous, hesitating fashion at our windows, while her body oscillated backward and', 'eped up in a nervous, hesitating fashion at our windows, while her body oscillated backward and forw', 'up in a nervous, hesitating fashion at our windows, while her body oscillated backward and forward, ', ' a nervous, hesitating fashion at our windows, while her body oscillated backward and forward, and h', 'rvous, hesitating fashion at our windows, while her body oscillated backward and forward, and her fi', ', hesitating fashion at our windows, while her body oscillated backward and forward, and her fingers', 'itating fashion at our windows, while her body oscillated backward and forward, and her fingers fidg', 'ng fashion at our windows, while her body oscillated backward and forward, and her fingers fidgeted ', 'shion at our windows, while her body oscillated backward and forward, and her fingers fidgeted with ', ' at our windows, while her body oscillated backward and forward, and her fingers fidgeted with her g', 'ur windows, while her body oscillated backward and forward, and her fingers fidgeted with her glove ', 'ndows, while her body oscillated backward and forward, and her fingers fidgeted with her glove butto', ', while her body oscillated backward and forward, and her fingers fidgeted with her glove buttons. s', 'le her body oscillated backward and forward, and her fingers fidgeted with her glove buttons. sudden', 'r body oscillated backward and forward, and her fingers fidgeted with her glove buttons. suddenly, w', 'y oscillated backward and forward, and her fingers fidgeted with her glove buttons. suddenly, with a', 'illated backward and forward, and her fingers fidgeted with her glove buttons. suddenly, with a plun', 'ed backward and forward, and her fingers fidgeted with her glove buttons. suddenly, with a plunge, a', 'ckward and forward, and her fingers fidgeted with her glove buttons. suddenly, with a plunge, as of ', 'd and forward, and her fingers fidgeted with her glove buttons. suddenly, with a plunge, as of the s', ' forward, and her fingers fidgeted with her glove buttons. suddenly, with a plunge, as of the swimme', 'ard, and her fingers fidgeted with her glove buttons. suddenly, with a plunge, as of the swimmer who', 'and her fingers fidgeted with her glove buttons. suddenly, with a plunge, as of the swimmer who leav', 'er fingers fidgeted with her glove buttons. suddenly, with a plunge, as of the swimmer who leaves th', 'ngers fidgeted with her glove buttons. suddenly, with a plunge, as of the swimmer who leaves the ban', ' fidgeted with her glove buttons. suddenly, with a plunge, as of the swimmer who leaves the bank, sh', 'eted with her glove buttons. suddenly, with a plunge, as of the swimmer who leaves the bank, she hur', 'with her glove buttons. suddenly, with a plunge, as of the swimmer who leaves the bank, she hurried ', 'her glove buttons. suddenly, with a plunge, as of the swimmer who leaves the bank, she hurried acros', 'love buttons. suddenly, with a plunge, as of the swimmer who leaves the bank, she hurried across the', 'buttons. suddenly, with a plunge, as of the swimmer who leaves the bank, she hurried across the road', 'ns. suddenly, with a plunge, as of the swimmer who leaves the bank, she hurried across the road, and', 'uddenly, with a plunge, as of the swimmer who leaves the bank, she hurried across the road, and we h', 'ly, with a plunge, as of the swimmer who leaves the bank, she hurried across the road, and we heard ', 'ith a plunge, as of the swimmer who leaves the bank, she hurried across the road, and we heard the s', ' plunge, as of the swimmer who leaves the bank, she hurried across the road, and we heard the sharp ', 'ge, as of the swimmer who leaves the bank, she hurried across the road, and we heard the sharp clang', 's of the swimmer who leaves the bank, she hurried across the road, and we heard the sharp clang of t', 'the swimmer who leaves the bank, she hurried across the road, and we heard the sharp clang of the be', 'wimmer who leaves the bank, she hurried across the road, and we heard the sharp clang of the bell. "', 'r who leaves the bank, she hurried across the road, and we heard the sharp clang of the bell. "i hav', ' leaves the bank, she hurried across the road, and we heard the sharp clang of the bell. "i have see', 'es the bank, she hurried across the road, and we heard the sharp clang of the bell. "i have seen tho', 'e bank, she hurried across the road, and we heard the sharp clang of the bell. "i have seen those sy', 'k, she hurried across the road, and we heard the sharp clang of the bell. "i have seen those symptom', 'e hurried across the road, and we heard the sharp clang of the bell. "i have seen those symptoms bef', 'ried across the road, and we heard the sharp clang of the bell. "i have seen those symptoms before,"', 'across the road, and we heard the sharp clang of the bell. "i have seen those symptoms before," said', 's the road, and we heard the sharp clang of the bell. "i have seen those symptoms before," said holm', ' road, and we heard the sharp clang of the bell. "i have seen those symptoms before," said holmes, t', ', and we heard the sharp clang of the bell. "i have seen those symptoms before," said holmes, throwi', ' we heard the sharp clang of the bell. "i have seen those symptoms before," said holmes, throwing hi', 'eard the sharp clang of the bell. "i have seen those symptoms before," said holmes, throwing his cig', 'the sharp clang of the bell. "i have seen those symptoms before," said holmes, throwing his cigarett', 'harp clang of the bell. "i have seen those symptoms before," said holmes, throwing his cigarette int', 'clang of the bell. "i have seen those symptoms before," said holmes, throwing his cigarette into the', ' of the bell. "i have seen those symptoms before," said holmes, throwing his cigarette into the fire', 'he bell. "i have seen those symptoms before," said holmes, throwing his cigarette into the fire. "os', 'll. "i have seen those symptoms before," said holmes, throwing his cigarette into the fire. "oscilla', 'i have seen those symptoms before," said holmes, throwing his cigarette into the fire. "oscillation ', 'e seen those symptoms before," said holmes, throwing his cigarette into the fire. "oscillation upon ', 'n those symptoms before," said holmes, throwing his cigarette into the fire. "oscillation upon the p', 'se symptoms before," said holmes, throwing his cigarette into the fire. "oscillation upon the paveme', 'mptoms before," said holmes, throwing his cigarette into the fire. "oscillation upon the pavement al', 's before," said holmes, throwing his cigarette into the fire. "oscillation upon the pavement always ', 'ore," said holmes, throwing his cigarette into the fire. "oscillation upon the pavement always means', ' said holmes, throwing his cigarette into the fire. "oscillation upon the pavement always means an a', ' holmes, throwing his cigarette into the fire. "oscillation upon the pavement always means an affair', 'es, throwing his cigarette into the fire. "oscillation upon the pavement always means an affaire de ', 'hrowing his cigarette into the fire. "oscillation upon the pavement always means an affaire de coeur', 'ng his cigarette into the fire. "oscillation upon the pavement always means an affaire de coeur. she', 's cigarette into the fire. "oscillation upon the pavement always means an affaire de coeur. she woul', 'arette into the fire. "oscillation upon the pavement always means an affaire de coeur. she would lik', 'e into the fire. "oscillation upon the pavement always means an affaire de coeur. she would like adv', 'o the fire. "oscillation upon the pavement always means an affaire de coeur. she would like advice, ', ' fire. "oscillation upon the pavement always means an affaire de coeur. she would like advice, but i', '. "oscillation upon the pavement always means an affaire de coeur. she would like advice, but is not', 'cillation upon the pavement always means an affaire de coeur. she would like advice, but is not sure', 'tion upon the pavement always means an affaire de coeur. she would like advice, but is not sure that', 'upon the pavement always means an affaire de coeur. she would like advice, but is not sure that the ', 'the pavement always means an affaire de coeur. she would like advice, but is not sure that the matte', 'avement always means an affaire de coeur. she would like advice, but is not sure that the matter is ', 'nt always means an affaire de coeur. she would like advice, but is not sure that the matter is not t', 'ways means an affaire de coeur. she would like advice, but is not sure that the matter is not too de', 'means an affaire de coeur. she would like advice, but is not sure that the matter is not too delicat', ' an affaire de coeur. she would like advice, but is not sure that the matter is not too delicate for', 'ffaire de coeur. she would like advice, but is not sure that the matter is not too delicate for comm', 'e de coeur. she would like advice, but is not sure that the matter is not too delicate for communica', 'coeur. she would like advice, but is not sure that the matter is not too delicate for communication.', '. she would like advice, but is not sure that the matter is not too delicate for communication. and ', ' would like advice, but is not sure that the matter is not too delicate for communication. and yet e', 'd like advice, but is not sure that the matter is not too delicate for communication. and yet even h', 'e advice, but is not sure that the matter is not too delicate for communication. and yet even here w', 'ice, but is not sure that the matter is not too delicate for communication. and yet even here we may', 'but is not sure that the matter is not too delicate for communication. and yet even here we may disc', 's not sure that the matter is not too delicate for communication. and yet even here we may discrimin', ' sure that the matter is not too delicate for communication. and yet even here we may discriminate. ', ' that the matter is not too delicate for communication. and yet even here we may discriminate. when ', ' the matter is not too delicate for communication. and yet even here we may discriminate. when a wom', 'matter is not too delicate for communication. and yet even here we may discriminate. when a woman ha', 'r is not too delicate for communication. and yet even here we may discriminate. when a woman has bee', 'not too delicate for communication. and yet even here we may discriminate. when a woman has been ser', 'oo delicate for communication. and yet even here we may discriminate. when a woman has been seriousl', 'licate for communication. and yet even here we may discriminate. when a woman has been seriously wro', 'e for communication. and yet even here we may discriminate. when a woman has been seriously wronged ', ' communication. and yet even here we may discriminate. when a woman has been seriously wronged by a ', 'unication. and yet even here we may discriminate. when a woman has been seriously wronged by a man s', 'tion. and yet even here we may discriminate. when a woman has been seriously wronged by a man she no', ' and yet even here we may discriminate. when a woman has been seriously wronged by a man she no long', 'yet even here we may discriminate. when a woman has been seriously wronged by a man she no longer os', 'ven here we may discriminate. when a woman has been seriously wronged by a man she no longer oscilla', 'ere we may discriminate. when a woman has been seriously wronged by a man she no longer oscillates, ', 'e may discriminate. when a woman has been seriously wronged by a man she no longer oscillates, and t', ' discriminate. when a woman has been seriously wronged by a man she no longer oscillates, and the us', 'riminate. when a woman has been seriously wronged by a man she no longer oscillates, and the usual s', 'ate. when a woman has been seriously wronged by a man she no longer oscillates, and the usual sympto', 'when a woman has been seriously wronged by a man she no longer oscillates, and the usual symptom is ', 'a woman has been seriously wronged by a man she no longer oscillates, and the usual symptom is a bro', 'an has been seriously wronged by a man she no longer oscillates, and the usual symptom is a broken b', 's been seriously wronged by a man she no longer oscillates, and the usual symptom is a broken bell w', 'n seriously wronged by a man she no longer oscillates, and the usual symptom is a broken bell wire. ', 'iously wronged by a man she no longer oscillates, and the usual symptom is a broken bell wire. here ', 'y wronged by a man she no longer oscillates, and the usual symptom is a broken bell wire. here we ma', 'nged by a man she no longer oscillates, and the usual symptom is a broken bell wire. here we may tak', 'by a man she no longer oscillates, and the usual symptom is a broken bell wire. here we may take it ', 'man she no longer oscillates, and the usual symptom is a broken bell wire. here we may take it that ', 'he no longer oscillates, and the usual symptom is a broken bell wire. here we may take it that there', ' longer oscillates, and the usual symptom is a broken bell wire. here we may take it that there is a', 'er oscillates, and the usual symptom is a broken bell wire. here we may take it that there is a love', 'cillates, and the usual symptom is a broken bell wire. here we may take it that there is a love matt', 'tes, and the usual symptom is a broken bell wire. here we may take it that there is a love matter, b', 'and the usual symptom is a broken bell wire. here we may take it that there is a love matter, but th', 'he usual symptom is a broken bell wire. here we may take it that there is a love matter, but that th', 'ual symptom is a broken bell wire. here we may take it that there is a love matter, but that the mai', 'ymptom is a broken bell wire. here we may take it that there is a love matter, but that the maiden i', 'm is a broken bell wire. here we may take it that there is a love matter, but that the maiden is not', 'a broken bell wire. here we may take it that there is a love matter, but that the maiden is not so m', 'ken bell wire. here we may take it that there is a love matter, but that the maiden is not so much a', 'ell wire. here we may take it that there is a love matter, but that the maiden is not so much angry ', 'ire. here we may take it that there is a love matter, but that the maiden is not so much angry as pe', 'here we may take it that there is a love matter, but that the maiden is not so much angry as perplex', 'we may take it that there is a love matter, but that the maiden is not so much angry as perplexed, o', 'y take it that there is a love matter, but that the maiden is not so much angry as perplexed, or gri', 'e it that there is a love matter, but that the maiden is not so much angry as perplexed, or grieved.', 'that there is a love matter, but that the maiden is not so much angry as perplexed, or grieved. but ', 'there is a love matter, but that the maiden is not so much angry as perplexed, or grieved. but here ', ' is a love matter, but that the maiden is not so much angry as perplexed, or grieved. but here she c', ' love matter, but that the maiden is not so much angry as perplexed, or grieved. but here she comes ', ' matter, but that the maiden is not so much angry as perplexed, or grieved. but here she comes in pe', 'er, but that the maiden is not so much angry as perplexed, or grieved. but here she comes in person ', 'ut that the maiden is not so much angry as perplexed, or grieved. but here she comes in person to re', 'at the maiden is not so much angry as perplexed, or grieved. but here she comes in person to resolve', 'e maiden is not so much angry as perplexed, or grieved. but here she comes in person to resolve our ', 'den is not so much angry as perplexed, or grieved. but here she comes in person to resolve our doubt', 's not so much angry as perplexed, or grieved. but here she comes in person to resolve our doubts." a', ' so much angry as perplexed, or grieved. but here she comes in person to resolve our doubts." as he ', 'uch angry as perplexed, or grieved. but here she comes in person to resolve our doubts." as he spoke', 'ngry as perplexed, or grieved. but here she comes in person to resolve our doubts." as he spoke ther', 'as perplexed, or grieved. but here she comes in person to resolve our doubts." as he spoke there was', 'rplexed, or grieved. but here she comes in person to resolve our doubts." as he spoke there was a ta', 'ed, or grieved. but here she comes in person to resolve our doubts." as he spoke there was a tap at ', 'r grieved. but here she comes in person to resolve our doubts." as he spoke there was a tap at the d', 'eved. but here she comes in person to resolve our doubts." as he spoke there was a tap at the door, ', ' but here she comes in person to resolve our doubts." as he spoke there was a tap at the door, and t', 'here she comes in person to resolve our doubts." as he spoke there was a tap at the door, and the bo', 'she comes in person to resolve our doubts." as he spoke there was a tap at the door, and the boy in ', 'omes in person to resolve our doubts." as he spoke there was a tap at the door, and the boy in butto', 'in person to resolve our doubts." as he spoke there was a tap at the door, and the boy in buttons en', 'rson to resolve our doubts." as he spoke there was a tap at the door, and the boy in buttons entered', 'to resolve our doubts." as he spoke there was a tap at the door, and the boy in buttons entered to a', 'solve our doubts." as he spoke there was a tap at the door, and the boy in buttons entered to announ', ' our doubts." as he spoke there was a tap at the door, and the boy in buttons entered to announce mi', 'doubts." as he spoke there was a tap at the door, and the boy in buttons entered to announce miss ma', 's." as he spoke there was a tap at the door, and the boy in buttons entered to announce miss mary su', 's he spoke there was a tap at the door, and the boy in buttons entered to announce miss mary sutherl', 'spoke there was a tap at the door, and the boy in buttons entered to announce miss mary sutherland, ', ' there was a tap at the door, and the boy in buttons entered to announce miss mary sutherland, while', 'e was a tap at the door, and the boy in buttons entered to announce miss mary sutherland, while the ', ' a tap at the door, and the boy in buttons entered to announce miss mary sutherland, while the lady ', 'p at the door, and the boy in buttons entered to announce miss mary sutherland, while the lady herse', 'the door, and the boy in buttons entered to announce miss mary sutherland, while the lady herself lo', 'oor, and the boy in buttons entered to announce miss mary sutherland, while the lady herself loomed ', 'and the boy in buttons entered to announce miss mary sutherland, while the lady herself loomed behin', 'he boy in buttons entered to announce miss mary sutherland, while the lady herself loomed behind his', 'y in buttons entered to announce miss mary sutherland, while the lady herself loomed behind his smal', 'buttons entered to announce miss mary sutherland, while the lady herself loomed behind his small bla', 'ns entered to announce miss mary sutherland, while the lady herself loomed behind his small black fi', 'tered to announce miss mary sutherland, while the lady herself loomed behind his small black figure ', ' to announce miss mary sutherland, while the lady herself loomed behind his small black figure like ', 'nnounce miss mary sutherland, while the lady herself loomed behind his small black figure like a ful', 'ce miss mary sutherland, while the lady herself loomed behind his small black figure like a full-sai', 'ss mary sutherland, while the lady herself loomed behind his small black figure like a full-sailed m', 'ry sutherland, while the lady herself loomed behind his small black figure like a full-sailed mercha', 'therland, while the lady herself loomed behind his small black figure like a full-sailed merchant-ma', 'and, while the lady herself loomed behind his small black figure like a full-sailed merchant-man beh', 'while the lady herself loomed behind his small black figure like a full-sailed merchant-man behind a', ' the lady herself loomed behind his small black figure like a full-sailed merchant-man behind a tiny', 'lady herself loomed behind his small black figure like a full-sailed merchant-man behind a tiny pilo', 'herself loomed behind his small black figure like a full-sailed merchant-man behind a tiny pilot boa', 'lf loomed behind his small black figure like a full-sailed merchant-man behind a tiny pilot boat. sh', 'omed behind his small black figure like a full-sailed merchant-man behind a tiny pilot boat. sherloc', 'behind his small black figure like a full-sailed merchant-man behind a tiny pilot boat. sherlock hol', 'd his small black figure like a full-sailed merchant-man behind a tiny pilot boat. sherlock holmes w', ' small black figure like a full-sailed merchant-man behind a tiny pilot boat. sherlock holmes welcom', 'l black figure like a full-sailed merchant-man behind a tiny pilot boat. sherlock holmes welcomed he', 'ck figure like a full-sailed merchant-man behind a tiny pilot boat. sherlock holmes welcomed her wit', 'gure like a full-sailed merchant-man behind a tiny pilot boat. sherlock holmes welcomed her with the', 'like a full-sailed merchant-man behind a tiny pilot boat. sherlock holmes welcomed her with the easy', 'a full-sailed merchant-man behind a tiny pilot boat. sherlock holmes welcomed her with the easy cour', 'l-sailed merchant-man behind a tiny pilot boat. sherlock holmes welcomed her with the easy courtesy ', 'led merchant-man behind a tiny pilot boat. sherlock holmes welcomed her with the easy courtesy for w', 'erchant-man behind a tiny pilot boat. sherlock holmes welcomed her with the easy courtesy for which ', 'nt-man behind a tiny pilot boat. sherlock holmes welcomed her with the easy courtesy for which he wa', 'n behind a tiny pilot boat. sherlock holmes welcomed her with the easy courtesy for which he was rem', 'ind a tiny pilot boat. sherlock holmes welcomed her with the easy courtesy for which he was remarkab', ' tiny pilot boat. sherlock holmes welcomed her with the easy courtesy for which he was remarkable, a', ' pilot boat. sherlock holmes welcomed her with the easy courtesy for which he was remarkable, and, h', 't boat. sherlock holmes welcomed her with the easy courtesy for which he was remarkable, and, having', 't. sherlock holmes welcomed her with the easy courtesy for which he was remarkable, and, having clos', 'erlock holmes welcomed her with the easy courtesy for which he was remarkable, and, having closed th', 'k holmes welcomed her with the easy courtesy for which he was remarkable, and, having closed the doo', 'mes welcomed her with the easy courtesy for which he was remarkable, and, having closed the door and', 'elcomed her with the easy courtesy for which he was remarkable, and, having closed the door and bowe', 'ed her with the easy courtesy for which he was remarkable, and, having closed the door and bowed her', 'r with the easy courtesy for which he was remarkable, and, having closed the door and bowed her into', 'h the easy courtesy for which he was remarkable, and, having closed the door and bowed her into an a', ' easy courtesy for which he was remarkable, and, having closed the door and bowed her into an armcha', ' courtesy for which he was remarkable, and, having closed the door and bowed her into an armchair, h', 'tesy for which he was remarkable, and, having closed the door and bowed her into an armchair, he loo', 'for which he was remarkable, and, having closed the door and bowed her into an armchair, he looked h', 'hich he was remarkable, and, having closed the door and bowed her into an armchair, he looked her ov', 'he was remarkable, and, having closed the door and bowed her into an armchair, he looked her over in', 's remarkable, and, having closed the door and bowed her into an armchair, he looked her over in the ', 'arkable, and, having closed the door and bowed her into an armchair, he looked her over in the minut', 'le, and, having closed the door and bowed her into an armchair, he looked her over in the minute and', 'nd, having closed the door and bowed her into an armchair, he looked her over in the minute and yet ', 'aving closed the door and bowed her into an armchair, he looked her over in the minute and yet abstr', ' closed the door and bowed her into an armchair, he looked her over in the minute and yet abstracted', 'ed the door and bowed her into an armchair, he looked her over in the minute and yet abstracted fash', 'e door and bowed her into an armchair, he looked her over in the minute and yet abstracted fashion w', 'r and bowed her into an armchair, he looked her over in the minute and yet abstracted fashion which ', ' bowed her into an armchair, he looked her over in the minute and yet abstracted fashion which was p', 'd her into an armchair, he looked her over in the minute and yet abstracted fashion which was peculi', ' into an armchair, he looked her over in the minute and yet abstracted fashion which was peculiar to', ' an armchair, he looked her over in the minute and yet abstracted fashion which was peculiar to him.', 'rmchair, he looked her over in the minute and yet abstracted fashion which was peculiar to him. "do ', 'ir, he looked her over in the minute and yet abstracted fashion which was peculiar to him. "do you n', 'e looked her over in the minute and yet abstracted fashion which was peculiar to him. "do you not fi', 'ked her over in the minute and yet abstracted fashion which was peculiar to him. "do you not find," ', 'er over in the minute and yet abstracted fashion which was peculiar to him. "do you not find," he sa', 'er in the minute and yet abstracted fashion which was peculiar to him. "do you not find," he said, "', ' the minute and yet abstracted fashion which was peculiar to him. "do you not find," he said, "that ', 'minute and yet abstracted fashion which was peculiar to him. "do you not find," he said, "that with ', 'e and yet abstracted fashion which was peculiar to him. "do you not find," he said, "that with your ', ' yet abstracted fashion which was peculiar to him. "do you not find," he said, "that with your short', 'abstracted fashion which was peculiar to him. "do you not find," he said, "that with your short sigh', 'acted fashion which was peculiar to him. "do you not find," he said, "that with your short sight it ', ' fashion which was peculiar to him. "do you not find," he said, "that with your short sight it is a ', 'ion which was peculiar to him. "do you not find," he said, "that with your short sight it is a littl', 'hich was peculiar to him. "do you not find," he said, "that with your short sight it is a little try', 'was peculiar to him. "do you not find," he said, "that with your short sight it is a little trying t', 'eculiar to him. "do you not find," he said, "that with your short sight it is a little trying to do ', 'ar to him. "do you not find," he said, "that with your short sight it is a little trying to do so mu', ' him. "do you not find," he said, "that with your short sight it is a little trying to do so much ty', ' "do you not find," he said, "that with your short sight it is a little trying to do so much typewri', 'you not find," he said, "that with your short sight it is a little trying to do so much typewriting?', 'ot find," he said, "that with your short sight it is a little trying to do so much typewriting?" "i ', 'nd," he said, "that with your short sight it is a little trying to do so much typewriting?" "i did a', 'he said, "that with your short sight it is a little trying to do so much typewriting?" "i did at fir', 'id, "that with your short sight it is a little trying to do so much typewriting?" "i did at first," ', 'that with your short sight it is a little trying to do so much typewriting?" "i did at first," she a', 'with your short sight it is a little trying to do so much typewriting?" "i did at first," she answer', 'your short sight it is a little trying to do so much typewriting?" "i did at first," she answered, "', 'short sight it is a little trying to do so much typewriting?" "i did at first," she answered, "but n', ' sight it is a little trying to do so much typewriting?" "i did at first," she answered, "but now i ', 't it is a little trying to do so much typewriting?" "i did at first," she answered, "but now i know ', 'is a little trying to do so much typewriting?" "i did at first," she answered, "but now i know where', 'little trying to do so much typewriting?" "i did at first," she answered, "but now i know where the ', 'e trying to do so much typewriting?" "i did at first," she answered, "but now i know where the lette', 'ing to do so much typewriting?" "i did at first," she answered, "but now i know where the letters ar', 'o do so much typewriting?" "i did at first," she answered, "but now i know where the letters are wit', 'so much typewriting?" "i did at first," she answered, "but now i know where the letters are without ', 'ch typewriting?" "i did at first," she answered, "but now i know where the letters are without looki', 'pewriting?" "i did at first," she answered, "but now i know where the letters are without looking." ', 'ting?" "i did at first," she answered, "but now i know where the letters are without looking." then,', '" "i did at first," she answered, "but now i know where the letters are without looking." then, sudd', 'did at first," she answered, "but now i know where the letters are without looking." then, suddenly ', 't first," she answered, "but now i know where the letters are without looking." then, suddenly reali', 'st," she answered, "but now i know where the letters are without looking." then, suddenly realising ', 'she answered, "but now i know where the letters are without looking." then, suddenly realising the f', 'nswered, "but now i know where the letters are without looking." then, suddenly realising the full p', 'ed, "but now i know where the letters are without looking." then, suddenly realising the full purpor', 'but now i know where the letters are without looking." then, suddenly realising the full purport of ', 'ow i know where the letters are without looking." then, suddenly realising the full purport of his w', 'know where the letters are without looking." then, suddenly realising the full purport of his words,', 'where the letters are without looking." then, suddenly realising the full purport of his words, she ', ' the letters are without looking." then, suddenly realising the full purport of his words, she gave ', 'letters are without looking." then, suddenly realising the full purport of his words, she gave a vio', 'rs are without looking." then, suddenly realising the full purport of his words, she gave a violent ', 'e without looking." then, suddenly realising the full purport of his words, she gave a violent start', 'hout looking." then, suddenly realising the full purport of his words, she gave a violent start and ', 'looking." then, suddenly realising the full purport of his words, she gave a violent start and looke', 'ng." then, suddenly realising the full purport of his words, she gave a violent start and looked up,', 'then, suddenly realising the full purport of his words, she gave a violent start and looked up, with', ' suddenly realising the full purport of his words, she gave a violent start and looked up, with fear', 'enly realising the full purport of his words, she gave a violent start and looked up, with fear and ', 'realising the full purport of his words, she gave a violent start and looked up, with fear and aston', 'sing the full purport of his words, she gave a violent start and looked up, with fear and astonishme', 'the full purport of his words, she gave a violent start and looked up, with fear and astonishment up', 'ull purport of his words, she gave a violent start and looked up, with fear and astonishment upon he', 'urport of his words, she gave a violent start and looked up, with fear and astonishment upon her bro', 't of his words, she gave a violent start and looked up, with fear and astonishment upon her broad, g', 'his words, she gave a violent start and looked up, with fear and astonishment upon her broad, good-h', 'ords, she gave a violent start and looked up, with fear and astonishment upon her broad, good-humour', ' she gave a violent start and looked up, with fear and astonishment upon her broad, good-humoured fa', 'gave a violent start and looked up, with fear and astonishment upon her broad, good-humoured face. "', 'a violent start and looked up, with fear and astonishment upon her broad, good-humoured face. "you\'v', 'lent start and looked up, with fear and astonishment upon her broad, good-humoured face. "you\'ve hea', 'start and looked up, with fear and astonishment upon her broad, good-humoured face. "you\'ve heard ab', ' and looked up, with fear and astonishment upon her broad, good-humoured face. "you\'ve heard about m', 'looked up, with fear and astonishment upon her broad, good-humoured face. "you\'ve heard about me, mr', 'd up, with fear and astonishment upon her broad, good-humoured face. "you\'ve heard about me, mr. hol', ' with fear and astonishment upon her broad, good-humoured face. "you\'ve heard about me, mr. holmes,"', ' fear and astonishment upon her broad, good-humoured face. "you\'ve heard about me, mr. holmes," she ', ' and astonishment upon her broad, good-humoured face. "you\'ve heard about me, mr. holmes," she cried', 'astonishment upon her broad, good-humoured face. "you\'ve heard about me, mr. holmes," she cried, "el', 'ishment upon her broad, good-humoured face. "you\'ve heard about me, mr. holmes," she cried, "else ho', 'nt upon her broad, good-humoured face. "you\'ve heard about me, mr. holmes," she cried, "else how cou', 'on her broad, good-humoured face. "you\'ve heard about me, mr. holmes," she cried, "else how could yo', 'r broad, good-humoured face. "you\'ve heard about me, mr. holmes," she cried, "else how could you kno', 'ad, good-humoured face. "you\'ve heard about me, mr. holmes," she cried, "else how could you know all', 'ood-humoured face. "you\'ve heard about me, mr. holmes," she cried, "else how could you know all that', 'umoured face. "you\'ve heard about me, mr. holmes," she cried, "else how could you know all that?" "n', 'ed face. "you\'ve heard about me, mr. holmes," she cried, "else how could you know all that?" "never ', 'ce. "you\'ve heard about me, mr. holmes," she cried, "else how could you know all that?" "never mind,', 'you\'ve heard about me, mr. holmes," she cried, "else how could you know all that?" "never mind," sai', 'e heard about me, mr. holmes," she cried, "else how could you know all that?" "never mind," said hol', 'rd about me, mr. holmes," she cried, "else how could you know all that?" "never mind," said holmes, ', 'out me, mr. holmes," she cried, "else how could you know all that?" "never mind," said holmes, laugh', 'e, mr. holmes," she cried, "else how could you know all that?" "never mind," said holmes, laughing; ', '. holmes," she cried, "else how could you know all that?" "never mind," said holmes, laughing; "it i', 'mes," she cried, "else how could you know all that?" "never mind," said holmes, laughing; "it is my ', ' she cried, "else how could you know all that?" "never mind," said holmes, laughing; "it is my busin', 'cried, "else how could you know all that?" "never mind," said holmes, laughing; "it is my business t', ', "else how could you know all that?" "never mind," said holmes, laughing; "it is my business to kno', 'se how could you know all that?" "never mind," said holmes, laughing; "it is my business to know thi', 'w could you know all that?" "never mind," said holmes, laughing; "it is my business to know things. ', 'ld you know all that?" "never mind," said holmes, laughing; "it is my business to know things. perha', 'u know all that?" "never mind," said holmes, laughing; "it is my business to know things. perhaps i ', 'w all that?" "never mind," said holmes, laughing; "it is my business to know things. perhaps i have ', ' that?" "never mind," said holmes, laughing; "it is my business to know things. perhaps i have train', '?" "never mind," said holmes, laughing; "it is my business to know things. perhaps i have trained my', 'ever mind," said holmes, laughing; "it is my business to know things. perhaps i have trained myself ', 'mind," said holmes, laughing; "it is my business to know things. perhaps i have trained myself to se', '" said holmes, laughing; "it is my business to know things. perhaps i have trained myself to see wha', 'd holmes, laughing; "it is my business to know things. perhaps i have trained myself to see what oth', 'mes, laughing; "it is my business to know things. perhaps i have trained myself to see what others o', 'laughing; "it is my business to know things. perhaps i have trained myself to see what others overlo', 'ing; "it is my business to know things. perhaps i have trained myself to see what others overlook. i', '"it is my business to know things. perhaps i have trained myself to see what others overlook. if not', 's my business to know things. perhaps i have trained myself to see what others overlook. if not, why', 'business to know things. perhaps i have trained myself to see what others overlook. if not, why shou', 'ess to know things. perhaps i have trained myself to see what others overlook. if not, why should yo', 'o know things. perhaps i have trained myself to see what others overlook. if not, why should you com', 'w things. perhaps i have trained myself to see what others overlook. if not, why should you come to ', 'ngs. perhaps i have trained myself to see what others overlook. if not, why should you come to consu', 'perhaps i have trained myself to see what others overlook. if not, why should you come to consult me', 'ps i have trained myself to see what others overlook. if not, why should you come to consult me?" "i', 'have trained myself to see what others overlook. if not, why should you come to consult me?" "i came', 'trained myself to see what others overlook. if not, why should you come to consult me?" "i came to y', 'ed myself to see what others overlook. if not, why should you come to consult me?" "i came to you, s', 'self to see what others overlook. if not, why should you come to consult me?" "i came to you, sir, b', 'to see what others overlook. if not, why should you come to consult me?" "i came to you, sir, becaus', 'e what others overlook. if not, why should you come to consult me?" "i came to you, sir, because i h', 't others overlook. if not, why should you come to consult me?" "i came to you, sir, because i heard ', 'ers overlook. if not, why should you come to consult me?" "i came to you, sir, because i heard of yo', 'verlook. if not, why should you come to consult me?" "i came to you, sir, because i heard of you fro', 'ok. if not, why should you come to consult me?" "i came to you, sir, because i heard of you from mrs', 'f not, why should you come to consult me?" "i came to you, sir, because i heard of you from mrs. eth', ', why should you come to consult me?" "i came to you, sir, because i heard of you from mrs. etherege', ' should you come to consult me?" "i came to you, sir, because i heard of you from mrs. etherege, who', 'ld you come to consult me?" "i came to you, sir, because i heard of you from mrs. etherege, whose hu', 'u come to consult me?" "i came to you, sir, because i heard of you from mrs. etherege, whose husband', 'e to consult me?" "i came to you, sir, because i heard of you from mrs. etherege, whose husband you ', 'consult me?" "i came to you, sir, because i heard of you from mrs. etherege, whose husband you found', 'lt me?" "i came to you, sir, because i heard of you from mrs. etherege, whose husband you found so e', '?" "i came to you, sir, because i heard of you from mrs. etherege, whose husband you found so easy w', ' came to you, sir, because i heard of you from mrs. etherege, whose husband you found so easy when t', ' to you, sir, because i heard of you from mrs. etherege, whose husband you found so easy when the po', 'ou, sir, because i heard of you from mrs. etherege, whose husband you found so easy when the police ', 'ir, because i heard of you from mrs. etherege, whose husband you found so easy when the police and e', 'ecause i heard of you from mrs. etherege, whose husband you found so easy when the police and everyo', 'e i heard of you from mrs. etherege, whose husband you found so easy when the police and everyone ha', 'eard of you from mrs. etherege, whose husband you found so easy when the police and everyone had giv', 'of you from mrs. etherege, whose husband you found so easy when the police and everyone had given hi', 'u from mrs. etherege, whose husband you found so easy when the police and everyone had given him up ', 'm mrs. etherege, whose husband you found so easy when the police and everyone had given him up for d', '. etherege, whose husband you found so easy when the police and everyone had given him up for dead. ', 'erege, whose husband you found so easy when the police and everyone had given him up for dead. oh, m', ', whose husband you found so easy when the police and everyone had given him up for dead. oh, mr. ho', 'se husband you found so easy when the police and everyone had given him up for dead. oh, mr. holmes,', 'sband you found so easy when the police and everyone had given him up for dead. oh, mr. holmes, i wi', ' you found so easy when the police and everyone had given him up for dead. oh, mr. holmes, i wish yo', 'found so easy when the police and everyone had given him up for dead. oh, mr. holmes, i wish you wou', ' so easy when the police and everyone had given him up for dead. oh, mr. holmes, i wish you would do', 'asy when the police and everyone had given him up for dead. oh, mr. holmes, i wish you would do as m', 'hen the police and everyone had given him up for dead. oh, mr. holmes, i wish you would do as much f', 'he police and everyone had given him up for dead. oh, mr. holmes, i wish you would do as much for me', "lice and everyone had given him up for dead. oh, mr. holmes, i wish you would do as much for me. i'm", "and everyone had given him up for dead. oh, mr. holmes, i wish you would do as much for me. i'm not ", "veryone had given him up for dead. oh, mr. holmes, i wish you would do as much for me. i'm not rich,", "ne had given him up for dead. oh, mr. holmes, i wish you would do as much for me. i'm not rich, but ", "d given him up for dead. oh, mr. holmes, i wish you would do as much for me. i'm not rich, but still", "en him up for dead. oh, mr. holmes, i wish you would do as much for me. i'm not rich, but still i ha", "m up for dead. oh, mr. holmes, i wish you would do as much for me. i'm not rich, but still i have a ", "for dead. oh, mr. holmes, i wish you would do as much for me. i'm not rich, but still i have a hundr", "ead. oh, mr. holmes, i wish you would do as much for me. i'm not rich, but still i have a hundred a ", "oh, mr. holmes, i wish you would do as much for me. i'm not rich, but still i have a hundred a year ", "r. holmes, i wish you would do as much for me. i'm not rich, but still i have a hundred a year in my", "lmes, i wish you would do as much for me. i'm not rich, but still i have a hundred a year in my own ", " i wish you would do as much for me. i'm not rich, but still i have a hundred a year in my own right", "sh you would do as much for me. i'm not rich, but still i have a hundred a year in my own right, bes", "u would do as much for me. i'm not rich, but still i have a hundred a year in my own right, besides ", "ld do as much for me. i'm not rich, but still i have a hundred a year in my own right, besides the l", " as much for me. i'm not rich, but still i have a hundred a year in my own right, besides the little", "uch for me. i'm not rich, but still i have a hundred a year in my own right, besides the little that", "or me. i'm not rich, but still i have a hundred a year in my own right, besides the little that i ma", ". i'm not rich, but still i have a hundred a year in my own right, besides the little that i make by", ' not rich, but still i have a hundred a year in my own right, besides the little that i make by the ', 'rich, but still i have a hundred a year in my own right, besides the little that i make by the machi', ' but still i have a hundred a year in my own right, besides the little that i make by the machine, a', 'still i have a hundred a year in my own right, besides the little that i make by the machine, and i ', ' i have a hundred a year in my own right, besides the little that i make by the machine, and i would', 've a hundred a year in my own right, besides the little that i make by the machine, and i would give', 'hundred a year in my own right, besides the little that i make by the machine, and i would give it a', 'ed a year in my own right, besides the little that i make by the machine, and i would give it all to', 'year in my own right, besides the little that i make by the machine, and i would give it all to know', 'in my own right, besides the little that i make by the machine, and i would give it all to know what', ' own right, besides the little that i make by the machine, and i would give it all to know what has ', 'right, besides the little that i make by the machine, and i would give it all to know what has becom', ', besides the little that i make by the machine, and i would give it all to know what has become of ', 'ides the little that i make by the machine, and i would give it all to know what has become of mr. h', 'the little that i make by the machine, and i would give it all to know what has become of mr. hosmer', 'ittle that i make by the machine, and i would give it all to know what has become of mr. hosmer ange', ' that i make by the machine, and i would give it all to know what has become of mr. hosmer angel." "', ' i make by the machine, and i would give it all to know what has become of mr. hosmer angel." "why d', 'ke by the machine, and i would give it all to know what has become of mr. hosmer angel." "why did yo', ' the machine, and i would give it all to know what has become of mr. hosmer angel." "why did you com', 'machine, and i would give it all to know what has become of mr. hosmer angel." "why did you come awa', 'ne, and i would give it all to know what has become of mr. hosmer angel." "why did you come away to ', 'nd i would give it all to know what has become of mr. hosmer angel." "why did you come away to consu', 'would give it all to know what has become of mr. hosmer angel." "why did you come away to consult me', ' give it all to know what has become of mr. hosmer angel." "why did you come away to consult me in s', ' it all to know what has become of mr. hosmer angel." "why did you come away to consult me in such a', 'll to know what has become of mr. hosmer angel." "why did you come away to consult me in such a hurr', ' know what has become of mr. hosmer angel." "why did you come away to consult me in such a hurry?" a', ' what has become of mr. hosmer angel." "why did you come away to consult me in such a hurry?" asked ', ' has become of mr. hosmer angel." "why did you come away to consult me in such a hurry?" asked sherl', 'become of mr. hosmer angel." "why did you come away to consult me in such a hurry?" asked sherlock h', 'e of mr. hosmer angel." "why did you come away to consult me in such a hurry?" asked sherlock holmes', 'mr. hosmer angel." "why did you come away to consult me in such a hurry?" asked sherlock holmes, wit', 'osmer angel." "why did you come away to consult me in such a hurry?" asked sherlock holmes, with his', ' angel." "why did you come away to consult me in such a hurry?" asked sherlock holmes, with his fing', 'l." "why did you come away to consult me in such a hurry?" asked sherlock holmes, with his finger-ti', 'why did you come away to consult me in such a hurry?" asked sherlock holmes, with his finger-tips to', 'id you come away to consult me in such a hurry?" asked sherlock holmes, with his finger-tips togethe', 'u come away to consult me in such a hurry?" asked sherlock holmes, with his finger-tips together and', 'e away to consult me in such a hurry?" asked sherlock holmes, with his finger-tips together and his ', 'y to consult me in such a hurry?" asked sherlock holmes, with his finger-tips together and his eyes ', 'consult me in such a hurry?" asked sherlock holmes, with his finger-tips together and his eyes to th', 'lt me in such a hurry?" asked sherlock holmes, with his finger-tips together and his eyes to the cei', ' in such a hurry?" asked sherlock holmes, with his finger-tips together and his eyes to the ceiling.', 'uch a hurry?" asked sherlock holmes, with his finger-tips together and his eyes to the ceiling. agai', ' hurry?" asked sherlock holmes, with his finger-tips together and his eyes to the ceiling. again a s', 'y?" asked sherlock holmes, with his finger-tips together and his eyes to the ceiling. again a startl', 'sked sherlock holmes, with his finger-tips together and his eyes to the ceiling. again a startled lo', 'sherlock holmes, with his finger-tips together and his eyes to the ceiling. again a startled look ca', 'ock holmes, with his finger-tips together and his eyes to the ceiling. again a startled look came ov', 'olmes, with his finger-tips together and his eyes to the ceiling. again a startled look came over th', ', with his finger-tips together and his eyes to the ceiling. again a startled look came over the som', 'h his finger-tips together and his eyes to the ceiling. again a startled look came over the somewhat', ' finger-tips together and his eyes to the ceiling. again a startled look came over the somewhat vacu', 'er-tips together and his eyes to the ceiling. again a startled look came over the somewhat vacuous f', 'ps together and his eyes to the ceiling. again a startled look came over the somewhat vacuous face o', 'gether and his eyes to the ceiling. again a startled look came over the somewhat vacuous face of mis', 'r and his eyes to the ceiling. again a startled look came over the somewhat vacuous face of miss mar', ' his eyes to the ceiling. again a startled look came over the somewhat vacuous face of miss mary sut', 'eyes to the ceiling. again a startled look came over the somewhat vacuous face of miss mary sutherla', 'to the ceiling. again a startled look came over the somewhat vacuous face of miss mary sutherland. "', 'e ceiling. again a startled look came over the somewhat vacuous face of miss mary sutherland. "yes, ', 'ling. again a startled look came over the somewhat vacuous face of miss mary sutherland. "yes, i did', ' again a startled look came over the somewhat vacuous face of miss mary sutherland. "yes, i did bang', 'n a startled look came over the somewhat vacuous face of miss mary sutherland. "yes, i did bang out ', 'tartled look came over the somewhat vacuous face of miss mary sutherland. "yes, i did bang out of th', 'ed look came over the somewhat vacuous face of miss mary sutherland. "yes, i did bang out of the hou', 'ok came over the somewhat vacuous face of miss mary sutherland. "yes, i did bang out of the house," ', 'me over the somewhat vacuous face of miss mary sutherland. "yes, i did bang out of the house," she s', 'er the somewhat vacuous face of miss mary sutherland. "yes, i did bang out of the house," she said, ', 'e somewhat vacuous face of miss mary sutherland. "yes, i did bang out of the house," she said, "for ', 'ewhat vacuous face of miss mary sutherland. "yes, i did bang out of the house," she said, "for it ma', ' vacuous face of miss mary sutherland. "yes, i did bang out of the house," she said, "for it made me', 'ous face of miss mary sutherland. "yes, i did bang out of the house," she said, "for it made me angr', 'ace of miss mary sutherland. "yes, i did bang out of the house," she said, "for it made me angry to ', 'f miss mary sutherland. "yes, i did bang out of the house," she said, "for it made me angry to see t', 's mary sutherland. "yes, i did bang out of the house," she said, "for it made me angry to see the ea', 'y sutherland. "yes, i did bang out of the house," she said, "for it made me angry to see the easy wa', 'herland. "yes, i did bang out of the house," she said, "for it made me angry to see the easy way in ', 'nd. "yes, i did bang out of the house," she said, "for it made me angry to see the easy way in which', 'yes, i did bang out of the house," she said, "for it made me angry to see the easy way in which mr. ', 'i did bang out of the house," she said, "for it made me angry to see the easy way in which mr. windi', ' bang out of the house," she said, "for it made me angry to see the easy way in which mr. windibankt', ' out of the house," she said, "for it made me angry to see the easy way in which mr. windibankthat i', 'of the house," she said, "for it made me angry to see the easy way in which mr. windibankthat is, my', 'e house," she said, "for it made me angry to see the easy way in which mr. windibankthat is, my fath', 'se," she said, "for it made me angry to see the easy way in which mr. windibankthat is, my fathertoo', 'she said, "for it made me angry to see the easy way in which mr. windibankthat is, my fathertook it ', 'aid, "for it made me angry to see the easy way in which mr. windibankthat is, my fathertook it all. ', '"for it made me angry to see the easy way in which mr. windibankthat is, my fathertook it all. he wo', 'it made me angry to see the easy way in which mr. windibankthat is, my fathertook it all. he would n', 'de me angry to see the easy way in which mr. windibankthat is, my fathertook it all. he would not go', ' angry to see the easy way in which mr. windibankthat is, my fathertook it all. he would not go to t', 'y to see the easy way in which mr. windibankthat is, my fathertook it all. he would not go to the po', 'see the easy way in which mr. windibankthat is, my fathertook it all. he would not go to the police,', 'he easy way in which mr. windibankthat is, my fathertook it all. he would not go to the police, and ', 'sy way in which mr. windibankthat is, my fathertook it all. he would not go to the police, and he wo', 'y in which mr. windibankthat is, my fathertook it all. he would not go to the police, and he would n', 'which mr. windibankthat is, my fathertook it all. he would not go to the police, and he would not go', ' mr. windibankthat is, my fathertook it all. he would not go to the police, and he would not go to y', 'windibankthat is, my fathertook it all. he would not go to the police, and he would not go to you, a', 'bankthat is, my fathertook it all. he would not go to the police, and he would not go to you, and so', 'hat is, my fathertook it all. he would not go to the police, and he would not go to you, and so at l', 's, my fathertook it all. he would not go to the police, and he would not go to you, and so at last, ', ' fathertook it all. he would not go to the police, and he would not go to you, and so at last, as he', 'ertook it all. he would not go to the police, and he would not go to you, and so at last, as he woul', 'k it all. he would not go to the police, and he would not go to you, and so at last, as he would do ', 'all. he would not go to the police, and he would not go to you, and so at last, as he would do nothi', 'he would not go to the police, and he would not go to you, and so at last, as he would do nothing an', 'uld not go to the police, and he would not go to you, and so at last, as he would do nothing and kep', 'ot go to the police, and he would not go to you, and so at last, as he would do nothing and kept on ', ' to the police, and he would not go to you, and so at last, as he would do nothing and kept on sayin', 'he police, and he would not go to you, and so at last, as he would do nothing and kept on saying tha', 'lice, and he would not go to you, and so at last, as he would do nothing and kept on saying that the', ' and he would not go to you, and so at last, as he would do nothing and kept on saying that there wa', 'he would not go to you, and so at last, as he would do nothing and kept on saying that there was no ', 'uld not go to you, and so at last, as he would do nothing and kept on saying that there was no harm ', 'ot go to you, and so at last, as he would do nothing and kept on saying that there was no harm done,', ' to you, and so at last, as he would do nothing and kept on saying that there was no harm done, it m', 'ou, and so at last, as he would do nothing and kept on saying that there was no harm done, it made m', 'nd so at last, as he would do nothing and kept on saying that there was no harm done, it made me mad', ' at last, as he would do nothing and kept on saying that there was no harm done, it made me mad, and', 'ast, as he would do nothing and kept on saying that there was no harm done, it made me mad, and i ju', 'as he would do nothing and kept on saying that there was no harm done, it made me mad, and i just on', ' would do nothing and kept on saying that there was no harm done, it made me mad, and i just on with', 'd do nothing and kept on saying that there was no harm done, it made me mad, and i just on with my t', 'nothing and kept on saying that there was no harm done, it made me mad, and i just on with my things', 'ng and kept on saying that there was no harm done, it made me mad, and i just on with my things and ', 'd kept on saying that there was no harm done, it made me mad, and i just on with my things and came ', 't on saying that there was no harm done, it made me mad, and i just on with my things and came right', 'saying that there was no harm done, it made me mad, and i just on with my things and came right away', 'g that there was no harm done, it made me mad, and i just on with my things and came right away to y', 't there was no harm done, it made me mad, and i just on with my things and came right away to you." ', 're was no harm done, it made me mad, and i just on with my things and came right away to you." "your', 's no harm done, it made me mad, and i just on with my things and came right away to you." "your fath', 'harm done, it made me mad, and i just on with my things and came right away to you." "your father," ', 'done, it made me mad, and i just on with my things and came right away to you." "your father," said ', ' it made me mad, and i just on with my things and came right away to you." "your father," said holme', 'ade me mad, and i just on with my things and came right away to you." "your father," said holmes, "y', 'e mad, and i just on with my things and came right away to you." "your father," said holmes, "your s', ', and i just on with my things and came right away to you." "your father," said holmes, "your stepfa', ' i just on with my things and came right away to you." "your father," said holmes, "your stepfather,', 'st on with my things and came right away to you." "your father," said holmes, "your stepfather, sure', ' with my things and came right away to you." "your father," said holmes, "your stepfather, surely, s', ' my things and came right away to you." "your father," said holmes, "your stepfather, surely, since ', 'hings and came right away to you." "your father," said holmes, "your stepfather, surely, since the n', ' and came right away to you." "your father," said holmes, "your stepfather, surely, since the name i', 'came right away to you." "your father," said holmes, "your stepfather, surely, since the name is dif', 'right away to you." "your father," said holmes, "your stepfather, surely, since the name is differen', ' away to you." "your father," said holmes, "your stepfather, surely, since the name is different." "', ' to you." "your father," said holmes, "your stepfather, surely, since the name is different." "yes, ', 'ou." "your father," said holmes, "your stepfather, surely, since the name is different." "yes, my st', '"your father," said holmes, "your stepfather, surely, since the name is different." "yes, my stepfat', ' father," said holmes, "your stepfather, surely, since the name is different." "yes, my stepfather. ', 'er," said holmes, "your stepfather, surely, since the name is different." "yes, my stepfather. i cal', 'said holmes, "your stepfather, surely, since the name is different." "yes, my stepfather. i call him', 'holmes, "your stepfather, surely, since the name is different." "yes, my stepfather. i call him fath', 's, "your stepfather, surely, since the name is different." "yes, my stepfather. i call him father, t', 'our stepfather, surely, since the name is different." "yes, my stepfather. i call him father, though', 'tepfather, surely, since the name is different." "yes, my stepfather. i call him father, though it s', 'ther, surely, since the name is different." "yes, my stepfather. i call him father, though it sounds', ' surely, since the name is different." "yes, my stepfather. i call him father, though it sounds funn', 'ly, since the name is different." "yes, my stepfather. i call him father, though it sounds funny, to', 'ince the name is different." "yes, my stepfather. i call him father, though it sounds funny, too, fo', 'the name is different." "yes, my stepfather. i call him father, though it sounds funny, too, for he ', 'ame is different." "yes, my stepfather. i call him father, though it sounds funny, too, for he is on', 's different." "yes, my stepfather. i call him father, though it sounds funny, too, for he is only fi', 'ferent." "yes, my stepfather. i call him father, though it sounds funny, too, for he is only five ye', 't." "yes, my stepfather. i call him father, though it sounds funny, too, for he is only five years a', 'yes, my stepfather. i call him father, though it sounds funny, too, for he is only five years and tw', 'my stepfather. i call him father, though it sounds funny, too, for he is only five years and two mon', 'epfather. i call him father, though it sounds funny, too, for he is only five years and two months o', 'her. i call him father, though it sounds funny, too, for he is only five years and two months older ', 'i call him father, though it sounds funny, too, for he is only five years and two months older than ', 'l him father, though it sounds funny, too, for he is only five years and two months older than mysel', ' father, though it sounds funny, too, for he is only five years and two months older than myself." "', 'er, though it sounds funny, too, for he is only five years and two months older than myself." "and y', 'hough it sounds funny, too, for he is only five years and two months older than myself." "and your m', ' it sounds funny, too, for he is only five years and two months older than myself." "and your mother', 'ounds funny, too, for he is only five years and two months older than myself." "and your mother is a', ' funny, too, for he is only five years and two months older than myself." "and your mother is alive?', 'y, too, for he is only five years and two months older than myself." "and your mother is alive?" "oh', 'o, for he is only five years and two months older than myself." "and your mother is alive?" "oh, yes', 'r he is only five years and two months older than myself." "and your mother is alive?" "oh, yes, mot', 'is only five years and two months older than myself." "and your mother is alive?" "oh, yes, mother i', 'ly five years and two months older than myself." "and your mother is alive?" "oh, yes, mother is ali', 've years and two months older than myself." "and your mother is alive?" "oh, yes, mother is alive an', 'ars and two months older than myself." "and your mother is alive?" "oh, yes, mother is alive and wel', 'nd two months older than myself." "and your mother is alive?" "oh, yes, mother is alive and well. i ', 'o months older than myself." "and your mother is alive?" "oh, yes, mother is alive and well. i wasn\'', 'ths older than myself." "and your mother is alive?" "oh, yes, mother is alive and well. i wasn\'t bes', 'lder than myself." "and your mother is alive?" "oh, yes, mother is alive and well. i wasn\'t best ple', 'than myself." "and your mother is alive?" "oh, yes, mother is alive and well. i wasn\'t best pleased,', 'myself." "and your mother is alive?" "oh, yes, mother is alive and well. i wasn\'t best pleased, mr. ', 'f." "and your mother is alive?" "oh, yes, mother is alive and well. i wasn\'t best pleased, mr. holme', 'and your mother is alive?" "oh, yes, mother is alive and well. i wasn\'t best pleased, mr. holmes, wh', 'our mother is alive?" "oh, yes, mother is alive and well. i wasn\'t best pleased, mr. holmes, when sh', 'other is alive?" "oh, yes, mother is alive and well. i wasn\'t best pleased, mr. holmes, when she mar', ' is alive?" "oh, yes, mother is alive and well. i wasn\'t best pleased, mr. holmes, when she married ', 'live?" "oh, yes, mother is alive and well. i wasn\'t best pleased, mr. holmes, when she married again', '" "oh, yes, mother is alive and well. i wasn\'t best pleased, mr. holmes, when she married again so s', ", yes, mother is alive and well. i wasn't best pleased, mr. holmes, when she married again so soon a", ", mother is alive and well. i wasn't best pleased, mr. holmes, when she married again so soon after ", "her is alive and well. i wasn't best pleased, mr. holmes, when she married again so soon after fathe", "s alive and well. i wasn't best pleased, mr. holmes, when she married again so soon after father's d", "ve and well. i wasn't best pleased, mr. holmes, when she married again so soon after father's death,", "d well. i wasn't best pleased, mr. holmes, when she married again so soon after father's death, and ", "l. i wasn't best pleased, mr. holmes, when she married again so soon after father's death, and a man", "wasn't best pleased, mr. holmes, when she married again so soon after father's death, and a man who ", "t best pleased, mr. holmes, when she married again so soon after father's death, and a man who was n", "t pleased, mr. holmes, when she married again so soon after father's death, and a man who was nearly", "ased, mr. holmes, when she married again so soon after father's death, and a man who was nearly fift", " mr. holmes, when she married again so soon after father's death, and a man who was nearly fifteen y", "holmes, when she married again so soon after father's death, and a man who was nearly fifteen years ", "s, when she married again so soon after father's death, and a man who was nearly fifteen years young", "en she married again so soon after father's death, and a man who was nearly fifteen years younger th", "e married again so soon after father's death, and a man who was nearly fifteen years younger than he", "ried again so soon after father's death, and a man who was nearly fifteen years younger than herself", "again so soon after father's death, and a man who was nearly fifteen years younger than herself. fat", " so soon after father's death, and a man who was nearly fifteen years younger than herself. father w", "oon after father's death, and a man who was nearly fifteen years younger than herself. father was a ", "fter father's death, and a man who was nearly fifteen years younger than herself. father was a plumb", "father's death, and a man who was nearly fifteen years younger than herself. father was a plumber in", "r's death, and a man who was nearly fifteen years younger than herself. father was a plumber in the ", 'eath, and a man who was nearly fifteen years younger than herself. father was a plumber in the totte', ' and a man who was nearly fifteen years younger than herself. father was a plumber in the tottenham ', 'a man who was nearly fifteen years younger than herself. father was a plumber in the tottenham court', ' who was nearly fifteen years younger than herself. father was a plumber in the tottenham court road', 'was nearly fifteen years younger than herself. father was a plumber in the tottenham court road, and', 'early fifteen years younger than herself. father was a plumber in the tottenham court road, and he l', ' fifteen years younger than herself. father was a plumber in the tottenham court road, and he left a', 'een years younger than herself. father was a plumber in the tottenham court road, and he left a tidy', 'ears younger than herself. father was a plumber in the tottenham court road, and he left a tidy busi', 'younger than herself. father was a plumber in the tottenham court road, and he left a tidy business ', 'er than herself. father was a plumber in the tottenham court road, and he left a tidy business behin', 'an herself. father was a plumber in the tottenham court road, and he left a tidy business behind him', 'rself. father was a plumber in the tottenham court road, and he left a tidy business behind him, whi', '. father was a plumber in the tottenham court road, and he left a tidy business behind him, which mo', 'her was a plumber in the tottenham court road, and he left a tidy business behind him, which mother ', 'as a plumber in the tottenham court road, and he left a tidy business behind him, which mother carri', 'plumber in the tottenham court road, and he left a tidy business behind him, which mother carried on', 'er in the tottenham court road, and he left a tidy business behind him, which mother carried on with', ' the tottenham court road, and he left a tidy business behind him, which mother carried on with mr. ', 'tottenham court road, and he left a tidy business behind him, which mother carried on with mr. hardy', 'nham court road, and he left a tidy business behind him, which mother carried on with mr. hardy, the', 'court road, and he left a tidy business behind him, which mother carried on with mr. hardy, the fore', ' road, and he left a tidy business behind him, which mother carried on with mr. hardy, the foreman; ', ', and he left a tidy business behind him, which mother carried on with mr. hardy, the foreman; but w', ' he left a tidy business behind him, which mother carried on with mr. hardy, the foreman; but when m', 'eft a tidy business behind him, which mother carried on with mr. hardy, the foreman; but when mr. wi', ' tidy business behind him, which mother carried on with mr. hardy, the foreman; but when mr. windiba', ' business behind him, which mother carried on with mr. hardy, the foreman; but when mr. windibank ca', 'ness behind him, which mother carried on with mr. hardy, the foreman; but when mr. windibank came he', 'behind him, which mother carried on with mr. hardy, the foreman; but when mr. windibank came he made', 'd him, which mother carried on with mr. hardy, the foreman; but when mr. windibank came he made her ', ', which mother carried on with mr. hardy, the foreman; but when mr. windibank came he made her sell ', 'ch mother carried on with mr. hardy, the foreman; but when mr. windibank came he made her sell the b', 'ther carried on with mr. hardy, the foreman; but when mr. windibank came he made her sell the busine', 'carried on with mr. hardy, the foreman; but when mr. windibank came he made her sell the business, f', 'ed on with mr. hardy, the foreman; but when mr. windibank came he made her sell the business, for he', ' with mr. hardy, the foreman; but when mr. windibank came he made her sell the business, for he was ', ' mr. hardy, the foreman; but when mr. windibank came he made her sell the business, for he was very ', 'hardy, the foreman; but when mr. windibank came he made her sell the business, for he was very super', ', the foreman; but when mr. windibank came he made her sell the business, for he was very superior, ', ' foreman; but when mr. windibank came he made her sell the business, for he was very superior, being', 'man; but when mr. windibank came he made her sell the business, for he was very superior, being a tr', 'but when mr. windibank came he made her sell the business, for he was very superior, being a travell', 'hen mr. windibank came he made her sell the business, for he was very superior, being a traveller in', 'r. windibank came he made her sell the business, for he was very superior, being a traveller in wine', 'ndibank came he made her sell the business, for he was very superior, being a traveller in wines. th', 'nk came he made her sell the business, for he was very superior, being a traveller in wines. they go', 'me he made her sell the business, for he was very superior, being a traveller in wines. they got p', ' made her sell the business, for he was very superior, being a traveller in wines. they got pounds', ' her sell the business, for he was very superior, being a traveller in wines. they got pounds for ', 'sell the business, for he was very superior, being a traveller in wines. they got pounds for the g', 'the business, for he was very superior, being a traveller in wines. they got pounds for the goodwi', 'usiness, for he was very superior, being a traveller in wines. they got pounds for the goodwill an', 'ss, for he was very superior, being a traveller in wines. they got pounds for the goodwill and int', 'or he was very superior, being a traveller in wines. they got pounds for the goodwill and interest', ' was very superior, being a traveller in wines. they got pounds for the goodwill and interest, whi', 'very superior, being a traveller in wines. they got pounds for the goodwill and interest, which wa', "superior, being a traveller in wines. they got pounds for the goodwill and interest, which wasn't ", "ior, being a traveller in wines. they got pounds for the goodwill and interest, which wasn't near ", "being a traveller in wines. they got pounds for the goodwill and interest, which wasn't near as mu", " a traveller in wines. they got pounds for the goodwill and interest, which wasn't near as much as", "aveller in wines. they got pounds for the goodwill and interest, which wasn't near as much as fath", "er in wines. they got pounds for the goodwill and interest, which wasn't near as much as father co", " wines. they got pounds for the goodwill and interest, which wasn't near as much as father could h", "s. they got pounds for the goodwill and interest, which wasn't near as much as father could have g", "ey got pounds for the goodwill and interest, which wasn't near as much as father could have got if", "t pounds for the goodwill and interest, which wasn't near as much as father could have got if he h", "ounds for the goodwill and interest, which wasn't near as much as father could have got if he had be", " for the goodwill and interest, which wasn't near as much as father could have got if he had been al", 'the goodwill and interest, which wasn\'t near as much as father could have got if he had been alive."', 'oodwill and interest, which wasn\'t near as much as father could have got if he had been alive." i ha', 'll and interest, which wasn\'t near as much as father could have got if he had been alive." i had exp', 'd interest, which wasn\'t near as much as father could have got if he had been alive." i had expected', 'erest, which wasn\'t near as much as father could have got if he had been alive." i had expected to s', ', which wasn\'t near as much as father could have got if he had been alive." i had expected to see sh', 'ch wasn\'t near as much as father could have got if he had been alive." i had expected to see sherloc', 'sn\'t near as much as father could have got if he had been alive." i had expected to see sherlock hol', 'near as much as father could have got if he had been alive." i had expected to see sherlock holmes i', 'as much as father could have got if he had been alive." i had expected to see sherlock holmes impati', 'ch as father could have got if he had been alive." i had expected to see sherlock holmes impatient u', ' father could have got if he had been alive." i had expected to see sherlock holmes impatient under ', 'er could have got if he had been alive." i had expected to see sherlock holmes impatient under this ', 'uld have got if he had been alive." i had expected to see sherlock holmes impatient under this rambl', 'ave got if he had been alive." i had expected to see sherlock holmes impatient under this rambling a', 'ot if he had been alive." i had expected to see sherlock holmes impatient under this rambling and in', ' he had been alive." i had expected to see sherlock holmes impatient under this rambling and inconse', 'ad been alive." i had expected to see sherlock holmes impatient under this rambling and inconsequent', 'en alive." i had expected to see sherlock holmes impatient under this rambling and inconsequential n', 'ive." i had expected to see sherlock holmes impatient under this rambling and inconsequential narrat', ' i had expected to see sherlock holmes impatient under this rambling and inconsequential narrative, ', 'd expected to see sherlock holmes impatient under this rambling and inconsequential narrative, but, ', 'ected to see sherlock holmes impatient under this rambling and inconsequential narrative, but, on th', ' to see sherlock holmes impatient under this rambling and inconsequential narrative, but, on the con', 'ee sherlock holmes impatient under this rambling and inconsequential narrative, but, on the contrary', 'erlock holmes impatient under this rambling and inconsequential narrative, but, on the contrary, he ', 'k holmes impatient under this rambling and inconsequential narrative, but, on the contrary, he had l', 'mes impatient under this rambling and inconsequential narrative, but, on the contrary, he had listen', 'mpatient under this rambling and inconsequential narrative, but, on the contrary, he had listened wi', 'ent under this rambling and inconsequential narrative, but, on the contrary, he had listened with th', 'nder this rambling and inconsequential narrative, but, on the contrary, he had listened with the gre', 'this rambling and inconsequential narrative, but, on the contrary, he had listened with the greatest', 'rambling and inconsequential narrative, but, on the contrary, he had listened with the greatest conc', 'ing and inconsequential narrative, but, on the contrary, he had listened with the greatest concentra', 'nd inconsequential narrative, but, on the contrary, he had listened with the greatest concentration ', 'consequential narrative, but, on the contrary, he had listened with the greatest concentration of at', 'quential narrative, but, on the contrary, he had listened with the greatest concentration of attenti', 'ial narrative, but, on the contrary, he had listened with the greatest concentration of attention. "', 'arrative, but, on the contrary, he had listened with the greatest concentration of attention. "your ', 'ive, but, on the contrary, he had listened with the greatest concentration of attention. "your own l', 'but, on the contrary, he had listened with the greatest concentration of attention. "your own little', 'on the contrary, he had listened with the greatest concentration of attention. "your own little inco', 'e contrary, he had listened with the greatest concentration of attention. "your own little income," ', 'trary, he had listened with the greatest concentration of attention. "your own little income," he as', ', he had listened with the greatest concentration of attention. "your own little income," he asked, ', 'had listened with the greatest concentration of attention. "your own little income," he asked, "does', 'istened with the greatest concentration of attention. "your own little income," he asked, "does it c', 'ed with the greatest concentration of attention. "your own little income," he asked, "does it come o', 'th the greatest concentration of attention. "your own little income," he asked, "does it come out of', 'e greatest concentration of attention. "your own little income," he asked, "does it come out of the ', 'atest concentration of attention. "your own little income," he asked, "does it come out of the busin', ' concentration of attention. "your own little income," he asked, "does it come out of the business?"', 'entration of attention. "your own little income," he asked, "does it come out of the business?" "oh,', 'tion of attention. "your own little income," he asked, "does it come out of the business?" "oh, no, ', 'of attention. "your own little income," he asked, "does it come out of the business?" "oh, no, sir. ', 'tention. "your own little income," he asked, "does it come out of the business?" "oh, no, sir. it is', 'on. "your own little income," he asked, "does it come out of the business?" "oh, no, sir. it is quit', 'your own little income," he asked, "does it come out of the business?" "oh, no, sir. it is quite sep', 'own little income," he asked, "does it come out of the business?" "oh, no, sir. it is quite separate', 'ittle income," he asked, "does it come out of the business?" "oh, no, sir. it is quite separate and ', ' income," he asked, "does it come out of the business?" "oh, no, sir. it is quite separate and was l', 'me," he asked, "does it come out of the business?" "oh, no, sir. it is quite separate and was left m', 'he asked, "does it come out of the business?" "oh, no, sir. it is quite separate and was left me by ', 'ked, "does it come out of the business?" "oh, no, sir. it is quite separate and was left me by my un', '"does it come out of the business?" "oh, no, sir. it is quite separate and was left me by my uncle n', ' it come out of the business?" "oh, no, sir. it is quite separate and was left me by my uncle ned in', 'ome out of the business?" "oh, no, sir. it is quite separate and was left me by my uncle ned in auck', 'ut of the business?" "oh, no, sir. it is quite separate and was left me by my uncle ned in auckland.', ' the business?" "oh, no, sir. it is quite separate and was left me by my uncle ned in auckland. it i', 'business?" "oh, no, sir. it is quite separate and was left me by my uncle ned in auckland. it is in ', 'ess?" "oh, no, sir. it is quite separate and was left me by my uncle ned in auckland. it is in new z', ' "oh, no, sir. it is quite separate and was left me by my uncle ned in auckland. it is in new zealan', ' no, sir. it is quite separate and was left me by my uncle ned in auckland. it is in new zealand sto', 'sir. it is quite separate and was left me by my uncle ned in auckland. it is in new zealand stock, p', 'it is quite separate and was left me by my uncle ned in auckland. it is in new zealand stock, paying', ' quite separate and was left me by my uncle ned in auckland. it is in new zealand stock, paying p', 'e separate and was left me by my uncle ned in auckland. it is in new zealand stock, paying per ce', 'arate and was left me by my uncle ned in auckland. it is in new zealand stock, paying per cent. t', ' and was left me by my uncle ned in auckland. it is in new zealand stock, paying per cent. two th', 'was left me by my uncle ned in auckland. it is in new zealand stock, paying per cent. two thousan', 'eft me by my uncle ned in auckland. it is in new zealand stock, paying per cent. two thousand fiv', 'e by my uncle ned in auckland. it is in new zealand stock, paying per cent. two thousand five hun', 'my uncle ned in auckland. it is in new zealand stock, paying per cent. two thousand five hundred ', 'cle ned in auckland. it is in new zealand stock, paying per cent. two thousand five hundred pound', 'ed in auckland. it is in new zealand stock, paying per cent. two thousand five hundred pounds was', ' auckland. it is in new zealand stock, paying per cent. two thousand five hundred pounds was the ', 'land. it is in new zealand stock, paying per cent. two thousand five hundred pounds was the amoun', ' it is in new zealand stock, paying per cent. two thousand five hundred pounds was the amount, bu', 's in new zealand stock, paying per cent. two thousand five hundred pounds was the amount, but i c', 'new zealand stock, paying per cent. two thousand five hundred pounds was the amount, but i can on', 'ealand stock, paying per cent. two thousand five hundred pounds was the amount, but i can only to', 'd stock, paying per cent. two thousand five hundred pounds was the amount, but i can only touch t', 'ck, paying per cent. two thousand five hundred pounds was the amount, but i can only touch the in', 'aying per cent. two thousand five hundred pounds was the amount, but i can only touch the interes', ' per cent. two thousand five hundred pounds was the amount, but i can only touch the interest." "', 'er cent. two thousand five hundred pounds was the amount, but i can only touch the interest." "you i', 'nt. two thousand five hundred pounds was the amount, but i can only touch the interest." "you intere', 'wo thousand five hundred pounds was the amount, but i can only touch the interest." "you interest me', 'ousand five hundred pounds was the amount, but i can only touch the interest." "you interest me extr', 'd five hundred pounds was the amount, but i can only touch the interest." "you interest me extremely', 'e hundred pounds was the amount, but i can only touch the interest." "you interest me extremely," sa', 'dred pounds was the amount, but i can only touch the interest." "you interest me extremely," said ho', 'pounds was the amount, but i can only touch the interest." "you interest me extremely," said holmes.', 's was the amount, but i can only touch the interest." "you interest me extremely," said holmes. "and', ' the amount, but i can only touch the interest." "you interest me extremely," said holmes. "and sinc', 'amount, but i can only touch the interest." "you interest me extremely," said holmes. "and since you', 't, but i can only touch the interest." "you interest me extremely," said holmes. "and since you draw', 't i can only touch the interest." "you interest me extremely," said holmes. "and since you draw so l', 'an only touch the interest." "you interest me extremely," said holmes. "and since you draw so large ', 'ly touch the interest." "you interest me extremely," said holmes. "and since you draw so large a sum', 'uch the interest." "you interest me extremely," said holmes. "and since you draw so large a sum as a', 'he interest." "you interest me extremely," said holmes. "and since you draw so large a sum as a hund', 'terest." "you interest me extremely," said holmes. "and since you draw so large a sum as a hundred a', 't." "you interest me extremely," said holmes. "and since you draw so large a sum as a hundred a year', 'you interest me extremely," said holmes. "and since you draw so large a sum as a hundred a year, wit', 'nterest me extremely," said holmes. "and since you draw so large a sum as a hundred a year, with wha', 'st me extremely," said holmes. "and since you draw so large a sum as a hundred a year, with what you', ' extremely," said holmes. "and since you draw so large a sum as a hundred a year, with what you earn', 'emely," said holmes. "and since you draw so large a sum as a hundred a year, with what you earn into', '," said holmes. "and since you draw so large a sum as a hundred a year, with what you earn into the ', 'id holmes. "and since you draw so large a sum as a hundred a year, with what you earn into the barga', 'lmes. "and since you draw so large a sum as a hundred a year, with what you earn into the bargain, y', ' "and since you draw so large a sum as a hundred a year, with what you earn into the bargain, you no', ' since you draw so large a sum as a hundred a year, with what you earn into the bargain, you no doub', 'e you draw so large a sum as a hundred a year, with what you earn into the bargain, you no doubt tra', ' draw so large a sum as a hundred a year, with what you earn into the bargain, you no doubt travel a', ' so large a sum as a hundred a year, with what you earn into the bargain, you no doubt travel a litt', 'arge a sum as a hundred a year, with what you earn into the bargain, you no doubt travel a little an', 'a sum as a hundred a year, with what you earn into the bargain, you no doubt travel a little and ind', ' as a hundred a year, with what you earn into the bargain, you no doubt travel a little and indulge ', ' hundred a year, with what you earn into the bargain, you no doubt travel a little and indulge yours', 'red a year, with what you earn into the bargain, you no doubt travel a little and indulge yourself i', ' year, with what you earn into the bargain, you no doubt travel a little and indulge yourself in eve', ', with what you earn into the bargain, you no doubt travel a little and indulge yourself in every wa', 'h what you earn into the bargain, you no doubt travel a little and indulge yourself in every way. i ', 't you earn into the bargain, you no doubt travel a little and indulge yourself in every way. i belie', ' earn into the bargain, you no doubt travel a little and indulge yourself in every way. i believe th', ' into the bargain, you no doubt travel a little and indulge yourself in every way. i believe that a ', ' the bargain, you no doubt travel a little and indulge yourself in every way. i believe that a singl', 'bargain, you no doubt travel a little and indulge yourself in every way. i believe that a single lad', 'in, you no doubt travel a little and indulge yourself in every way. i believe that a single lady can', 'ou no doubt travel a little and indulge yourself in every way. i believe that a single lady can get ', ' doubt travel a little and indulge yourself in every way. i believe that a single lady can get on ve', 't travel a little and indulge yourself in every way. i believe that a single lady can get on very ni', 'vel a little and indulge yourself in every way. i believe that a single lady can get on very nicely ', ' little and indulge yourself in every way. i believe that a single lady can get on very nicely upon ', 'le and indulge yourself in every way. i believe that a single lady can get on very nicely upon an in', 'd indulge yourself in every way. i believe that a single lady can get on very nicely upon an income ', 'ulge yourself in every way. i believe that a single lady can get on very nicely upon an income of ab', 'yourself in every way. i believe that a single lady can get on very nicely upon an income of about ', 'elf in every way. i believe that a single lady can get on very nicely upon an income of about pound', 'n every way. i believe that a single lady can get on very nicely upon an income of about pounds." "', 'ry way. i believe that a single lady can get on very nicely upon an income of about pounds." "i cou', 'y. i believe that a single lady can get on very nicely upon an income of about pounds." "i could do', 'believe that a single lady can get on very nicely upon an income of about pounds." "i could do with', 've that a single lady can get on very nicely upon an income of about pounds." "i could do with much', 'at a single lady can get on very nicely upon an income of about pounds." "i could do with much less', 'single lady can get on very nicely upon an income of about pounds." "i could do with much less than', 'e lady can get on very nicely upon an income of about pounds." "i could do with much less than that', 'y can get on very nicely upon an income of about pounds." "i could do with much less than that, mr.', ' get on very nicely upon an income of about pounds." "i could do with much less than that, mr. holm', 'on very nicely upon an income of about pounds." "i could do with much less than that, mr. holmes, b', 'ry nicely upon an income of about pounds." "i could do with much less than that, mr. holmes, but yo', 'cely upon an income of about pounds." "i could do with much less than that, mr. holmes, but you und', 'upon an income of about pounds." "i could do with much less than that, mr. holmes, but you understa', 'an income of about pounds." "i could do with much less than that, mr. holmes, but you understand th', 'come of about pounds." "i could do with much less than that, mr. holmes, but you understand that as', 'of about pounds." "i could do with much less than that, mr. holmes, but you understand that as long', 'out pounds." "i could do with much less than that, mr. holmes, but you understand that as long as i', 'pounds." "i could do with much less than that, mr. holmes, but you understand that as long as i live', 's." "i could do with much less than that, mr. holmes, but you understand that as long as i live at h', 'i could do with much less than that, mr. holmes, but you understand that as long as i live at home i', "ld do with much less than that, mr. holmes, but you understand that as long as i live at home i don'", " with much less than that, mr. holmes, but you understand that as long as i live at home i don't wis", " much less than that, mr. holmes, but you understand that as long as i live at home i don't wish to ", " less than that, mr. holmes, but you understand that as long as i live at home i don't wish to be a ", " than that, mr. holmes, but you understand that as long as i live at home i don't wish to be a burde", " that, mr. holmes, but you understand that as long as i live at home i don't wish to be a burden to ", ", mr. holmes, but you understand that as long as i live at home i don't wish to be a burden to them,", " holmes, but you understand that as long as i live at home i don't wish to be a burden to them, and ", "es, but you understand that as long as i live at home i don't wish to be a burden to them, and so th", "ut you understand that as long as i live at home i don't wish to be a burden to them, and so they ha", "u understand that as long as i live at home i don't wish to be a burden to them, and so they have th", "erstand that as long as i live at home i don't wish to be a burden to them, and so they have the use", "nd that as long as i live at home i don't wish to be a burden to them, and so they have the use of t", "at as long as i live at home i don't wish to be a burden to them, and so they have the use of the mo", " long as i live at home i don't wish to be a burden to them, and so they have the use of the money j", " as i live at home i don't wish to be a burden to them, and so they have the use of the money just w", " live at home i don't wish to be a burden to them, and so they have the use of the money just while ", " at home i don't wish to be a burden to them, and so they have the use of the money just while i am ", "ome i don't wish to be a burden to them, and so they have the use of the money just while i am stayi", " don't wish to be a burden to them, and so they have the use of the money just while i am staying wi", 't wish to be a burden to them, and so they have the use of the money just while i am staying with th', 'h to be a burden to them, and so they have the use of the money just while i am staying with them. o', 'be a burden to them, and so they have the use of the money just while i am staying with them. of cou', 'burden to them, and so they have the use of the money just while i am staying with them. of course, ', 'n to them, and so they have the use of the money just while i am staying with them. of course, that ', 'them, and so they have the use of the money just while i am staying with them. of course, that is on', ' and so they have the use of the money just while i am staying with them. of course, that is only ju', 'so they have the use of the money just while i am staying with them. of course, that is only just fo', 'ey have the use of the money just while i am staying with them. of course, that is only just for the', 've the use of the money just while i am staying with them. of course, that is only just for the time', 'e use of the money just while i am staying with them. of course, that is only just for the time. mr.', ' of the money just while i am staying with them. of course, that is only just for the time. mr. wind', 'he money just while i am staying with them. of course, that is only just for the time. mr. windibank', 'ney just while i am staying with them. of course, that is only just for the time. mr. windibank draw', 'ust while i am staying with them. of course, that is only just for the time. mr. windibank draws my ', 'hile i am staying with them. of course, that is only just for the time. mr. windibank draws my inter', 'i am staying with them. of course, that is only just for the time. mr. windibank draws my interest e', 'staying with them. of course, that is only just for the time. mr. windibank draws my interest every ', 'ng with them. of course, that is only just for the time. mr. windibank draws my interest every quart', 'th them. of course, that is only just for the time. mr. windibank draws my interest every quarter an', 'em. of course, that is only just for the time. mr. windibank draws my interest every quarter and pay', 'f course, that is only just for the time. mr. windibank draws my interest every quarter and pays it ', 'rse, that is only just for the time. mr. windibank draws my interest every quarter and pays it over ', 'that is only just for the time. mr. windibank draws my interest every quarter and pays it over to mo', 'is only just for the time. mr. windibank draws my interest every quarter and pays it over to mother,', 'ly just for the time. mr. windibank draws my interest every quarter and pays it over to mother, and ', 'st for the time. mr. windibank draws my interest every quarter and pays it over to mother, and i fin', 'r the time. mr. windibank draws my interest every quarter and pays it over to mother, and i find tha', ' time. mr. windibank draws my interest every quarter and pays it over to mother, and i find that i c', '. mr. windibank draws my interest every quarter and pays it over to mother, and i find that i can do', ' windibank draws my interest every quarter and pays it over to mother, and i find that i can do pret', 'ibank draws my interest every quarter and pays it over to mother, and i find that i can do pretty we', ' draws my interest every quarter and pays it over to mother, and i find that i can do pretty well wi', 's my interest every quarter and pays it over to mother, and i find that i can do pretty well with wh', 'interest every quarter and pays it over to mother, and i find that i can do pretty well with what i ', 'est every quarter and pays it over to mother, and i find that i can do pretty well with what i earn ', 'very quarter and pays it over to mother, and i find that i can do pretty well with what i earn at ty', 'quarter and pays it over to mother, and i find that i can do pretty well with what i earn at typewri', 'er and pays it over to mother, and i find that i can do pretty well with what i earn at typewriting.', 'd pays it over to mother, and i find that i can do pretty well with what i earn at typewriting. it b', 's it over to mother, and i find that i can do pretty well with what i earn at typewriting. it brings', 'over to mother, and i find that i can do pretty well with what i earn at typewriting. it brings me t', 'to mother, and i find that i can do pretty well with what i earn at typewriting. it brings me twopen', 'ther, and i find that i can do pretty well with what i earn at typewriting. it brings me twopence a ', ' and i find that i can do pretty well with what i earn at typewriting. it brings me twopence a sheet', 'i find that i can do pretty well with what i earn at typewriting. it brings me twopence a sheet, and', 'd that i can do pretty well with what i earn at typewriting. it brings me twopence a sheet, and i ca', 't i can do pretty well with what i earn at typewriting. it brings me twopence a sheet, and i can oft', 'an do pretty well with what i earn at typewriting. it brings me twopence a sheet, and i can often do', ' pretty well with what i earn at typewriting. it brings me twopence a sheet, and i can often do from', 'ty well with what i earn at typewriting. it brings me twopence a sheet, and i can often do from fift', 'll with what i earn at typewriting. it brings me twopence a sheet, and i can often do from fifteen t', 'th what i earn at typewriting. it brings me twopence a sheet, and i can often do from fifteen to twe', 'at i earn at typewriting. it brings me twopence a sheet, and i can often do from fifteen to twenty s', 'earn at typewriting. it brings me twopence a sheet, and i can often do from fifteen to twenty sheets', 'at typewriting. it brings me twopence a sheet, and i can often do from fifteen to twenty sheets in a', 'pewriting. it brings me twopence a sheet, and i can often do from fifteen to twenty sheets in a day.', 'ting. it brings me twopence a sheet, and i can often do from fifteen to twenty sheets in a day." "yo', ' it brings me twopence a sheet, and i can often do from fifteen to twenty sheets in a day." "you hav', 'rings me twopence a sheet, and i can often do from fifteen to twenty sheets in a day." "you have mad', ' me twopence a sheet, and i can often do from fifteen to twenty sheets in a day." "you have made you', 'wopence a sheet, and i can often do from fifteen to twenty sheets in a day." "you have made your pos', 'ce a sheet, and i can often do from fifteen to twenty sheets in a day." "you have made your position', 'sheet, and i can often do from fifteen to twenty sheets in a day." "you have made your position very', ', and i can often do from fifteen to twenty sheets in a day." "you have made your position very clea', ' i can often do from fifteen to twenty sheets in a day." "you have made your position very clear to ', 'n often do from fifteen to twenty sheets in a day." "you have made your position very clear to me," ', 'en do from fifteen to twenty sheets in a day." "you have made your position very clear to me," said ', ' from fifteen to twenty sheets in a day." "you have made your position very clear to me," said holme', ' fifteen to twenty sheets in a day." "you have made your position very clear to me," said holmes. "t', 'een to twenty sheets in a day." "you have made your position very clear to me," said holmes. "this i', 'o twenty sheets in a day." "you have made your position very clear to me," said holmes. "this is my ', 'nty sheets in a day." "you have made your position very clear to me," said holmes. "this is my frien', 'heets in a day." "you have made your position very clear to me," said holmes. "this is my friend, dr', ' in a day." "you have made your position very clear to me," said holmes. "this is my friend, dr. wat', ' day." "you have made your position very clear to me," said holmes. "this is my friend, dr. watson, ', '" "you have made your position very clear to me," said holmes. "this is my friend, dr. watson, befor', 'u have made your position very clear to me," said holmes. "this is my friend, dr. watson, before who', 'e made your position very clear to me," said holmes. "this is my friend, dr. watson, before whom you', 'e your position very clear to me," said holmes. "this is my friend, dr. watson, before whom you can ', 'r position very clear to me," said holmes. "this is my friend, dr. watson, before whom you can speak', 'ition very clear to me," said holmes. "this is my friend, dr. watson, before whom you can speak as f', ' very clear to me," said holmes. "this is my friend, dr. watson, before whom you can speak as freely', ' clear to me," said holmes. "this is my friend, dr. watson, before whom you can speak as freely as b', 'r to me," said holmes. "this is my friend, dr. watson, before whom you can speak as freely as before', 'me," said holmes. "this is my friend, dr. watson, before whom you can speak as freely as before myse', 'said holmes. "this is my friend, dr. watson, before whom you can speak as freely as before myself. k', 'holmes. "this is my friend, dr. watson, before whom you can speak as freely as before myself. kindly', 's. "this is my friend, dr. watson, before whom you can speak as freely as before myself. kindly tell', 'his is my friend, dr. watson, before whom you can speak as freely as before myself. kindly tell us n', 's my friend, dr. watson, before whom you can speak as freely as before myself. kindly tell us now al', 'friend, dr. watson, before whom you can speak as freely as before myself. kindly tell us now all abo', 'd, dr. watson, before whom you can speak as freely as before myself. kindly tell us now all about yo', '. watson, before whom you can speak as freely as before myself. kindly tell us now all about your co', 'son, before whom you can speak as freely as before myself. kindly tell us now all about your connect', 'before whom you can speak as freely as before myself. kindly tell us now all about your connection w', 'e whom you can speak as freely as before myself. kindly tell us now all about your connection with m', 'm you can speak as freely as before myself. kindly tell us now all about your connection with mr. ho', ' can speak as freely as before myself. kindly tell us now all about your connection with mr. hosmer ', 'speak as freely as before myself. kindly tell us now all about your connection with mr. hosmer angel', ' as freely as before myself. kindly tell us now all about your connection with mr. hosmer angel." a ', 'reely as before myself. kindly tell us now all about your connection with mr. hosmer angel." a flush', ' as before myself. kindly tell us now all about your connection with mr. hosmer angel." a flush stol', 'efore myself. kindly tell us now all about your connection with mr. hosmer angel." a flush stole ove', ' myself. kindly tell us now all about your connection with mr. hosmer angel." a flush stole over mis', 'lf. kindly tell us now all about your connection with mr. hosmer angel." a flush stole over miss sut', 'indly tell us now all about your connection with mr. hosmer angel." a flush stole over miss sutherla', ' tell us now all about your connection with mr. hosmer angel." a flush stole over miss sutherland\'s ', ' us now all about your connection with mr. hosmer angel." a flush stole over miss sutherland\'s face,', 'ow all about your connection with mr. hosmer angel." a flush stole over miss sutherland\'s face, and ', 'l about your connection with mr. hosmer angel." a flush stole over miss sutherland\'s face, and she p', 'ut your connection with mr. hosmer angel." a flush stole over miss sutherland\'s face, and she picked', 'ur connection with mr. hosmer angel." a flush stole over miss sutherland\'s face, and she picked nerv', 'nnection with mr. hosmer angel." a flush stole over miss sutherland\'s face, and she picked nervously', 'ion with mr. hosmer angel." a flush stole over miss sutherland\'s face, and she picked nervously at t', 'ith mr. hosmer angel." a flush stole over miss sutherland\'s face, and she picked nervously at the fr', 'r. hosmer angel." a flush stole over miss sutherland\'s face, and she picked nervously at the fringe ', 'smer angel." a flush stole over miss sutherland\'s face, and she picked nervously at the fringe of he', 'angel." a flush stole over miss sutherland\'s face, and she picked nervously at the fringe of her jac', '." a flush stole over miss sutherland\'s face, and she picked nervously at the fringe of her jacket. ', 'flush stole over miss sutherland\'s face, and she picked nervously at the fringe of her jacket. "i me', ' stole over miss sutherland\'s face, and she picked nervously at the fringe of her jacket. "i met him', 'e over miss sutherland\'s face, and she picked nervously at the fringe of her jacket. "i met him firs', 'r miss sutherland\'s face, and she picked nervously at the fringe of her jacket. "i met him first at ', 's sutherland\'s face, and she picked nervously at the fringe of her jacket. "i met him first at the g', 'herland\'s face, and she picked nervously at the fringe of her jacket. "i met him first at the gasfit', 'nd\'s face, and she picked nervously at the fringe of her jacket. "i met him first at the gasfitters\'', 'face, and she picked nervously at the fringe of her jacket. "i met him first at the gasfitters\' ball', ' and she picked nervously at the fringe of her jacket. "i met him first at the gasfitters\' ball," sh', 'she picked nervously at the fringe of her jacket. "i met him first at the gasfitters\' ball," she sai', 'icked nervously at the fringe of her jacket. "i met him first at the gasfitters\' ball," she said. "t', ' nervously at the fringe of her jacket. "i met him first at the gasfitters\' ball," she said. "they u', 'ously at the fringe of her jacket. "i met him first at the gasfitters\' ball," she said. "they used t', ' at the fringe of her jacket. "i met him first at the gasfitters\' ball," she said. "they used to sen', 'he fringe of her jacket. "i met him first at the gasfitters\' ball," she said. "they used to send fat', 'inge of her jacket. "i met him first at the gasfitters\' ball," she said. "they used to send father t', 'of her jacket. "i met him first at the gasfitters\' ball," she said. "they used to send father ticket', 'r jacket. "i met him first at the gasfitters\' ball," she said. "they used to send father tickets whe', 'ket. "i met him first at the gasfitters\' ball," she said. "they used to send father tickets when he ', '"i met him first at the gasfitters\' ball," she said. "they used to send father tickets when he was a', 't him first at the gasfitters\' ball," she said. "they used to send father tickets when he was alive,', ' first at the gasfitters\' ball," she said. "they used to send father tickets when he was alive, and ', 't at the gasfitters\' ball," she said. "they used to send father tickets when he was alive, and then ', 'the gasfitters\' ball," she said. "they used to send father tickets when he was alive, and then after', 'asfitters\' ball," she said. "they used to send father tickets when he was alive, and then afterwards', 'ters\' ball," she said. "they used to send father tickets when he was alive, and then afterwards they', ' ball," she said. "they used to send father tickets when he was alive, and then afterwards they reme', '," she said. "they used to send father tickets when he was alive, and then afterwards they remembere', 'e said. "they used to send father tickets when he was alive, and then afterwards they remembered us,', 'd. "they used to send father tickets when he was alive, and then afterwards they remembered us, and ', 'hey used to send father tickets when he was alive, and then afterwards they remembered us, and sent ', 'sed to send father tickets when he was alive, and then afterwards they remembered us, and sent them ', 'o send father tickets when he was alive, and then afterwards they remembered us, and sent them to mo', 'd father tickets when he was alive, and then afterwards they remembered us, and sent them to mother.', 'her tickets when he was alive, and then afterwards they remembered us, and sent them to mother. mr. ', 'ickets when he was alive, and then afterwards they remembered us, and sent them to mother. mr. windi', 's when he was alive, and then afterwards they remembered us, and sent them to mother. mr. windibank ', 'n he was alive, and then afterwards they remembered us, and sent them to mother. mr. windibank did n', 'was alive, and then afterwards they remembered us, and sent them to mother. mr. windibank did not wi', 'live, and then afterwards they remembered us, and sent them to mother. mr. windibank did not wish us', ' and then afterwards they remembered us, and sent them to mother. mr. windibank did not wish us to g', 'then afterwards they remembered us, and sent them to mother. mr. windibank did not wish us to go. he', 'afterwards they remembered us, and sent them to mother. mr. windibank did not wish us to go. he neve', 'wards they remembered us, and sent them to mother. mr. windibank did not wish us to go. he never did', ' they remembered us, and sent them to mother. mr. windibank did not wish us to go. he never did wish', ' remembered us, and sent them to mother. mr. windibank did not wish us to go. he never did wish us t', 'mbered us, and sent them to mother. mr. windibank did not wish us to go. he never did wish us to go ', 'd us, and sent them to mother. mr. windibank did not wish us to go. he never did wish us to go anywh', ' and sent them to mother. mr. windibank did not wish us to go. he never did wish us to go anywhere. ', 'sent them to mother. mr. windibank did not wish us to go. he never did wish us to go anywhere. he wo', 'them to mother. mr. windibank did not wish us to go. he never did wish us to go anywhere. he would g', 'to mother. mr. windibank did not wish us to go. he never did wish us to go anywhere. he would get qu', 'ther. mr. windibank did not wish us to go. he never did wish us to go anywhere. he would get quite m', ' mr. windibank did not wish us to go. he never did wish us to go anywhere. he would get quite mad if', 'windibank did not wish us to go. he never did wish us to go anywhere. he would get quite mad if i wa', 'bank did not wish us to go. he never did wish us to go anywhere. he would get quite mad if i wanted ', 'did not wish us to go. he never did wish us to go anywhere. he would get quite mad if i wanted so mu', 'ot wish us to go. he never did wish us to go anywhere. he would get quite mad if i wanted so much as', 'sh us to go. he never did wish us to go anywhere. he would get quite mad if i wanted so much as to j', ' to go. he never did wish us to go anywhere. he would get quite mad if i wanted so much as to join a', 'o. he never did wish us to go anywhere. he would get quite mad if i wanted so much as to join a sund', ' never did wish us to go anywhere. he would get quite mad if i wanted so much as to join a sunday-sc', 'r did wish us to go anywhere. he would get quite mad if i wanted so much as to join a sunday-school ', ' wish us to go anywhere. he would get quite mad if i wanted so much as to join a sunday-school treat', ' us to go anywhere. he would get quite mad if i wanted so much as to join a sunday-school treat. but', 'o go anywhere. he would get quite mad if i wanted so much as to join a sunday-school treat. but this', 'anywhere. he would get quite mad if i wanted so much as to join a sunday-school treat. but this time', 'ere. he would get quite mad if i wanted so much as to join a sunday-school treat. but this time i wa', 'he would get quite mad if i wanted so much as to join a sunday-school treat. but this time i was set', 'uld get quite mad if i wanted so much as to join a sunday-school treat. but this time i was set on g', 'et quite mad if i wanted so much as to join a sunday-school treat. but this time i was set on going,', 'ite mad if i wanted so much as to join a sunday-school treat. but this time i was set on going, and ', 'ad if i wanted so much as to join a sunday-school treat. but this time i was set on going, and i wou', ' i wanted so much as to join a sunday-school treat. but this time i was set on going, and i would go', 'nted so much as to join a sunday-school treat. but this time i was set on going, and i would go; for', 'so much as to join a sunday-school treat. but this time i was set on going, and i would go; for what', 'ch as to join a sunday-school treat. but this time i was set on going, and i would go; for what righ', ' to join a sunday-school treat. but this time i was set on going, and i would go; for what right had', 'oin a sunday-school treat. but this time i was set on going, and i would go; for what right had he t', ' sunday-school treat. but this time i was set on going, and i would go; for what right had he to pre', 'ay-school treat. but this time i was set on going, and i would go; for what right had he to prevent?', 'hool treat. but this time i was set on going, and i would go; for what right had he to prevent? he s', 'treat. but this time i was set on going, and i would go; for what right had he to prevent? he said t', '. but this time i was set on going, and i would go; for what right had he to prevent? he said the fo', ' this time i was set on going, and i would go; for what right had he to prevent? he said the folk we', ' time i was set on going, and i would go; for what right had he to prevent? he said the folk were no', ' i was set on going, and i would go; for what right had he to prevent? he said the folk were not fit', 's set on going, and i would go; for what right had he to prevent? he said the folk were not fit for ', ' on going, and i would go; for what right had he to prevent? he said the folk were not fit for us to', 'oing, and i would go; for what right had he to prevent? he said the folk were not fit for us to know', ' and i would go; for what right had he to prevent? he said the folk were not fit for us to know, whe', 'i would go; for what right had he to prevent? he said the folk were not fit for us to know, when all', 'ld go; for what right had he to prevent? he said the folk were not fit for us to know, when all fath', "; for what right had he to prevent? he said the folk were not fit for us to know, when all father's ", " what right had he to prevent? he said the folk were not fit for us to know, when all father's frien", " right had he to prevent? he said the folk were not fit for us to know, when all father's friends we", "t had he to prevent? he said the folk were not fit for us to know, when all father's friends were to", " he to prevent? he said the folk were not fit for us to know, when all father's friends were to be t", "o prevent? he said the folk were not fit for us to know, when all father's friends were to be there.", "vent? he said the folk were not fit for us to know, when all father's friends were to be there. and ", " he said the folk were not fit for us to know, when all father's friends were to be there. and he sa", "aid the folk were not fit for us to know, when all father's friends were to be there. and he said th", "he folk were not fit for us to know, when all father's friends were to be there. and he said that i ", "lk were not fit for us to know, when all father's friends were to be there. and he said that i had n", "re not fit for us to know, when all father's friends were to be there. and he said that i had nothin", "t fit for us to know, when all father's friends were to be there. and he said that i had nothing fit", " for us to know, when all father's friends were to be there. and he said that i had nothing fit to w", "us to know, when all father's friends were to be there. and he said that i had nothing fit to wear, ", " know, when all father's friends were to be there. and he said that i had nothing fit to wear, when ", ", when all father's friends were to be there. and he said that i had nothing fit to wear, when i had", "n all father's friends were to be there. and he said that i had nothing fit to wear, when i had my p", " father's friends were to be there. and he said that i had nothing fit to wear, when i had my purple", "er's friends were to be there. and he said that i had nothing fit to wear, when i had my purple plus", 'friends were to be there. and he said that i had nothing fit to wear, when i had my purple plush tha', 'ds were to be there. and he said that i had nothing fit to wear, when i had my purple plush that i h', 're to be there. and he said that i had nothing fit to wear, when i had my purple plush that i had ne', ' be there. and he said that i had nothing fit to wear, when i had my purple plush that i had never s', 'here. and he said that i had nothing fit to wear, when i had my purple plush that i had never so muc', ' and he said that i had nothing fit to wear, when i had my purple plush that i had never so much as ', 'he said that i had nothing fit to wear, when i had my purple plush that i had never so much as taken', 'id that i had nothing fit to wear, when i had my purple plush that i had never so much as taken out ', 'at i had nothing fit to wear, when i had my purple plush that i had never so much as taken out of th', 'had nothing fit to wear, when i had my purple plush that i had never so much as taken out of the dra', 'othing fit to wear, when i had my purple plush that i had never so much as taken out of the drawer. ', 'g fit to wear, when i had my purple plush that i had never so much as taken out of the drawer. at la', ' to wear, when i had my purple plush that i had never so much as taken out of the drawer. at last, w', 'ear, when i had my purple plush that i had never so much as taken out of the drawer. at last, when n', 'when i had my purple plush that i had never so much as taken out of the drawer. at last, when nothin', 'i had my purple plush that i had never so much as taken out of the drawer. at last, when nothing els', ' my purple plush that i had never so much as taken out of the drawer. at last, when nothing else wou', 'urple plush that i had never so much as taken out of the drawer. at last, when nothing else would do', ' plush that i had never so much as taken out of the drawer. at last, when nothing else would do, he ', 'h that i had never so much as taken out of the drawer. at last, when nothing else would do, he went ', 't i had never so much as taken out of the drawer. at last, when nothing else would do, he went off t', 'ad never so much as taken out of the drawer. at last, when nothing else would do, he went off to fra', 'ver so much as taken out of the drawer. at last, when nothing else would do, he went off to france u', 'o much as taken out of the drawer. at last, when nothing else would do, he went off to france upon t', 'h as taken out of the drawer. at last, when nothing else would do, he went off to france upon the bu', 'taken out of the drawer. at last, when nothing else would do, he went off to france upon the busines', ' out of the drawer. at last, when nothing else would do, he went off to france upon the business of ', 'of the drawer. at last, when nothing else would do, he went off to france upon the business of the f', 'e drawer. at last, when nothing else would do, he went off to france upon the business of the firm, ', 'wer. at last, when nothing else would do, he went off to france upon the business of the firm, but w', 'at last, when nothing else would do, he went off to france upon the business of the firm, but we wen', 'st, when nothing else would do, he went off to france upon the business of the firm, but we went, mo', 'hen nothing else would do, he went off to france upon the business of the firm, but we went, mother ', 'othing else would do, he went off to france upon the business of the firm, but we went, mother and i', 'g else would do, he went off to france upon the business of the firm, but we went, mother and i, wit', 'e would do, he went off to france upon the business of the firm, but we went, mother and i, with mr.', 'ld do, he went off to france upon the business of the firm, but we went, mother and i, with mr. hard', ', he went off to france upon the business of the firm, but we went, mother and i, with mr. hardy, wh', 'went off to france upon the business of the firm, but we went, mother and i, with mr. hardy, who use', 'off to france upon the business of the firm, but we went, mother and i, with mr. hardy, who used to ', 'o france upon the business of the firm, but we went, mother and i, with mr. hardy, who used to be ou', 'nce upon the business of the firm, but we went, mother and i, with mr. hardy, who used to be our for', 'pon the business of the firm, but we went, mother and i, with mr. hardy, who used to be our foreman,', 'he business of the firm, but we went, mother and i, with mr. hardy, who used to be our foreman, and ', 'siness of the firm, but we went, mother and i, with mr. hardy, who used to be our foreman, and it wa', 's of the firm, but we went, mother and i, with mr. hardy, who used to be our foreman, and it was the', 'the firm, but we went, mother and i, with mr. hardy, who used to be our foreman, and it was there i ', 'irm, but we went, mother and i, with mr. hardy, who used to be our foreman, and it was there i met m', 'but we went, mother and i, with mr. hardy, who used to be our foreman, and it was there i met mr. ho', 'e went, mother and i, with mr. hardy, who used to be our foreman, and it was there i met mr. hosmer ', 't, mother and i, with mr. hardy, who used to be our foreman, and it was there i met mr. hosmer angel', 'ther and i, with mr. hardy, who used to be our foreman, and it was there i met mr. hosmer angel." "i', 'and i, with mr. hardy, who used to be our foreman, and it was there i met mr. hosmer angel." "i supp', ', with mr. hardy, who used to be our foreman, and it was there i met mr. hosmer angel." "i suppose,"', 'h mr. hardy, who used to be our foreman, and it was there i met mr. hosmer angel." "i suppose," said', ' hardy, who used to be our foreman, and it was there i met mr. hosmer angel." "i suppose," said holm', 'y, who used to be our foreman, and it was there i met mr. hosmer angel." "i suppose," said holmes, "', 'o used to be our foreman, and it was there i met mr. hosmer angel." "i suppose," said holmes, "that ', 'd to be our foreman, and it was there i met mr. hosmer angel." "i suppose," said holmes, "that when ', 'be our foreman, and it was there i met mr. hosmer angel." "i suppose," said holmes, "that when mr. w', 'r foreman, and it was there i met mr. hosmer angel." "i suppose," said holmes, "that when mr. windib', 'eman, and it was there i met mr. hosmer angel." "i suppose," said holmes, "that when mr. windibank c', ' and it was there i met mr. hosmer angel." "i suppose," said holmes, "that when mr. windibank came b', 'it was there i met mr. hosmer angel." "i suppose," said holmes, "that when mr. windibank came back f', 's there i met mr. hosmer angel." "i suppose," said holmes, "that when mr. windibank came back from f', 're i met mr. hosmer angel." "i suppose," said holmes, "that when mr. windibank came back from france', 'met mr. hosmer angel." "i suppose," said holmes, "that when mr. windibank came back from france he w', 'r. hosmer angel." "i suppose," said holmes, "that when mr. windibank came back from france he was ve', 'smer angel." "i suppose," said holmes, "that when mr. windibank came back from france he was very an', 'angel." "i suppose," said holmes, "that when mr. windibank came back from france he was very annoyed', '." "i suppose," said holmes, "that when mr. windibank came back from france he was very annoyed at y', ' suppose," said holmes, "that when mr. windibank came back from france he was very annoyed at your h', 'ose," said holmes, "that when mr. windibank came back from france he was very annoyed at your having', ' said holmes, "that when mr. windibank came back from france he was very annoyed at your having gone', ' holmes, "that when mr. windibank came back from france he was very annoyed at your having gone to t', 'es, "that when mr. windibank came back from france he was very annoyed at your having gone to the ba', 'that when mr. windibank came back from france he was very annoyed at your having gone to the ball." ', 'when mr. windibank came back from france he was very annoyed at your having gone to the ball." "oh, ', 'mr. windibank came back from france he was very annoyed at your having gone to the ball." "oh, well,', 'indibank came back from france he was very annoyed at your having gone to the ball." "oh, well, he w', 'ank came back from france he was very annoyed at your having gone to the ball." "oh, well, he was ve', 'ame back from france he was very annoyed at your having gone to the ball." "oh, well, he was very go', 'ack from france he was very annoyed at your having gone to the ball." "oh, well, he was very good ab', 'rom france he was very annoyed at your having gone to the ball." "oh, well, he was very good about i', 'rance he was very annoyed at your having gone to the ball." "oh, well, he was very good about it. he', ' he was very annoyed at your having gone to the ball." "oh, well, he was very good about it. he laug', 'as very annoyed at your having gone to the ball." "oh, well, he was very good about it. he laughed, ', 'ry annoyed at your having gone to the ball." "oh, well, he was very good about it. he laughed, i rem', 'noyed at your having gone to the ball." "oh, well, he was very good about it. he laughed, i remember', ' at your having gone to the ball." "oh, well, he was very good about it. he laughed, i remember, and', 'our having gone to the ball." "oh, well, he was very good about it. he laughed, i remember, and shru', 'aving gone to the ball." "oh, well, he was very good about it. he laughed, i remember, and shrugged ', ' gone to the ball." "oh, well, he was very good about it. he laughed, i remember, and shrugged his s', ' to the ball." "oh, well, he was very good about it. he laughed, i remember, and shrugged his should', 'he ball." "oh, well, he was very good about it. he laughed, i remember, and shrugged his shoulders, ', 'll." "oh, well, he was very good about it. he laughed, i remember, and shrugged his shoulders, and s', '"oh, well, he was very good about it. he laughed, i remember, and shrugged his shoulders, and said t', 'well, he was very good about it. he laughed, i remember, and shrugged his shoulders, and said there ', ' he was very good about it. he laughed, i remember, and shrugged his shoulders, and said there was n', 'as very good about it. he laughed, i remember, and shrugged his shoulders, and said there was no use', 'ry good about it. he laughed, i remember, and shrugged his shoulders, and said there was no use deny', 'od about it. he laughed, i remember, and shrugged his shoulders, and said there was no use denying a', 'out it. he laughed, i remember, and shrugged his shoulders, and said there was no use denying anythi', 't. he laughed, i remember, and shrugged his shoulders, and said there was no use denying anything to', ' laughed, i remember, and shrugged his shoulders, and said there was no use denying anything to a wo', 'hed, i remember, and shrugged his shoulders, and said there was no use denying anything to a woman, ', 'i remember, and shrugged his shoulders, and said there was no use denying anything to a woman, for s', 'ember, and shrugged his shoulders, and said there was no use denying anything to a woman, for she wo', ', and shrugged his shoulders, and said there was no use denying anything to a woman, for she would h', ' shrugged his shoulders, and said there was no use denying anything to a woman, for she would have h', 'gged his shoulders, and said there was no use denying anything to a woman, for she would have her wa', 'his shoulders, and said there was no use denying anything to a woman, for she would have her way." "', 'houlders, and said there was no use denying anything to a woman, for she would have her way." "i see', 'ers, and said there was no use denying anything to a woman, for she would have her way." "i see. the', 'and said there was no use denying anything to a woman, for she would have her way." "i see. then at ', 'aid there was no use denying anything to a woman, for she would have her way." "i see. then at the g', 'here was no use denying anything to a woman, for she would have her way." "i see. then at the gasfit', 'was no use denying anything to a woman, for she would have her way." "i see. then at the gasfitters\'', 'o use denying anything to a woman, for she would have her way." "i see. then at the gasfitters\' ball', ' denying anything to a woman, for she would have her way." "i see. then at the gasfitters\' ball you ', 'ing anything to a woman, for she would have her way." "i see. then at the gasfitters\' ball you met, ', 'nything to a woman, for she would have her way." "i see. then at the gasfitters\' ball you met, as i ', 'ng to a woman, for she would have her way." "i see. then at the gasfitters\' ball you met, as i under', ' a woman, for she would have her way." "i see. then at the gasfitters\' ball you met, as i understand', 'man, for she would have her way." "i see. then at the gasfitters\' ball you met, as i understand, a g', 'for she would have her way." "i see. then at the gasfitters\' ball you met, as i understand, a gentle', 'he would have her way." "i see. then at the gasfitters\' ball you met, as i understand, a gentleman c', 'uld have her way." "i see. then at the gasfitters\' ball you met, as i understand, a gentleman called', 'ave her way." "i see. then at the gasfitters\' ball you met, as i understand, a gentleman called mr. ', 'er way." "i see. then at the gasfitters\' ball you met, as i understand, a gentleman called mr. hosme', 'y." "i see. then at the gasfitters\' ball you met, as i understand, a gentleman called mr. hosmer ang', 'i see. then at the gasfitters\' ball you met, as i understand, a gentleman called mr. hosmer angel." ', '. then at the gasfitters\' ball you met, as i understand, a gentleman called mr. hosmer angel." "yes,', 'n at the gasfitters\' ball you met, as i understand, a gentleman called mr. hosmer angel." "yes, sir.', 'the gasfitters\' ball you met, as i understand, a gentleman called mr. hosmer angel." "yes, sir. i me', 'asfitters\' ball you met, as i understand, a gentleman called mr. hosmer angel." "yes, sir. i met him', 'ters\' ball you met, as i understand, a gentleman called mr. hosmer angel." "yes, sir. i met him that', ' ball you met, as i understand, a gentleman called mr. hosmer angel." "yes, sir. i met him that nigh', ' you met, as i understand, a gentleman called mr. hosmer angel." "yes, sir. i met him that night, an', 'met, as i understand, a gentleman called mr. hosmer angel." "yes, sir. i met him that night, and he ', 'as i understand, a gentleman called mr. hosmer angel." "yes, sir. i met him that night, and he calle', 'understand, a gentleman called mr. hosmer angel." "yes, sir. i met him that night, and he called nex', 'stand, a gentleman called mr. hosmer angel." "yes, sir. i met him that night, and he called next day', ', a gentleman called mr. hosmer angel." "yes, sir. i met him that night, and he called next day to a', 'entleman called mr. hosmer angel." "yes, sir. i met him that night, and he called next day to ask if', 'man called mr. hosmer angel." "yes, sir. i met him that night, and he called next day to ask if we h', 'alled mr. hosmer angel." "yes, sir. i met him that night, and he called next day to ask if we had go', ' mr. hosmer angel." "yes, sir. i met him that night, and he called next day to ask if we had got hom', 'hosmer angel." "yes, sir. i met him that night, and he called next day to ask if we had got home all', 'r angel." "yes, sir. i met him that night, and he called next day to ask if we had got home all safe', 'el." "yes, sir. i met him that night, and he called next day to ask if we had got home all safe, and', '"yes, sir. i met him that night, and he called next day to ask if we had got home all safe, and afte', ' sir. i met him that night, and he called next day to ask if we had got home all safe, and after tha', ' i met him that night, and he called next day to ask if we had got home all safe, and after that we ', 't him that night, and he called next day to ask if we had got home all safe, and after that we met h', ' that night, and he called next day to ask if we had got home all safe, and after that we met himtha', ' night, and he called next day to ask if we had got home all safe, and after that we met himthat is ', 't, and he called next day to ask if we had got home all safe, and after that we met himthat is to sa', 'd he called next day to ask if we had got home all safe, and after that we met himthat is to say, mr', 'called next day to ask if we had got home all safe, and after that we met himthat is to say, mr. hol', 'd next day to ask if we had got home all safe, and after that we met himthat is to say, mr. holmes, ', 't day to ask if we had got home all safe, and after that we met himthat is to say, mr. holmes, i met', ' to ask if we had got home all safe, and after that we met himthat is to say, mr. holmes, i met him ', 'sk if we had got home all safe, and after that we met himthat is to say, mr. holmes, i met him twice', ' we had got home all safe, and after that we met himthat is to say, mr. holmes, i met him twice for ', 'ad got home all safe, and after that we met himthat is to say, mr. holmes, i met him twice for walks', 't home all safe, and after that we met himthat is to say, mr. holmes, i met him twice for walks, but', 'e all safe, and after that we met himthat is to say, mr. holmes, i met him twice for walks, but afte', ' safe, and after that we met himthat is to say, mr. holmes, i met him twice for walks, but after tha', ', and after that we met himthat is to say, mr. holmes, i met him twice for walks, but after that fat', ' after that we met himthat is to say, mr. holmes, i met him twice for walks, but after that father c', 'r that we met himthat is to say, mr. holmes, i met him twice for walks, but after that father came b', 't we met himthat is to say, mr. holmes, i met him twice for walks, but after that father came back a', 'met himthat is to say, mr. holmes, i met him twice for walks, but after that father came back again,', 'imthat is to say, mr. holmes, i met him twice for walks, but after that father came back again, and ', 't is to say, mr. holmes, i met him twice for walks, but after that father came back again, and mr. h', 'to say, mr. holmes, i met him twice for walks, but after that father came back again, and mr. hosmer', 'y, mr. holmes, i met him twice for walks, but after that father came back again, and mr. hosmer ange', '. holmes, i met him twice for walks, but after that father came back again, and mr. hosmer angel cou', 'mes, i met him twice for walks, but after that father came back again, and mr. hosmer angel could no', 'i met him twice for walks, but after that father came back again, and mr. hosmer angel could not com', ' him twice for walks, but after that father came back again, and mr. hosmer angel could not come to ', 'twice for walks, but after that father came back again, and mr. hosmer angel could not come to the h', ' for walks, but after that father came back again, and mr. hosmer angel could not come to the house ', 'walks, but after that father came back again, and mr. hosmer angel could not come to the house any m', ', but after that father came back again, and mr. hosmer angel could not come to the house any more."', ' after that father came back again, and mr. hosmer angel could not come to the house any more." "no?', 'r that father came back again, and mr. hosmer angel could not come to the house any more." "no?" "we', 't father came back again, and mr. hosmer angel could not come to the house any more." "no?" "well, y', 'her came back again, and mr. hosmer angel could not come to the house any more." "no?" "well, you kn', 'ame back again, and mr. hosmer angel could not come to the house any more." "no?" "well, you know fa', 'ack again, and mr. hosmer angel could not come to the house any more." "no?" "well, you know father ', 'gain, and mr. hosmer angel could not come to the house any more." "no?" "well, you know father didn\'', ' and mr. hosmer angel could not come to the house any more." "no?" "well, you know father didn\'t lik', 'mr. hosmer angel could not come to the house any more." "no?" "well, you know father didn\'t like any', 'osmer angel could not come to the house any more." "no?" "well, you know father didn\'t like anything', ' angel could not come to the house any more." "no?" "well, you know father didn\'t like anything of t', 'l could not come to the house any more." "no?" "well, you know father didn\'t like anything of the so', 'ld not come to the house any more." "no?" "well, you know father didn\'t like anything of the sort. h', 't come to the house any more." "no?" "well, you know father didn\'t like anything of the sort. he wou', 'e to the house any more." "no?" "well, you know father didn\'t like anything of the sort. he wouldn\'t', 'the house any more." "no?" "well, you know father didn\'t like anything of the sort. he wouldn\'t have', 'ouse any more." "no?" "well, you know father didn\'t like anything of the sort. he wouldn\'t have any ', 'any more." "no?" "well, you know father didn\'t like anything of the sort. he wouldn\'t have any visit', 'ore." "no?" "well, you know father didn\'t like anything of the sort. he wouldn\'t have any visitors i', ' "no?" "well, you know father didn\'t like anything of the sort. he wouldn\'t have any visitors if he ', '" "well, you know father didn\'t like anything of the sort. he wouldn\'t have any visitors if he could', "ll, you know father didn't like anything of the sort. he wouldn't have any visitors if he could help", "ou know father didn't like anything of the sort. he wouldn't have any visitors if he could help it, ", "ow father didn't like anything of the sort. he wouldn't have any visitors if he could help it, and h", "ther didn't like anything of the sort. he wouldn't have any visitors if he could help it, and he use", "didn't like anything of the sort. he wouldn't have any visitors if he could help it, and he used to ", "t like anything of the sort. he wouldn't have any visitors if he could help it, and he used to say t", "e anything of the sort. he wouldn't have any visitors if he could help it, and he used to say that a", "thing of the sort. he wouldn't have any visitors if he could help it, and he used to say that a woma", " of the sort. he wouldn't have any visitors if he could help it, and he used to say that a woman sho", "he sort. he wouldn't have any visitors if he could help it, and he used to say that a woman should b", "rt. he wouldn't have any visitors if he could help it, and he used to say that a woman should be hap", "e wouldn't have any visitors if he could help it, and he used to say that a woman should be happy in", "ldn't have any visitors if he could help it, and he used to say that a woman should be happy in her ", ' have any visitors if he could help it, and he used to say that a woman should be happy in her own f', ' any visitors if he could help it, and he used to say that a woman should be happy in her own family', 'visitors if he could help it, and he used to say that a woman should be happy in her own family circ', 'ors if he could help it, and he used to say that a woman should be happy in her own family circle. b', 'f he could help it, and he used to say that a woman should be happy in her own family circle. but th', 'could help it, and he used to say that a woman should be happy in her own family circle. but then, a', ' help it, and he used to say that a woman should be happy in her own family circle. but then, as i u', ' it, and he used to say that a woman should be happy in her own family circle. but then, as i used t', 'and he used to say that a woman should be happy in her own family circle. but then, as i used to say', 'e used to say that a woman should be happy in her own family circle. but then, as i used to say to m', 'd to say that a woman should be happy in her own family circle. but then, as i used to say to mother', 'say that a woman should be happy in her own family circle. but then, as i used to say to mother, a w', 'hat a woman should be happy in her own family circle. but then, as i used to say to mother, a woman ', ' woman should be happy in her own family circle. but then, as i used to say to mother, a woman wants', 'n should be happy in her own family circle. but then, as i used to say to mother, a woman wants her ', 'uld be happy in her own family circle. but then, as i used to say to mother, a woman wants her own c', 'e happy in her own family circle. but then, as i used to say to mother, a woman wants her own circle', 'py in her own family circle. but then, as i used to say to mother, a woman wants her own circle to b', ' her own family circle. but then, as i used to say to mother, a woman wants her own circle to begin ', 'own family circle. but then, as i used to say to mother, a woman wants her own circle to begin with,', 'amily circle. but then, as i used to say to mother, a woman wants her own circle to begin with, and ', ' circle. but then, as i used to say to mother, a woman wants her own circle to begin with, and i had', 'le. but then, as i used to say to mother, a woman wants her own circle to begin with, and i had not ', 'ut then, as i used to say to mother, a woman wants her own circle to begin with, and i had not got m', 'en, as i used to say to mother, a woman wants her own circle to begin with, and i had not got mine y', 's i used to say to mother, a woman wants her own circle to begin with, and i had not got mine yet." ', 'sed to say to mother, a woman wants her own circle to begin with, and i had not got mine yet." "but ', 'o say to mother, a woman wants her own circle to begin with, and i had not got mine yet." "but how a', ' to mother, a woman wants her own circle to begin with, and i had not got mine yet." "but how about ', 'other, a woman wants her own circle to begin with, and i had not got mine yet." "but how about mr. h', ', a woman wants her own circle to begin with, and i had not got mine yet." "but how about mr. hosmer', 'oman wants her own circle to begin with, and i had not got mine yet." "but how about mr. hosmer ange', 'wants her own circle to begin with, and i had not got mine yet." "but how about mr. hosmer angel? di', ' her own circle to begin with, and i had not got mine yet." "but how about mr. hosmer angel? did he ', 'own circle to begin with, and i had not got mine yet." "but how about mr. hosmer angel? did he make ', 'ircle to begin with, and i had not got mine yet." "but how about mr. hosmer angel? did he make no at', ' to begin with, and i had not got mine yet." "but how about mr. hosmer angel? did he make no attempt', 'egin with, and i had not got mine yet." "but how about mr. hosmer angel? did he make no attempt to s', 'with, and i had not got mine yet." "but how about mr. hosmer angel? did he make no attempt to see yo', ' and i had not got mine yet." "but how about mr. hosmer angel? did he make no attempt to see you?" "', 'i had not got mine yet." "but how about mr. hosmer angel? did he make no attempt to see you?" "well,', ' not got mine yet." "but how about mr. hosmer angel? did he make no attempt to see you?" "well, fath', 'got mine yet." "but how about mr. hosmer angel? did he make no attempt to see you?" "well, father wa', 'ine yet." "but how about mr. hosmer angel? did he make no attempt to see you?" "well, father was goi', 'et." "but how about mr. hosmer angel? did he make no attempt to see you?" "well, father was going of', '"but how about mr. hosmer angel? did he make no attempt to see you?" "well, father was going off to ', 'how about mr. hosmer angel? did he make no attempt to see you?" "well, father was going off to franc', 'bout mr. hosmer angel? did he make no attempt to see you?" "well, father was going off to france aga', 'mr. hosmer angel? did he make no attempt to see you?" "well, father was going off to france again in', 'osmer angel? did he make no attempt to see you?" "well, father was going off to france again in a we', ' angel? did he make no attempt to see you?" "well, father was going off to france again in a week, a', 'l? did he make no attempt to see you?" "well, father was going off to france again in a week, and ho', 'd he make no attempt to see you?" "well, father was going off to france again in a week, and hosmer ', 'make no attempt to see you?" "well, father was going off to france again in a week, and hosmer wrote', 'no attempt to see you?" "well, father was going off to france again in a week, and hosmer wrote and ', 'tempt to see you?" "well, father was going off to france again in a week, and hosmer wrote and said ', ' to see you?" "well, father was going off to france again in a week, and hosmer wrote and said that ', 'ee you?" "well, father was going off to france again in a week, and hosmer wrote and said that it wo', 'u?" "well, father was going off to france again in a week, and hosmer wrote and said that it would b', 'well, father was going off to france again in a week, and hosmer wrote and said that it would be saf', ' father was going off to france again in a week, and hosmer wrote and said that it would be safer an', 'er was going off to france again in a week, and hosmer wrote and said that it would be safer and bet', 's going off to france again in a week, and hosmer wrote and said that it would be safer and better n', 'ng off to france again in a week, and hosmer wrote and said that it would be safer and better not to', 'f to france again in a week, and hosmer wrote and said that it would be safer and better not to see ', 'france again in a week, and hosmer wrote and said that it would be safer and better not to see each ', 'e again in a week, and hosmer wrote and said that it would be safer and better not to see each other', 'in in a week, and hosmer wrote and said that it would be safer and better not to see each other unti', ' a week, and hosmer wrote and said that it would be safer and better not to see each other until he ', 'ek, and hosmer wrote and said that it would be safer and better not to see each other until he had g', 'nd hosmer wrote and said that it would be safer and better not to see each other until he had gone. ', 'smer wrote and said that it would be safer and better not to see each other until he had gone. we co', 'wrote and said that it would be safer and better not to see each other until he had gone. we could w', ' and said that it would be safer and better not to see each other until he had gone. we could write ', 'said that it would be safer and better not to see each other until he had gone. we could write in th', 'that it would be safer and better not to see each other until he had gone. we could write in the mea', 'it would be safer and better not to see each other until he had gone. we could write in the meantime', 'uld be safer and better not to see each other until he had gone. we could write in the meantime, and', 'e safer and better not to see each other until he had gone. we could write in the meantime, and he u', 'er and better not to see each other until he had gone. we could write in the meantime, and he used t', 'd better not to see each other until he had gone. we could write in the meantime, and he used to wri', 'ter not to see each other until he had gone. we could write in the meantime, and he used to write ev', 'ot to see each other until he had gone. we could write in the meantime, and he used to write every d', ' see each other until he had gone. we could write in the meantime, and he used to write every day. i', 'each other until he had gone. we could write in the meantime, and he used to write every day. i took', 'other until he had gone. we could write in the meantime, and he used to write every day. i took the ', ' until he had gone. we could write in the meantime, and he used to write every day. i took the lette', 'l he had gone. we could write in the meantime, and he used to write every day. i took the letters in', 'had gone. we could write in the meantime, and he used to write every day. i took the letters in in t', 'one. we could write in the meantime, and he used to write every day. i took the letters in in the mo', 'we could write in the meantime, and he used to write every day. i took the letters in in the morning', 'uld write in the meantime, and he used to write every day. i took the letters in in the morning, so ', 'rite in the meantime, and he used to write every day. i took the letters in in the morning, so there', 'in the meantime, and he used to write every day. i took the letters in in the morning, so there was ', 'e meantime, and he used to write every day. i took the letters in in the morning, so there was no ne', 'ntime, and he used to write every day. i took the letters in in the morning, so there was no need fo', ', and he used to write every day. i took the letters in in the morning, so there was no need for fat', ' he used to write every day. i took the letters in in the morning, so there was no need for father t', 'sed to write every day. i took the letters in in the morning, so there was no need for father to kno', 'o write every day. i took the letters in in the morning, so there was no need for father to know." "', 'te every day. i took the letters in in the morning, so there was no need for father to know." "were ', 'ery day. i took the letters in in the morning, so there was no need for father to know." "were you e', 'ay. i took the letters in in the morning, so there was no need for father to know." "were you engage', ' took the letters in in the morning, so there was no need for father to know." "were you engaged to ', ' the letters in in the morning, so there was no need for father to know." "were you engaged to the g', 'letters in in the morning, so there was no need for father to know." "were you engaged to the gentle', 'rs in in the morning, so there was no need for father to know." "were you engaged to the gentleman a', ' in the morning, so there was no need for father to know." "were you engaged to the gentleman at thi', 'he morning, so there was no need for father to know." "were you engaged to the gentleman at this tim', 'rning, so there was no need for father to know." "were you engaged to the gentleman at this time?" "', ', so there was no need for father to know." "were you engaged to the gentleman at this time?" "oh, y', 'there was no need for father to know." "were you engaged to the gentleman at this time?" "oh, yes, m', ' was no need for father to know." "were you engaged to the gentleman at this time?" "oh, yes, mr. ho', 'no need for father to know." "were you engaged to the gentleman at this time?" "oh, yes, mr. holmes.', 'ed for father to know." "were you engaged to the gentleman at this time?" "oh, yes, mr. holmes. we w', 'r father to know." "were you engaged to the gentleman at this time?" "oh, yes, mr. holmes. we were e', 'her to know." "were you engaged to the gentleman at this time?" "oh, yes, mr. holmes. we were engage', 'o know." "were you engaged to the gentleman at this time?" "oh, yes, mr. holmes. we were engaged aft', 'w." "were you engaged to the gentleman at this time?" "oh, yes, mr. holmes. we were engaged after th', 'were you engaged to the gentleman at this time?" "oh, yes, mr. holmes. we were engaged after the fir', 'you engaged to the gentleman at this time?" "oh, yes, mr. holmes. we were engaged after the first wa', 'ngaged to the gentleman at this time?" "oh, yes, mr. holmes. we were engaged after the first walk th', 'd to the gentleman at this time?" "oh, yes, mr. holmes. we were engaged after the first walk that we', 'the gentleman at this time?" "oh, yes, mr. holmes. we were engaged after the first walk that we took', 'entleman at this time?" "oh, yes, mr. holmes. we were engaged after the first walk that we took. hos', 'man at this time?" "oh, yes, mr. holmes. we were engaged after the first walk that we took. hosmermr', 't this time?" "oh, yes, mr. holmes. we were engaged after the first walk that we took. hosmermr. ang', 's time?" "oh, yes, mr. holmes. we were engaged after the first walk that we took. hosmermr. angelwas', 'e?" "oh, yes, mr. holmes. we were engaged after the first walk that we took. hosmermr. angelwas a ca', 'oh, yes, mr. holmes. we were engaged after the first walk that we took. hosmermr. angelwas a cashier', 'es, mr. holmes. we were engaged after the first walk that we took. hosmermr. angelwas a cashier in a', 'r. holmes. we were engaged after the first walk that we took. hosmermr. angelwas a cashier in an off', 'lmes. we were engaged after the first walk that we took. hosmermr. angelwas a cashier in an office i', ' we were engaged after the first walk that we took. hosmermr. angelwas a cashier in an office in lea', 'ere engaged after the first walk that we took. hosmermr. angelwas a cashier in an office in leadenha', 'ngaged after the first walk that we took. hosmermr. angelwas a cashier in an office in leadenhall st', 'd after the first walk that we took. hosmermr. angelwas a cashier in an office in leadenhall streeta', 'er the first walk that we took. hosmermr. angelwas a cashier in an office in leadenhall streetand" "', 'e first walk that we took. hosmermr. angelwas a cashier in an office in leadenhall streetand" "what ', 'st walk that we took. hosmermr. angelwas a cashier in an office in leadenhall streetand" "what offic', 'lk that we took. hosmermr. angelwas a cashier in an office in leadenhall streetand" "what office?" "', 'at we took. hosmermr. angelwas a cashier in an office in leadenhall streetand" "what office?" "that\'', ' took. hosmermr. angelwas a cashier in an office in leadenhall streetand" "what office?" "that\'s the', '. hosmermr. angelwas a cashier in an office in leadenhall streetand" "what office?" "that\'s the wors', 'mermr. angelwas a cashier in an office in leadenhall streetand" "what office?" "that\'s the worst of ', '. angelwas a cashier in an office in leadenhall streetand" "what office?" "that\'s the worst of it, m', 'elwas a cashier in an office in leadenhall streetand" "what office?" "that\'s the worst of it, mr. ho', ' a cashier in an office in leadenhall streetand" "what office?" "that\'s the worst of it, mr. holmes,', 'shier in an office in leadenhall streetand" "what office?" "that\'s the worst of it, mr. holmes, i do', ' in an office in leadenhall streetand" "what office?" "that\'s the worst of it, mr. holmes, i don\'t k', 'n office in leadenhall streetand" "what office?" "that\'s the worst of it, mr. holmes, i don\'t know."', 'ice in leadenhall streetand" "what office?" "that\'s the worst of it, mr. holmes, i don\'t know." "whe', 'n leadenhall streetand" "what office?" "that\'s the worst of it, mr. holmes, i don\'t know." "where di', 'denhall streetand" "what office?" "that\'s the worst of it, mr. holmes, i don\'t know." "where did he ', 'll streetand" "what office?" "that\'s the worst of it, mr. holmes, i don\'t know." "where did he live,', 'reetand" "what office?" "that\'s the worst of it, mr. holmes, i don\'t know." "where did he live, then', 'nd" "what office?" "that\'s the worst of it, mr. holmes, i don\'t know." "where did he live, then?" "h', 'what office?" "that\'s the worst of it, mr. holmes, i don\'t know." "where did he live, then?" "he sle', 'office?" "that\'s the worst of it, mr. holmes, i don\'t know." "where did he live, then?" "he slept on', 'e?" "that\'s the worst of it, mr. holmes, i don\'t know." "where did he live, then?" "he slept on the ', 'that\'s the worst of it, mr. holmes, i don\'t know." "where did he live, then?" "he slept on the premi', 's the worst of it, mr. holmes, i don\'t know." "where did he live, then?" "he slept on the premises."', ' worst of it, mr. holmes, i don\'t know." "where did he live, then?" "he slept on the premises." "and', 't of it, mr. holmes, i don\'t know." "where did he live, then?" "he slept on the premises." "and you ', 'it, mr. holmes, i don\'t know." "where did he live, then?" "he slept on the premises." "and you don\'t', 'r. holmes, i don\'t know." "where did he live, then?" "he slept on the premises." "and you don\'t know', 'lmes, i don\'t know." "where did he live, then?" "he slept on the premises." "and you don\'t know his ', ' i don\'t know." "where did he live, then?" "he slept on the premises." "and you don\'t know his addre', 'n\'t know." "where did he live, then?" "he slept on the premises." "and you don\'t know his address?" ', 'now." "where did he live, then?" "he slept on the premises." "and you don\'t know his address?" "noex', ' "where did he live, then?" "he slept on the premises." "and you don\'t know his address?" "noexcept ', 're did he live, then?" "he slept on the premises." "and you don\'t know his address?" "noexcept that ', 'd he live, then?" "he slept on the premises." "and you don\'t know his address?" "noexcept that it wa', 'live, then?" "he slept on the premises." "and you don\'t know his address?" "noexcept that it was lea', ' then?" "he slept on the premises." "and you don\'t know his address?" "noexcept that it was leadenha', '?" "he slept on the premises." "and you don\'t know his address?" "noexcept that it was leadenhall st', 'e slept on the premises." "and you don\'t know his address?" "noexcept that it was leadenhall street.', 'pt on the premises." "and you don\'t know his address?" "noexcept that it was leadenhall street." "wh', ' the premises." "and you don\'t know his address?" "noexcept that it was leadenhall street." "where d', 'premises." "and you don\'t know his address?" "noexcept that it was leadenhall street." "where did yo', 'ses." "and you don\'t know his address?" "noexcept that it was leadenhall street." "where did you add', ' "and you don\'t know his address?" "noexcept that it was leadenhall street." "where did you address ', ' you don\'t know his address?" "noexcept that it was leadenhall street." "where did you address your ', 'don\'t know his address?" "noexcept that it was leadenhall street." "where did you address your lette', ' know his address?" "noexcept that it was leadenhall street." "where did you address your letters, t', ' his address?" "noexcept that it was leadenhall street." "where did you address your letters, then?"', 'address?" "noexcept that it was leadenhall street." "where did you address your letters, then?" "to ', 'ss?" "noexcept that it was leadenhall street." "where did you address your letters, then?" "to the l', '"noexcept that it was leadenhall street." "where did you address your letters, then?" "to the leaden', 'cept that it was leadenhall street." "where did you address your letters, then?" "to the leadenhall ', 'that it was leadenhall street." "where did you address your letters, then?" "to the leadenhall stree', 'it was leadenhall street." "where did you address your letters, then?" "to the leadenhall street pos', 's leadenhall street." "where did you address your letters, then?" "to the leadenhall street post off', 'denhall street." "where did you address your letters, then?" "to the leadenhall street post office, ', 'll street." "where did you address your letters, then?" "to the leadenhall street post office, to be', 'reet." "where did you address your letters, then?" "to the leadenhall street post office, to be left', '" "where did you address your letters, then?" "to the leadenhall street post office, to be left till', 'ere did you address your letters, then?" "to the leadenhall street post office, to be left till call', 'id you address your letters, then?" "to the leadenhall street post office, to be left till called fo', 'u address your letters, then?" "to the leadenhall street post office, to be left till called for. he', 'ress your letters, then?" "to the leadenhall street post office, to be left till called for. he said', 'your letters, then?" "to the leadenhall street post office, to be left till called for. he said that', 'letters, then?" "to the leadenhall street post office, to be left till called for. he said that if t', 'rs, then?" "to the leadenhall street post office, to be left till called for. he said that if they w', 'hen?" "to the leadenhall street post office, to be left till called for. he said that if they were s', ' "to the leadenhall street post office, to be left till called for. he said that if they were sent t', 'the leadenhall street post office, to be left till called for. he said that if they were sent to the', 'eadenhall street post office, to be left till called for. he said that if they were sent to the offi', 'hall street post office, to be left till called for. he said that if they were sent to the office he', 'street post office, to be left till called for. he said that if they were sent to the office he woul', 't post office, to be left till called for. he said that if they were sent to the office he would be ', 't office, to be left till called for. he said that if they were sent to the office he would be chaff', 'ice, to be left till called for. he said that if they were sent to the office he would be chaffed by', 'to be left till called for. he said that if they were sent to the office he would be chaffed by all ', ' left till called for. he said that if they were sent to the office he would be chaffed by all the o', ' till called for. he said that if they were sent to the office he would be chaffed by all the other ', ' called for. he said that if they were sent to the office he would be chaffed by all the other clerk', 'ed for. he said that if they were sent to the office he would be chaffed by all the other clerks abo', 'r. he said that if they were sent to the office he would be chaffed by all the other clerks about ha', ' said that if they were sent to the office he would be chaffed by all the other clerks about having ', ' that if they were sent to the office he would be chaffed by all the other clerks about having lette', ' if they were sent to the office he would be chaffed by all the other clerks about having letters fr', 'hey were sent to the office he would be chaffed by all the other clerks about having letters from a ', 'ere sent to the office he would be chaffed by all the other clerks about having letters from a lady,', 'ent to the office he would be chaffed by all the other clerks about having letters from a lady, so i', 'o the office he would be chaffed by all the other clerks about having letters from a lady, so i offe', ' office he would be chaffed by all the other clerks about having letters from a lady, so i offered t', 'ce he would be chaffed by all the other clerks about having letters from a lady, so i offered to typ', ' would be chaffed by all the other clerks about having letters from a lady, so i offered to typewrit', 'd be chaffed by all the other clerks about having letters from a lady, so i offered to typewrite the', 'chaffed by all the other clerks about having letters from a lady, so i offered to typewrite them, li', 'ed by all the other clerks about having letters from a lady, so i offered to typewrite them, like he', ' all the other clerks about having letters from a lady, so i offered to typewrite them, like he did ', 'the other clerks about having letters from a lady, so i offered to typewrite them, like he did his, ', 'ther clerks about having letters from a lady, so i offered to typewrite them, like he did his, but h', 'clerks about having letters from a lady, so i offered to typewrite them, like he did his, but he wou', "s about having letters from a lady, so i offered to typewrite them, like he did his, but he wouldn't", "ut having letters from a lady, so i offered to typewrite them, like he did his, but he wouldn't have", "ving letters from a lady, so i offered to typewrite them, like he did his, but he wouldn't have that", "letters from a lady, so i offered to typewrite them, like he did his, but he wouldn't have that, for", "rs from a lady, so i offered to typewrite them, like he did his, but he wouldn't have that, for he s", "om a lady, so i offered to typewrite them, like he did his, but he wouldn't have that, for he said t", "lady, so i offered to typewrite them, like he did his, but he wouldn't have that, for he said that w", " so i offered to typewrite them, like he did his, but he wouldn't have that, for he said that when i", " offered to typewrite them, like he did his, but he wouldn't have that, for he said that when i wrot", "red to typewrite them, like he did his, but he wouldn't have that, for he said that when i wrote the", "o typewrite them, like he did his, but he wouldn't have that, for he said that when i wrote them the", "ewrite them, like he did his, but he wouldn't have that, for he said that when i wrote them they see", "e them, like he did his, but he wouldn't have that, for he said that when i wrote them they seemed t", "m, like he did his, but he wouldn't have that, for he said that when i wrote them they seemed to com", "ke he did his, but he wouldn't have that, for he said that when i wrote them they seemed to come fro", " did his, but he wouldn't have that, for he said that when i wrote them they seemed to come from me,", "his, but he wouldn't have that, for he said that when i wrote them they seemed to come from me, but ", "but he wouldn't have that, for he said that when i wrote them they seemed to come from me, but when ", "e wouldn't have that, for he said that when i wrote them they seemed to come from me, but when they ", "ldn't have that, for he said that when i wrote them they seemed to come from me, but when they were ", ' have that, for he said that when i wrote them they seemed to come from me, but when they were typew', ' that, for he said that when i wrote them they seemed to come from me, but when they were typewritte', ', for he said that when i wrote them they seemed to come from me, but when they were typewritten he ', ' he said that when i wrote them they seemed to come from me, but when they were typewritten he alway', 'aid that when i wrote them they seemed to come from me, but when they were typewritten he always fel', 'hat when i wrote them they seemed to come from me, but when they were typewritten he always felt tha', 'hen i wrote them they seemed to come from me, but when they were typewritten he always felt that the', ' wrote them they seemed to come from me, but when they were typewritten he always felt that the mach', 'e them they seemed to come from me, but when they were typewritten he always felt that the machine h', 'm they seemed to come from me, but when they were typewritten he always felt that the machine had co', 'y seemed to come from me, but when they were typewritten he always felt that the machine had come be', 'med to come from me, but when they were typewritten he always felt that the machine had come between', 'o come from me, but when they were typewritten he always felt that the machine had come between us. ', 'e from me, but when they were typewritten he always felt that the machine had come between us. that ', 'm me, but when they were typewritten he always felt that the machine had come between us. that will ', ' but when they were typewritten he always felt that the machine had come between us. that will just ', 'when they were typewritten he always felt that the machine had come between us. that will just show ', 'they were typewritten he always felt that the machine had come between us. that will just show you h', 'were typewritten he always felt that the machine had come between us. that will just show you how fo', 'typewritten he always felt that the machine had come between us. that will just show you how fond he', 'ritten he always felt that the machine had come between us. that will just show you how fond he was ', 'n he always felt that the machine had come between us. that will just show you how fond he was of me', 'always felt that the machine had come between us. that will just show you how fond he was of me, mr.', 's felt that the machine had come between us. that will just show you how fond he was of me, mr. holm', 't that the machine had come between us. that will just show you how fond he was of me, mr. holmes, a', 't the machine had come between us. that will just show you how fond he was of me, mr. holmes, and th', ' machine had come between us. that will just show you how fond he was of me, mr. holmes, and the lit', 'ine had come between us. that will just show you how fond he was of me, mr. holmes, and the little t', 'ad come between us. that will just show you how fond he was of me, mr. holmes, and the little things', 'me between us. that will just show you how fond he was of me, mr. holmes, and the little things that', 'tween us. that will just show you how fond he was of me, mr. holmes, and the little things that he w', ' us. that will just show you how fond he was of me, mr. holmes, and the little things that he would ', 'that will just show you how fond he was of me, mr. holmes, and the little things that he would think', 'will just show you how fond he was of me, mr. holmes, and the little things that he would think of."', 'just show you how fond he was of me, mr. holmes, and the little things that he would think of." "it ', 'show you how fond he was of me, mr. holmes, and the little things that he would think of." "it was m', 'you how fond he was of me, mr. holmes, and the little things that he would think of." "it was most s', 'ow fond he was of me, mr. holmes, and the little things that he would think of." "it was most sugges', 'nd he was of me, mr. holmes, and the little things that he would think of." "it was most suggestive,', ' was of me, mr. holmes, and the little things that he would think of." "it was most suggestive," sai', 'of me, mr. holmes, and the little things that he would think of." "it was most suggestive," said hol', ', mr. holmes, and the little things that he would think of." "it was most suggestive," said holmes. ', ' holmes, and the little things that he would think of." "it was most suggestive," said holmes. "it h', 'es, and the little things that he would think of." "it was most suggestive," said holmes. "it has lo', 'nd the little things that he would think of." "it was most suggestive," said holmes. "it has long be', 'e little things that he would think of." "it was most suggestive," said holmes. "it has long been an', 'tle things that he would think of." "it was most suggestive," said holmes. "it has long been an axio', 'hings that he would think of." "it was most suggestive," said holmes. "it has long been an axiom of ', ' that he would think of." "it was most suggestive," said holmes. "it has long been an axiom of mine ', ' he would think of." "it was most suggestive," said holmes. "it has long been an axiom of mine that ', 'ould think of." "it was most suggestive," said holmes. "it has long been an axiom of mine that the l', 'think of." "it was most suggestive," said holmes. "it has long been an axiom of mine that the little', ' of." "it was most suggestive," said holmes. "it has long been an axiom of mine that the little thin', ' "it was most suggestive," said holmes. "it has long been an axiom of mine that the little things ar', 'was most suggestive," said holmes. "it has long been an axiom of mine that the little things are inf', 'ost suggestive," said holmes. "it has long been an axiom of mine that the little things are infinite', 'uggestive," said holmes. "it has long been an axiom of mine that the little things are infinitely th', 'tive," said holmes. "it has long been an axiom of mine that the little things are infinitely the mos', '" said holmes. "it has long been an axiom of mine that the little things are infinitely the most imp', 'd holmes. "it has long been an axiom of mine that the little things are infinitely the most importan', 'mes. "it has long been an axiom of mine that the little things are infinitely the most important. ca', '"it has long been an axiom of mine that the little things are infinitely the most important. can you', 'as long been an axiom of mine that the little things are infinitely the most important. can you reme', 'ng been an axiom of mine that the little things are infinitely the most important. can you remember ', 'en an axiom of mine that the little things are infinitely the most important. can you remember any o', ' axiom of mine that the little things are infinitely the most important. can you remember any other ', 'm of mine that the little things are infinitely the most important. can you remember any other littl', 'mine that the little things are infinitely the most important. can you remember any other little thi', 'that the little things are infinitely the most important. can you remember any other little things a', 'the little things are infinitely the most important. can you remember any other little things about ', 'ittle things are infinitely the most important. can you remember any other little things about mr. h', ' things are infinitely the most important. can you remember any other little things about mr. hosmer', 'gs are infinitely the most important. can you remember any other little things about mr. hosmer ange', 'e infinitely the most important. can you remember any other little things about mr. hosmer angel?" "', 'initely the most important. can you remember any other little things about mr. hosmer angel?" "he wa', 'ly the most important. can you remember any other little things about mr. hosmer angel?" "he was a v', 'e most important. can you remember any other little things about mr. hosmer angel?" "he was a very s', 't important. can you remember any other little things about mr. hosmer angel?" "he was a very shy ma', 'ortant. can you remember any other little things about mr. hosmer angel?" "he was a very shy man, mr', 't. can you remember any other little things about mr. hosmer angel?" "he was a very shy man, mr. hol', 'n you remember any other little things about mr. hosmer angel?" "he was a very shy man, mr. holmes. ', ' remember any other little things about mr. hosmer angel?" "he was a very shy man, mr. holmes. he wo', 'mber any other little things about mr. hosmer angel?" "he was a very shy man, mr. holmes. he would r', 'any other little things about mr. hosmer angel?" "he was a very shy man, mr. holmes. he would rather', 'ther little things about mr. hosmer angel?" "he was a very shy man, mr. holmes. he would rather walk', 'little things about mr. hosmer angel?" "he was a very shy man, mr. holmes. he would rather walk with', 'e things about mr. hosmer angel?" "he was a very shy man, mr. holmes. he would rather walk with me i', 'ngs about mr. hosmer angel?" "he was a very shy man, mr. holmes. he would rather walk with me in the', 'bout mr. hosmer angel?" "he was a very shy man, mr. holmes. he would rather walk with me in the even', 'mr. hosmer angel?" "he was a very shy man, mr. holmes. he would rather walk with me in the evening t', 'osmer angel?" "he was a very shy man, mr. holmes. he would rather walk with me in the evening than i', ' angel?" "he was a very shy man, mr. holmes. he would rather walk with me in the evening than in the', 'l?" "he was a very shy man, mr. holmes. he would rather walk with me in the evening than in the dayl', 'he was a very shy man, mr. holmes. he would rather walk with me in the evening than in the daylight,', 's a very shy man, mr. holmes. he would rather walk with me in the evening than in the daylight, for ', 'ery shy man, mr. holmes. he would rather walk with me in the evening than in the daylight, for he sa', 'hy man, mr. holmes. he would rather walk with me in the evening than in the daylight, for he said th', 'n, mr. holmes. he would rather walk with me in the evening than in the daylight, for he said that he', '. holmes. he would rather walk with me in the evening than in the daylight, for he said that he hate', 'mes. he would rather walk with me in the evening than in the daylight, for he said that he hated to ', 'he would rather walk with me in the evening than in the daylight, for he said that he hated to be co', 'uld rather walk with me in the evening than in the daylight, for he said that he hated to be conspic', 'ather walk with me in the evening than in the daylight, for he said that he hated to be conspicuous.', ' walk with me in the evening than in the daylight, for he said that he hated to be conspicuous. very', ' with me in the evening than in the daylight, for he said that he hated to be conspicuous. very reti', ' me in the evening than in the daylight, for he said that he hated to be conspicuous. very retiring ', 'n the evening than in the daylight, for he said that he hated to be conspicuous. very retiring and g', ' evening than in the daylight, for he said that he hated to be conspicuous. very retiring and gentle', 'ing than in the daylight, for he said that he hated to be conspicuous. very retiring and gentlemanly', 'han in the daylight, for he said that he hated to be conspicuous. very retiring and gentlemanly he w', 'n the daylight, for he said that he hated to be conspicuous. very retiring and gentlemanly he was. e', ' daylight, for he said that he hated to be conspicuous. very retiring and gentlemanly he was. even h', 'ight, for he said that he hated to be conspicuous. very retiring and gentlemanly he was. even his vo', ' for he said that he hated to be conspicuous. very retiring and gentlemanly he was. even his voice w', 'he said that he hated to be conspicuous. very retiring and gentlemanly he was. even his voice was ge', 'id that he hated to be conspicuous. very retiring and gentlemanly he was. even his voice was gentle.', "at he hated to be conspicuous. very retiring and gentlemanly he was. even his voice was gentle. he'd", " hated to be conspicuous. very retiring and gentlemanly he was. even his voice was gentle. he'd had ", "d to be conspicuous. very retiring and gentlemanly he was. even his voice was gentle. he'd had the q", "be conspicuous. very retiring and gentlemanly he was. even his voice was gentle. he'd had the quinsy", "nspicuous. very retiring and gentlemanly he was. even his voice was gentle. he'd had the quinsy and ", "uous. very retiring and gentlemanly he was. even his voice was gentle. he'd had the quinsy and swoll", " very retiring and gentlemanly he was. even his voice was gentle. he'd had the quinsy and swollen gl", " retiring and gentlemanly he was. even his voice was gentle. he'd had the quinsy and swollen glands ", "ring and gentlemanly he was. even his voice was gentle. he'd had the quinsy and swollen glands when ", "and gentlemanly he was. even his voice was gentle. he'd had the quinsy and swollen glands when he wa", "entlemanly he was. even his voice was gentle. he'd had the quinsy and swollen glands when he was you", "manly he was. even his voice was gentle. he'd had the quinsy and swollen glands when he was young, h", " he was. even his voice was gentle. he'd had the quinsy and swollen glands when he was young, he tol", "as. even his voice was gentle. he'd had the quinsy and swollen glands when he was young, he told me,", "ven his voice was gentle. he'd had the quinsy and swollen glands when he was young, he told me, and ", "is voice was gentle. he'd had the quinsy and swollen glands when he was young, he told me, and it ha", "ice was gentle. he'd had the quinsy and swollen glands when he was young, he told me, and it had lef", "as gentle. he'd had the quinsy and swollen glands when he was young, he told me, and it had left him", "ntle. he'd had the quinsy and swollen glands when he was young, he told me, and it had left him with", " he'd had the quinsy and swollen glands when he was young, he told me, and it had left him with a we", ' had the quinsy and swollen glands when he was young, he told me, and it had left him with a weak th', 'the quinsy and swollen glands when he was young, he told me, and it had left him with a weak throat,', 'uinsy and swollen glands when he was young, he told me, and it had left him with a weak throat, and ', ' and swollen glands when he was young, he told me, and it had left him with a weak throat, and a hes', 'swollen glands when he was young, he told me, and it had left him with a weak throat, and a hesitati', 'en glands when he was young, he told me, and it had left him with a weak throat, and a hesitating, w', 'ands when he was young, he told me, and it had left him with a weak throat, and a hesitating, whispe', 'when he was young, he told me, and it had left him with a weak throat, and a hesitating, whispering ', 'he was young, he told me, and it had left him with a weak throat, and a hesitating, whispering fashi', 's young, he told me, and it had left him with a weak throat, and a hesitating, whispering fashion of', 'ng, he told me, and it had left him with a weak throat, and a hesitating, whispering fashion of spee', 'e told me, and it had left him with a weak throat, and a hesitating, whispering fashion of speech. h', 'd me, and it had left him with a weak throat, and a hesitating, whispering fashion of speech. he was', ' and it had left him with a weak throat, and a hesitating, whispering fashion of speech. he was alwa', 'it had left him with a weak throat, and a hesitating, whispering fashion of speech. he was always we', 'd left him with a weak throat, and a hesitating, whispering fashion of speech. he was always well dr', 't him with a weak throat, and a hesitating, whispering fashion of speech. he was always well dressed', ' with a weak throat, and a hesitating, whispering fashion of speech. he was always well dressed, ver', ' a weak throat, and a hesitating, whispering fashion of speech. he was always well dressed, very nea', 'ak throat, and a hesitating, whispering fashion of speech. he was always well dressed, very neat and', 'roat, and a hesitating, whispering fashion of speech. he was always well dressed, very neat and plai', ' and a hesitating, whispering fashion of speech. he was always well dressed, very neat and plain, bu', 'a hesitating, whispering fashion of speech. he was always well dressed, very neat and plain, but his', 'itating, whispering fashion of speech. he was always well dressed, very neat and plain, but his eyes', 'ng, whispering fashion of speech. he was always well dressed, very neat and plain, but his eyes were', 'hispering fashion of speech. he was always well dressed, very neat and plain, but his eyes were weak', 'ring fashion of speech. he was always well dressed, very neat and plain, but his eyes were weak, jus', 'fashion of speech. he was always well dressed, very neat and plain, but his eyes were weak, just as ', 'on of speech. he was always well dressed, very neat and plain, but his eyes were weak, just as mine ', ' speech. he was always well dressed, very neat and plain, but his eyes were weak, just as mine are, ', 'ch. he was always well dressed, very neat and plain, but his eyes were weak, just as mine are, and h', 'e was always well dressed, very neat and plain, but his eyes were weak, just as mine are, and he wor', ' always well dressed, very neat and plain, but his eyes were weak, just as mine are, and he wore tin', 'ys well dressed, very neat and plain, but his eyes were weak, just as mine are, and he wore tinted g', 'll dressed, very neat and plain, but his eyes were weak, just as mine are, and he wore tinted glasse', 'essed, very neat and plain, but his eyes were weak, just as mine are, and he wore tinted glasses aga', ', very neat and plain, but his eyes were weak, just as mine are, and he wore tinted glasses against ', 'y neat and plain, but his eyes were weak, just as mine are, and he wore tinted glasses against the g', 't and plain, but his eyes were weak, just as mine are, and he wore tinted glasses against the glare.', ' plain, but his eyes were weak, just as mine are, and he wore tinted glasses against the glare." "we', 'n, but his eyes were weak, just as mine are, and he wore tinted glasses against the glare." "well, a', 't his eyes were weak, just as mine are, and he wore tinted glasses against the glare." "well, and wh', ' eyes were weak, just as mine are, and he wore tinted glasses against the glare." "well, and what ha', ' were weak, just as mine are, and he wore tinted glasses against the glare." "well, and what happene', ' weak, just as mine are, and he wore tinted glasses against the glare." "well, and what happened whe', ', just as mine are, and he wore tinted glasses against the glare." "well, and what happened when mr.', 't as mine are, and he wore tinted glasses against the glare." "well, and what happened when mr. wind', 'mine are, and he wore tinted glasses against the glare." "well, and what happened when mr. windibank', 'are, and he wore tinted glasses against the glare." "well, and what happened when mr. windibank, you', 'and he wore tinted glasses against the glare." "well, and what happened when mr. windibank, your ste', 'e wore tinted glasses against the glare." "well, and what happened when mr. windibank, your stepfath', 'e tinted glasses against the glare." "well, and what happened when mr. windibank, your stepfather, r', 'ted glasses against the glare." "well, and what happened when mr. windibank, your stepfather, return', 'lasses against the glare." "well, and what happened when mr. windibank, your stepfather, returned to', 's against the glare." "well, and what happened when mr. windibank, your stepfather, returned to fran', 'inst the glare." "well, and what happened when mr. windibank, your stepfather, returned to france?" ', 'the glare." "well, and what happened when mr. windibank, your stepfather, returned to france?" "mr. ', 'lare." "well, and what happened when mr. windibank, your stepfather, returned to france?" "mr. hosme', '" "well, and what happened when mr. windibank, your stepfather, returned to france?" "mr. hosmer ang', 'll, and what happened when mr. windibank, your stepfather, returned to france?" "mr. hosmer angel ca', 'nd what happened when mr. windibank, your stepfather, returned to france?" "mr. hosmer angel came to', 'at happened when mr. windibank, your stepfather, returned to france?" "mr. hosmer angel came to the ', 'ppened when mr. windibank, your stepfather, returned to france?" "mr. hosmer angel came to the house', 'd when mr. windibank, your stepfather, returned to france?" "mr. hosmer angel came to the house agai', 'n mr. windibank, your stepfather, returned to france?" "mr. hosmer angel came to the house again and', ' windibank, your stepfather, returned to france?" "mr. hosmer angel came to the house again and prop', 'ibank, your stepfather, returned to france?" "mr. hosmer angel came to the house again and proposed ', ', your stepfather, returned to france?" "mr. hosmer angel came to the house again and proposed that ', 'r stepfather, returned to france?" "mr. hosmer angel came to the house again and proposed that we sh', 'pfather, returned to france?" "mr. hosmer angel came to the house again and proposed that we should ', 'er, returned to france?" "mr. hosmer angel came to the house again and proposed that we should marry', 'eturned to france?" "mr. hosmer angel came to the house again and proposed that we should marry befo', 'ed to france?" "mr. hosmer angel came to the house again and proposed that we should marry before fa', ' france?" "mr. hosmer angel came to the house again and proposed that we should marry before father ', 'ce?" "mr. hosmer angel came to the house again and proposed that we should marry before father came ', '"mr. hosmer angel came to the house again and proposed that we should marry before father came back.', 'hosmer angel came to the house again and proposed that we should marry before father came back. he w', 'r angel came to the house again and proposed that we should marry before father came back. he was in', 'el came to the house again and proposed that we should marry before father came back. he was in drea', 'me to the house again and proposed that we should marry before father came back. he was in dreadful ', ' the house again and proposed that we should marry before father came back. he was in dreadful earne', 'house again and proposed that we should marry before father came back. he was in dreadful earnest an', ' again and proposed that we should marry before father came back. he was in dreadful earnest and mad', 'n and proposed that we should marry before father came back. he was in dreadful earnest and made me ', ' proposed that we should marry before father came back. he was in dreadful earnest and made me swear', 'osed that we should marry before father came back. he was in dreadful earnest and made me swear, wit', 'that we should marry before father came back. he was in dreadful earnest and made me swear, with my ', 'we should marry before father came back. he was in dreadful earnest and made me swear, with my hands', 'ould marry before father came back. he was in dreadful earnest and made me swear, with my hands on t', 'marry before father came back. he was in dreadful earnest and made me swear, with my hands on the te', ' before father came back. he was in dreadful earnest and made me swear, with my hands on the testame', 're father came back. he was in dreadful earnest and made me swear, with my hands on the testament, t', 'ther came back. he was in dreadful earnest and made me swear, with my hands on the testament, that w', 'came back. he was in dreadful earnest and made me swear, with my hands on the testament, that whatev', 'back. he was in dreadful earnest and made me swear, with my hands on the testament, that whatever ha', ' he was in dreadful earnest and made me swear, with my hands on the testament, that whatever happene', 'as in dreadful earnest and made me swear, with my hands on the testament, that whatever happened i w', ' dreadful earnest and made me swear, with my hands on the testament, that whatever happened i would ', 'dful earnest and made me swear, with my hands on the testament, that whatever happened i would alway', 'earnest and made me swear, with my hands on the testament, that whatever happened i would always be ', 'st and made me swear, with my hands on the testament, that whatever happened i would always be true ', 'd made me swear, with my hands on the testament, that whatever happened i would always be true to hi', 'e me swear, with my hands on the testament, that whatever happened i would always be true to him. mo', 'swear, with my hands on the testament, that whatever happened i would always be true to him. mother ', ', with my hands on the testament, that whatever happened i would always be true to him. mother said ', 'h my hands on the testament, that whatever happened i would always be true to him. mother said he wa', 'hands on the testament, that whatever happened i would always be true to him. mother said he was qui', ' on the testament, that whatever happened i would always be true to him. mother said he was quite ri', 'he testament, that whatever happened i would always be true to him. mother said he was quite right t', 'stament, that whatever happened i would always be true to him. mother said he was quite right to mak', 'nt, that whatever happened i would always be true to him. mother said he was quite right to make me ', 'hat whatever happened i would always be true to him. mother said he was quite right to make me swear', 'hatever happened i would always be true to him. mother said he was quite right to make me swear, and', 'er happened i would always be true to him. mother said he was quite right to make me swear, and that', 'ppened i would always be true to him. mother said he was quite right to make me swear, and that it w', 'd i would always be true to him. mother said he was quite right to make me swear, and that it was a ', 'ould always be true to him. mother said he was quite right to make me swear, and that it was a sign ', 'always be true to him. mother said he was quite right to make me swear, and that it was a sign of hi', 's be true to him. mother said he was quite right to make me swear, and that it was a sign of his pas', 'true to him. mother said he was quite right to make me swear, and that it was a sign of his passion.', 'to him. mother said he was quite right to make me swear, and that it was a sign of his passion. moth', 'm. mother said he was quite right to make me swear, and that it was a sign of his passion. mother wa', 'ther said he was quite right to make me swear, and that it was a sign of his passion. mother was all', 'said he was quite right to make me swear, and that it was a sign of his passion. mother was all in h', 'he was quite right to make me swear, and that it was a sign of his passion. mother was all in his fa', 's quite right to make me swear, and that it was a sign of his passion. mother was all in his favour ', 'te right to make me swear, and that it was a sign of his passion. mother was all in his favour from ', 'ght to make me swear, and that it was a sign of his passion. mother was all in his favour from the f', 'o make me swear, and that it was a sign of his passion. mother was all in his favour from the first ', 'e me swear, and that it was a sign of his passion. mother was all in his favour from the first and w', 'swear, and that it was a sign of his passion. mother was all in his favour from the first and was ev', ', and that it was a sign of his passion. mother was all in his favour from the first and was even fo', ' that it was a sign of his passion. mother was all in his favour from the first and was even fonder ', ' it was a sign of his passion. mother was all in his favour from the first and was even fonder of hi', 'as a sign of his passion. mother was all in his favour from the first and was even fonder of him tha', 'sign of his passion. mother was all in his favour from the first and was even fonder of him than i w', 'of his passion. mother was all in his favour from the first and was even fonder of him than i was. t', 's passion. mother was all in his favour from the first and was even fonder of him than i was. then, ', 'sion. mother was all in his favour from the first and was even fonder of him than i was. then, when ', ' mother was all in his favour from the first and was even fonder of him than i was. then, when they ', 'er was all in his favour from the first and was even fonder of him than i was. then, when they talke', 's all in his favour from the first and was even fonder of him than i was. then, when they talked of ', ' in his favour from the first and was even fonder of him than i was. then, when they talked of marry', 'is favour from the first and was even fonder of him than i was. then, when they talked of marrying w', 'vour from the first and was even fonder of him than i was. then, when they talked of marrying within', 'from the first and was even fonder of him than i was. then, when they talked of marrying within the ', 'the first and was even fonder of him than i was. then, when they talked of marrying within the week,', 'irst and was even fonder of him than i was. then, when they talked of marrying within the week, i be', 'and was even fonder of him than i was. then, when they talked of marrying within the week, i began t', 'as even fonder of him than i was. then, when they talked of marrying within the week, i began to ask', 'en fonder of him than i was. then, when they talked of marrying within the week, i began to ask abou', 'nder of him than i was. then, when they talked of marrying within the week, i began to ask about fat', 'of him than i was. then, when they talked of marrying within the week, i began to ask about father; ', 'm than i was. then, when they talked of marrying within the week, i began to ask about father; but t', 'n i was. then, when they talked of marrying within the week, i began to ask about father; but they b', 'as. then, when they talked of marrying within the week, i began to ask about father; but they both s', 'hen, when they talked of marrying within the week, i began to ask about father; but they both said n', 'when they talked of marrying within the week, i began to ask about father; but they both said never ', 'they talked of marrying within the week, i began to ask about father; but they both said never to mi', 'talked of marrying within the week, i began to ask about father; but they both said never to mind ab', 'd of marrying within the week, i began to ask about father; but they both said never to mind about f', 'marrying within the week, i began to ask about father; but they both said never to mind about father', 'ing within the week, i began to ask about father; but they both said never to mind about father, but', 'ithin the week, i began to ask about father; but they both said never to mind about father, but just', ' the week, i began to ask about father; but they both said never to mind about father, but just to t', 'week, i began to ask about father; but they both said never to mind about father, but just to tell h', ' i began to ask about father; but they both said never to mind about father, but just to tell him af', 'gan to ask about father; but they both said never to mind about father, but just to tell him afterwa', 'o ask about father; but they both said never to mind about father, but just to tell him afterwards, ', ' about father; but they both said never to mind about father, but just to tell him afterwards, and m', 't father; but they both said never to mind about father, but just to tell him afterwards, and mother', 'her; but they both said never to mind about father, but just to tell him afterwards, and mother said', 'but they both said never to mind about father, but just to tell him afterwards, and mother said she ', 'hey both said never to mind about father, but just to tell him afterwards, and mother said she would', 'oth said never to mind about father, but just to tell him afterwards, and mother said she would make', 'aid never to mind about father, but just to tell him afterwards, and mother said she would make it a', 'ever to mind about father, but just to tell him afterwards, and mother said she would make it all ri', 'to mind about father, but just to tell him afterwards, and mother said she would make it all right w', 'nd about father, but just to tell him afterwards, and mother said she would make it all right with h', 'out father, but just to tell him afterwards, and mother said she would make it all right with him. i', 'ather, but just to tell him afterwards, and mother said she would make it all right with him. i didn', ", but just to tell him afterwards, and mother said she would make it all right with him. i didn't qu", " just to tell him afterwards, and mother said she would make it all right with him. i didn't quite l", " to tell him afterwards, and mother said she would make it all right with him. i didn't quite like t", "ell him afterwards, and mother said she would make it all right with him. i didn't quite like that, ", "im afterwards, and mother said she would make it all right with him. i didn't quite like that, mr. h", "terwards, and mother said she would make it all right with him. i didn't quite like that, mr. holmes", "rds, and mother said she would make it all right with him. i didn't quite like that, mr. holmes. it ", "and mother said she would make it all right with him. i didn't quite like that, mr. holmes. it seeme", "other said she would make it all right with him. i didn't quite like that, mr. holmes. it seemed fun", " said she would make it all right with him. i didn't quite like that, mr. holmes. it seemed funny th", " she would make it all right with him. i didn't quite like that, mr. holmes. it seemed funny that i ", "would make it all right with him. i didn't quite like that, mr. holmes. it seemed funny that i shoul", " make it all right with him. i didn't quite like that, mr. holmes. it seemed funny that i should ask", " it all right with him. i didn't quite like that, mr. holmes. it seemed funny that i should ask his ", "ll right with him. i didn't quite like that, mr. holmes. it seemed funny that i should ask his leave", "ght with him. i didn't quite like that, mr. holmes. it seemed funny that i should ask his leave, as ", "ith him. i didn't quite like that, mr. holmes. it seemed funny that i should ask his leave, as he wa", "im. i didn't quite like that, mr. holmes. it seemed funny that i should ask his leave, as he was onl", " didn't quite like that, mr. holmes. it seemed funny that i should ask his leave, as he was only a f", "'t quite like that, mr. holmes. it seemed funny that i should ask his leave, as he was only a few ye", 'ite like that, mr. holmes. it seemed funny that i should ask his leave, as he was only a few years o', 'ike that, mr. holmes. it seemed funny that i should ask his leave, as he was only a few years older ', 'hat, mr. holmes. it seemed funny that i should ask his leave, as he was only a few years older than ', 'mr. holmes. it seemed funny that i should ask his leave, as he was only a few years older than me; b', 'olmes. it seemed funny that i should ask his leave, as he was only a few years older than me; but i ', ". it seemed funny that i should ask his leave, as he was only a few years older than me; but i didn'", "seemed funny that i should ask his leave, as he was only a few years older than me; but i didn't wan", "d funny that i should ask his leave, as he was only a few years older than me; but i didn't want to ", "ny that i should ask his leave, as he was only a few years older than me; but i didn't want to do an", "at i should ask his leave, as he was only a few years older than me; but i didn't want to do anythin", "should ask his leave, as he was only a few years older than me; but i didn't want to do anything on ", "d ask his leave, as he was only a few years older than me; but i didn't want to do anything on the s", " his leave, as he was only a few years older than me; but i didn't want to do anything on the sly, s", "leave, as he was only a few years older than me; but i didn't want to do anything on the sly, so i w", ", as he was only a few years older than me; but i didn't want to do anything on the sly, so i wrote ", "he was only a few years older than me; but i didn't want to do anything on the sly, so i wrote to fa", "s only a few years older than me; but i didn't want to do anything on the sly, so i wrote to father ", "y a few years older than me; but i didn't want to do anything on the sly, so i wrote to father at bo", "ew years older than me; but i didn't want to do anything on the sly, so i wrote to father at bordeau", "ars older than me; but i didn't want to do anything on the sly, so i wrote to father at bordeaux, wh", "lder than me; but i didn't want to do anything on the sly, so i wrote to father at bordeaux, where t", "than me; but i didn't want to do anything on the sly, so i wrote to father at bordeaux, where the co", "me; but i didn't want to do anything on the sly, so i wrote to father at bordeaux, where the company", "ut i didn't want to do anything on the sly, so i wrote to father at bordeaux, where the company has ", "didn't want to do anything on the sly, so i wrote to father at bordeaux, where the company has its f", 't want to do anything on the sly, so i wrote to father at bordeaux, where the company has its french', 't to do anything on the sly, so i wrote to father at bordeaux, where the company has its french offi', 'do anything on the sly, so i wrote to father at bordeaux, where the company has its french offices, ', 'ything on the sly, so i wrote to father at bordeaux, where the company has its french offices, but t', 'g on the sly, so i wrote to father at bordeaux, where the company has its french offices, but the le', 'the sly, so i wrote to father at bordeaux, where the company has its french offices, but the letter ', 'ly, so i wrote to father at bordeaux, where the company has its french offices, but the letter came ', 'o i wrote to father at bordeaux, where the company has its french offices, but the letter came back ', 'rote to father at bordeaux, where the company has its french offices, but the letter came back to me', 'to father at bordeaux, where the company has its french offices, but the letter came back to me on t', 'ther at bordeaux, where the company has its french offices, but the letter came back to me on the ve', 'at bordeaux, where the company has its french offices, but the letter came back to me on the very mo', 'rdeaux, where the company has its french offices, but the letter came back to me on the very morning', 'x, where the company has its french offices, but the letter came back to me on the very morning of t', 'ere the company has its french offices, but the letter came back to me on the very morning of the we', 'he company has its french offices, but the letter came back to me on the very morning of the wedding', 'mpany has its french offices, but the letter came back to me on the very morning of the wedding." "i', ' has its french offices, but the letter came back to me on the very morning of the wedding." "it mis', 'its french offices, but the letter came back to me on the very morning of the wedding." "it missed h', 'rench offices, but the letter came back to me on the very morning of the wedding." "it missed him, t', ' offices, but the letter came back to me on the very morning of the wedding." "it missed him, then?"', 'ces, but the letter came back to me on the very morning of the wedding." "it missed him, then?" "yes', 'but the letter came back to me on the very morning of the wedding." "it missed him, then?" "yes, sir', 'he letter came back to me on the very morning of the wedding." "it missed him, then?" "yes, sir; for', 'tter came back to me on the very morning of the wedding." "it missed him, then?" "yes, sir; for he h', 'came back to me on the very morning of the wedding." "it missed him, then?" "yes, sir; for he had st', 'back to me on the very morning of the wedding." "it missed him, then?" "yes, sir; for he had started', 'to me on the very morning of the wedding." "it missed him, then?" "yes, sir; for he had started to e', ' on the very morning of the wedding." "it missed him, then?" "yes, sir; for he had started to englan', 'he very morning of the wedding." "it missed him, then?" "yes, sir; for he had started to england jus', 'ry morning of the wedding." "it missed him, then?" "yes, sir; for he had started to england just bef', 'rning of the wedding." "it missed him, then?" "yes, sir; for he had started to england just before i', ' of the wedding." "it missed him, then?" "yes, sir; for he had started to england just before it arr', 'he wedding." "it missed him, then?" "yes, sir; for he had started to england just before it arrived.', 'dding." "it missed him, then?" "yes, sir; for he had started to england just before it arrived." "ha', '." "it missed him, then?" "yes, sir; for he had started to england just before it arrived." "ha! tha', 't missed him, then?" "yes, sir; for he had started to england just before it arrived." "ha! that was', 'sed him, then?" "yes, sir; for he had started to england just before it arrived." "ha! that was unfo', 'im, then?" "yes, sir; for he had started to england just before it arrived." "ha! that was unfortuna', 'hen?" "yes, sir; for he had started to england just before it arrived." "ha! that was unfortunate. y', ' "yes, sir; for he had started to england just before it arrived." "ha! that was unfortunate. your w', ', sir; for he had started to england just before it arrived." "ha! that was unfortunate. your weddin', '; for he had started to england just before it arrived." "ha! that was unfortunate. your wedding was', ' he had started to england just before it arrived." "ha! that was unfortunate. your wedding was arra', 'ad started to england just before it arrived." "ha! that was unfortunate. your wedding was arranged,', 'arted to england just before it arrived." "ha! that was unfortunate. your wedding was arranged, then', ' to england just before it arrived." "ha! that was unfortunate. your wedding was arranged, then, for', 'ngland just before it arrived." "ha! that was unfortunate. your wedding was arranged, then, for the ', 'd just before it arrived." "ha! that was unfortunate. your wedding was arranged, then, for the frida', 't before it arrived." "ha! that was unfortunate. your wedding was arranged, then, for the friday. wa', 'ore it arrived." "ha! that was unfortunate. your wedding was arranged, then, for the friday. was it ', 't arrived." "ha! that was unfortunate. your wedding was arranged, then, for the friday. was it to be', 'ived." "ha! that was unfortunate. your wedding was arranged, then, for the friday. was it to be in c', '" "ha! that was unfortunate. your wedding was arranged, then, for the friday. was it to be in church', '! that was unfortunate. your wedding was arranged, then, for the friday. was it to be in church?" "y', 't was unfortunate. your wedding was arranged, then, for the friday. was it to be in church?" "yes, s', ' unfortunate. your wedding was arranged, then, for the friday. was it to be in church?" "yes, sir, b', 'rtunate. your wedding was arranged, then, for the friday. was it to be in church?" "yes, sir, but ve', 'te. your wedding was arranged, then, for the friday. was it to be in church?" "yes, sir, but very qu', 'our wedding was arranged, then, for the friday. was it to be in church?" "yes, sir, but very quietly', 'edding was arranged, then, for the friday. was it to be in church?" "yes, sir, but very quietly. it ', 'g was arranged, then, for the friday. was it to be in church?" "yes, sir, but very quietly. it was t', ' arranged, then, for the friday. was it to be in church?" "yes, sir, but very quietly. it was to be ', 'nged, then, for the friday. was it to be in church?" "yes, sir, but very quietly. it was to be at st', ' then, for the friday. was it to be in church?" "yes, sir, but very quietly. it was to be at st. sav', ', for the friday. was it to be in church?" "yes, sir, but very quietly. it was to be at st. saviour\'', ' the friday. was it to be in church?" "yes, sir, but very quietly. it was to be at st. saviour\'s, ne', 'friday. was it to be in church?" "yes, sir, but very quietly. it was to be at st. saviour\'s, near ki', 'y. was it to be in church?" "yes, sir, but very quietly. it was to be at st. saviour\'s, near king\'s ', 's it to be in church?" "yes, sir, but very quietly. it was to be at st. saviour\'s, near king\'s cross', 'to be in church?" "yes, sir, but very quietly. it was to be at st. saviour\'s, near king\'s cross, and', ' in church?" "yes, sir, but very quietly. it was to be at st. saviour\'s, near king\'s cross, and we w', 'hurch?" "yes, sir, but very quietly. it was to be at st. saviour\'s, near king\'s cross, and we were t', '?" "yes, sir, but very quietly. it was to be at st. saviour\'s, near king\'s cross, and we were to hav', "es, sir, but very quietly. it was to be at st. saviour's, near king's cross, and we were to have bre", "ir, but very quietly. it was to be at st. saviour's, near king's cross, and we were to have breakfas", "ut very quietly. it was to be at st. saviour's, near king's cross, and we were to have breakfast aft", "ry quietly. it was to be at st. saviour's, near king's cross, and we were to have breakfast afterwar", "ietly. it was to be at st. saviour's, near king's cross, and we were to have breakfast afterwards at", ". it was to be at st. saviour's, near king's cross, and we were to have breakfast afterwards at the ", "was to be at st. saviour's, near king's cross, and we were to have breakfast afterwards at the st. p", "o be at st. saviour's, near king's cross, and we were to have breakfast afterwards at the st. pancra", "at st. saviour's, near king's cross, and we were to have breakfast afterwards at the st. pancras hot", ". saviour's, near king's cross, and we were to have breakfast afterwards at the st. pancras hotel. h", "iour's, near king's cross, and we were to have breakfast afterwards at the st. pancras hotel. hosmer", "s, near king's cross, and we were to have breakfast afterwards at the st. pancras hotel. hosmer came", "ar king's cross, and we were to have breakfast afterwards at the st. pancras hotel. hosmer came for ", "ng's cross, and we were to have breakfast afterwards at the st. pancras hotel. hosmer came for us in", 'cross, and we were to have breakfast afterwards at the st. pancras hotel. hosmer came for us in a ha', ', and we were to have breakfast afterwards at the st. pancras hotel. hosmer came for us in a hansom,', ' we were to have breakfast afterwards at the st. pancras hotel. hosmer came for us in a hansom, but ', 'ere to have breakfast afterwards at the st. pancras hotel. hosmer came for us in a hansom, but as th', 'o have breakfast afterwards at the st. pancras hotel. hosmer came for us in a hansom, but as there w', 'e breakfast afterwards at the st. pancras hotel. hosmer came for us in a hansom, but as there were t', 'akfast afterwards at the st. pancras hotel. hosmer came for us in a hansom, but as there were two of', 't afterwards at the st. pancras hotel. hosmer came for us in a hansom, but as there were two of us h', 'erwards at the st. pancras hotel. hosmer came for us in a hansom, but as there were two of us he put', 'ds at the st. pancras hotel. hosmer came for us in a hansom, but as there were two of us he put us b', ' the st. pancras hotel. hosmer came for us in a hansom, but as there were two of us he put us both i', 'st. pancras hotel. hosmer came for us in a hansom, but as there were two of us he put us both into i', 'ancras hotel. hosmer came for us in a hansom, but as there were two of us he put us both into it and', 's hotel. hosmer came for us in a hansom, but as there were two of us he put us both into it and step', 'el. hosmer came for us in a hansom, but as there were two of us he put us both into it and stepped h', 'osmer came for us in a hansom, but as there were two of us he put us both into it and stepped himsel', ' came for us in a hansom, but as there were two of us he put us both into it and stepped himself int', ' for us in a hansom, but as there were two of us he put us both into it and stepped himself into a f', 'us in a hansom, but as there were two of us he put us both into it and stepped himself into a four-w', ' a hansom, but as there were two of us he put us both into it and stepped himself into a four-wheele', 'nsom, but as there were two of us he put us both into it and stepped himself into a four-wheeler, wh', ' but as there were two of us he put us both into it and stepped himself into a four-wheeler, which h', 'as there were two of us he put us both into it and stepped himself into a four-wheeler, which happen', 'ere were two of us he put us both into it and stepped himself into a four-wheeler, which happened to', 'ere two of us he put us both into it and stepped himself into a four-wheeler, which happened to be t', 'wo of us he put us both into it and stepped himself into a four-wheeler, which happened to be the on', ' us he put us both into it and stepped himself into a four-wheeler, which happened to be the only ot', 'e put us both into it and stepped himself into a four-wheeler, which happened to be the only other c', ' us both into it and stepped himself into a four-wheeler, which happened to be the only other cab in', 'oth into it and stepped himself into a four-wheeler, which happened to be the only other cab in the ', 'nto it and stepped himself into a four-wheeler, which happened to be the only other cab in the stree', 't and stepped himself into a four-wheeler, which happened to be the only other cab in the street. we', ' stepped himself into a four-wheeler, which happened to be the only other cab in the street. we got ', 'ped himself into a four-wheeler, which happened to be the only other cab in the street. we got to th', 'imself into a four-wheeler, which happened to be the only other cab in the street. we got to the chu', 'f into a four-wheeler, which happened to be the only other cab in the street. we got to the church f', 'o a four-wheeler, which happened to be the only other cab in the street. we got to the church first,', 'our-wheeler, which happened to be the only other cab in the street. we got to the church first, and ', 'heeler, which happened to be the only other cab in the street. we got to the church first, and when ', 'r, which happened to be the only other cab in the street. we got to the church first, and when the f', 'ich happened to be the only other cab in the street. we got to the church first, and when the four-w', 'appened to be the only other cab in the street. we got to the church first, and when the four-wheele', 'ed to be the only other cab in the street. we got to the church first, and when the four-wheeler dro', ' be the only other cab in the street. we got to the church first, and when the four-wheeler drove up', 'he only other cab in the street. we got to the church first, and when the four-wheeler drove up we w', 'ly other cab in the street. we got to the church first, and when the four-wheeler drove up we waited', 'her cab in the street. we got to the church first, and when the four-wheeler drove up we waited for ', 'ab in the street. we got to the church first, and when the four-wheeler drove up we waited for him t', ' the street. we got to the church first, and when the four-wheeler drove up we waited for him to ste', 'street. we got to the church first, and when the four-wheeler drove up we waited for him to step out', 't. we got to the church first, and when the four-wheeler drove up we waited for him to step out, but', ' got to the church first, and when the four-wheeler drove up we waited for him to step out, but he n', 'to the church first, and when the four-wheeler drove up we waited for him to step out, but he never ', 'e church first, and when the four-wheeler drove up we waited for him to step out, but he never did, ', 'rch first, and when the four-wheeler drove up we waited for him to step out, but he never did, and w', 'irst, and when the four-wheeler drove up we waited for him to step out, but he never did, and when t', ' and when the four-wheeler drove up we waited for him to step out, but he never did, and when the ca', 'when the four-wheeler drove up we waited for him to step out, but he never did, and when the cabman ', 'the four-wheeler drove up we waited for him to step out, but he never did, and when the cabman got d', 'our-wheeler drove up we waited for him to step out, but he never did, and when the cabman got down f', 'heeler drove up we waited for him to step out, but he never did, and when the cabman got down from t', 'r drove up we waited for him to step out, but he never did, and when the cabman got down from the bo', 've up we waited for him to step out, but he never did, and when the cabman got down from the box and', ' we waited for him to step out, but he never did, and when the cabman got down from the box and look', 'aited for him to step out, but he never did, and when the cabman got down from the box and looked th', ' for him to step out, but he never did, and when the cabman got down from the box and looked there w', 'him to step out, but he never did, and when the cabman got down from the box and looked there was no', 'o step out, but he never did, and when the cabman got down from the box and looked there was no one ', 'p out, but he never did, and when the cabman got down from the box and looked there was no one there', ', but he never did, and when the cabman got down from the box and looked there was no one there! the', ' he never did, and when the cabman got down from the box and looked there was no one there! the cabm', 'ever did, and when the cabman got down from the box and looked there was no one there! the cabman sa', 'did, and when the cabman got down from the box and looked there was no one there! the cabman said th', 'and when the cabman got down from the box and looked there was no one there! the cabman said that he', 'hen the cabman got down from the box and looked there was no one there! the cabman said that he coul', 'he cabman got down from the box and looked there was no one there! the cabman said that he could not', 'bman got down from the box and looked there was no one there! the cabman said that he could not imag', 'got down from the box and looked there was no one there! the cabman said that he could not imagine w', 'own from the box and looked there was no one there! the cabman said that he could not imagine what h', 'rom the box and looked there was no one there! the cabman said that he could not imagine what had be', 'he box and looked there was no one there! the cabman said that he could not imagine what had become ', 'x and looked there was no one there! the cabman said that he could not imagine what had become of hi', ' looked there was no one there! the cabman said that he could not imagine what had become of him, fo', 'ed there was no one there! the cabman said that he could not imagine what had become of him, for he ', 'ere was no one there! the cabman said that he could not imagine what had become of him, for he had s', 'as no one there! the cabman said that he could not imagine what had become of him, for he had seen h', ' one there! the cabman said that he could not imagine what had become of him, for he had seen him ge', 'there! the cabman said that he could not imagine what had become of him, for he had seen him get in ', '! the cabman said that he could not imagine what had become of him, for he had seen him get in with ', ' cabman said that he could not imagine what had become of him, for he had seen him get in with his o', 'an said that he could not imagine what had become of him, for he had seen him get in with his own ey', 'id that he could not imagine what had become of him, for he had seen him get in with his own eyes. t', 'at he could not imagine what had become of him, for he had seen him get in with his own eyes. that w', ' could not imagine what had become of him, for he had seen him get in with his own eyes. that was la', 'd not imagine what had become of him, for he had seen him get in with his own eyes. that was last fr', ' imagine what had become of him, for he had seen him get in with his own eyes. that was last friday,', 'ine what had become of him, for he had seen him get in with his own eyes. that was last friday, mr. ', 'hat had become of him, for he had seen him get in with his own eyes. that was last friday, mr. holme', 'ad become of him, for he had seen him get in with his own eyes. that was last friday, mr. holmes, an', 'come of him, for he had seen him get in with his own eyes. that was last friday, mr. holmes, and i h', 'of him, for he had seen him get in with his own eyes. that was last friday, mr. holmes, and i have n', 'm, for he had seen him get in with his own eyes. that was last friday, mr. holmes, and i have never ', 'r he had seen him get in with his own eyes. that was last friday, mr. holmes, and i have never seen ', 'had seen him get in with his own eyes. that was last friday, mr. holmes, and i have never seen or he', 'een him get in with his own eyes. that was last friday, mr. holmes, and i have never seen or heard a', 'im get in with his own eyes. that was last friday, mr. holmes, and i have never seen or heard anythi', 't in with his own eyes. that was last friday, mr. holmes, and i have never seen or heard anything si', 'with his own eyes. that was last friday, mr. holmes, and i have never seen or heard anything since t', 'his own eyes. that was last friday, mr. holmes, and i have never seen or heard anything since then t', 'wn eyes. that was last friday, mr. holmes, and i have never seen or heard anything since then to thr', 'es. that was last friday, mr. holmes, and i have never seen or heard anything since then to throw an', 'hat was last friday, mr. holmes, and i have never seen or heard anything since then to throw any lig', 'as last friday, mr. holmes, and i have never seen or heard anything since then to throw any light up', 'st friday, mr. holmes, and i have never seen or heard anything since then to throw any light upon wh', 'iday, mr. holmes, and i have never seen or heard anything since then to throw any light upon what be', ' mr. holmes, and i have never seen or heard anything since then to throw any light upon what became ', 'holmes, and i have never seen or heard anything since then to throw any light upon what became of hi', 's, and i have never seen or heard anything since then to throw any light upon what became of him." "', 'd i have never seen or heard anything since then to throw any light upon what became of him." "it se', 'ave never seen or heard anything since then to throw any light upon what became of him." "it seems t', 'ever seen or heard anything since then to throw any light upon what became of him." "it seems to me ', 'seen or heard anything since then to throw any light upon what became of him." "it seems to me that ', 'or heard anything since then to throw any light upon what became of him." "it seems to me that you h', 'ard anything since then to throw any light upon what became of him." "it seems to me that you have b', 'nything since then to throw any light upon what became of him." "it seems to me that you have been v', 'ng since then to throw any light upon what became of him." "it seems to me that you have been very s', 'nce then to throw any light upon what became of him." "it seems to me that you have been very shamef', 'hen to throw any light upon what became of him." "it seems to me that you have been very shamefully ', 'o throw any light upon what became of him." "it seems to me that you have been very shamefully treat', 'ow any light upon what became of him." "it seems to me that you have been very shamefully treated," ', 'y light upon what became of him." "it seems to me that you have been very shamefully treated," said ', 'ht upon what became of him." "it seems to me that you have been very shamefully treated," said holme', 'on what became of him." "it seems to me that you have been very shamefully treated," said holmes. "o', 'at became of him." "it seems to me that you have been very shamefully treated," said holmes. "oh, no', 'came of him." "it seems to me that you have been very shamefully treated," said holmes. "oh, no, sir', 'of him." "it seems to me that you have been very shamefully treated," said holmes. "oh, no, sir! he ', 'm." "it seems to me that you have been very shamefully treated," said holmes. "oh, no, sir! he was t', 'it seems to me that you have been very shamefully treated," said holmes. "oh, no, sir! he was too go', 'ems to me that you have been very shamefully treated," said holmes. "oh, no, sir! he was too good an', 'o me that you have been very shamefully treated," said holmes. "oh, no, sir! he was too good and kin', 'that you have been very shamefully treated," said holmes. "oh, no, sir! he was too good and kind to ', 'you have been very shamefully treated," said holmes. "oh, no, sir! he was too good and kind to leave', 'ave been very shamefully treated," said holmes. "oh, no, sir! he was too good and kind to leave me s', 'een very shamefully treated," said holmes. "oh, no, sir! he was too good and kind to leave me so. wh', 'ery shamefully treated," said holmes. "oh, no, sir! he was too good and kind to leave me so. why, al', 'hamefully treated," said holmes. "oh, no, sir! he was too good and kind to leave me so. why, all the', 'ully treated," said holmes. "oh, no, sir! he was too good and kind to leave me so. why, all the morn', 'treated," said holmes. "oh, no, sir! he was too good and kind to leave me so. why, all the morning h', 'ed," said holmes. "oh, no, sir! he was too good and kind to leave me so. why, all the morning he was', 'said holmes. "oh, no, sir! he was too good and kind to leave me so. why, all the morning he was sayi', 'holmes. "oh, no, sir! he was too good and kind to leave me so. why, all the morning he was saying to', 's. "oh, no, sir! he was too good and kind to leave me so. why, all the morning he was saying to me t', 'h, no, sir! he was too good and kind to leave me so. why, all the morning he was saying to me that, ', ', sir! he was too good and kind to leave me so. why, all the morning he was saying to me that, whate', '! he was too good and kind to leave me so. why, all the morning he was saying to me that, whatever h', 'was too good and kind to leave me so. why, all the morning he was saying to me that, whatever happen', 'oo good and kind to leave me so. why, all the morning he was saying to me that, whatever happened, i', 'od and kind to leave me so. why, all the morning he was saying to me that, whatever happened, i was ', 'd kind to leave me so. why, all the morning he was saying to me that, whatever happened, i was to be', 'd to leave me so. why, all the morning he was saying to me that, whatever happened, i was to be true', 'leave me so. why, all the morning he was saying to me that, whatever happened, i was to be true; and', ' me so. why, all the morning he was saying to me that, whatever happened, i was to be true; and that', 'o. why, all the morning he was saying to me that, whatever happened, i was to be true; and that even', 'y, all the morning he was saying to me that, whatever happened, i was to be true; and that even if s', 'l the morning he was saying to me that, whatever happened, i was to be true; and that even if someth', ' morning he was saying to me that, whatever happened, i was to be true; and that even if something q', 'ing he was saying to me that, whatever happened, i was to be true; and that even if something quite ', 'e was saying to me that, whatever happened, i was to be true; and that even if something quite unfor', ' saying to me that, whatever happened, i was to be true; and that even if something quite unforeseen', 'ng to me that, whatever happened, i was to be true; and that even if something quite unforeseen occu', ' me that, whatever happened, i was to be true; and that even if something quite unforeseen occurred ', 'hat, whatever happened, i was to be true; and that even if something quite unforeseen occurred to se', 'whatever happened, i was to be true; and that even if something quite unforeseen occurred to separat', 'ver happened, i was to be true; and that even if something quite unforeseen occurred to separate us,', 'appened, i was to be true; and that even if something quite unforeseen occurred to separate us, i wa', 'ed, i was to be true; and that even if something quite unforeseen occurred to separate us, i was alw', ' was to be true; and that even if something quite unforeseen occurred to separate us, i was always t', 'to be true; and that even if something quite unforeseen occurred to separate us, i was always to rem', ' true; and that even if something quite unforeseen occurred to separate us, i was always to remember', '; and that even if something quite unforeseen occurred to separate us, i was always to remember that', ' that even if something quite unforeseen occurred to separate us, i was always to remember that i wa', ' even if something quite unforeseen occurred to separate us, i was always to remember that i was ple', ' if something quite unforeseen occurred to separate us, i was always to remember that i was pledged ', 'omething quite unforeseen occurred to separate us, i was always to remember that i was pledged to hi', 'ing quite unforeseen occurred to separate us, i was always to remember that i was pledged to him, an', 'uite unforeseen occurred to separate us, i was always to remember that i was pledged to him, and tha', 'unforeseen occurred to separate us, i was always to remember that i was pledged to him, and that he ', 'eseen occurred to separate us, i was always to remember that i was pledged to him, and that he would', ' occurred to separate us, i was always to remember that i was pledged to him, and that he would clai', 'rred to separate us, i was always to remember that i was pledged to him, and that he would claim his', 'to separate us, i was always to remember that i was pledged to him, and that he would claim his pled', 'parate us, i was always to remember that i was pledged to him, and that he would claim his pledge so', 'e us, i was always to remember that i was pledged to him, and that he would claim his pledge sooner ', ' i was always to remember that i was pledged to him, and that he would claim his pledge sooner or la', 's always to remember that i was pledged to him, and that he would claim his pledge sooner or later. ', 'ays to remember that i was pledged to him, and that he would claim his pledge sooner or later. it se', 'o remember that i was pledged to him, and that he would claim his pledge sooner or later. it seemed ', 'ember that i was pledged to him, and that he would claim his pledge sooner or later. it seemed stran', ' that i was pledged to him, and that he would claim his pledge sooner or later. it seemed strange ta', ' i was pledged to him, and that he would claim his pledge sooner or later. it seemed strange talk fo', 's pledged to him, and that he would claim his pledge sooner or later. it seemed strange talk for a w', 'dged to him, and that he would claim his pledge sooner or later. it seemed strange talk for a weddin', 'to him, and that he would claim his pledge sooner or later. it seemed strange talk for a wedding-mor', 'm, and that he would claim his pledge sooner or later. it seemed strange talk for a wedding-morning,', 'd that he would claim his pledge sooner or later. it seemed strange talk for a wedding-morning, but ', 't he would claim his pledge sooner or later. it seemed strange talk for a wedding-morning, but what ', 'would claim his pledge sooner or later. it seemed strange talk for a wedding-morning, but what has h', ' claim his pledge sooner or later. it seemed strange talk for a wedding-morning, but what has happen', 'm his pledge sooner or later. it seemed strange talk for a wedding-morning, but what has happened si', ' pledge sooner or later. it seemed strange talk for a wedding-morning, but what has happened since g', 'ge sooner or later. it seemed strange talk for a wedding-morning, but what has happened since gives ', 'oner or later. it seemed strange talk for a wedding-morning, but what has happened since gives a mea', 'or later. it seemed strange talk for a wedding-morning, but what has happened since gives a meaning ', 'ter. it seemed strange talk for a wedding-morning, but what has happened since gives a meaning to it', 'it seemed strange talk for a wedding-morning, but what has happened since gives a meaning to it." "m', 'emed strange talk for a wedding-morning, but what has happened since gives a meaning to it." "most c', 'strange talk for a wedding-morning, but what has happened since gives a meaning to it." "most certai', 'ge talk for a wedding-morning, but what has happened since gives a meaning to it." "most certainly i', 'lk for a wedding-morning, but what has happened since gives a meaning to it." "most certainly it doe', 'r a wedding-morning, but what has happened since gives a meaning to it." "most certainly it does. yo', 'edding-morning, but what has happened since gives a meaning to it." "most certainly it does. your ow', 'g-morning, but what has happened since gives a meaning to it." "most certainly it does. your own opi', 'ning, but what has happened since gives a meaning to it." "most certainly it does. your own opinion ', ' but what has happened since gives a meaning to it." "most certainly it does. your own opinion is, t', 'what has happened since gives a meaning to it." "most certainly it does. your own opinion is, then, ', 'has happened since gives a meaning to it." "most certainly it does. your own opinion is, then, that ', 'appened since gives a meaning to it." "most certainly it does. your own opinion is, then, that some ', 'ed since gives a meaning to it." "most certainly it does. your own opinion is, then, that some unfor', 'nce gives a meaning to it." "most certainly it does. your own opinion is, then, that some unforeseen', 'ives a meaning to it." "most certainly it does. your own opinion is, then, that some unforeseen cata', 'a meaning to it." "most certainly it does. your own opinion is, then, that some unforeseen catastrop', 'ning to it." "most certainly it does. your own opinion is, then, that some unforeseen catastrophe ha', 'to it." "most certainly it does. your own opinion is, then, that some unforeseen catastrophe has occ', '." "most certainly it does. your own opinion is, then, that some unforeseen catastrophe has occurred', 'ost certainly it does. your own opinion is, then, that some unforeseen catastrophe has occurred to h', 'ertainly it does. your own opinion is, then, that some unforeseen catastrophe has occurred to him?" ', 'nly it does. your own opinion is, then, that some unforeseen catastrophe has occurred to him?" "yes,', 't does. your own opinion is, then, that some unforeseen catastrophe has occurred to him?" "yes, sir.', 's. your own opinion is, then, that some unforeseen catastrophe has occurred to him?" "yes, sir. i be', 'ur own opinion is, then, that some unforeseen catastrophe has occurred to him?" "yes, sir. i believe', 'n opinion is, then, that some unforeseen catastrophe has occurred to him?" "yes, sir. i believe that', 'nion is, then, that some unforeseen catastrophe has occurred to him?" "yes, sir. i believe that he f', 'is, then, that some unforeseen catastrophe has occurred to him?" "yes, sir. i believe that he foresa', 'hen, that some unforeseen catastrophe has occurred to him?" "yes, sir. i believe that he foresaw som', 'that some unforeseen catastrophe has occurred to him?" "yes, sir. i believe that he foresaw some dan', 'some unforeseen catastrophe has occurred to him?" "yes, sir. i believe that he foresaw some danger, ', 'unforeseen catastrophe has occurred to him?" "yes, sir. i believe that he foresaw some danger, or el', 'eseen catastrophe has occurred to him?" "yes, sir. i believe that he foresaw some danger, or else he', ' catastrophe has occurred to him?" "yes, sir. i believe that he foresaw some danger, or else he woul', 'strophe has occurred to him?" "yes, sir. i believe that he foresaw some danger, or else he would not', 'he has occurred to him?" "yes, sir. i believe that he foresaw some danger, or else he would not have', 's occurred to him?" "yes, sir. i believe that he foresaw some danger, or else he would not have talk', 'urred to him?" "yes, sir. i believe that he foresaw some danger, or else he would not have talked so', ' to him?" "yes, sir. i believe that he foresaw some danger, or else he would not have talked so. and', 'im?" "yes, sir. i believe that he foresaw some danger, or else he would not have talked so. and then', '"yes, sir. i believe that he foresaw some danger, or else he would not have talked so. and then i th', ' sir. i believe that he foresaw some danger, or else he would not have talked so. and then i think t', ' i believe that he foresaw some danger, or else he would not have talked so. and then i think that w', 'lieve that he foresaw some danger, or else he would not have talked so. and then i think that what h', ' that he foresaw some danger, or else he would not have talked so. and then i think that what he for', ' he foresaw some danger, or else he would not have talked so. and then i think that what he foresaw ', 'oresaw some danger, or else he would not have talked so. and then i think that what he foresaw happe', 'w some danger, or else he would not have talked so. and then i think that what he foresaw happened."', 'e danger, or else he would not have talked so. and then i think that what he foresaw happened." "but', 'ger, or else he would not have talked so. and then i think that what he foresaw happened." "but you ', 'or else he would not have talked so. and then i think that what he foresaw happened." "but you have ', 'se he would not have talked so. and then i think that what he foresaw happened." "but you have no no', ' would not have talked so. and then i think that what he foresaw happened." "but you have no notion ', 'd not have talked so. and then i think that what he foresaw happened." "but you have no notion as to', ' have talked so. and then i think that what he foresaw happened." "but you have no notion as to what', ' talked so. and then i think that what he foresaw happened." "but you have no notion as to what it c', 'ed so. and then i think that what he foresaw happened." "but you have no notion as to what it could ', '. and then i think that what he foresaw happened." "but you have no notion as to what it could have ', ' then i think that what he foresaw happened." "but you have no notion as to what it could have been?', ' i think that what he foresaw happened." "but you have no notion as to what it could have been?" "no', 'ink that what he foresaw happened." "but you have no notion as to what it could have been?" "none." ', 'hat what he foresaw happened." "but you have no notion as to what it could have been?" "none." "one ', 'hat he foresaw happened." "but you have no notion as to what it could have been?" "none." "one more ', 'e foresaw happened." "but you have no notion as to what it could have been?" "none." "one more quest', 'esaw happened." "but you have no notion as to what it could have been?" "none." "one more question. ', 'happened." "but you have no notion as to what it could have been?" "none." "one more question. how d', 'ned." "but you have no notion as to what it could have been?" "none." "one more question. how did yo', ' "but you have no notion as to what it could have been?" "none." "one more question. how did your mo', ' you have no notion as to what it could have been?" "none." "one more question. how did your mother ', 'have no notion as to what it could have been?" "none." "one more question. how did your mother take ', 'no notion as to what it could have been?" "none." "one more question. how did your mother take the m', 'tion as to what it could have been?" "none." "one more question. how did your mother take the matter', 'as to what it could have been?" "none." "one more question. how did your mother take the matter?" "s', ' what it could have been?" "none." "one more question. how did your mother take the matter?" "she wa', ' it could have been?" "none." "one more question. how did your mother take the matter?" "she was ang', 'ould have been?" "none." "one more question. how did your mother take the matter?" "she was angry, a', 'have been?" "none." "one more question. how did your mother take the matter?" "she was angry, and sa', 'been?" "none." "one more question. how did your mother take the matter?" "she was angry, and said th', '" "none." "one more question. how did your mother take the matter?" "she was angry, and said that i ', 'ne." "one more question. how did your mother take the matter?" "she was angry, and said that i was n', '"one more question. how did your mother take the matter?" "she was angry, and said that i was never ', 'more question. how did your mother take the matter?" "she was angry, and said that i was never to sp', 'question. how did your mother take the matter?" "she was angry, and said that i was never to speak o', 'ion. how did your mother take the matter?" "she was angry, and said that i was never to speak of the', 'how did your mother take the matter?" "she was angry, and said that i was never to speak of the matt', 'id your mother take the matter?" "she was angry, and said that i was never to speak of the matter ag', 'ur mother take the matter?" "she was angry, and said that i was never to speak of the matter again."', 'ther take the matter?" "she was angry, and said that i was never to speak of the matter again." "and', 'take the matter?" "she was angry, and said that i was never to speak of the matter again." "and your', 'the matter?" "she was angry, and said that i was never to speak of the matter again." "and your fath', 'atter?" "she was angry, and said that i was never to speak of the matter again." "and your father? d', '?" "she was angry, and said that i was never to speak of the matter again." "and your father? did yo', 'he was angry, and said that i was never to speak of the matter again." "and your father? did you tel', 's angry, and said that i was never to speak of the matter again." "and your father? did you tell him', 'ry, and said that i was never to speak of the matter again." "and your father? did you tell him?" "y', 'nd said that i was never to speak of the matter again." "and your father? did you tell him?" "yes; a', 'id that i was never to speak of the matter again." "and your father? did you tell him?" "yes; and he', 'at i was never to speak of the matter again." "and your father? did you tell him?" "yes; and he seem', 'was never to speak of the matter again." "and your father? did you tell him?" "yes; and he seemed to', 'ever to speak of the matter again." "and your father? did you tell him?" "yes; and he seemed to thin', 'to speak of the matter again." "and your father? did you tell him?" "yes; and he seemed to think, wi', 'eak of the matter again." "and your father? did you tell him?" "yes; and he seemed to think, with me', 'f the matter again." "and your father? did you tell him?" "yes; and he seemed to think, with me, tha', ' matter again." "and your father? did you tell him?" "yes; and he seemed to think, with me, that som', 'er again." "and your father? did you tell him?" "yes; and he seemed to think, with me, that somethin', 'ain." "and your father? did you tell him?" "yes; and he seemed to think, with me, that something had', ' "and your father? did you tell him?" "yes; and he seemed to think, with me, that something had happ', ' your father? did you tell him?" "yes; and he seemed to think, with me, that something had happened,', ' father? did you tell him?" "yes; and he seemed to think, with me, that something had happened, and ', 'er? did you tell him?" "yes; and he seemed to think, with me, that something had happened, and that ', 'id you tell him?" "yes; and he seemed to think, with me, that something had happened, and that i sho', 'u tell him?" "yes; and he seemed to think, with me, that something had happened, and that i should h', 'l him?" "yes; and he seemed to think, with me, that something had happened, and that i should hear o', '?" "yes; and he seemed to think, with me, that something had happened, and that i should hear of hos', 'es; and he seemed to think, with me, that something had happened, and that i should hear of hosmer a', 'nd he seemed to think, with me, that something had happened, and that i should hear of hosmer again.', ' seemed to think, with me, that something had happened, and that i should hear of hosmer again. as h', 'ed to think, with me, that something had happened, and that i should hear of hosmer again. as he sai', ' think, with me, that something had happened, and that i should hear of hosmer again. as he said, wh', 'k, with me, that something had happened, and that i should hear of hosmer again. as he said, what in', 'th me, that something had happened, and that i should hear of hosmer again. as he said, what interes', ', that something had happened, and that i should hear of hosmer again. as he said, what interest cou', 't something had happened, and that i should hear of hosmer again. as he said, what interest could an', 'ething had happened, and that i should hear of hosmer again. as he said, what interest could anyone ', 'g had happened, and that i should hear of hosmer again. as he said, what interest could anyone have ', ' happened, and that i should hear of hosmer again. as he said, what interest could anyone have in br', 'ened, and that i should hear of hosmer again. as he said, what interest could anyone have in bringin', ' and that i should hear of hosmer again. as he said, what interest could anyone have in bringing me ', 'that i should hear of hosmer again. as he said, what interest could anyone have in bringing me to th', 'i should hear of hosmer again. as he said, what interest could anyone have in bringing me to the doo', 'uld hear of hosmer again. as he said, what interest could anyone have in bringing me to the doors of', 'ear of hosmer again. as he said, what interest could anyone have in bringing me to the doors of the ', 'f hosmer again. as he said, what interest could anyone have in bringing me to the doors of the churc', 'mer again. as he said, what interest could anyone have in bringing me to the doors of the church, an', 'gain. as he said, what interest could anyone have in bringing me to the doors of the church, and the', ' as he said, what interest could anyone have in bringing me to the doors of the church, and then lea', 'e said, what interest could anyone have in bringing me to the doors of the church, and then leaving ', 'd, what interest could anyone have in bringing me to the doors of the church, and then leaving me? n', 'at interest could anyone have in bringing me to the doors of the church, and then leaving me? now, i', 'terest could anyone have in bringing me to the doors of the church, and then leaving me? now, if he ', 't could anyone have in bringing me to the doors of the church, and then leaving me? now, if he had b', 'ld anyone have in bringing me to the doors of the church, and then leaving me? now, if he had borrow', 'yone have in bringing me to the doors of the church, and then leaving me? now, if he had borrowed my', 'have in bringing me to the doors of the church, and then leaving me? now, if he had borrowed my mone', 'in bringing me to the doors of the church, and then leaving me? now, if he had borrowed my money, or', 'inging me to the doors of the church, and then leaving me? now, if he had borrowed my money, or if h', 'g me to the doors of the church, and then leaving me? now, if he had borrowed my money, or if he had', 'to the doors of the church, and then leaving me? now, if he had borrowed my money, or if he had marr', 'e doors of the church, and then leaving me? now, if he had borrowed my money, or if he had married m', 'rs of the church, and then leaving me? now, if he had borrowed my money, or if he had married me and', ' the church, and then leaving me? now, if he had borrowed my money, or if he had married me and got ', 'church, and then leaving me? now, if he had borrowed my money, or if he had married me and got my mo', 'h, and then leaving me? now, if he had borrowed my money, or if he had married me and got my money s', 'd then leaving me? now, if he had borrowed my money, or if he had married me and got my money settle', 'n leaving me? now, if he had borrowed my money, or if he had married me and got my money settled on ', 'ving me? now, if he had borrowed my money, or if he had married me and got my money settled on him, ', 'me? now, if he had borrowed my money, or if he had married me and got my money settled on him, there', 'ow, if he had borrowed my money, or if he had married me and got my money settled on him, there migh', 'f he had borrowed my money, or if he had married me and got my money settled on him, there might be ', 'had borrowed my money, or if he had married me and got my money settled on him, there might be some ', 'orrowed my money, or if he had married me and got my money settled on him, there might be some reaso', 'ed my money, or if he had married me and got my money settled on him, there might be some reason, bu', ' money, or if he had married me and got my money settled on him, there might be some reason, but hos', 'y, or if he had married me and got my money settled on him, there might be some reason, but hosmer w', ' if he had married me and got my money settled on him, there might be some reason, but hosmer was ve', 'e had married me and got my money settled on him, there might be some reason, but hosmer was very in', ' married me and got my money settled on him, there might be some reason, but hosmer was very indepen', 'ied me and got my money settled on him, there might be some reason, but hosmer was very independent ', 'e and got my money settled on him, there might be some reason, but hosmer was very independent about', ' got my money settled on him, there might be some reason, but hosmer was very independent about mone', 'my money settled on him, there might be some reason, but hosmer was very independent about money and', 'ney settled on him, there might be some reason, but hosmer was very independent about money and neve', 'ettled on him, there might be some reason, but hosmer was very independent about money and never wou', 'd on him, there might be some reason, but hosmer was very independent about money and never would lo', 'him, there might be some reason, but hosmer was very independent about money and never would look at', 'there might be some reason, but hosmer was very independent about money and never would look at a sh', ' might be some reason, but hosmer was very independent about money and never would look at a shillin', 't be some reason, but hosmer was very independent about money and never would look at a shilling of ', 'some reason, but hosmer was very independent about money and never would look at a shilling of mine.', 'reason, but hosmer was very independent about money and never would look at a shilling of mine. and ', 'n, but hosmer was very independent about money and never would look at a shilling of mine. and yet, ', 't hosmer was very independent about money and never would look at a shilling of mine. and yet, what ', 'mer was very independent about money and never would look at a shilling of mine. and yet, what could', 'as very independent about money and never would look at a shilling of mine. and yet, what could have', 'ry independent about money and never would look at a shilling of mine. and yet, what could have happ', 'dependent about money and never would look at a shilling of mine. and yet, what could have happened?', 'dent about money and never would look at a shilling of mine. and yet, what could have happened? and ', 'about money and never would look at a shilling of mine. and yet, what could have happened? and why c', ' money and never would look at a shilling of mine. and yet, what could have happened? and why could ', 'y and never would look at a shilling of mine. and yet, what could have happened? and why could he no', ' never would look at a shilling of mine. and yet, what could have happened? and why could he not wri', 'r would look at a shilling of mine. and yet, what could have happened? and why could he not write? o', 'ld look at a shilling of mine. and yet, what could have happened? and why could he not write? oh, it', 'ok at a shilling of mine. and yet, what could have happened? and why could he not write? oh, it driv', ' a shilling of mine. and yet, what could have happened? and why could he not write? oh, it drives me', 'illing of mine. and yet, what could have happened? and why could he not write? oh, it drives me half', 'g of mine. and yet, what could have happened? and why could he not write? oh, it drives me half-mad ', 'mine. and yet, what could have happened? and why could he not write? oh, it drives me half-mad to th', ' and yet, what could have happened? and why could he not write? oh, it drives me half-mad to think o', 'yet, what could have happened? and why could he not write? oh, it drives me half-mad to think of it,', 'what could have happened? and why could he not write? oh, it drives me half-mad to think of it, and ', 'could have happened? and why could he not write? oh, it drives me half-mad to think of it, and i can', " have happened? and why could he not write? oh, it drives me half-mad to think of it, and i can't sl", " happened? and why could he not write? oh, it drives me half-mad to think of it, and i can't sleep a", "ened? and why could he not write? oh, it drives me half-mad to think of it, and i can't sleep a wink", " and why could he not write? oh, it drives me half-mad to think of it, and i can't sleep a wink at n", "why could he not write? oh, it drives me half-mad to think of it, and i can't sleep a wink at night.", 'ould he not write? oh, it drives me half-mad to think of it, and i can\'t sleep a wink at night." she', 'he not write? oh, it drives me half-mad to think of it, and i can\'t sleep a wink at night." she pull', 't write? oh, it drives me half-mad to think of it, and i can\'t sleep a wink at night." she pulled a ', 'te? oh, it drives me half-mad to think of it, and i can\'t sleep a wink at night." she pulled a littl', 'h, it drives me half-mad to think of it, and i can\'t sleep a wink at night." she pulled a little han', ' drives me half-mad to think of it, and i can\'t sleep a wink at night." she pulled a little handkerc', 'es me half-mad to think of it, and i can\'t sleep a wink at night." she pulled a little handkerchief ', ' half-mad to think of it, and i can\'t sleep a wink at night." she pulled a little handkerchief out o', '-mad to think of it, and i can\'t sleep a wink at night." she pulled a little handkerchief out of her', 'to think of it, and i can\'t sleep a wink at night." she pulled a little handkerchief out of her muff', 'ink of it, and i can\'t sleep a wink at night." she pulled a little handkerchief out of her muff and ', 'f it, and i can\'t sleep a wink at night." she pulled a little handkerchief out of her muff and began', ' and i can\'t sleep a wink at night." she pulled a little handkerchief out of her muff and began to s', 'i can\'t sleep a wink at night." she pulled a little handkerchief out of her muff and began to sob he', '\'t sleep a wink at night." she pulled a little handkerchief out of her muff and began to sob heavily', 'eep a wink at night." she pulled a little handkerchief out of her muff and began to sob heavily into', ' wink at night." she pulled a little handkerchief out of her muff and began to sob heavily into it. ', ' at night." she pulled a little handkerchief out of her muff and began to sob heavily into it. "i sh', 'ight." she pulled a little handkerchief out of her muff and began to sob heavily into it. "i shall g', '" she pulled a little handkerchief out of her muff and began to sob heavily into it. "i shall glance', ' pulled a little handkerchief out of her muff and began to sob heavily into it. "i shall glance into', 'ed a little handkerchief out of her muff and began to sob heavily into it. "i shall glance into the ', 'little handkerchief out of her muff and began to sob heavily into it. "i shall glance into the case ', 'e handkerchief out of her muff and began to sob heavily into it. "i shall glance into the case for y', 'dkerchief out of her muff and began to sob heavily into it. "i shall glance into the case for you," ', 'hief out of her muff and began to sob heavily into it. "i shall glance into the case for you," said ', 'out of her muff and began to sob heavily into it. "i shall glance into the case for you," said holme', 'f her muff and began to sob heavily into it. "i shall glance into the case for you," said holmes, ri', ' muff and began to sob heavily into it. "i shall glance into the case for you," said holmes, rising,', ' and began to sob heavily into it. "i shall glance into the case for you," said holmes, rising, "and', 'began to sob heavily into it. "i shall glance into the case for you," said holmes, rising, "and i ha', ' to sob heavily into it. "i shall glance into the case for you," said holmes, rising, "and i have no', 'ob heavily into it. "i shall glance into the case for you," said holmes, rising, "and i have no doub', 'avily into it. "i shall glance into the case for you," said holmes, rising, "and i have no doubt tha', ' into it. "i shall glance into the case for you," said holmes, rising, "and i have no doubt that we ', ' it. "i shall glance into the case for you," said holmes, rising, "and i have no doubt that we shall', '"i shall glance into the case for you," said holmes, rising, "and i have no doubt that we shall reac', 'all glance into the case for you," said holmes, rising, "and i have no doubt that we shall reach som', 'lance into the case for you," said holmes, rising, "and i have no doubt that we shall reach some def', ' into the case for you," said holmes, rising, "and i have no doubt that we shall reach some definite', ' the case for you," said holmes, rising, "and i have no doubt that we shall reach some definite resu', 'case for you," said holmes, rising, "and i have no doubt that we shall reach some definite result. l', 'for you," said holmes, rising, "and i have no doubt that we shall reach some definite result. let th', 'ou," said holmes, rising, "and i have no doubt that we shall reach some definite result. let the wei', 'said holmes, rising, "and i have no doubt that we shall reach some definite result. let the weight o', 'holmes, rising, "and i have no doubt that we shall reach some definite result. let the weight of the', 's, rising, "and i have no doubt that we shall reach some definite result. let the weight of the matt', 'sing, "and i have no doubt that we shall reach some definite result. let the weight of the matter re', ' "and i have no doubt that we shall reach some definite result. let the weight of the matter rest up', ' i have no doubt that we shall reach some definite result. let the weight of the matter rest upon me', 've no doubt that we shall reach some definite result. let the weight of the matter rest upon me now,', ' doubt that we shall reach some definite result. let the weight of the matter rest upon me now, and ', 't that we shall reach some definite result. let the weight of the matter rest upon me now, and do no', 't we shall reach some definite result. let the weight of the matter rest upon me now, and do not let', 'shall reach some definite result. let the weight of the matter rest upon me now, and do not let your', ' reach some definite result. let the weight of the matter rest upon me now, and do not let your mind', 'h some definite result. let the weight of the matter rest upon me now, and do not let your mind dwel', 'e definite result. let the weight of the matter rest upon me now, and do not let your mind dwell upo', 'inite result. let the weight of the matter rest upon me now, and do not let your mind dwell upon it ', ' result. let the weight of the matter rest upon me now, and do not let your mind dwell upon it furth', 'lt. let the weight of the matter rest upon me now, and do not let your mind dwell upon it further. a', 'et the weight of the matter rest upon me now, and do not let your mind dwell upon it further. above ', 'e weight of the matter rest upon me now, and do not let your mind dwell upon it further. above all, ', 'ght of the matter rest upon me now, and do not let your mind dwell upon it further. above all, try t', 'f the matter rest upon me now, and do not let your mind dwell upon it further. above all, try to let', ' matter rest upon me now, and do not let your mind dwell upon it further. above all, try to let mr. ', 'er rest upon me now, and do not let your mind dwell upon it further. above all, try to let mr. hosme', 'st upon me now, and do not let your mind dwell upon it further. above all, try to let mr. hosmer ang', 'on me now, and do not let your mind dwell upon it further. above all, try to let mr. hosmer angel va', ' now, and do not let your mind dwell upon it further. above all, try to let mr. hosmer angel vanish ', ' and do not let your mind dwell upon it further. above all, try to let mr. hosmer angel vanish from ', 'do not let your mind dwell upon it further. above all, try to let mr. hosmer angel vanish from your ', 't let your mind dwell upon it further. above all, try to let mr. hosmer angel vanish from your memor', ' your mind dwell upon it further. above all, try to let mr. hosmer angel vanish from your memory, as', ' mind dwell upon it further. above all, try to let mr. hosmer angel vanish from your memory, as he h', ' dwell upon it further. above all, try to let mr. hosmer angel vanish from your memory, as he has do', 'l upon it further. above all, try to let mr. hosmer angel vanish from your memory, as he has done fr', 'n it further. above all, try to let mr. hosmer angel vanish from your memory, as he has done from yo', 'further. above all, try to let mr. hosmer angel vanish from your memory, as he has done from your li', 'er. above all, try to let mr. hosmer angel vanish from your memory, as he has done from your life." ', 'bove all, try to let mr. hosmer angel vanish from your memory, as he has done from your life." "then', 'all, try to let mr. hosmer angel vanish from your memory, as he has done from your life." "then you ', 'try to let mr. hosmer angel vanish from your memory, as he has done from your life." "then you don\'t', 'o let mr. hosmer angel vanish from your memory, as he has done from your life." "then you don\'t thin', ' mr. hosmer angel vanish from your memory, as he has done from your life." "then you don\'t think i\'l', 'hosmer angel vanish from your memory, as he has done from your life." "then you don\'t think i\'ll see', 'r angel vanish from your memory, as he has done from your life." "then you don\'t think i\'ll see him ', 'el vanish from your memory, as he has done from your life." "then you don\'t think i\'ll see him again', 'nish from your memory, as he has done from your life." "then you don\'t think i\'ll see him again?" "i', 'from your memory, as he has done from your life." "then you don\'t think i\'ll see him again?" "i fear', 'your memory, as he has done from your life." "then you don\'t think i\'ll see him again?" "i fear not.', 'memory, as he has done from your life." "then you don\'t think i\'ll see him again?" "i fear not." "th', 'y, as he has done from your life." "then you don\'t think i\'ll see him again?" "i fear not." "then wh', ' he has done from your life." "then you don\'t think i\'ll see him again?" "i fear not." "then what ha', 'as done from your life." "then you don\'t think i\'ll see him again?" "i fear not." "then what has hap', 'ne from your life." "then you don\'t think i\'ll see him again?" "i fear not." "then what has happened', 'om your life." "then you don\'t think i\'ll see him again?" "i fear not." "then what has happened to h', 'ur life." "then you don\'t think i\'ll see him again?" "i fear not." "then what has happened to him?" ', 'fe." "then you don\'t think i\'ll see him again?" "i fear not." "then what has happened to him?" "you ', '"then you don\'t think i\'ll see him again?" "i fear not." "then what has happened to him?" "you will ', ' you don\'t think i\'ll see him again?" "i fear not." "then what has happened to him?" "you will leave', 'don\'t think i\'ll see him again?" "i fear not." "then what has happened to him?" "you will leave that', ' think i\'ll see him again?" "i fear not." "then what has happened to him?" "you will leave that ques', 'k i\'ll see him again?" "i fear not." "then what has happened to him?" "you will leave that question ', 'l see him again?" "i fear not." "then what has happened to him?" "you will leave that question in my', ' him again?" "i fear not." "then what has happened to him?" "you will leave that question in my hand', 'again?" "i fear not." "then what has happened to him?" "you will leave that question in my hands. i ', '?" "i fear not." "then what has happened to him?" "you will leave that question in my hands. i shoul', ' fear not." "then what has happened to him?" "you will leave that question in my hands. i should lik', ' not." "then what has happened to him?" "you will leave that question in my hands. i should like an ', '" "then what has happened to him?" "you will leave that question in my hands. i should like an accur', 'en what has happened to him?" "you will leave that question in my hands. i should like an accurate d', 'at has happened to him?" "you will leave that question in my hands. i should like an accurate descri', 's happened to him?" "you will leave that question in my hands. i should like an accurate description', 'pened to him?" "you will leave that question in my hands. i should like an accurate description of h', ' to him?" "you will leave that question in my hands. i should like an accurate description of him an', 'im?" "you will leave that question in my hands. i should like an accurate description of him and any', '"you will leave that question in my hands. i should like an accurate description of him and any lett', 'will leave that question in my hands. i should like an accurate description of him and any letters o', 'leave that question in my hands. i should like an accurate description of him and any letters of his', ' that question in my hands. i should like an accurate description of him and any letters of his whic', ' question in my hands. i should like an accurate description of him and any letters of his which you', 'tion in my hands. i should like an accurate description of him and any letters of his which you can ', 'in my hands. i should like an accurate description of him and any letters of his which you can spare', ' hands. i should like an accurate description of him and any letters of his which you can spare." "i', 's. i should like an accurate description of him and any letters of his which you can spare." "i adve', 'should like an accurate description of him and any letters of his which you can spare." "i advertise', 'd like an accurate description of him and any letters of his which you can spare." "i advertised for', 'e an accurate description of him and any letters of his which you can spare." "i advertised for him ', 'accurate description of him and any letters of his which you can spare." "i advertised for him in la', 'ate description of him and any letters of his which you can spare." "i advertised for him in last sa', 'escription of him and any letters of his which you can spare." "i advertised for him in last saturda', 'ption of him and any letters of his which you can spare." "i advertised for him in last saturday\'s c', ' of him and any letters of his which you can spare." "i advertised for him in last saturday\'s chroni', 'im and any letters of his which you can spare." "i advertised for him in last saturday\'s chronicle,"', 'd any letters of his which you can spare." "i advertised for him in last saturday\'s chronicle," said', ' letters of his which you can spare." "i advertised for him in last saturday\'s chronicle," said she.', 'ers of his which you can spare." "i advertised for him in last saturday\'s chronicle," said she. "her', 'f his which you can spare." "i advertised for him in last saturday\'s chronicle," said she. "here is ', ' which you can spare." "i advertised for him in last saturday\'s chronicle," said she. "here is the s', 'h you can spare." "i advertised for him in last saturday\'s chronicle," said she. "here is the slip a', ' can spare." "i advertised for him in last saturday\'s chronicle," said she. "here is the slip and he', 'spare." "i advertised for him in last saturday\'s chronicle," said she. "here is the slip and here ar', '." "i advertised for him in last saturday\'s chronicle," said she. "here is the slip and here are fou', ' advertised for him in last saturday\'s chronicle," said she. "here is the slip and here are four let', 'rtised for him in last saturday\'s chronicle," said she. "here is the slip and here are four letters ', 'd for him in last saturday\'s chronicle," said she. "here is the slip and here are four letters from ', ' him in last saturday\'s chronicle," said she. "here is the slip and here are four letters from him."', 'in last saturday\'s chronicle," said she. "here is the slip and here are four letters from him." "tha', 'st saturday\'s chronicle," said she. "here is the slip and here are four letters from him." "thank yo', 'turday\'s chronicle," said she. "here is the slip and here are four letters from him." "thank you. an', 'y\'s chronicle," said she. "here is the slip and here are four letters from him." "thank you. and you', 'hronicle," said she. "here is the slip and here are four letters from him." "thank you. and your add', 'cle," said she. "here is the slip and here are four letters from him." "thank you. and your address?', ' said she. "here is the slip and here are four letters from him." "thank you. and your address?" "no', ' she. "here is the slip and here are four letters from him." "thank you. and your address?" "no. ly', ' "here is the slip and here are four letters from him." "thank you. and your address?" "no. lyon pl', 'e is the slip and here are four letters from him." "thank you. and your address?" "no. lyon place, ', 'the slip and here are four letters from him." "thank you. and your address?" "no. lyon place, cambe', 'lip and here are four letters from him." "thank you. and your address?" "no. lyon place, camberwell', 'nd here are four letters from him." "thank you. and your address?" "no. lyon place, camberwell." "m', 're are four letters from him." "thank you. and your address?" "no. lyon place, camberwell." "mr. an', 'e four letters from him." "thank you. and your address?" "no. lyon place, camberwell." "mr. angel\'s', 'r letters from him." "thank you. and your address?" "no. lyon place, camberwell." "mr. angel\'s addr', 'ters from him." "thank you. and your address?" "no. lyon place, camberwell." "mr. angel\'s address y', 'from him." "thank you. and your address?" "no. lyon place, camberwell." "mr. angel\'s address you ne', 'him." "thank you. and your address?" "no. lyon place, camberwell." "mr. angel\'s address you never h', ' "thank you. and your address?" "no. lyon place, camberwell." "mr. angel\'s address you never had, i', 'nk you. and your address?" "no. lyon place, camberwell." "mr. angel\'s address you never had, i unde', 'u. and your address?" "no. lyon place, camberwell." "mr. angel\'s address you never had, i understan', 'd your address?" "no. lyon place, camberwell." "mr. angel\'s address you never had, i understand. wh', 'r address?" "no. lyon place, camberwell." "mr. angel\'s address you never had, i understand. where i', 'ress?" "no. lyon place, camberwell." "mr. angel\'s address you never had, i understand. where is you', '" "no. lyon place, camberwell." "mr. angel\'s address you never had, i understand. where is your fat', '. lyon place, camberwell." "mr. angel\'s address you never had, i understand. where is your father\'s', 'on place, camberwell." "mr. angel\'s address you never had, i understand. where is your father\'s plac', 'ace, camberwell." "mr. angel\'s address you never had, i understand. where is your father\'s place of ', 'camberwell." "mr. angel\'s address you never had, i understand. where is your father\'s place of busin', 'rwell." "mr. angel\'s address you never had, i understand. where is your father\'s place of business?"', '." "mr. angel\'s address you never had, i understand. where is your father\'s place of business?" "he ', 'r. angel\'s address you never had, i understand. where is your father\'s place of business?" "he trave', 'gel\'s address you never had, i understand. where is your father\'s place of business?" "he travels fo', ' address you never had, i understand. where is your father\'s place of business?" "he travels for wes', 'ess you never had, i understand. where is your father\'s place of business?" "he travels for westhous', 'ou never had, i understand. where is your father\'s place of business?" "he travels for westhouse ma', 'ver had, i understand. where is your father\'s place of business?" "he travels for westhouse marbank', 'ad, i understand. where is your father\'s place of business?" "he travels for westhouse marbank, the', ' understand. where is your father\'s place of business?" "he travels for westhouse marbank, the grea', 'rstand. where is your father\'s place of business?" "he travels for westhouse marbank, the great cla', 'd. where is your father\'s place of business?" "he travels for westhouse marbank, the great claret i', 'ere is your father\'s place of business?" "he travels for westhouse marbank, the great claret import', 's your father\'s place of business?" "he travels for westhouse marbank, the great claret importers o', 'r father\'s place of business?" "he travels for westhouse marbank, the great claret importers of fen', 'her\'s place of business?" "he travels for westhouse marbank, the great claret importers of fenchurc', ' place of business?" "he travels for westhouse marbank, the great claret importers of fenchurch str', 'e of business?" "he travels for westhouse marbank, the great claret importers of fenchurch street."', 'business?" "he travels for westhouse marbank, the great claret importers of fenchurch street." "tha', 'ess?" "he travels for westhouse marbank, the great claret importers of fenchurch street." "thank yo', ' "he travels for westhouse marbank, the great claret importers of fenchurch street." "thank you. yo', 'travels for westhouse marbank, the great claret importers of fenchurch street." "thank you. you hav', 'ls for westhouse marbank, the great claret importers of fenchurch street." "thank you. you have mad', 'r westhouse marbank, the great claret importers of fenchurch street." "thank you. you have made you', 'thouse marbank, the great claret importers of fenchurch street." "thank you. you have made your sta', 'e marbank, the great claret importers of fenchurch street." "thank you. you have made your statemen', 'rbank, the great claret importers of fenchurch street." "thank you. you have made your statement ver', ', the great claret importers of fenchurch street." "thank you. you have made your statement very cle', ' great claret importers of fenchurch street." "thank you. you have made your statement very clearly.', 't claret importers of fenchurch street." "thank you. you have made your statement very clearly. you ', 'ret importers of fenchurch street." "thank you. you have made your statement very clearly. you will ', 'mporters of fenchurch street." "thank you. you have made your statement very clearly. you will leave', 'ers of fenchurch street." "thank you. you have made your statement very clearly. you will leave the ', 'f fenchurch street." "thank you. you have made your statement very clearly. you will leave the paper', 'church street." "thank you. you have made your statement very clearly. you will leave the papers her', 'h street." "thank you. you have made your statement very clearly. you will leave the papers here, an', 'eet." "thank you. you have made your statement very clearly. you will leave the papers here, and rem', ' "thank you. you have made your statement very clearly. you will leave the papers here, and remember', 'nk you. you have made your statement very clearly. you will leave the papers here, and remember the ', 'u. you have made your statement very clearly. you will leave the papers here, and remember the advic', 'u have made your statement very clearly. you will leave the papers here, and remember the advice whi', 'e made your statement very clearly. you will leave the papers here, and remember the advice which i ', 'e your statement very clearly. you will leave the papers here, and remember the advice which i have ', 'r statement very clearly. you will leave the papers here, and remember the advice which i have given', 'tement very clearly. you will leave the papers here, and remember the advice which i have given you.', 't very clearly. you will leave the papers here, and remember the advice which i have given you. let ', 'y clearly. you will leave the papers here, and remember the advice which i have given you. let the w', 'arly. you will leave the papers here, and remember the advice which i have given you. let the whole ', ' you will leave the papers here, and remember the advice which i have given you. let the whole incid', 'will leave the papers here, and remember the advice which i have given you. let the whole incident b', 'leave the papers here, and remember the advice which i have given you. let the whole incident be a s', ' the papers here, and remember the advice which i have given you. let the whole incident be a sealed', 'papers here, and remember the advice which i have given you. let the whole incident be a sealed book', 's here, and remember the advice which i have given you. let the whole incident be a sealed book, and', 'e, and remember the advice which i have given you. let the whole incident be a sealed book, and do n', 'd remember the advice which i have given you. let the whole incident be a sealed book, and do not al', 'ember the advice which i have given you. let the whole incident be a sealed book, and do not allow i', ' the advice which i have given you. let the whole incident be a sealed book, and do not allow it to ', 'advice which i have given you. let the whole incident be a sealed book, and do not allow it to affec', 'e which i have given you. let the whole incident be a sealed book, and do not allow it to affect you', 'ch i have given you. let the whole incident be a sealed book, and do not allow it to affect your lif', 'have given you. let the whole incident be a sealed book, and do not allow it to affect your life." "', 'given you. let the whole incident be a sealed book, and do not allow it to affect your life." "you a', ' you. let the whole incident be a sealed book, and do not allow it to affect your life." "you are ve', ' let the whole incident be a sealed book, and do not allow it to affect your life." "you are very ki', 'the whole incident be a sealed book, and do not allow it to affect your life." "you are very kind, m', 'hole incident be a sealed book, and do not allow it to affect your life." "you are very kind, mr. ho', 'incident be a sealed book, and do not allow it to affect your life." "you are very kind, mr. holmes,', 'ent be a sealed book, and do not allow it to affect your life." "you are very kind, mr. holmes, but ', 'e a sealed book, and do not allow it to affect your life." "you are very kind, mr. holmes, but i can', 'ealed book, and do not allow it to affect your life." "you are very kind, mr. holmes, but i cannot d', ' book, and do not allow it to affect your life." "you are very kind, mr. holmes, but i cannot do tha', ', and do not allow it to affect your life." "you are very kind, mr. holmes, but i cannot do that. i ', ' do not allow it to affect your life." "you are very kind, mr. holmes, but i cannot do that. i shall', 'ot allow it to affect your life." "you are very kind, mr. holmes, but i cannot do that. i shall be t', 'low it to affect your life." "you are very kind, mr. holmes, but i cannot do that. i shall be true t', 't to affect your life." "you are very kind, mr. holmes, but i cannot do that. i shall be true to hos', 'affect your life." "you are very kind, mr. holmes, but i cannot do that. i shall be true to hosmer. ', 't your life." "you are very kind, mr. holmes, but i cannot do that. i shall be true to hosmer. he sh', 'r life." "you are very kind, mr. holmes, but i cannot do that. i shall be true to hosmer. he shall f', 'e." "you are very kind, mr. holmes, but i cannot do that. i shall be true to hosmer. he shall find m', 'you are very kind, mr. holmes, but i cannot do that. i shall be true to hosmer. he shall find me rea', 're very kind, mr. holmes, but i cannot do that. i shall be true to hosmer. he shall find me ready wh', 'ry kind, mr. holmes, but i cannot do that. i shall be true to hosmer. he shall find me ready when he', 'nd, mr. holmes, but i cannot do that. i shall be true to hosmer. he shall find me ready when he come', 'r. holmes, but i cannot do that. i shall be true to hosmer. he shall find me ready when he comes bac', 'lmes, but i cannot do that. i shall be true to hosmer. he shall find me ready when he comes back." f', ' but i cannot do that. i shall be true to hosmer. he shall find me ready when he comes back." for al', 'i cannot do that. i shall be true to hosmer. he shall find me ready when he comes back." for all the', 'not do that. i shall be true to hosmer. he shall find me ready when he comes back." for all the prep', 'o that. i shall be true to hosmer. he shall find me ready when he comes back." for all the preposter', 't. i shall be true to hosmer. he shall find me ready when he comes back." for all the preposterous h', 'shall be true to hosmer. he shall find me ready when he comes back." for all the preposterous hat an', ' be true to hosmer. he shall find me ready when he comes back." for all the preposterous hat and the', 'rue to hosmer. he shall find me ready when he comes back." for all the preposterous hat and the vacu', 'o hosmer. he shall find me ready when he comes back." for all the preposterous hat and the vacuous f', 'mer. he shall find me ready when he comes back." for all the preposterous hat and the vacuous face, ', 'he shall find me ready when he comes back." for all the preposterous hat and the vacuous face, there', 'all find me ready when he comes back." for all the preposterous hat and the vacuous face, there was ', 'ind me ready when he comes back." for all the preposterous hat and the vacuous face, there was somet', 'e ready when he comes back." for all the preposterous hat and the vacuous face, there was something ', 'dy when he comes back." for all the preposterous hat and the vacuous face, there was something noble', 'en he comes back." for all the preposterous hat and the vacuous face, there was something noble in t', ' comes back." for all the preposterous hat and the vacuous face, there was something noble in the si', 's back." for all the preposterous hat and the vacuous face, there was something noble in the simple ', 'k." for all the preposterous hat and the vacuous face, there was something noble in the simple faith', 'or all the preposterous hat and the vacuous face, there was something noble in the simple faith of o', 'l the preposterous hat and the vacuous face, there was something noble in the simple faith of our vi', ' preposterous hat and the vacuous face, there was something noble in the simple faith of our visitor', 'osterous hat and the vacuous face, there was something noble in the simple faith of our visitor whic', 'ous hat and the vacuous face, there was something noble in the simple faith of our visitor which com', 'at and the vacuous face, there was something noble in the simple faith of our visitor which compelle', 'd the vacuous face, there was something noble in the simple faith of our visitor which compelled our', ' vacuous face, there was something noble in the simple faith of our visitor which compelled our resp', 'ous face, there was something noble in the simple faith of our visitor which compelled our respect. ', 'ace, there was something noble in the simple faith of our visitor which compelled our respect. she l', 'there was something noble in the simple faith of our visitor which compelled our respect. she laid h', ' was something noble in the simple faith of our visitor which compelled our respect. she laid her li', 'something noble in the simple faith of our visitor which compelled our respect. she laid her little ', 'hing noble in the simple faith of our visitor which compelled our respect. she laid her little bundl', 'noble in the simple faith of our visitor which compelled our respect. she laid her little bundle of ', ' in the simple faith of our visitor which compelled our respect. she laid her little bundle of paper', 'he simple faith of our visitor which compelled our respect. she laid her little bundle of papers upo', 'mple faith of our visitor which compelled our respect. she laid her little bundle of papers upon the', 'faith of our visitor which compelled our respect. she laid her little bundle of papers upon the tabl', ' of our visitor which compelled our respect. she laid her little bundle of papers upon the table and', 'ur visitor which compelled our respect. she laid her little bundle of papers upon the table and went', 'sitor which compelled our respect. she laid her little bundle of papers upon the table and went her ', ' which compelled our respect. she laid her little bundle of papers upon the table and went her way, ', 'h compelled our respect. she laid her little bundle of papers upon the table and went her way, with ', 'pelled our respect. she laid her little bundle of papers upon the table and went her way, with a pro', 'd our respect. she laid her little bundle of papers upon the table and went her way, with a promise ', ' respect. she laid her little bundle of papers upon the table and went her way, with a promise to co', 'ect. she laid her little bundle of papers upon the table and went her way, with a promise to come ag', 'she laid her little bundle of papers upon the table and went her way, with a promise to come again w', 'aid her little bundle of papers upon the table and went her way, with a promise to come again whenev', 'er little bundle of papers upon the table and went her way, with a promise to come again whenever sh', 'ttle bundle of papers upon the table and went her way, with a promise to come again whenever she mig', 'bundle of papers upon the table and went her way, with a promise to come again whenever she might be', 'e of papers upon the table and went her way, with a promise to come again whenever she might be summ', 'papers upon the table and went her way, with a promise to come again whenever she might be summoned.', 's upon the table and went her way, with a promise to come again whenever she might be summoned. sher', 'n the table and went her way, with a promise to come again whenever she might be summoned. sherlock ', ' table and went her way, with a promise to come again whenever she might be summoned. sherlock holme', 'e and went her way, with a promise to come again whenever she might be summoned. sherlock holmes sat', ' went her way, with a promise to come again whenever she might be summoned. sherlock holmes sat sile', ' her way, with a promise to come again whenever she might be summoned. sherlock holmes sat silent fo', 'way, with a promise to come again whenever she might be summoned. sherlock holmes sat silent for a f', 'with a promise to come again whenever she might be summoned. sherlock holmes sat silent for a few mi', 'a promise to come again whenever she might be summoned. sherlock holmes sat silent for a few minutes', 'mise to come again whenever she might be summoned. sherlock holmes sat silent for a few minutes with', 'to come again whenever she might be summoned. sherlock holmes sat silent for a few minutes with his ', 'me again whenever she might be summoned. sherlock holmes sat silent for a few minutes with his finge', 'ain whenever she might be summoned. sherlock holmes sat silent for a few minutes with his fingertips', 'henever she might be summoned. sherlock holmes sat silent for a few minutes with his fingertips stil', 'er she might be summoned. sherlock holmes sat silent for a few minutes with his fingertips still pre', 'e might be summoned. sherlock holmes sat silent for a few minutes with his fingertips still pressed ', 'ht be summoned. sherlock holmes sat silent for a few minutes with his fingertips still pressed toget', ' summoned. sherlock holmes sat silent for a few minutes with his fingertips still pressed together, ', 'oned. sherlock holmes sat silent for a few minutes with his fingertips still pressed together, his l', ' sherlock holmes sat silent for a few minutes with his fingertips still pressed together, his legs s', 'lock holmes sat silent for a few minutes with his fingertips still pressed together, his legs stretc', 'holmes sat silent for a few minutes with his fingertips still pressed together, his legs stretched o', 's sat silent for a few minutes with his fingertips still pressed together, his legs stretched out in', ' silent for a few minutes with his fingertips still pressed together, his legs stretched out in fron', 'nt for a few minutes with his fingertips still pressed together, his legs stretched out in front of ', 'r a few minutes with his fingertips still pressed together, his legs stretched out in front of him, ', 'ew minutes with his fingertips still pressed together, his legs stretched out in front of him, and h', 'nutes with his fingertips still pressed together, his legs stretched out in front of him, and his ga', ' with his fingertips still pressed together, his legs stretched out in front of him, and his gaze di', ' his fingertips still pressed together, his legs stretched out in front of him, and his gaze directe', 'fingertips still pressed together, his legs stretched out in front of him, and his gaze directed upw', 'rtips still pressed together, his legs stretched out in front of him, and his gaze directed upward t', ' still pressed together, his legs stretched out in front of him, and his gaze directed upward to the', 'l pressed together, his legs stretched out in front of him, and his gaze directed upward to the ceil', 'ssed together, his legs stretched out in front of him, and his gaze directed upward to the ceiling. ', 'together, his legs stretched out in front of him, and his gaze directed upward to the ceiling. then ', 'her, his legs stretched out in front of him, and his gaze directed upward to the ceiling. then he to', 'his legs stretched out in front of him, and his gaze directed upward to the ceiling. then he took do', 'egs stretched out in front of him, and his gaze directed upward to the ceiling. then he took down fr', 'tretched out in front of him, and his gaze directed upward to the ceiling. then he took down from th', 'hed out in front of him, and his gaze directed upward to the ceiling. then he took down from the rac', 'ut in front of him, and his gaze directed upward to the ceiling. then he took down from the rack the', ' front of him, and his gaze directed upward to the ceiling. then he took down from the rack the old ', 't of him, and his gaze directed upward to the ceiling. then he took down from the rack the old and o', 'him, and his gaze directed upward to the ceiling. then he took down from the rack the old and oily c', 'and his gaze directed upward to the ceiling. then he took down from the rack the old and oily clay p', 'is gaze directed upward to the ceiling. then he took down from the rack the old and oily clay pipe, ', 'ze directed upward to the ceiling. then he took down from the rack the old and oily clay pipe, which', 'rected upward to the ceiling. then he took down from the rack the old and oily clay pipe, which was ', 'd upward to the ceiling. then he took down from the rack the old and oily clay pipe, which was to hi', 'ard to the ceiling. then he took down from the rack the old and oily clay pipe, which was to him as ', 'o the ceiling. then he took down from the rack the old and oily clay pipe, which was to him as a cou', ' ceiling. then he took down from the rack the old and oily clay pipe, which was to him as a counsell', 'ing. then he took down from the rack the old and oily clay pipe, which was to him as a counsellor, a', 'then he took down from the rack the old and oily clay pipe, which was to him as a counsellor, and, h', 'he took down from the rack the old and oily clay pipe, which was to him as a counsellor, and, having', 'ok down from the rack the old and oily clay pipe, which was to him as a counsellor, and, having lit ', 'wn from the rack the old and oily clay pipe, which was to him as a counsellor, and, having lit it, h', 'om the rack the old and oily clay pipe, which was to him as a counsellor, and, having lit it, he lea', 'e rack the old and oily clay pipe, which was to him as a counsellor, and, having lit it, he leaned b', 'k the old and oily clay pipe, which was to him as a counsellor, and, having lit it, he leaned back i', ' old and oily clay pipe, which was to him as a counsellor, and, having lit it, he leaned back in his', 'and oily clay pipe, which was to him as a counsellor, and, having lit it, he leaned back in his chai', 'ily clay pipe, which was to him as a counsellor, and, having lit it, he leaned back in his chair, wi', 'lay pipe, which was to him as a counsellor, and, having lit it, he leaned back in his chair, with th', 'ipe, which was to him as a counsellor, and, having lit it, he leaned back in his chair, with the thi', 'which was to him as a counsellor, and, having lit it, he leaned back in his chair, with the thick bl', ' was to him as a counsellor, and, having lit it, he leaned back in his chair, with the thick blue cl', 'to him as a counsellor, and, having lit it, he leaned back in his chair, with the thick blue cloud-w', 'm as a counsellor, and, having lit it, he leaned back in his chair, with the thick blue cloud-wreath', 'a counsellor, and, having lit it, he leaned back in his chair, with the thick blue cloud-wreaths spi', 'nsellor, and, having lit it, he leaned back in his chair, with the thick blue cloud-wreaths spinning', 'or, and, having lit it, he leaned back in his chair, with the thick blue cloud-wreaths spinning up f', 'nd, having lit it, he leaned back in his chair, with the thick blue cloud-wreaths spinning up from h', 'aving lit it, he leaned back in his chair, with the thick blue cloud-wreaths spinning up from him, a', ' lit it, he leaned back in his chair, with the thick blue cloud-wreaths spinning up from him, and a ', 'it, he leaned back in his chair, with the thick blue cloud-wreaths spinning up from him, and a look ', 'e leaned back in his chair, with the thick blue cloud-wreaths spinning up from him, and a look of in', 'ned back in his chair, with the thick blue cloud-wreaths spinning up from him, and a look of infinit', 'ack in his chair, with the thick blue cloud-wreaths spinning up from him, and a look of infinite lan', 'n his chair, with the thick blue cloud-wreaths spinning up from him, and a look of infinite languor ', ' chair, with the thick blue cloud-wreaths spinning up from him, and a look of infinite languor in hi', 'r, with the thick blue cloud-wreaths spinning up from him, and a look of infinite languor in his fac', 'th the thick blue cloud-wreaths spinning up from him, and a look of infinite languor in his face. "q', 'e thick blue cloud-wreaths spinning up from him, and a look of infinite languor in his face. "quite ', 'ck blue cloud-wreaths spinning up from him, and a look of infinite languor in his face. "quite an in', 'ue cloud-wreaths spinning up from him, and a look of infinite languor in his face. "quite an interes', 'oud-wreaths spinning up from him, and a look of infinite languor in his face. "quite an interesting ', 'reaths spinning up from him, and a look of infinite languor in his face. "quite an interesting study', 's spinning up from him, and a look of infinite languor in his face. "quite an interesting study, tha', 'nning up from him, and a look of infinite languor in his face. "quite an interesting study, that mai', ' up from him, and a look of infinite languor in his face. "quite an interesting study, that maiden,"', 'rom him, and a look of infinite languor in his face. "quite an interesting study, that maiden," he o', 'im, and a look of infinite languor in his face. "quite an interesting study, that maiden," he observ', 'nd a look of infinite languor in his face. "quite an interesting study, that maiden," he observed. "', 'look of infinite languor in his face. "quite an interesting study, that maiden," he observed. "i fou', 'of infinite languor in his face. "quite an interesting study, that maiden," he observed. "i found he', 'finite languor in his face. "quite an interesting study, that maiden," he observed. "i found her mor', 'e languor in his face. "quite an interesting study, that maiden," he observed. "i found her more int', 'guor in his face. "quite an interesting study, that maiden," he observed. "i found her more interest', 'in his face. "quite an interesting study, that maiden," he observed. "i found her more interesting t', 's face. "quite an interesting study, that maiden," he observed. "i found her more interesting than h', 'e. "quite an interesting study, that maiden," he observed. "i found her more interesting than her li', 'uite an interesting study, that maiden," he observed. "i found her more interesting than her little ', 'an interesting study, that maiden," he observed. "i found her more interesting than her little probl', 'teresting study, that maiden," he observed. "i found her more interesting than her little problem, w', 'ting study, that maiden," he observed. "i found her more interesting than her little problem, which,', 'study, that maiden," he observed. "i found her more interesting than her little problem, which, by t', ', that maiden," he observed. "i found her more interesting than her little problem, which, by the wa', 't maiden," he observed. "i found her more interesting than her little problem, which, by the way, is', 'den," he observed. "i found her more interesting than her little problem, which, by the way, is rath', ' he observed. "i found her more interesting than her little problem, which, by the way, is rather a ', 'bserved. "i found her more interesting than her little problem, which, by the way, is rather a trite', 'ed. "i found her more interesting than her little problem, which, by the way, is rather a trite one.', 'i found her more interesting than her little problem, which, by the way, is rather a trite one. you ', 'nd her more interesting than her little problem, which, by the way, is rather a trite one. you will ', 'r more interesting than her little problem, which, by the way, is rather a trite one. you will find ', 'e interesting than her little problem, which, by the way, is rather a trite one. you will find paral', 'eresting than her little problem, which, by the way, is rather a trite one. you will find parallel c', 'ing than her little problem, which, by the way, is rather a trite one. you will find parallel cases,', 'han her little problem, which, by the way, is rather a trite one. you will find parallel cases, if y', 'er little problem, which, by the way, is rather a trite one. you will find parallel cases, if you co', 'ttle problem, which, by the way, is rather a trite one. you will find parallel cases, if you consult', 'problem, which, by the way, is rather a trite one. you will find parallel cases, if you consult my i', 'em, which, by the way, is rather a trite one. you will find parallel cases, if you consult my index,', 'hich, by the way, is rather a trite one. you will find parallel cases, if you consult my index, in a', ' by the way, is rather a trite one. you will find parallel cases, if you consult my index, in andove', 'he way, is rather a trite one. you will find parallel cases, if you consult my index, in andover in ', "y, is rather a trite one. you will find parallel cases, if you consult my index, in andover in ' , a", " rather a trite one. you will find parallel cases, if you consult my index, in andover in ' , and th", "er a trite one. you will find parallel cases, if you consult my index, in andover in ' , and there w", "trite one. you will find parallel cases, if you consult my index, in andover in ' , and there was so", " one. you will find parallel cases, if you consult my index, in andover in ' , and there was somethi", " you will find parallel cases, if you consult my index, in andover in ' , and there was something of", "will find parallel cases, if you consult my index, in andover in ' , and there was something of the ", "find parallel cases, if you consult my index, in andover in ' , and there was something of the sort ", "parallel cases, if you consult my index, in andover in ' , and there was something of the sort at th", "lel cases, if you consult my index, in andover in ' , and there was something of the sort at the hag", "ases, if you consult my index, in andover in ' , and there was something of the sort at the hague la", " if you consult my index, in andover in ' , and there was something of the sort at the hague last ye", "ou consult my index, in andover in ' , and there was something of the sort at the hague last year. o", "nsult my index, in andover in ' , and there was something of the sort at the hague last year. old as", " my index, in andover in ' , and there was something of the sort at the hague last year. old as is t", "ndex, in andover in ' , and there was something of the sort at the hague last year. old as is the id", " in andover in ' , and there was something of the sort at the hague last year. old as is the idea, h", "ndover in ' , and there was something of the sort at the hague last year. old as is the idea, howeve", "r in ' , and there was something of the sort at the hague last year. old as is the idea, however, th", "' , and there was something of the sort at the hague last year. old as is the idea, however, there w", 'nd there was something of the sort at the hague last year. old as is the idea, however, there were o', 'ere was something of the sort at the hague last year. old as is the idea, however, there were one or', 'as something of the sort at the hague last year. old as is the idea, however, there were one or two ', 'mething of the sort at the hague last year. old as is the idea, however, there were one or two detai', 'ng of the sort at the hague last year. old as is the idea, however, there were one or two details wh', ' the sort at the hague last year. old as is the idea, however, there were one or two details which w', 'sort at the hague last year. old as is the idea, however, there were one or two details which were n', 'at the hague last year. old as is the idea, however, there were one or two details which were new to', 'e hague last year. old as is the idea, however, there were one or two details which were new to me. ', 'ue last year. old as is the idea, however, there were one or two details which were new to me. but t', 'st year. old as is the idea, however, there were one or two details which were new to me. but the ma', 'ar. old as is the idea, however, there were one or two details which were new to me. but the maiden ', 'ld as is the idea, however, there were one or two details which were new to me. but the maiden herse', ' is the idea, however, there were one or two details which were new to me. but the maiden herself wa', 'he idea, however, there were one or two details which were new to me. but the maiden herself was mos', 'ea, however, there were one or two details which were new to me. but the maiden herself was most ins', 'owever, there were one or two details which were new to me. but the maiden herself was most instruct', 'r, there were one or two details which were new to me. but the maiden herself was most instructive."', 'ere were one or two details which were new to me. but the maiden herself was most instructive." "you', 'ere one or two details which were new to me. but the maiden herself was most instructive." "you appe', 'ne or two details which were new to me. but the maiden herself was most instructive." "you appeared ', ' two details which were new to me. but the maiden herself was most instructive." "you appeared to re', 'details which were new to me. but the maiden herself was most instructive." "you appeared to read a ', 'ls which were new to me. but the maiden herself was most instructive." "you appeared to read a good ', 'ich were new to me. but the maiden herself was most instructive." "you appeared to read a good deal ', 'ere new to me. but the maiden herself was most instructive." "you appeared to read a good deal upon ', 'ew to me. but the maiden herself was most instructive." "you appeared to read a good deal upon her w', ' me. but the maiden herself was most instructive." "you appeared to read a good deal upon her which ', 'but the maiden herself was most instructive." "you appeared to read a good deal upon her which was q', 'he maiden herself was most instructive." "you appeared to read a good deal upon her which was quite ', 'iden herself was most instructive." "you appeared to read a good deal upon her which was quite invis', 'herself was most instructive." "you appeared to read a good deal upon her which was quite invisible ', 'lf was most instructive." "you appeared to read a good deal upon her which was quite invisible to me', 's most instructive." "you appeared to read a good deal upon her which was quite invisible to me," i ', 't instructive." "you appeared to read a good deal upon her which was quite invisible to me," i remar', 'tructive." "you appeared to read a good deal upon her which was quite invisible to me," i remarked. ', 'ive." "you appeared to read a good deal upon her which was quite invisible to me," i remarked. "not ', ' "you appeared to read a good deal upon her which was quite invisible to me," i remarked. "not invis', ' appeared to read a good deal upon her which was quite invisible to me," i remarked. "not invisible ', 'ared to read a good deal upon her which was quite invisible to me," i remarked. "not invisible but u', 'to read a good deal upon her which was quite invisible to me," i remarked. "not invisible but unnoti', 'ad a good deal upon her which was quite invisible to me," i remarked. "not invisible but unnoticed, ', 'good deal upon her which was quite invisible to me," i remarked. "not invisible but unnoticed, watso', 'deal upon her which was quite invisible to me," i remarked. "not invisible but unnoticed, watson. yo', 'upon her which was quite invisible to me," i remarked. "not invisible but unnoticed, watson. you did', 'her which was quite invisible to me," i remarked. "not invisible but unnoticed, watson. you did not ', 'hich was quite invisible to me," i remarked. "not invisible but unnoticed, watson. you did not know ', 'was quite invisible to me," i remarked. "not invisible but unnoticed, watson. you did not know where', 'uite invisible to me," i remarked. "not invisible but unnoticed, watson. you did not know where to l', 'invisible to me," i remarked. "not invisible but unnoticed, watson. you did not know where to look, ', 'ible to me," i remarked. "not invisible but unnoticed, watson. you did not know where to look, and s', 'to me," i remarked. "not invisible but unnoticed, watson. you did not know where to look, and so you', '," i remarked. "not invisible but unnoticed, watson. you did not know where to look, and so you miss', 'remarked. "not invisible but unnoticed, watson. you did not know where to look, and so you missed al', 'ked. "not invisible but unnoticed, watson. you did not know where to look, and so you missed all tha', '"not invisible but unnoticed, watson. you did not know where to look, and so you missed all that was', 'invisible but unnoticed, watson. you did not know where to look, and so you missed all that was impo', 'ible but unnoticed, watson. you did not know where to look, and so you missed all that was important', 'but unnoticed, watson. you did not know where to look, and so you missed all that was important. i c', 'nnoticed, watson. you did not know where to look, and so you missed all that was important. i can ne', 'ced, watson. you did not know where to look, and so you missed all that was important. i can never b', 'watson. you did not know where to look, and so you missed all that was important. i can never bring ', 'n. you did not know where to look, and so you missed all that was important. i can never bring you t', 'u did not know where to look, and so you missed all that was important. i can never bring you to rea', ' not know where to look, and so you missed all that was important. i can never bring you to realise ', 'know where to look, and so you missed all that was important. i can never bring you to realise the i', 'where to look, and so you missed all that was important. i can never bring you to realise the import', ' to look, and so you missed all that was important. i can never bring you to realise the importance ', 'ook, and so you missed all that was important. i can never bring you to realise the importance of sl', 'and so you missed all that was important. i can never bring you to realise the importance of sleeves', 'o you missed all that was important. i can never bring you to realise the importance of sleeves, the', ' missed all that was important. i can never bring you to realise the importance of sleeves, the sugg', 'ed all that was important. i can never bring you to realise the importance of sleeves, the suggestiv', 'l that was important. i can never bring you to realise the importance of sleeves, the suggestiveness', 't was important. i can never bring you to realise the importance of sleeves, the suggestiveness of t', ' important. i can never bring you to realise the importance of sleeves, the suggestiveness of thumb-', 'rtant. i can never bring you to realise the importance of sleeves, the suggestiveness of thumb-nails', '. i can never bring you to realise the importance of sleeves, the suggestiveness of thumb-nails, or ', 'an never bring you to realise the importance of sleeves, the suggestiveness of thumb-nails, or the g', 'ver bring you to realise the importance of sleeves, the suggestiveness of thumb-nails, or the great ', 'ring you to realise the importance of sleeves, the suggestiveness of thumb-nails, or the great issue', 'you to realise the importance of sleeves, the suggestiveness of thumb-nails, or the great issues tha', 'o realise the importance of sleeves, the suggestiveness of thumb-nails, or the great issues that may', 'lise the importance of sleeves, the suggestiveness of thumb-nails, or the great issues that may hang', 'the importance of sleeves, the suggestiveness of thumb-nails, or the great issues that may hang from', 'mportance of sleeves, the suggestiveness of thumb-nails, or the great issues that may hang from a bo', 'ance of sleeves, the suggestiveness of thumb-nails, or the great issues that may hang from a boot-la', 'of sleeves, the suggestiveness of thumb-nails, or the great issues that may hang from a boot-lace. n', 'eeves, the suggestiveness of thumb-nails, or the great issues that may hang from a boot-lace. now, w', ', the suggestiveness of thumb-nails, or the great issues that may hang from a boot-lace. now, what d', ' suggestiveness of thumb-nails, or the great issues that may hang from a boot-lace. now, what did yo', 'estiveness of thumb-nails, or the great issues that may hang from a boot-lace. now, what did you gat', 'eness of thumb-nails, or the great issues that may hang from a boot-lace. now, what did you gather f', ' of thumb-nails, or the great issues that may hang from a boot-lace. now, what did you gather from t', 'humb-nails, or the great issues that may hang from a boot-lace. now, what did you gather from that w', "nails, or the great issues that may hang from a boot-lace. now, what did you gather from that woman'", ", or the great issues that may hang from a boot-lace. now, what did you gather from that woman's app", "the great issues that may hang from a boot-lace. now, what did you gather from that woman's appearan", "reat issues that may hang from a boot-lace. now, what did you gather from that woman's appearance? d", "issues that may hang from a boot-lace. now, what did you gather from that woman's appearance? descri", "s that may hang from a boot-lace. now, what did you gather from that woman's appearance? describe it", 't may hang from a boot-lace. now, what did you gather from that woman\'s appearance? describe it." "w', ' hang from a boot-lace. now, what did you gather from that woman\'s appearance? describe it." "well, ', ' from a boot-lace. now, what did you gather from that woman\'s appearance? describe it." "well, she h', ' a boot-lace. now, what did you gather from that woman\'s appearance? describe it." "well, she had a ', 'ot-lace. now, what did you gather from that woman\'s appearance? describe it." "well, she had a slate', 'ce. now, what did you gather from that woman\'s appearance? describe it." "well, she had a slate-colo', 'ow, what did you gather from that woman\'s appearance? describe it." "well, she had a slate-coloured,', 'hat did you gather from that woman\'s appearance? describe it." "well, she had a slate-coloured, broa', 'id you gather from that woman\'s appearance? describe it." "well, she had a slate-coloured, broad-bri', 'u gather from that woman\'s appearance? describe it." "well, she had a slate-coloured, broad-brimmed ', 'her from that woman\'s appearance? describe it." "well, she had a slate-coloured, broad-brimmed straw', 'rom that woman\'s appearance? describe it." "well, she had a slate-coloured, broad-brimmed straw hat,', 'hat woman\'s appearance? describe it." "well, she had a slate-coloured, broad-brimmed straw hat, with', 'oman\'s appearance? describe it." "well, she had a slate-coloured, broad-brimmed straw hat, with a fe', 's appearance? describe it." "well, she had a slate-coloured, broad-brimmed straw hat, with a feather', 'earance? describe it." "well, she had a slate-coloured, broad-brimmed straw hat, with a feather of a', 'ce? describe it." "well, she had a slate-coloured, broad-brimmed straw hat, with a feather of a bric', 'escribe it." "well, she had a slate-coloured, broad-brimmed straw hat, with a feather of a brickish ', 'be it." "well, she had a slate-coloured, broad-brimmed straw hat, with a feather of a brickish red. ', '." "well, she had a slate-coloured, broad-brimmed straw hat, with a feather of a brickish red. her j', 'ell, she had a slate-coloured, broad-brimmed straw hat, with a feather of a brickish red. her jacket', 'she had a slate-coloured, broad-brimmed straw hat, with a feather of a brickish red. her jacket was ', 'ad a slate-coloured, broad-brimmed straw hat, with a feather of a brickish red. her jacket was black', 'slate-coloured, broad-brimmed straw hat, with a feather of a brickish red. her jacket was black, wit', '-coloured, broad-brimmed straw hat, with a feather of a brickish red. her jacket was black, with bla', 'ured, broad-brimmed straw hat, with a feather of a brickish red. her jacket was black, with black be', ' broad-brimmed straw hat, with a feather of a brickish red. her jacket was black, with black beads s', 'd-brimmed straw hat, with a feather of a brickish red. her jacket was black, with black beads sewn u', 'mmed straw hat, with a feather of a brickish red. her jacket was black, with black beads sewn upon i', 'straw hat, with a feather of a brickish red. her jacket was black, with black beads sewn upon it, an', ' hat, with a feather of a brickish red. her jacket was black, with black beads sewn upon it, and a f', ' with a feather of a brickish red. her jacket was black, with black beads sewn upon it, and a fringe', ' a feather of a brickish red. her jacket was black, with black beads sewn upon it, and a fringe of l', 'ather of a brickish red. her jacket was black, with black beads sewn upon it, and a fringe of little', ' of a brickish red. her jacket was black, with black beads sewn upon it, and a fringe of little blac', ' brickish red. her jacket was black, with black beads sewn upon it, and a fringe of little black jet', 'kish red. her jacket was black, with black beads sewn upon it, and a fringe of little black jet orna', 'red. her jacket was black, with black beads sewn upon it, and a fringe of little black jet ornaments', 'her jacket was black, with black beads sewn upon it, and a fringe of little black jet ornaments. her', 'acket was black, with black beads sewn upon it, and a fringe of little black jet ornaments. her dres', ' was black, with black beads sewn upon it, and a fringe of little black jet ornaments. her dress was', 'black, with black beads sewn upon it, and a fringe of little black jet ornaments. her dress was brow', ', with black beads sewn upon it, and a fringe of little black jet ornaments. her dress was brown, ra', 'h black beads sewn upon it, and a fringe of little black jet ornaments. her dress was brown, rather ', 'ck beads sewn upon it, and a fringe of little black jet ornaments. her dress was brown, rather darke', 'ads sewn upon it, and a fringe of little black jet ornaments. her dress was brown, rather darker tha', 'ewn upon it, and a fringe of little black jet ornaments. her dress was brown, rather darker than cof', 'pon it, and a fringe of little black jet ornaments. her dress was brown, rather darker than coffee c', 't, and a fringe of little black jet ornaments. her dress was brown, rather darker than coffee colour', 'd a fringe of little black jet ornaments. her dress was brown, rather darker than coffee colour, wit', 'ringe of little black jet ornaments. her dress was brown, rather darker than coffee colour, with a l', ' of little black jet ornaments. her dress was brown, rather darker than coffee colour, with a little', 'ittle black jet ornaments. her dress was brown, rather darker than coffee colour, with a little purp', ' black jet ornaments. her dress was brown, rather darker than coffee colour, with a little purple pl', 'k jet ornaments. her dress was brown, rather darker than coffee colour, with a little purple plush a', ' ornaments. her dress was brown, rather darker than coffee colour, with a little purple plush at the', 'ments. her dress was brown, rather darker than coffee colour, with a little purple plush at the neck', '. her dress was brown, rather darker than coffee colour, with a little purple plush at the neck and ', ' dress was brown, rather darker than coffee colour, with a little purple plush at the neck and sleev', 's was brown, rather darker than coffee colour, with a little purple plush at the neck and sleeves. h', ' brown, rather darker than coffee colour, with a little purple plush at the neck and sleeves. her gl', 'n, rather darker than coffee colour, with a little purple plush at the neck and sleeves. her gloves ', 'ther darker than coffee colour, with a little purple plush at the neck and sleeves. her gloves were ', 'darker than coffee colour, with a little purple plush at the neck and sleeves. her gloves were greyi', 'r than coffee colour, with a little purple plush at the neck and sleeves. her gloves were greyish an', 'n coffee colour, with a little purple plush at the neck and sleeves. her gloves were greyish and wer', 'fee colour, with a little purple plush at the neck and sleeves. her gloves were greyish and were wor', 'olour, with a little purple plush at the neck and sleeves. her gloves were greyish and were worn thr', ', with a little purple plush at the neck and sleeves. her gloves were greyish and were worn through ', 'h a little purple plush at the neck and sleeves. her gloves were greyish and were worn through at th', 'ittle purple plush at the neck and sleeves. her gloves were greyish and were worn through at the rig', ' purple plush at the neck and sleeves. her gloves were greyish and were worn through at the right fo', 'le plush at the neck and sleeves. her gloves were greyish and were worn through at the right forefin', 'ush at the neck and sleeves. her gloves were greyish and were worn through at the right forefinger. ', 't the neck and sleeves. her gloves were greyish and were worn through at the right forefinger. her b', ' neck and sleeves. her gloves were greyish and were worn through at the right forefinger. her boots ', ' and sleeves. her gloves were greyish and were worn through at the right forefinger. her boots i did', "sleeves. her gloves were greyish and were worn through at the right forefinger. her boots i didn't o", "es. her gloves were greyish and were worn through at the right forefinger. her boots i didn't observ", "er gloves were greyish and were worn through at the right forefinger. her boots i didn't observe. sh", "oves were greyish and were worn through at the right forefinger. her boots i didn't observe. she had", "were greyish and were worn through at the right forefinger. her boots i didn't observe. she had smal", "greyish and were worn through at the right forefinger. her boots i didn't observe. she had small rou", "sh and were worn through at the right forefinger. her boots i didn't observe. she had small round, h", "d were worn through at the right forefinger. her boots i didn't observe. she had small round, hangin", "e worn through at the right forefinger. her boots i didn't observe. she had small round, hanging gol", "n through at the right forefinger. her boots i didn't observe. she had small round, hanging gold ear", "ough at the right forefinger. her boots i didn't observe. she had small round, hanging gold earrings", "at the right forefinger. her boots i didn't observe. she had small round, hanging gold earrings, and", "e right forefinger. her boots i didn't observe. she had small round, hanging gold earrings, and a ge", "ht forefinger. her boots i didn't observe. she had small round, hanging gold earrings, and a general", "refinger. her boots i didn't observe. she had small round, hanging gold earrings, and a general air ", "ger. her boots i didn't observe. she had small round, hanging gold earrings, and a general air of be", "her boots i didn't observe. she had small round, hanging gold earrings, and a general air of being f", "oots i didn't observe. she had small round, hanging gold earrings, and a general air of being fairly", "i didn't observe. she had small round, hanging gold earrings, and a general air of being fairly well", "n't observe. she had small round, hanging gold earrings, and a general air of being fairly well-to-d", 'bserve. she had small round, hanging gold earrings, and a general air of being fairly well-to-do in ', 'e. she had small round, hanging gold earrings, and a general air of being fairly well-to-do in a vul', 'e had small round, hanging gold earrings, and a general air of being fairly well-to-do in a vulgar, ', ' small round, hanging gold earrings, and a general air of being fairly well-to-do in a vulgar, comfo', 'l round, hanging gold earrings, and a general air of being fairly well-to-do in a vulgar, comfortabl', 'nd, hanging gold earrings, and a general air of being fairly well-to-do in a vulgar, comfortable, ea', 'anging gold earrings, and a general air of being fairly well-to-do in a vulgar, comfortable, easy-go', 'g gold earrings, and a general air of being fairly well-to-do in a vulgar, comfortable, easy-going w', 'd earrings, and a general air of being fairly well-to-do in a vulgar, comfortable, easy-going way." ', 'rings, and a general air of being fairly well-to-do in a vulgar, comfortable, easy-going way." sherl', ', and a general air of being fairly well-to-do in a vulgar, comfortable, easy-going way." sherlock h', ' a general air of being fairly well-to-do in a vulgar, comfortable, easy-going way." sherlock holmes', 'neral air of being fairly well-to-do in a vulgar, comfortable, easy-going way." sherlock holmes clap', ' air of being fairly well-to-do in a vulgar, comfortable, easy-going way." sherlock holmes clapped h', 'of being fairly well-to-do in a vulgar, comfortable, easy-going way." sherlock holmes clapped his ha', 'ing fairly well-to-do in a vulgar, comfortable, easy-going way." sherlock holmes clapped his hands s', 'airly well-to-do in a vulgar, comfortable, easy-going way." sherlock holmes clapped his hands softly', ' well-to-do in a vulgar, comfortable, easy-going way." sherlock holmes clapped his hands softly toge', '-to-do in a vulgar, comfortable, easy-going way." sherlock holmes clapped his hands softly together ', 'o in a vulgar, comfortable, easy-going way." sherlock holmes clapped his hands softly together and c', 'a vulgar, comfortable, easy-going way." sherlock holmes clapped his hands softly together and chuckl', 'gar, comfortable, easy-going way." sherlock holmes clapped his hands softly together and chuckled. "', 'comfortable, easy-going way." sherlock holmes clapped his hands softly together and chuckled. "\'pon ', 'rtable, easy-going way." sherlock holmes clapped his hands softly together and chuckled. "\'pon my wo', 'e, easy-going way." sherlock holmes clapped his hands softly together and chuckled. "\'pon my word, w', 'sy-going way." sherlock holmes clapped his hands softly together and chuckled. "\'pon my word, watson', 'ing way." sherlock holmes clapped his hands softly together and chuckled. "\'pon my word, watson, you', 'ay." sherlock holmes clapped his hands softly together and chuckled. "\'pon my word, watson, you are ', 'sherlock holmes clapped his hands softly together and chuckled. "\'pon my word, watson, you are comin', 'ock holmes clapped his hands softly together and chuckled. "\'pon my word, watson, you are coming alo', 'olmes clapped his hands softly together and chuckled. "\'pon my word, watson, you are coming along wo', ' clapped his hands softly together and chuckled. "\'pon my word, watson, you are coming along wonderf', 'ped his hands softly together and chuckled. "\'pon my word, watson, you are coming along wonderfully.', 'is hands softly together and chuckled. "\'pon my word, watson, you are coming along wonderfully. you ', 'nds softly together and chuckled. "\'pon my word, watson, you are coming along wonderfully. you have ', 'oftly together and chuckled. "\'pon my word, watson, you are coming along wonderfully. you have reall', ' together and chuckled. "\'pon my word, watson, you are coming along wonderfully. you have really don', 'ther and chuckled. "\'pon my word, watson, you are coming along wonderfully. you have really done ver', 'and chuckled. "\'pon my word, watson, you are coming along wonderfully. you have really done very wel', 'huckled. "\'pon my word, watson, you are coming along wonderfully. you have really done very well ind', 'ed. "\'pon my word, watson, you are coming along wonderfully. you have really done very well indeed. ', "'pon my word, watson, you are coming along wonderfully. you have really done very well indeed. it is", 'my word, watson, you are coming along wonderfully. you have really done very well indeed. it is true', 'rd, watson, you are coming along wonderfully. you have really done very well indeed. it is true that', 'atson, you are coming along wonderfully. you have really done very well indeed. it is true that you ', ', you are coming along wonderfully. you have really done very well indeed. it is true that you have ', ' are coming along wonderfully. you have really done very well indeed. it is true that you have misse', 'coming along wonderfully. you have really done very well indeed. it is true that you have missed eve', 'g along wonderfully. you have really done very well indeed. it is true that you have missed everythi', 'ng wonderfully. you have really done very well indeed. it is true that you have missed everything of', 'nderfully. you have really done very well indeed. it is true that you have missed everything of impo', 'ully. you have really done very well indeed. it is true that you have missed everything of importanc', ' you have really done very well indeed. it is true that you have missed everything of importance, bu', 'have really done very well indeed. it is true that you have missed everything of importance, but you', 'really done very well indeed. it is true that you have missed everything of importance, but you have', 'y done very well indeed. it is true that you have missed everything of importance, but you have hit ', 'e very well indeed. it is true that you have missed everything of importance, but you have hit upon ', 'y well indeed. it is true that you have missed everything of importance, but you have hit upon the m', 'l indeed. it is true that you have missed everything of importance, but you have hit upon the method', 'eed. it is true that you have missed everything of importance, but you have hit upon the method, and', 'it is true that you have missed everything of importance, but you have hit upon the method, and you ', ' true that you have missed everything of importance, but you have hit upon the method, and you have ', ' that you have missed everything of importance, but you have hit upon the method, and you have a qui', ' you have missed everything of importance, but you have hit upon the method, and you have a quick ey', 'have missed everything of importance, but you have hit upon the method, and you have a quick eye for', 'missed everything of importance, but you have hit upon the method, and you have a quick eye for colo', 'd everything of importance, but you have hit upon the method, and you have a quick eye for colour. n', 'rything of importance, but you have hit upon the method, and you have a quick eye for colour. never ', 'ng of importance, but you have hit upon the method, and you have a quick eye for colour. never trust', ' importance, but you have hit upon the method, and you have a quick eye for colour. never trust to g', 'rtance, but you have hit upon the method, and you have a quick eye for colour. never trust to genera', 'e, but you have hit upon the method, and you have a quick eye for colour. never trust to general imp', 't you have hit upon the method, and you have a quick eye for colour. never trust to general impressi', ' have hit upon the method, and you have a quick eye for colour. never trust to general impressions, ', ' hit upon the method, and you have a quick eye for colour. never trust to general impressions, my bo', 'upon the method, and you have a quick eye for colour. never trust to general impressions, my boy, bu', 'the method, and you have a quick eye for colour. never trust to general impressions, my boy, but con', 'ethod, and you have a quick eye for colour. never trust to general impressions, my boy, but concentr', ', and you have a quick eye for colour. never trust to general impressions, my boy, but concentrate y', ' you have a quick eye for colour. never trust to general impressions, my boy, but concentrate yourse', 'have a quick eye for colour. never trust to general impressions, my boy, but concentrate yourself up', 'a quick eye for colour. never trust to general impressions, my boy, but concentrate yourself upon de', 'ck eye for colour. never trust to general impressions, my boy, but concentrate yourself upon details', 'e for colour. never trust to general impressions, my boy, but concentrate yourself upon details. my ', ' colour. never trust to general impressions, my boy, but concentrate yourself upon details. my first', 'ur. never trust to general impressions, my boy, but concentrate yourself upon details. my first glan', 'ever trust to general impressions, my boy, but concentrate yourself upon details. my first glance is', 'trust to general impressions, my boy, but concentrate yourself upon details. my first glance is alwa', ' to general impressions, my boy, but concentrate yourself upon details. my first glance is always at', 'eneral impressions, my boy, but concentrate yourself upon details. my first glance is always at a wo', "l impressions, my boy, but concentrate yourself upon details. my first glance is always at a woman's", "ressions, my boy, but concentrate yourself upon details. my first glance is always at a woman's slee", "ons, my boy, but concentrate yourself upon details. my first glance is always at a woman's sleeve. i", "my boy, but concentrate yourself upon details. my first glance is always at a woman's sleeve. in a m", "y, but concentrate yourself upon details. my first glance is always at a woman's sleeve. in a man it", "t concentrate yourself upon details. my first glance is always at a woman's sleeve. in a man it is p", "centrate yourself upon details. my first glance is always at a woman's sleeve. in a man it is perhap", "ate yourself upon details. my first glance is always at a woman's sleeve. in a man it is perhaps bet", "ourself upon details. my first glance is always at a woman's sleeve. in a man it is perhaps better f", "lf upon details. my first glance is always at a woman's sleeve. in a man it is perhaps better first ", "on details. my first glance is always at a woman's sleeve. in a man it is perhaps better first to ta", "tails. my first glance is always at a woman's sleeve. in a man it is perhaps better first to take th", ". my first glance is always at a woman's sleeve. in a man it is perhaps better first to take the kne", "first glance is always at a woman's sleeve. in a man it is perhaps better first to take the knee of ", " glance is always at a woman's sleeve. in a man it is perhaps better first to take the knee of the t", "ce is always at a woman's sleeve. in a man it is perhaps better first to take the knee of the trouse", " always at a woman's sleeve. in a man it is perhaps better first to take the knee of the trouser. as", "ys at a woman's sleeve. in a man it is perhaps better first to take the knee of the trouser. as you ", " a woman's sleeve. in a man it is perhaps better first to take the knee of the trouser. as you obser", "man's sleeve. in a man it is perhaps better first to take the knee of the trouser. as you observe, t", ' sleeve. in a man it is perhaps better first to take the knee of the trouser. as you observe, this w', 've. in a man it is perhaps better first to take the knee of the trouser. as you observe, this woman ', 'n a man it is perhaps better first to take the knee of the trouser. as you observe, this woman had p', 'an it is perhaps better first to take the knee of the trouser. as you observe, this woman had plush ', ' is perhaps better first to take the knee of the trouser. as you observe, this woman had plush upon ', 'erhaps better first to take the knee of the trouser. as you observe, this woman had plush upon her s', 's better first to take the knee of the trouser. as you observe, this woman had plush upon her sleeve', 'ter first to take the knee of the trouser. as you observe, this woman had plush upon her sleeves, wh', 'irst to take the knee of the trouser. as you observe, this woman had plush upon her sleeves, which i', 'to take the knee of the trouser. as you observe, this woman had plush upon her sleeves, which is a m', 'ke the knee of the trouser. as you observe, this woman had plush upon her sleeves, which is a most u', 'e knee of the trouser. as you observe, this woman had plush upon her sleeves, which is a most useful', 'e of the trouser. as you observe, this woman had plush upon her sleeves, which is a most useful mate', 'the trouser. as you observe, this woman had plush upon her sleeves, which is a most useful material ', 'rouser. as you observe, this woman had plush upon her sleeves, which is a most useful material for s', 'r. as you observe, this woman had plush upon her sleeves, which is a most useful material for showin', ' you observe, this woman had plush upon her sleeves, which is a most useful material for showing tra', 'observe, this woman had plush upon her sleeves, which is a most useful material for showing traces. ', 've, this woman had plush upon her sleeves, which is a most useful material for showing traces. the d', 'his woman had plush upon her sleeves, which is a most useful material for showing traces. the double', 'oman had plush upon her sleeves, which is a most useful material for showing traces. the double line', 'had plush upon her sleeves, which is a most useful material for showing traces. the double line a li', 'lush upon her sleeves, which is a most useful material for showing traces. the double line a little ', 'upon her sleeves, which is a most useful material for showing traces. the double line a little above', 'her sleeves, which is a most useful material for showing traces. the double line a little above the ', 'leeves, which is a most useful material for showing traces. the double line a little above the wrist', 's, which is a most useful material for showing traces. the double line a little above the wrist, whe', 'ich is a most useful material for showing traces. the double line a little above the wrist, where th', 's a most useful material for showing traces. the double line a little above the wrist, where the typ', 'ost useful material for showing traces. the double line a little above the wrist, where the typewrit', 'seful material for showing traces. the double line a little above the wrist, where the typewritist p', ' material for showing traces. the double line a little above the wrist, where the typewritist presse', 'rial for showing traces. the double line a little above the wrist, where the typewritist presses aga', 'for showing traces. the double line a little above the wrist, where the typewritist presses against ', 'howing traces. the double line a little above the wrist, where the typewritist presses against the t', 'g traces. the double line a little above the wrist, where the typewritist presses against the table,', 'ces. the double line a little above the wrist, where the typewritist presses against the table, was ', 'the double line a little above the wrist, where the typewritist presses against the table, was beaut', 'ouble line a little above the wrist, where the typewritist presses against the table, was beautifull', ' line a little above the wrist, where the typewritist presses against the table, was beautifully def', ' a little above the wrist, where the typewritist presses against the table, was beautifully defined.', 'ttle above the wrist, where the typewritist presses against the table, was beautifully defined. the ', 'above the wrist, where the typewritist presses against the table, was beautifully defined. the sewin', ' the wrist, where the typewritist presses against the table, was beautifully defined. the sewing-mac', 'wrist, where the typewritist presses against the table, was beautifully defined. the sewing-machine,', ', where the typewritist presses against the table, was beautifully defined. the sewing-machine, of t', 're the typewritist presses against the table, was beautifully defined. the sewing-machine, of the ha', 'e typewritist presses against the table, was beautifully defined. the sewing-machine, of the hand ty', 'ewritist presses against the table, was beautifully defined. the sewing-machine, of the hand type, l', 'ist presses against the table, was beautifully defined. the sewing-machine, of the hand type, leaves', 'resses against the table, was beautifully defined. the sewing-machine, of the hand type, leaves a si', 's against the table, was beautifully defined. the sewing-machine, of the hand type, leaves a similar', 'inst the table, was beautifully defined. the sewing-machine, of the hand type, leaves a similar mark', 'the table, was beautifully defined. the sewing-machine, of the hand type, leaves a similar mark, but', 'able, was beautifully defined. the sewing-machine, of the hand type, leaves a similar mark, but only', ' was beautifully defined. the sewing-machine, of the hand type, leaves a similar mark, but only on t', 'beautifully defined. the sewing-machine, of the hand type, leaves a similar mark, but only on the le', 'ifully defined. the sewing-machine, of the hand type, leaves a similar mark, but only on the left ar', 'y defined. the sewing-machine, of the hand type, leaves a similar mark, but only on the left arm, an', 'ined. the sewing-machine, of the hand type, leaves a similar mark, but only on the left arm, and on ', ' the sewing-machine, of the hand type, leaves a similar mark, but only on the left arm, and on the s', 'sewing-machine, of the hand type, leaves a similar mark, but only on the left arm, and on the side o', 'g-machine, of the hand type, leaves a similar mark, but only on the left arm, and on the side of it ', 'hine, of the hand type, leaves a similar mark, but only on the left arm, and on the side of it farth', ' of the hand type, leaves a similar mark, but only on the left arm, and on the side of it farthest f', 'he hand type, leaves a similar mark, but only on the left arm, and on the side of it farthest from t', 'nd type, leaves a similar mark, but only on the left arm, and on the side of it farthest from the th', 'pe, leaves a similar mark, but only on the left arm, and on the side of it farthest from the thumb, ', 'eaves a similar mark, but only on the left arm, and on the side of it farthest from the thumb, inste', ' a similar mark, but only on the left arm, and on the side of it farthest from the thumb, instead of', 'milar mark, but only on the left arm, and on the side of it farthest from the thumb, instead of bein', ' mark, but only on the left arm, and on the side of it farthest from the thumb, instead of being rig', ', but only on the left arm, and on the side of it farthest from the thumb, instead of being right ac', ' only on the left arm, and on the side of it farthest from the thumb, instead of being right across ', ' on the left arm, and on the side of it farthest from the thumb, instead of being right across the b', 'he left arm, and on the side of it farthest from the thumb, instead of being right across the broade', 'ft arm, and on the side of it farthest from the thumb, instead of being right across the broadest pa', 'm, and on the side of it farthest from the thumb, instead of being right across the broadest part, a', 'd on the side of it farthest from the thumb, instead of being right across the broadest part, as thi', 'the side of it farthest from the thumb, instead of being right across the broadest part, as this was', 'ide of it farthest from the thumb, instead of being right across the broadest part, as this was. i t', 'f it farthest from the thumb, instead of being right across the broadest part, as this was. i then g', 'farthest from the thumb, instead of being right across the broadest part, as this was. i then glance', 'est from the thumb, instead of being right across the broadest part, as this was. i then glanced at ', 'rom the thumb, instead of being right across the broadest part, as this was. i then glanced at her f', 'he thumb, instead of being right across the broadest part, as this was. i then glanced at her face, ', 'umb, instead of being right across the broadest part, as this was. i then glanced at her face, and, ', 'instead of being right across the broadest part, as this was. i then glanced at her face, and, obser', 'ad of being right across the broadest part, as this was. i then glanced at her face, and, observing ', ' being right across the broadest part, as this was. i then glanced at her face, and, observing the d', 'g right across the broadest part, as this was. i then glanced at her face, and, observing the dint o', 'ht across the broadest part, as this was. i then glanced at her face, and, observing the dint of a p', 'ross the broadest part, as this was. i then glanced at her face, and, observing the dint of a pince-', 'the broadest part, as this was. i then glanced at her face, and, observing the dint of a pince-nez a', 'roadest part, as this was. i then glanced at her face, and, observing the dint of a pince-nez at eit', 'st part, as this was. i then glanced at her face, and, observing the dint of a pince-nez at either s', 'rt, as this was. i then glanced at her face, and, observing the dint of a pince-nez at either side o', 's this was. i then glanced at her face, and, observing the dint of a pince-nez at either side of her', 's was. i then glanced at her face, and, observing the dint of a pince-nez at either side of her nose', '. i then glanced at her face, and, observing the dint of a pince-nez at either side of her nose, i v', 'hen glanced at her face, and, observing the dint of a pince-nez at either side of her nose, i ventur', 'lanced at her face, and, observing the dint of a pince-nez at either side of her nose, i ventured a ', 'd at her face, and, observing the dint of a pince-nez at either side of her nose, i ventured a remar', 'her face, and, observing the dint of a pince-nez at either side of her nose, i ventured a remark upo', 'ace, and, observing the dint of a pince-nez at either side of her nose, i ventured a remark upon sho', 'and, observing the dint of a pince-nez at either side of her nose, i ventured a remark upon short si', 'observing the dint of a pince-nez at either side of her nose, i ventured a remark upon short sight a', 'ving the dint of a pince-nez at either side of her nose, i ventured a remark upon short sight and ty', 'the dint of a pince-nez at either side of her nose, i ventured a remark upon short sight and typewri', 'int of a pince-nez at either side of her nose, i ventured a remark upon short sight and typewriting,', 'f a pince-nez at either side of her nose, i ventured a remark upon short sight and typewriting, whic', 'ince-nez at either side of her nose, i ventured a remark upon short sight and typewriting, which see', 'nez at either side of her nose, i ventured a remark upon short sight and typewriting, which seemed t', 't either side of her nose, i ventured a remark upon short sight and typewriting, which seemed to sur', 'her side of her nose, i ventured a remark upon short sight and typewriting, which seemed to surprise', 'ide of her nose, i ventured a remark upon short sight and typewriting, which seemed to surprise her.', 'f her nose, i ventured a remark upon short sight and typewriting, which seemed to surprise her." "it', ' nose, i ventured a remark upon short sight and typewriting, which seemed to surprise her." "it surp', ', i ventured a remark upon short sight and typewriting, which seemed to surprise her." "it surprised', 'entured a remark upon short sight and typewriting, which seemed to surprise her." "it surprised me."', 'ed a remark upon short sight and typewriting, which seemed to surprise her." "it surprised me." "but', 'remark upon short sight and typewriting, which seemed to surprise her." "it surprised me." "but, sur', 'k upon short sight and typewriting, which seemed to surprise her." "it surprised me." "but, surely, ', 'n short sight and typewriting, which seemed to surprise her." "it surprised me." "but, surely, it wa', 'rt sight and typewriting, which seemed to surprise her." "it surprised me." "but, surely, it was obv', 'ght and typewriting, which seemed to surprise her." "it surprised me." "but, surely, it was obvious.', 'nd typewriting, which seemed to surprise her." "it surprised me." "but, surely, it was obvious. i wa', 'pewriting, which seemed to surprise her." "it surprised me." "but, surely, it was obvious. i was the', 'ting, which seemed to surprise her." "it surprised me." "but, surely, it was obvious. i was then muc', ' which seemed to surprise her." "it surprised me." "but, surely, it was obvious. i was then much sur', 'h seemed to surprise her." "it surprised me." "but, surely, it was obvious. i was then much surprise', 'med to surprise her." "it surprised me." "but, surely, it was obvious. i was then much surprised and', 'o surprise her." "it surprised me." "but, surely, it was obvious. i was then much surprised and inte', 'prise her." "it surprised me." "but, surely, it was obvious. i was then much surprised and intereste', ' her." "it surprised me." "but, surely, it was obvious. i was then much surprised and interested on ', '" "it surprised me." "but, surely, it was obvious. i was then much surprised and interested on glanc', ' surprised me." "but, surely, it was obvious. i was then much surprised and interested on glancing d', 'rised me." "but, surely, it was obvious. i was then much surprised and interested on glancing down t', ' me." "but, surely, it was obvious. i was then much surprised and interested on glancing down to obs', ' "but, surely, it was obvious. i was then much surprised and interested on glancing down to observe ', ', surely, it was obvious. i was then much surprised and interested on glancing down to observe that,', 'ely, it was obvious. i was then much surprised and interested on glancing down to observe that, thou', 'it was obvious. i was then much surprised and interested on glancing down to observe that, though th', 's obvious. i was then much surprised and interested on glancing down to observe that, though the boo', 'ious. i was then much surprised and interested on glancing down to observe that, though the boots wh', ' i was then much surprised and interested on glancing down to observe that, though the boots which s', 's then much surprised and interested on glancing down to observe that, though the boots which she wa', 'n much surprised and interested on glancing down to observe that, though the boots which she was wea', 'h surprised and interested on glancing down to observe that, though the boots which she was wearing ', 'prised and interested on glancing down to observe that, though the boots which she was wearing were ', 'd and interested on glancing down to observe that, though the boots which she was wearing were not u', ' interested on glancing down to observe that, though the boots which she was wearing were not unlike', 'rested on glancing down to observe that, though the boots which she was wearing were not unlike each', 'd on glancing down to observe that, though the boots which she was wearing were not unlike each othe', 'glancing down to observe that, though the boots which she was wearing were not unlike each other, th', 'ing down to observe that, though the boots which she was wearing were not unlike each other, they we', 'own to observe that, though the boots which she was wearing were not unlike each other, they were re', 'o observe that, though the boots which she was wearing were not unlike each other, they were really ', 'erve that, though the boots which she was wearing were not unlike each other, they were really odd o', 'that, though the boots which she was wearing were not unlike each other, they were really odd ones; ', ' though the boots which she was wearing were not unlike each other, they were really odd ones; the o', 'gh the boots which she was wearing were not unlike each other, they were really odd ones; the one ha', 'e boots which she was wearing were not unlike each other, they were really odd ones; the one having ', 'ts which she was wearing were not unlike each other, they were really odd ones; the one having a sli', 'ich she was wearing were not unlike each other, they were really odd ones; the one having a slightly', 'he was wearing were not unlike each other, they were really odd ones; the one having a slightly deco', 's wearing were not unlike each other, they were really odd ones; the one having a slightly decorated', 'ring were not unlike each other, they were really odd ones; the one having a slightly decorated toe-', 'were not unlike each other, they were really odd ones; the one having a slightly decorated toe-cap, ', 'not unlike each other, they were really odd ones; the one having a slightly decorated toe-cap, and t', 'nlike each other, they were really odd ones; the one having a slightly decorated toe-cap, and the ot', ' each other, they were really odd ones; the one having a slightly decorated toe-cap, and the other a', ' other, they were really odd ones; the one having a slightly decorated toe-cap, and the other a plai', 'r, they were really odd ones; the one having a slightly decorated toe-cap, and the other a plain one', 'ey were really odd ones; the one having a slightly decorated toe-cap, and the other a plain one. one', 're really odd ones; the one having a slightly decorated toe-cap, and the other a plain one. one was ', 'ally odd ones; the one having a slightly decorated toe-cap, and the other a plain one. one was butto', 'odd ones; the one having a slightly decorated toe-cap, and the other a plain one. one was buttoned o', 'nes; the one having a slightly decorated toe-cap, and the other a plain one. one was buttoned only i', 'the one having a slightly decorated toe-cap, and the other a plain one. one was buttoned only in the', 'ne having a slightly decorated toe-cap, and the other a plain one. one was buttoned only in the two ', 'ving a slightly decorated toe-cap, and the other a plain one. one was buttoned only in the two lower', 'a slightly decorated toe-cap, and the other a plain one. one was buttoned only in the two lower butt', 'ghtly decorated toe-cap, and the other a plain one. one was buttoned only in the two lower buttons o', ' decorated toe-cap, and the other a plain one. one was buttoned only in the two lower buttons out of', 'rated toe-cap, and the other a plain one. one was buttoned only in the two lower buttons out of five', ' toe-cap, and the other a plain one. one was buttoned only in the two lower buttons out of five, and', 'cap, and the other a plain one. one was buttoned only in the two lower buttons out of five, and the ', 'and the other a plain one. one was buttoned only in the two lower buttons out of five, and the other', 'he other a plain one. one was buttoned only in the two lower buttons out of five, and the other at t', 'her a plain one. one was buttoned only in the two lower buttons out of five, and the other at the fi', ' plain one. one was buttoned only in the two lower buttons out of five, and the other at the first, ', 'n one. one was buttoned only in the two lower buttons out of five, and the other at the first, third', '. one was buttoned only in the two lower buttons out of five, and the other at the first, third, and', ' was buttoned only in the two lower buttons out of five, and the other at the first, third, and fift', 'buttoned only in the two lower buttons out of five, and the other at the first, third, and fifth. no', 'ned only in the two lower buttons out of five, and the other at the first, third, and fifth. now, wh', 'nly in the two lower buttons out of five, and the other at the first, third, and fifth. now, when yo', 'n the two lower buttons out of five, and the other at the first, third, and fifth. now, when you see', ' two lower buttons out of five, and the other at the first, third, and fifth. now, when you see that', 'lower buttons out of five, and the other at the first, third, and fifth. now, when you see that a yo', ' buttons out of five, and the other at the first, third, and fifth. now, when you see that a young l', 'ons out of five, and the other at the first, third, and fifth. now, when you see that a young lady, ', 'ut of five, and the other at the first, third, and fifth. now, when you see that a young lady, other', ' five, and the other at the first, third, and fifth. now, when you see that a young lady, otherwise ', ', and the other at the first, third, and fifth. now, when you see that a young lady, otherwise neatl', ' the other at the first, third, and fifth. now, when you see that a young lady, otherwise neatly dre', 'other at the first, third, and fifth. now, when you see that a young lady, otherwise neatly dressed,', ' at the first, third, and fifth. now, when you see that a young lady, otherwise neatly dressed, has ', 'he first, third, and fifth. now, when you see that a young lady, otherwise neatly dressed, has come ', 'rst, third, and fifth. now, when you see that a young lady, otherwise neatly dressed, has come away ', 'third, and fifth. now, when you see that a young lady, otherwise neatly dressed, has come away from ', ', and fifth. now, when you see that a young lady, otherwise neatly dressed, has come away from home ', ' fifth. now, when you see that a young lady, otherwise neatly dressed, has come away from home with ', 'h. now, when you see that a young lady, otherwise neatly dressed, has come away from home with odd b', 'w, when you see that a young lady, otherwise neatly dressed, has come away from home with odd boots,', 'en you see that a young lady, otherwise neatly dressed, has come away from home with odd boots, half', 'u see that a young lady, otherwise neatly dressed, has come away from home with odd boots, half-butt', ' that a young lady, otherwise neatly dressed, has come away from home with odd boots, half-buttoned,', ' a young lady, otherwise neatly dressed, has come away from home with odd boots, half-buttoned, it i', 'ung lady, otherwise neatly dressed, has come away from home with odd boots, half-buttoned, it is no ', 'ady, otherwise neatly dressed, has come away from home with odd boots, half-buttoned, it is no great', 'otherwise neatly dressed, has come away from home with odd boots, half-buttoned, it is no great dedu', 'wise neatly dressed, has come away from home with odd boots, half-buttoned, it is no great deduction', 'neatly dressed, has come away from home with odd boots, half-buttoned, it is no great deduction to s', 'y dressed, has come away from home with odd boots, half-buttoned, it is no great deduction to say th', 'ssed, has come away from home with odd boots, half-buttoned, it is no great deduction to say that sh', ' has come away from home with odd boots, half-buttoned, it is no great deduction to say that she cam', 'come away from home with odd boots, half-buttoned, it is no great deduction to say that she came awa', 'away from home with odd boots, half-buttoned, it is no great deduction to say that she came away in ', 'from home with odd boots, half-buttoned, it is no great deduction to say that she came away in a hur', 'home with odd boots, half-buttoned, it is no great deduction to say that she came away in a hurry." ', 'with odd boots, half-buttoned, it is no great deduction to say that she came away in a hurry." "and ', 'odd boots, half-buttoned, it is no great deduction to say that she came away in a hurry." "and what ', 'oots, half-buttoned, it is no great deduction to say that she came away in a hurry." "and what else?', ' half-buttoned, it is no great deduction to say that she came away in a hurry." "and what else?" i a', '-buttoned, it is no great deduction to say that she came away in a hurry." "and what else?" i asked,', 'oned, it is no great deduction to say that she came away in a hurry." "and what else?" i asked, keen', ' it is no great deduction to say that she came away in a hurry." "and what else?" i asked, keenly in', 's no great deduction to say that she came away in a hurry." "and what else?" i asked, keenly interes', 'great deduction to say that she came away in a hurry." "and what else?" i asked, keenly interested, ', ' deduction to say that she came away in a hurry." "and what else?" i asked, keenly interested, as i ', 'ction to say that she came away in a hurry." "and what else?" i asked, keenly interested, as i alway', ' to say that she came away in a hurry." "and what else?" i asked, keenly interested, as i always was', 'ay that she came away in a hurry." "and what else?" i asked, keenly interested, as i always was, by ', 'at she came away in a hurry." "and what else?" i asked, keenly interested, as i always was, by my fr', 'e came away in a hurry." "and what else?" i asked, keenly interested, as i always was, by my friend\'', 'e away in a hurry." "and what else?" i asked, keenly interested, as i always was, by my friend\'s inc', 'y in a hurry." "and what else?" i asked, keenly interested, as i always was, by my friend\'s incisive', 'a hurry." "and what else?" i asked, keenly interested, as i always was, by my friend\'s incisive reas', 'ry." "and what else?" i asked, keenly interested, as i always was, by my friend\'s incisive reasoning', '"and what else?" i asked, keenly interested, as i always was, by my friend\'s incisive reasoning. "i ', 'what else?" i asked, keenly interested, as i always was, by my friend\'s incisive reasoning. "i noted', 'else?" i asked, keenly interested, as i always was, by my friend\'s incisive reasoning. "i noted, in ', '" i asked, keenly interested, as i always was, by my friend\'s incisive reasoning. "i noted, in passi', 'sked, keenly interested, as i always was, by my friend\'s incisive reasoning. "i noted, in passing, t', ' keenly interested, as i always was, by my friend\'s incisive reasoning. "i noted, in passing, that s', 'ly interested, as i always was, by my friend\'s incisive reasoning. "i noted, in passing, that she ha', 'terested, as i always was, by my friend\'s incisive reasoning. "i noted, in passing, that she had wri', 'ted, as i always was, by my friend\'s incisive reasoning. "i noted, in passing, that she had written ', 'as i always was, by my friend\'s incisive reasoning. "i noted, in passing, that she had written a not', 'always was, by my friend\'s incisive reasoning. "i noted, in passing, that she had written a note bef', 's was, by my friend\'s incisive reasoning. "i noted, in passing, that she had written a note before l', ', by my friend\'s incisive reasoning. "i noted, in passing, that she had written a note before leavin', 'my friend\'s incisive reasoning. "i noted, in passing, that she had written a note before leaving hom', 'iend\'s incisive reasoning. "i noted, in passing, that she had written a note before leaving home but', 's incisive reasoning. "i noted, in passing, that she had written a note before leaving home but afte', 'isive reasoning. "i noted, in passing, that she had written a note before leaving home but after bei', ' reasoning. "i noted, in passing, that she had written a note before leaving home but after being fu', 'oning. "i noted, in passing, that she had written a note before leaving home but after being fully d', '. "i noted, in passing, that she had written a note before leaving home but after being fully dresse', 'noted, in passing, that she had written a note before leaving home but after being fully dressed. yo', ', in passing, that she had written a note before leaving home but after being fully dressed. you obs', 'passing, that she had written a note before leaving home but after being fully dressed. you observed', 'ng, that she had written a note before leaving home but after being fully dressed. you observed that', 'hat she had written a note before leaving home but after being fully dressed. you observed that her ', 'he had written a note before leaving home but after being fully dressed. you observed that her right', 'd written a note before leaving home but after being fully dressed. you observed that her right glov', 'tten a note before leaving home but after being fully dressed. you observed that her right glove was', 'a note before leaving home but after being fully dressed. you observed that her right glove was torn', 'e before leaving home but after being fully dressed. you observed that her right glove was torn at t', 'ore leaving home but after being fully dressed. you observed that her right glove was torn at the fo', 'eaving home but after being fully dressed. you observed that her right glove was torn at the forefin', 'g home but after being fully dressed. you observed that her right glove was torn at the forefinger, ', 'e but after being fully dressed. you observed that her right glove was torn at the forefinger, but y', ' after being fully dressed. you observed that her right glove was torn at the forefinger, but you di', 'r being fully dressed. you observed that her right glove was torn at the forefinger, but you did not', 'ng fully dressed. you observed that her right glove was torn at the forefinger, but you did not appa', 'lly dressed. you observed that her right glove was torn at the forefinger, but you did not apparentl', 'ressed. you observed that her right glove was torn at the forefinger, but you did not apparently see', 'd. you observed that her right glove was torn at the forefinger, but you did not apparently see that', 'u observed that her right glove was torn at the forefinger, but you did not apparently see that both', 'erved that her right glove was torn at the forefinger, but you did not apparently see that both glov', ' that her right glove was torn at the forefinger, but you did not apparently see that both glove and', ' her right glove was torn at the forefinger, but you did not apparently see that both glove and fing', 'right glove was torn at the forefinger, but you did not apparently see that both glove and finger we', ' glove was torn at the forefinger, but you did not apparently see that both glove and finger were st', 'e was torn at the forefinger, but you did not apparently see that both glove and finger were stained', ' torn at the forefinger, but you did not apparently see that both glove and finger were stained with', ' at the forefinger, but you did not apparently see that both glove and finger were stained with viol', 'he forefinger, but you did not apparently see that both glove and finger were stained with violet in', 'refinger, but you did not apparently see that both glove and finger were stained with violet ink. sh', 'ger, but you did not apparently see that both glove and finger were stained with violet ink. she had', 'but you did not apparently see that both glove and finger were stained with violet ink. she had writ', 'ou did not apparently see that both glove and finger were stained with violet ink. she had written i', 'd not apparently see that both glove and finger were stained with violet ink. she had written in a h', ' apparently see that both glove and finger were stained with violet ink. she had written in a hurry ', 'rently see that both glove and finger were stained with violet ink. she had written in a hurry and d', 'y see that both glove and finger were stained with violet ink. she had written in a hurry and dipped', ' that both glove and finger were stained with violet ink. she had written in a hurry and dipped her ', ' both glove and finger were stained with violet ink. she had written in a hurry and dipped her pen t', ' glove and finger were stained with violet ink. she had written in a hurry and dipped her pen too de', 'e and finger were stained with violet ink. she had written in a hurry and dipped her pen too deep. i', ' finger were stained with violet ink. she had written in a hurry and dipped her pen too deep. it mus', 'er were stained with violet ink. she had written in a hurry and dipped her pen too deep. it must hav', 're stained with violet ink. she had written in a hurry and dipped her pen too deep. it must have bee', 'ained with violet ink. she had written in a hurry and dipped her pen too deep. it must have been thi', ' with violet ink. she had written in a hurry and dipped her pen too deep. it must have been this mor', ' violet ink. she had written in a hurry and dipped her pen too deep. it must have been this morning,', 'et ink. she had written in a hurry and dipped her pen too deep. it must have been this morning, or t', 'k. she had written in a hurry and dipped her pen too deep. it must have been this morning, or the ma', 'e had written in a hurry and dipped her pen too deep. it must have been this morning, or the mark wo', ' written in a hurry and dipped her pen too deep. it must have been this morning, or the mark would n', 'ten in a hurry and dipped her pen too deep. it must have been this morning, or the mark would not re', 'n a hurry and dipped her pen too deep. it must have been this morning, or the mark would not remain ', 'urry and dipped her pen too deep. it must have been this morning, or the mark would not remain clear', 'and dipped her pen too deep. it must have been this morning, or the mark would not remain clear upon', 'ipped her pen too deep. it must have been this morning, or the mark would not remain clear upon the ', ' her pen too deep. it must have been this morning, or the mark would not remain clear upon the finge', 'pen too deep. it must have been this morning, or the mark would not remain clear upon the finger. al', 'oo deep. it must have been this morning, or the mark would not remain clear upon the finger. all thi', 'ep. it must have been this morning, or the mark would not remain clear upon the finger. all this is ', 't must have been this morning, or the mark would not remain clear upon the finger. all this is amusi', 't have been this morning, or the mark would not remain clear upon the finger. all this is amusing, t', 'e been this morning, or the mark would not remain clear upon the finger. all this is amusing, though', 'n this morning, or the mark would not remain clear upon the finger. all this is amusing, though rath', 's morning, or the mark would not remain clear upon the finger. all this is amusing, though rather el', 'ning, or the mark would not remain clear upon the finger. all this is amusing, though rather element', ' or the mark would not remain clear upon the finger. all this is amusing, though rather elementary, ', 'he mark would not remain clear upon the finger. all this is amusing, though rather elementary, but i', 'rk would not remain clear upon the finger. all this is amusing, though rather elementary, but i must', 'uld not remain clear upon the finger. all this is amusing, though rather elementary, but i must go b', 'ot remain clear upon the finger. all this is amusing, though rather elementary, but i must go back t', 'main clear upon the finger. all this is amusing, though rather elementary, but i must go back to bus', 'clear upon the finger. all this is amusing, though rather elementary, but i must go back to business', ' upon the finger. all this is amusing, though rather elementary, but i must go back to business, wat', ' the finger. all this is amusing, though rather elementary, but i must go back to business, watson. ', 'finger. all this is amusing, though rather elementary, but i must go back to business, watson. would', 'r. all this is amusing, though rather elementary, but i must go back to business, watson. would you ', 'l this is amusing, though rather elementary, but i must go back to business, watson. would you mind ', 's is amusing, though rather elementary, but i must go back to business, watson. would you mind readi', 'amusing, though rather elementary, but i must go back to business, watson. would you mind reading me', 'ng, though rather elementary, but i must go back to business, watson. would you mind reading me the ', 'hough rather elementary, but i must go back to business, watson. would you mind reading me the adver', ' rather elementary, but i must go back to business, watson. would you mind reading me the advertised', 'er elementary, but i must go back to business, watson. would you mind reading me the advertised desc', 'ementary, but i must go back to business, watson. would you mind reading me the advertised descripti', 'ary, but i must go back to business, watson. would you mind reading me the advertised description of', 'but i must go back to business, watson. would you mind reading me the advertised description of mr. ', ' must go back to business, watson. would you mind reading me the advertised description of mr. hosme', ' go back to business, watson. would you mind reading me the advertised description of mr. hosmer ang', 'ack to business, watson. would you mind reading me the advertised description of mr. hosmer angel?" ', 'o business, watson. would you mind reading me the advertised description of mr. hosmer angel?" i hel', 'iness, watson. would you mind reading me the advertised description of mr. hosmer angel?" i held the', ', watson. would you mind reading me the advertised description of mr. hosmer angel?" i held the litt', 'son. would you mind reading me the advertised description of mr. hosmer angel?" i held the little pr', 'would you mind reading me the advertised description of mr. hosmer angel?" i held the little printed', ' you mind reading me the advertised description of mr. hosmer angel?" i held the little printed slip', 'mind reading me the advertised description of mr. hosmer angel?" i held the little printed slip to t', 'reading me the advertised description of mr. hosmer angel?" i held the little printed slip to the li', 'ng me the advertised description of mr. hosmer angel?" i held the little printed slip to the light. ', ' the advertised description of mr. hosmer angel?" i held the little printed slip to the light. "miss', 'advertised description of mr. hosmer angel?" i held the little printed slip to the light. "missing,"', 'tised description of mr. hosmer angel?" i held the little printed slip to the light. "missing," it s', ' description of mr. hosmer angel?" i held the little printed slip to the light. "missing," it said, ', 'ription of mr. hosmer angel?" i held the little printed slip to the light. "missing," it said, "on t', 'on of mr. hosmer angel?" i held the little printed slip to the light. "missing," it said, "on the mo', ' mr. hosmer angel?" i held the little printed slip to the light. "missing," it said, "on the morning', 'hosmer angel?" i held the little printed slip to the light. "missing," it said, "on the morning of t', 'r angel?" i held the little printed slip to the light. "missing," it said, "on the morning of the fo', 'el?" i held the little printed slip to the light. "missing," it said, "on the morning of the fourtee', 'i held the little printed slip to the light. "missing," it said, "on the morning of the fourteenth, ', 'd the little printed slip to the light. "missing," it said, "on the morning of the fourteenth, a gen', ' little printed slip to the light. "missing," it said, "on the morning of the fourteenth, a gentlema', 'le printed slip to the light. "missing," it said, "on the morning of the fourteenth, a gentleman nam', 'inted slip to the light. "missing," it said, "on the morning of the fourteenth, a gentleman named ho', ' slip to the light. "missing," it said, "on the morning of the fourteenth, a gentleman named hosmer ', ' to the light. "missing," it said, "on the morning of the fourteenth, a gentleman named hosmer angel', 'he light. "missing," it said, "on the morning of the fourteenth, a gentleman named hosmer angel. abo', 'ght. "missing," it said, "on the morning of the fourteenth, a gentleman named hosmer angel. about fi', '"missing," it said, "on the morning of the fourteenth, a gentleman named hosmer angel. about five ft', 'ing," it said, "on the morning of the fourteenth, a gentleman named hosmer angel. about five ft. sev', ' it said, "on the morning of the fourteenth, a gentleman named hosmer angel. about five ft. seven in', 'aid, "on the morning of the fourteenth, a gentleman named hosmer angel. about five ft. seven in. in ', '"on the morning of the fourteenth, a gentleman named hosmer angel. about five ft. seven in. in heigh', 'he morning of the fourteenth, a gentleman named hosmer angel. about five ft. seven in. in height; st', 'rning of the fourteenth, a gentleman named hosmer angel. about five ft. seven in. in height; strongl', ' of the fourteenth, a gentleman named hosmer angel. about five ft. seven in. in height; strongly bui', 'he fourteenth, a gentleman named hosmer angel. about five ft. seven in. in height; strongly built, s', 'urteenth, a gentleman named hosmer angel. about five ft. seven in. in height; strongly built, sallow', 'nth, a gentleman named hosmer angel. about five ft. seven in. in height; strongly built, sallow comp', 'a gentleman named hosmer angel. about five ft. seven in. in height; strongly built, sallow complexio', 'tleman named hosmer angel. about five ft. seven in. in height; strongly built, sallow complexion, bl', 'n named hosmer angel. about five ft. seven in. in height; strongly built, sallow complexion, black h', 'ed hosmer angel. about five ft. seven in. in height; strongly built, sallow complexion, black hair, ', 'smer angel. about five ft. seven in. in height; strongly built, sallow complexion, black hair, a lit', 'angel. about five ft. seven in. in height; strongly built, sallow complexion, black hair, a little b', '. about five ft. seven in. in height; strongly built, sallow complexion, black hair, a little bald i', 'ut five ft. seven in. in height; strongly built, sallow complexion, black hair, a little bald in the', 've ft. seven in. in height; strongly built, sallow complexion, black hair, a little bald in the cent', '. seven in. in height; strongly built, sallow complexion, black hair, a little bald in the centre, b', 'en in. in height; strongly built, sallow complexion, black hair, a little bald in the centre, bushy,', '. in height; strongly built, sallow complexion, black hair, a little bald in the centre, bushy, blac', 'height; strongly built, sallow complexion, black hair, a little bald in the centre, bushy, black sid', 't; strongly built, sallow complexion, black hair, a little bald in the centre, bushy, black side-whi', 'rongly built, sallow complexion, black hair, a little bald in the centre, bushy, black side-whiskers', 'y built, sallow complexion, black hair, a little bald in the centre, bushy, black side-whiskers and ', 'lt, sallow complexion, black hair, a little bald in the centre, bushy, black side-whiskers and moust', 'allow complexion, black hair, a little bald in the centre, bushy, black side-whiskers and moustache;', ' complexion, black hair, a little bald in the centre, bushy, black side-whiskers and moustache; tint', 'lexion, black hair, a little bald in the centre, bushy, black side-whiskers and moustache; tinted gl', 'n, black hair, a little bald in the centre, bushy, black side-whiskers and moustache; tinted glasses', 'ack hair, a little bald in the centre, bushy, black side-whiskers and moustache; tinted glasses, sli', 'air, a little bald in the centre, bushy, black side-whiskers and moustache; tinted glasses, slight i', 'a little bald in the centre, bushy, black side-whiskers and moustache; tinted glasses, slight infirm', 'tle bald in the centre, bushy, black side-whiskers and moustache; tinted glasses, slight infirmity o', 'ald in the centre, bushy, black side-whiskers and moustache; tinted glasses, slight infirmity of spe', 'n the centre, bushy, black side-whiskers and moustache; tinted glasses, slight infirmity of speech. ', ' centre, bushy, black side-whiskers and moustache; tinted glasses, slight infirmity of speech. was d', 're, bushy, black side-whiskers and moustache; tinted glasses, slight infirmity of speech. was dresse', 'ushy, black side-whiskers and moustache; tinted glasses, slight infirmity of speech. was dressed, wh', ' black side-whiskers and moustache; tinted glasses, slight infirmity of speech. was dressed, when la', 'k side-whiskers and moustache; tinted glasses, slight infirmity of speech. was dressed, when last se', 'e-whiskers and moustache; tinted glasses, slight infirmity of speech. was dressed, when last seen, i', 'skers and moustache; tinted glasses, slight infirmity of speech. was dressed, when last seen, in bla', ' and moustache; tinted glasses, slight infirmity of speech. was dressed, when last seen, in black fr', 'moustache; tinted glasses, slight infirmity of speech. was dressed, when last seen, in black frock-c', 'ache; tinted glasses, slight infirmity of speech. was dressed, when last seen, in black frock-coat f', ' tinted glasses, slight infirmity of speech. was dressed, when last seen, in black frock-coat faced ', 'ed glasses, slight infirmity of speech. was dressed, when last seen, in black frock-coat faced with ', 'asses, slight infirmity of speech. was dressed, when last seen, in black frock-coat faced with silk,', ', slight infirmity of speech. was dressed, when last seen, in black frock-coat faced with silk, blac', 'ght infirmity of speech. was dressed, when last seen, in black frock-coat faced with silk, black wai', 'nfirmity of speech. was dressed, when last seen, in black frock-coat faced with silk, black waistcoa', 'ity of speech. was dressed, when last seen, in black frock-coat faced with silk, black waistcoat, go', 'f speech. was dressed, when last seen, in black frock-coat faced with silk, black waistcoat, gold al', 'ech. was dressed, when last seen, in black frock-coat faced with silk, black waistcoat, gold albert ', 'was dressed, when last seen, in black frock-coat faced with silk, black waistcoat, gold albert chain', 'ressed, when last seen, in black frock-coat faced with silk, black waistcoat, gold albert chain, and', 'd, when last seen, in black frock-coat faced with silk, black waistcoat, gold albert chain, and grey', 'en last seen, in black frock-coat faced with silk, black waistcoat, gold albert chain, and grey harr', 'st seen, in black frock-coat faced with silk, black waistcoat, gold albert chain, and grey harris tw', 'en, in black frock-coat faced with silk, black waistcoat, gold albert chain, and grey harris tweed t', 'n black frock-coat faced with silk, black waistcoat, gold albert chain, and grey harris tweed trouse', 'ck frock-coat faced with silk, black waistcoat, gold albert chain, and grey harris tweed trousers, w', 'ock-coat faced with silk, black waistcoat, gold albert chain, and grey harris tweed trousers, with b', 'oat faced with silk, black waistcoat, gold albert chain, and grey harris tweed trousers, with brown ', 'aced with silk, black waistcoat, gold albert chain, and grey harris tweed trousers, with brown gaite', 'with silk, black waistcoat, gold albert chain, and grey harris tweed trousers, with brown gaiters ov', 'silk, black waistcoat, gold albert chain, and grey harris tweed trousers, with brown gaiters over el', ' black waistcoat, gold albert chain, and grey harris tweed trousers, with brown gaiters over elastic', 'k waistcoat, gold albert chain, and grey harris tweed trousers, with brown gaiters over elastic-side', 'stcoat, gold albert chain, and grey harris tweed trousers, with brown gaiters over elastic-sided boo', 't, gold albert chain, and grey harris tweed trousers, with brown gaiters over elastic-sided boots. k', 'ld albert chain, and grey harris tweed trousers, with brown gaiters over elastic-sided boots. known ', 'bert chain, and grey harris tweed trousers, with brown gaiters over elastic-sided boots. known to ha', 'chain, and grey harris tweed trousers, with brown gaiters over elastic-sided boots. known to have be', ', and grey harris tweed trousers, with brown gaiters over elastic-sided boots. known to have been em', ' grey harris tweed trousers, with brown gaiters over elastic-sided boots. known to have been employe', ' harris tweed trousers, with brown gaiters over elastic-sided boots. known to have been employed in ', 'is tweed trousers, with brown gaiters over elastic-sided boots. known to have been employed in an of', 'eed trousers, with brown gaiters over elastic-sided boots. known to have been employed in an office ', 'rousers, with brown gaiters over elastic-sided boots. known to have been employed in an office in le', 'rs, with brown gaiters over elastic-sided boots. known to have been employed in an office in leadenh', 'ith brown gaiters over elastic-sided boots. known to have been employed in an office in leadenhall s', 'rown gaiters over elastic-sided boots. known to have been employed in an office in leadenhall street', 'gaiters over elastic-sided boots. known to have been employed in an office in leadenhall street. any', 'rs over elastic-sided boots. known to have been employed in an office in leadenhall street. anybody ', 'er elastic-sided boots. known to have been employed in an office in leadenhall street. anybody bring', 'astic-sided boots. known to have been employed in an office in leadenhall street. anybody bringing" ', '-sided boots. known to have been employed in an office in leadenhall street. anybody bringing" "that', 'd boots. known to have been employed in an office in leadenhall street. anybody bringing" "that will', 'ts. known to have been employed in an office in leadenhall street. anybody bringing" "that will do,"', 'nown to have been employed in an office in leadenhall street. anybody bringing" "that will do," said', 'to have been employed in an office in leadenhall street. anybody bringing" "that will do," said holm', 've been employed in an office in leadenhall street. anybody bringing" "that will do," said holmes. "', 'en employed in an office in leadenhall street. anybody bringing" "that will do," said holmes. "as to', 'ployed in an office in leadenhall street. anybody bringing" "that will do," said holmes. "as to the ', 'd in an office in leadenhall street. anybody bringing" "that will do," said holmes. "as to the lette', 'an office in leadenhall street. anybody bringing" "that will do," said holmes. "as to the letters," ', 'fice in leadenhall street. anybody bringing" "that will do," said holmes. "as to the letters," he co', 'in leadenhall street. anybody bringing" "that will do," said holmes. "as to the letters," he continu', 'adenhall street. anybody bringing" "that will do," said holmes. "as to the letters," he continued, g', 'all street. anybody bringing" "that will do," said holmes. "as to the letters," he continued, glanci', 'treet. anybody bringing" "that will do," said holmes. "as to the letters," he continued, glancing ov', '. anybody bringing" "that will do," said holmes. "as to the letters," he continued, glancing over th', 'body bringing" "that will do," said holmes. "as to the letters," he continued, glancing over them, "', 'bringing" "that will do," said holmes. "as to the letters," he continued, glancing over them, "they ', 'ing" "that will do," said holmes. "as to the letters," he continued, glancing over them, "they are v', '"that will do," said holmes. "as to the letters," he continued, glancing over them, "they are very c', ' will do," said holmes. "as to the letters," he continued, glancing over them, "they are very common', ' do," said holmes. "as to the letters," he continued, glancing over them, "they are very commonplace', ' said holmes. "as to the letters," he continued, glancing over them, "they are very commonplace. abs', ' holmes. "as to the letters," he continued, glancing over them, "they are very commonplace. absolute', 'es. "as to the letters," he continued, glancing over them, "they are very commonplace. absolutely no', 'as to the letters," he continued, glancing over them, "they are very commonplace. absolutely no clue', ' the letters," he continued, glancing over them, "they are very commonplace. absolutely no clue in t', 'letters," he continued, glancing over them, "they are very commonplace. absolutely no clue in them t', 'rs," he continued, glancing over them, "they are very commonplace. absolutely no clue in them to mr.', 'he continued, glancing over them, "they are very commonplace. absolutely no clue in them to mr. ange', 'ntinued, glancing over them, "they are very commonplace. absolutely no clue in them to mr. angel, sa', 'ed, glancing over them, "they are very commonplace. absolutely no clue in them to mr. angel, save th', 'lancing over them, "they are very commonplace. absolutely no clue in them to mr. angel, save that he', 'ng over them, "they are very commonplace. absolutely no clue in them to mr. angel, save that he quot', 'er them, "they are very commonplace. absolutely no clue in them to mr. angel, save that he quotes ba', 'em, "they are very commonplace. absolutely no clue in them to mr. angel, save that he quotes balzac ', 'they are very commonplace. absolutely no clue in them to mr. angel, save that he quotes balzac once.', 'are very commonplace. absolutely no clue in them to mr. angel, save that he quotes balzac once. ther', 'ery commonplace. absolutely no clue in them to mr. angel, save that he quotes balzac once. there is ', 'ommonplace. absolutely no clue in them to mr. angel, save that he quotes balzac once. there is one r', 'place. absolutely no clue in them to mr. angel, save that he quotes balzac once. there is one remark', '. absolutely no clue in them to mr. angel, save that he quotes balzac once. there is one remarkable ', 'olutely no clue in them to mr. angel, save that he quotes balzac once. there is one remarkable point', 'ly no clue in them to mr. angel, save that he quotes balzac once. there is one remarkable point, how', ' clue in them to mr. angel, save that he quotes balzac once. there is one remarkable point, however,', ' in them to mr. angel, save that he quotes balzac once. there is one remarkable point, however, whic', 'hem to mr. angel, save that he quotes balzac once. there is one remarkable point, however, which wil', 'o mr. angel, save that he quotes balzac once. there is one remarkable point, however, which will no ', ' angel, save that he quotes balzac once. there is one remarkable point, however, which will no doubt', 'l, save that he quotes balzac once. there is one remarkable point, however, which will no doubt stri', 've that he quotes balzac once. there is one remarkable point, however, which will no doubt strike yo', 'at he quotes balzac once. there is one remarkable point, however, which will no doubt strike you." "', ' quotes balzac once. there is one remarkable point, however, which will no doubt strike you." "they ', 'es balzac once. there is one remarkable point, however, which will no doubt strike you." "they are t', 'lzac once. there is one remarkable point, however, which will no doubt strike you." "they are typewr', 'once. there is one remarkable point, however, which will no doubt strike you." "they are typewritten', ' there is one remarkable point, however, which will no doubt strike you." "they are typewritten," i ', 'e is one remarkable point, however, which will no doubt strike you." "they are typewritten," i remar', 'one remarkable point, however, which will no doubt strike you." "they are typewritten," i remarked. ', 'emarkable point, however, which will no doubt strike you." "they are typewritten," i remarked. "not ', 'able point, however, which will no doubt strike you." "they are typewritten," i remarked. "not only ', 'point, however, which will no doubt strike you." "they are typewritten," i remarked. "not only that,', ', however, which will no doubt strike you." "they are typewritten," i remarked. "not only that, but ', 'ever, which will no doubt strike you." "they are typewritten," i remarked. "not only that, but the s', ' which will no doubt strike you." "they are typewritten," i remarked. "not only that, but the signat', 'h will no doubt strike you." "they are typewritten," i remarked. "not only that, but the signature i', 'l no doubt strike you." "they are typewritten," i remarked. "not only that, but the signature is typ', 'doubt strike you." "they are typewritten," i remarked. "not only that, but the signature is typewrit', ' strike you." "they are typewritten," i remarked. "not only that, but the signature is typewritten. ', 'ke you." "they are typewritten," i remarked. "not only that, but the signature is typewritten. look ', 'u." "they are typewritten," i remarked. "not only that, but the signature is typewritten. look at th', 'they are typewritten," i remarked. "not only that, but the signature is typewritten. look at the nea', 'are typewritten," i remarked. "not only that, but the signature is typewritten. look at the neat lit', 'ypewritten," i remarked. "not only that, but the signature is typewritten. look at the neat little \'', 'itten," i remarked. "not only that, but the signature is typewritten. look at the neat little \'hosme', '," i remarked. "not only that, but the signature is typewritten. look at the neat little \'hosmer ang', 'remarked. "not only that, but the signature is typewritten. look at the neat little \'hosmer angel\' a', 'ked. "not only that, but the signature is typewritten. look at the neat little \'hosmer angel\' at the', '"not only that, but the signature is typewritten. look at the neat little \'hosmer angel\' at the bott', "only that, but the signature is typewritten. look at the neat little 'hosmer angel' at the bottom. t", "that, but the signature is typewritten. look at the neat little 'hosmer angel' at the bottom. there ", " but the signature is typewritten. look at the neat little 'hosmer angel' at the bottom. there is a ", "the signature is typewritten. look at the neat little 'hosmer angel' at the bottom. there is a date,", "ignature is typewritten. look at the neat little 'hosmer angel' at the bottom. there is a date, you ", "ure is typewritten. look at the neat little 'hosmer angel' at the bottom. there is a date, you see, ", "s typewritten. look at the neat little 'hosmer angel' at the bottom. there is a date, you see, but n", "ewritten. look at the neat little 'hosmer angel' at the bottom. there is a date, you see, but no sup", "ten. look at the neat little 'hosmer angel' at the bottom. there is a date, you see, but no superscr", "look at the neat little 'hosmer angel' at the bottom. there is a date, you see, but no superscriptio", "at the neat little 'hosmer angel' at the bottom. there is a date, you see, but no superscription exc", "e neat little 'hosmer angel' at the bottom. there is a date, you see, but no superscription except l", "t little 'hosmer angel' at the bottom. there is a date, you see, but no superscription except leaden", "tle 'hosmer angel' at the bottom. there is a date, you see, but no superscription except leadenhall ", "hosmer angel' at the bottom. there is a date, you see, but no superscription except leadenhall stree", "r angel' at the bottom. there is a date, you see, but no superscription except leadenhall street, wh", "el' at the bottom. there is a date, you see, but no superscription except leadenhall street, which i", 't the bottom. there is a date, you see, but no superscription except leadenhall street, which is rat', ' bottom. there is a date, you see, but no superscription except leadenhall street, which is rather v', 'om. there is a date, you see, but no superscription except leadenhall street, which is rather vague.', 'here is a date, you see, but no superscription except leadenhall street, which is rather vague. the ', 'is a date, you see, but no superscription except leadenhall street, which is rather vague. the point', 'date, you see, but no superscription except leadenhall street, which is rather vague. the point abou', ' you see, but no superscription except leadenhall street, which is rather vague. the point about the', 'see, but no superscription except leadenhall street, which is rather vague. the point about the sign', 'but no superscription except leadenhall street, which is rather vague. the point about the signature', 'o superscription except leadenhall street, which is rather vague. the point about the signature is v', 'erscription except leadenhall street, which is rather vague. the point about the signature is very s', 'iption except leadenhall street, which is rather vague. the point about the signature is very sugges', 'n except leadenhall street, which is rather vague. the point about the signature is very suggestivei', 'ept leadenhall street, which is rather vague. the point about the signature is very suggestivein fac', 'eadenhall street, which is rather vague. the point about the signature is very suggestivein fact, we', 'hall street, which is rather vague. the point about the signature is very suggestivein fact, we may ', 'street, which is rather vague. the point about the signature is very suggestivein fact, we may call ', 't, which is rather vague. the point about the signature is very suggestivein fact, we may call it co', 'ich is rather vague. the point about the signature is very suggestivein fact, we may call it conclus', 's rather vague. the point about the signature is very suggestivein fact, we may call it conclusive."', 'her vague. the point about the signature is very suggestivein fact, we may call it conclusive." "of ', 'ague. the point about the signature is very suggestivein fact, we may call it conclusive." "of what?', ' the point about the signature is very suggestivein fact, we may call it conclusive." "of what?" "my', 'point about the signature is very suggestivein fact, we may call it conclusive." "of what?" "my dear', ' about the signature is very suggestivein fact, we may call it conclusive." "of what?" "my dear fell', 't the signature is very suggestivein fact, we may call it conclusive." "of what?" "my dear fellow, i', ' signature is very suggestivein fact, we may call it conclusive." "of what?" "my dear fellow, is it ', 'ature is very suggestivein fact, we may call it conclusive." "of what?" "my dear fellow, is it possi', ' is very suggestivein fact, we may call it conclusive." "of what?" "my dear fellow, is it possible y', 'ery suggestivein fact, we may call it conclusive." "of what?" "my dear fellow, is it possible you do', 'uggestivein fact, we may call it conclusive." "of what?" "my dear fellow, is it possible you do not ', 'tivein fact, we may call it conclusive." "of what?" "my dear fellow, is it possible you do not see h', 'n fact, we may call it conclusive." "of what?" "my dear fellow, is it possible you do not see how st', 't, we may call it conclusive." "of what?" "my dear fellow, is it possible you do not see how strongl', ' may call it conclusive." "of what?" "my dear fellow, is it possible you do not see how strongly it ', 'call it conclusive." "of what?" "my dear fellow, is it possible you do not see how strongly it bears', 'it conclusive." "of what?" "my dear fellow, is it possible you do not see how strongly it bears upon', 'nclusive." "of what?" "my dear fellow, is it possible you do not see how strongly it bears upon the ', 'ive." "of what?" "my dear fellow, is it possible you do not see how strongly it bears upon the case?', ' "of what?" "my dear fellow, is it possible you do not see how strongly it bears upon the case?" "i ', 'what?" "my dear fellow, is it possible you do not see how strongly it bears upon the case?" "i canno', '" "my dear fellow, is it possible you do not see how strongly it bears upon the case?" "i cannot say', ' dear fellow, is it possible you do not see how strongly it bears upon the case?" "i cannot say that', ' fellow, is it possible you do not see how strongly it bears upon the case?" "i cannot say that i do', 'ow, is it possible you do not see how strongly it bears upon the case?" "i cannot say that i do unle', 's it possible you do not see how strongly it bears upon the case?" "i cannot say that i do unless it', 'possible you do not see how strongly it bears upon the case?" "i cannot say that i do unless it were', 'ble you do not see how strongly it bears upon the case?" "i cannot say that i do unless it were that', 'ou do not see how strongly it bears upon the case?" "i cannot say that i do unless it were that he w', ' not see how strongly it bears upon the case?" "i cannot say that i do unless it were that he wished', 'see how strongly it bears upon the case?" "i cannot say that i do unless it were that he wished to b', 'ow strongly it bears upon the case?" "i cannot say that i do unless it were that he wished to be abl', 'rongly it bears upon the case?" "i cannot say that i do unless it were that he wished to be able to ', 'y it bears upon the case?" "i cannot say that i do unless it were that he wished to be able to deny ', 'bears upon the case?" "i cannot say that i do unless it were that he wished to be able to deny his s', ' upon the case?" "i cannot say that i do unless it were that he wished to be able to deny his signat', ' the case?" "i cannot say that i do unless it were that he wished to be able to deny his signature i', 'case?" "i cannot say that i do unless it were that he wished to be able to deny his signature if an ', '" "i cannot say that i do unless it were that he wished to be able to deny his signature if an actio', 'cannot say that i do unless it were that he wished to be able to deny his signature if an action for', 't say that i do unless it were that he wished to be able to deny his signature if an action for brea', ' that i do unless it were that he wished to be able to deny his signature if an action for breach of', ' i do unless it were that he wished to be able to deny his signature if an action for breach of prom', ' unless it were that he wished to be able to deny his signature if an action for breach of promise w', 'ss it were that he wished to be able to deny his signature if an action for breach of promise were i', ' were that he wished to be able to deny his signature if an action for breach of promise were instit', ' that he wished to be able to deny his signature if an action for breach of promise were instituted.', ' he wished to be able to deny his signature if an action for breach of promise were instituted." "no', 'ished to be able to deny his signature if an action for breach of promise were instituted." "no, tha', ' to be able to deny his signature if an action for breach of promise were instituted." "no, that was', 'e able to deny his signature if an action for breach of promise were instituted." "no, that was not ', 'e to deny his signature if an action for breach of promise were instituted." "no, that was not the p', 'deny his signature if an action for breach of promise were instituted." "no, that was not the point.', 'his signature if an action for breach of promise were instituted." "no, that was not the point. howe', 'ignature if an action for breach of promise were instituted." "no, that was not the point. however, ', 'ure if an action for breach of promise were instituted." "no, that was not the point. however, i sha', 'f an action for breach of promise were instituted." "no, that was not the point. however, i shall wr', 'action for breach of promise were instituted." "no, that was not the point. however, i shall write t', 'n for breach of promise were instituted." "no, that was not the point. however, i shall write two le', ' breach of promise were instituted." "no, that was not the point. however, i shall write two letters', 'ch of promise were instituted." "no, that was not the point. however, i shall write two letters, whi', ' promise were instituted." "no, that was not the point. however, i shall write two letters, which sh', 'ise were instituted." "no, that was not the point. however, i shall write two letters, which should ', 'ere instituted." "no, that was not the point. however, i shall write two letters, which should settl', 'nstituted." "no, that was not the point. however, i shall write two letters, which should settle the', 'uted." "no, that was not the point. however, i shall write two letters, which should settle the matt', '" "no, that was not the point. however, i shall write two letters, which should settle the matter. o', ', that was not the point. however, i shall write two letters, which should settle the matter. one is', 't was not the point. however, i shall write two letters, which should settle the matter. one is to a', ' not the point. however, i shall write two letters, which should settle the matter. one is to a firm', 'the point. however, i shall write two letters, which should settle the matter. one is to a firm in t', 'oint. however, i shall write two letters, which should settle the matter. one is to a firm in the ci', ' however, i shall write two letters, which should settle the matter. one is to a firm in the city, t', 'ver, i shall write two letters, which should settle the matter. one is to a firm in the city, the ot', 'i shall write two letters, which should settle the matter. one is to a firm in the city, the other i', 'll write two letters, which should settle the matter. one is to a firm in the city, the other is to ', 'ite two letters, which should settle the matter. one is to a firm in the city, the other is to the y', 'wo letters, which should settle the matter. one is to a firm in the city, the other is to the young ', "tters, which should settle the matter. one is to a firm in the city, the other is to the young lady'", ", which should settle the matter. one is to a firm in the city, the other is to the young lady's ste", "ch should settle the matter. one is to a firm in the city, the other is to the young lady's stepfath", "ould settle the matter. one is to a firm in the city, the other is to the young lady's stepfather, m", "settle the matter. one is to a firm in the city, the other is to the young lady's stepfather, mr. wi", "e the matter. one is to a firm in the city, the other is to the young lady's stepfather, mr. windiba", " matter. one is to a firm in the city, the other is to the young lady's stepfather, mr. windibank, a", "er. one is to a firm in the city, the other is to the young lady's stepfather, mr. windibank, asking", "ne is to a firm in the city, the other is to the young lady's stepfather, mr. windibank, asking him ", " to a firm in the city, the other is to the young lady's stepfather, mr. windibank, asking him wheth", " firm in the city, the other is to the young lady's stepfather, mr. windibank, asking him whether he", " in the city, the other is to the young lady's stepfather, mr. windibank, asking him whether he coul", "he city, the other is to the young lady's stepfather, mr. windibank, asking him whether he could mee", "ty, the other is to the young lady's stepfather, mr. windibank, asking him whether he could meet us ", "he other is to the young lady's stepfather, mr. windibank, asking him whether he could meet us here ", "her is to the young lady's stepfather, mr. windibank, asking him whether he could meet us here at si", "s to the young lady's stepfather, mr. windibank, asking him whether he could meet us here at six o'c", "the young lady's stepfather, mr. windibank, asking him whether he could meet us here at six o'clock ", "oung lady's stepfather, mr. windibank, asking him whether he could meet us here at six o'clock tomor", "lady's stepfather, mr. windibank, asking him whether he could meet us here at six o'clock tomorrow e", "s stepfather, mr. windibank, asking him whether he could meet us here at six o'clock tomorrow evenin", "pfather, mr. windibank, asking him whether he could meet us here at six o'clock tomorrow evening. it", "er, mr. windibank, asking him whether he could meet us here at six o'clock tomorrow evening. it is j", "r. windibank, asking him whether he could meet us here at six o'clock tomorrow evening. it is just a", "ndibank, asking him whether he could meet us here at six o'clock tomorrow evening. it is just as wel", "nk, asking him whether he could meet us here at six o'clock tomorrow evening. it is just as well tha", "sking him whether he could meet us here at six o'clock tomorrow evening. it is just as well that we ", " him whether he could meet us here at six o'clock tomorrow evening. it is just as well that we shoul", "whether he could meet us here at six o'clock tomorrow evening. it is just as well that we should do ", "er he could meet us here at six o'clock tomorrow evening. it is just as well that we should do busin", " could meet us here at six o'clock tomorrow evening. it is just as well that we should do business w", "d meet us here at six o'clock tomorrow evening. it is just as well that we should do business with t", "t us here at six o'clock tomorrow evening. it is just as well that we should do business with the ma", "here at six o'clock tomorrow evening. it is just as well that we should do business with the male re", "at six o'clock tomorrow evening. it is just as well that we should do business with the male relativ", "x o'clock tomorrow evening. it is just as well that we should do business with the male relatives. a", 'lock tomorrow evening. it is just as well that we should do business with the male relatives. and no', 'tomorrow evening. it is just as well that we should do business with the male relatives. and now, do', 'row evening. it is just as well that we should do business with the male relatives. and now, doctor,', 'vening. it is just as well that we should do business with the male relatives. and now, doctor, we c', 'g. it is just as well that we should do business with the male relatives. and now, doctor, we can do', ' is just as well that we should do business with the male relatives. and now, doctor, we can do noth', 'ust as well that we should do business with the male relatives. and now, doctor, we can do nothing u', 's well that we should do business with the male relatives. and now, doctor, we can do nothing until ', 'l that we should do business with the male relatives. and now, doctor, we can do nothing until the a', 't we should do business with the male relatives. and now, doctor, we can do nothing until the answer', 'should do business with the male relatives. and now, doctor, we can do nothing until the answers to ', 'd do business with the male relatives. and now, doctor, we can do nothing until the answers to those', 'business with the male relatives. and now, doctor, we can do nothing until the answers to those lett', 'ess with the male relatives. and now, doctor, we can do nothing until the answers to those letters c', 'ith the male relatives. and now, doctor, we can do nothing until the answers to those letters come, ', 'he male relatives. and now, doctor, we can do nothing until the answers to those letters come, so we', 'le relatives. and now, doctor, we can do nothing until the answers to those letters come, so we may ', 'latives. and now, doctor, we can do nothing until the answers to those letters come, so we may put o', 'es. and now, doctor, we can do nothing until the answers to those letters come, so we may put our li', 'nd now, doctor, we can do nothing until the answers to those letters come, so we may put our little ', 'w, doctor, we can do nothing until the answers to those letters come, so we may put our little probl', 'ctor, we can do nothing until the answers to those letters come, so we may put our little problem up', ' we can do nothing until the answers to those letters come, so we may put our little problem upon th', 'an do nothing until the answers to those letters come, so we may put our little problem upon the she', ' nothing until the answers to those letters come, so we may put our little problem upon the shelf fo', 'ing until the answers to those letters come, so we may put our little problem upon the shelf for the', 'ntil the answers to those letters come, so we may put our little problem upon the shelf for the inte', 'the answers to those letters come, so we may put our little problem upon the shelf for the interim."', 'nswers to those letters come, so we may put our little problem upon the shelf for the interim." i ha', 's to those letters come, so we may put our little problem upon the shelf for the interim." i had had', 'those letters come, so we may put our little problem upon the shelf for the interim." i had had so m', ' letters come, so we may put our little problem upon the shelf for the interim." i had had so many r', 'ers come, so we may put our little problem upon the shelf for the interim." i had had so many reason', 'ome, so we may put our little problem upon the shelf for the interim." i had had so many reasons to ', 'so we may put our little problem upon the shelf for the interim." i had had so many reasons to belie', ' may put our little problem upon the shelf for the interim." i had had so many reasons to believe in', 'put our little problem upon the shelf for the interim." i had had so many reasons to believe in my f', 'ur little problem upon the shelf for the interim." i had had so many reasons to believe in my friend', 'ttle problem upon the shelf for the interim." i had had so many reasons to believe in my friend\'s su', 'problem upon the shelf for the interim." i had had so many reasons to believe in my friend\'s subtle ', 'em upon the shelf for the interim." i had had so many reasons to believe in my friend\'s subtle power', 'on the shelf for the interim." i had had so many reasons to believe in my friend\'s subtle powers of ', 'e shelf for the interim." i had had so many reasons to believe in my friend\'s subtle powers of reaso', 'lf for the interim." i had had so many reasons to believe in my friend\'s subtle powers of reasoning ', 'r the interim." i had had so many reasons to believe in my friend\'s subtle powers of reasoning and e', ' interim." i had had so many reasons to believe in my friend\'s subtle powers of reasoning and extrao', 'rim." i had had so many reasons to believe in my friend\'s subtle powers of reasoning and extraordina', " i had had so many reasons to believe in my friend's subtle powers of reasoning and extraordinary en", "d had so many reasons to believe in my friend's subtle powers of reasoning and extraordinary energy ", " so many reasons to believe in my friend's subtle powers of reasoning and extraordinary energy in ac", "any reasons to believe in my friend's subtle powers of reasoning and extraordinary energy in action ", "easons to believe in my friend's subtle powers of reasoning and extraordinary energy in action that ", "s to believe in my friend's subtle powers of reasoning and extraordinary energy in action that i fel", "believe in my friend's subtle powers of reasoning and extraordinary energy in action that i felt tha", "ve in my friend's subtle powers of reasoning and extraordinary energy in action that i felt that he ", " my friend's subtle powers of reasoning and extraordinary energy in action that i felt that he must ", "riend's subtle powers of reasoning and extraordinary energy in action that i felt that he must have ", "'s subtle powers of reasoning and extraordinary energy in action that i felt that he must have some ", 'btle powers of reasoning and extraordinary energy in action that i felt that he must have some solid', 'powers of reasoning and extraordinary energy in action that i felt that he must have some solid grou', 's of reasoning and extraordinary energy in action that i felt that he must have some solid grounds f', 'reasoning and extraordinary energy in action that i felt that he must have some solid grounds for th', 'ning and extraordinary energy in action that i felt that he must have some solid grounds for the ass', 'and extraordinary energy in action that i felt that he must have some solid grounds for the assured ', 'xtraordinary energy in action that i felt that he must have some solid grounds for the assured and e', 'rdinary energy in action that i felt that he must have some solid grounds for the assured and easy d', 'ry energy in action that i felt that he must have some solid grounds for the assured and easy demean', 'ergy in action that i felt that he must have some solid grounds for the assured and easy demeanour w', 'in action that i felt that he must have some solid grounds for the assured and easy demeanour with w', 'tion that i felt that he must have some solid grounds for the assured and easy demeanour with which ', 'that i felt that he must have some solid grounds for the assured and easy demeanour with which he tr', 'i felt that he must have some solid grounds for the assured and easy demeanour with which he treated', 't that he must have some solid grounds for the assured and easy demeanour with which he treated the ', 't he must have some solid grounds for the assured and easy demeanour with which he treated the singu', 'must have some solid grounds for the assured and easy demeanour with which he treated the singular m', 'have some solid grounds for the assured and easy demeanour with which he treated the singular myster', 'some solid grounds for the assured and easy demeanour with which he treated the singular mystery whi', 'solid grounds for the assured and easy demeanour with which he treated the singular mystery which he', ' grounds for the assured and easy demeanour with which he treated the singular mystery which he had ', 'nds for the assured and easy demeanour with which he treated the singular mystery which he had been ', 'or the assured and easy demeanour with which he treated the singular mystery which he had been calle', 'e assured and easy demeanour with which he treated the singular mystery which he had been called upo', 'ured and easy demeanour with which he treated the singular mystery which he had been called upon to ', 'and easy demeanour with which he treated the singular mystery which he had been called upon to fatho', 'asy demeanour with which he treated the singular mystery which he had been called upon to fathom. on', 'emeanour with which he treated the singular mystery which he had been called upon to fathom. once on', 'our with which he treated the singular mystery which he had been called upon to fathom. once only ha', 'ith which he treated the singular mystery which he had been called upon to fathom. once only had i k', 'hich he treated the singular mystery which he had been called upon to fathom. once only had i known ', 'he treated the singular mystery which he had been called upon to fathom. once only had i known him t', 'eated the singular mystery which he had been called upon to fathom. once only had i known him to fai', ' the singular mystery which he had been called upon to fathom. once only had i known him to fail, in', 'singular mystery which he had been called upon to fathom. once only had i known him to fail, in the ', 'lar mystery which he had been called upon to fathom. once only had i known him to fail, in the case ', 'ystery which he had been called upon to fathom. once only had i known him to fail, in the case of th', 'y which he had been called upon to fathom. once only had i known him to fail, in the case of the kin', 'ch he had been called upon to fathom. once only had i known him to fail, in the case of the king of ', ' had been called upon to fathom. once only had i known him to fail, in the case of the king of bohem', 'been called upon to fathom. once only had i known him to fail, in the case of the king of bohemia an', 'called upon to fathom. once only had i known him to fail, in the case of the king of bohemia and of ', 'd upon to fathom. once only had i known him to fail, in the case of the king of bohemia and of the i', 'n to fathom. once only had i known him to fail, in the case of the king of bohemia and of the irene ', 'fathom. once only had i known him to fail, in the case of the king of bohemia and of the irene adler', 'm. once only had i known him to fail, in the case of the king of bohemia and of the irene adler phot', 'ce only had i known him to fail, in the case of the king of bohemia and of the irene adler photograp', 'ly had i known him to fail, in the case of the king of bohemia and of the irene adler photograph; bu', 'd i known him to fail, in the case of the king of bohemia and of the irene adler photograph; but whe', 'nown him to fail, in the case of the king of bohemia and of the irene adler photograph; but when i l', 'him to fail, in the case of the king of bohemia and of the irene adler photograph; but when i looked', 'o fail, in the case of the king of bohemia and of the irene adler photograph; but when i looked back', 'l, in the case of the king of bohemia and of the irene adler photograph; but when i looked back to t', ' the case of the king of bohemia and of the irene adler photograph; but when i looked back to the we', 'case of the king of bohemia and of the irene adler photograph; but when i looked back to the weird b', 'of the king of bohemia and of the irene adler photograph; but when i looked back to the weird busine', 'e king of bohemia and of the irene adler photograph; but when i looked back to the weird business of', 'g of bohemia and of the irene adler photograph; but when i looked back to the weird business of the ', 'bohemia and of the irene adler photograph; but when i looked back to the weird business of the sign ', 'ia and of the irene adler photograph; but when i looked back to the weird business of the sign of fo', 'd of the irene adler photograph; but when i looked back to the weird business of the sign of four, a', 'the irene adler photograph; but when i looked back to the weird business of the sign of four, and th', 'rene adler photograph; but when i looked back to the weird business of the sign of four, and the ext', 'adler photograph; but when i looked back to the weird business of the sign of four, and the extraord', ' photograph; but when i looked back to the weird business of the sign of four, and the extraordinary', 'ograph; but when i looked back to the weird business of the sign of four, and the extraordinary circ', 'h; but when i looked back to the weird business of the sign of four, and the extraordinary circumsta', 't when i looked back to the weird business of the sign of four, and the extraordinary circumstances ', 'n i looked back to the weird business of the sign of four, and the extraordinary circumstances conne', 'ooked back to the weird business of the sign of four, and the extraordinary circumstances connected ', ' back to the weird business of the sign of four, and the extraordinary circumstances connected with ', ' to the weird business of the sign of four, and the extraordinary circumstances connected with the s', 'he weird business of the sign of four, and the extraordinary circumstances connected with the study ', 'ird business of the sign of four, and the extraordinary circumstances connected with the study in sc', 'usiness of the sign of four, and the extraordinary circumstances connected with the study in scarlet', 'ss of the sign of four, and the extraordinary circumstances connected with the study in scarlet, i f', ' the sign of four, and the extraordinary circumstances connected with the study in scarlet, i felt t', 'sign of four, and the extraordinary circumstances connected with the study in scarlet, i felt that i', 'of four, and the extraordinary circumstances connected with the study in scarlet, i felt that it wou', 'ur, and the extraordinary circumstances connected with the study in scarlet, i felt that it would be', 'nd the extraordinary circumstances connected with the study in scarlet, i felt that it would be a st', 'e extraordinary circumstances connected with the study in scarlet, i felt that it would be a strange', 'raordinary circumstances connected with the study in scarlet, i felt that it would be a strange tang', 'inary circumstances connected with the study in scarlet, i felt that it would be a strange tangle in', ' circumstances connected with the study in scarlet, i felt that it would be a strange tangle indeed ', 'umstances connected with the study in scarlet, i felt that it would be a strange tangle indeed which', 'nces connected with the study in scarlet, i felt that it would be a strange tangle indeed which he c', 'connected with the study in scarlet, i felt that it would be a strange tangle indeed which he could ', 'cted with the study in scarlet, i felt that it would be a strange tangle indeed which he could not u', 'with the study in scarlet, i felt that it would be a strange tangle indeed which he could not unrave', 'the study in scarlet, i felt that it would be a strange tangle indeed which he could not unravel. i ', 'tudy in scarlet, i felt that it would be a strange tangle indeed which he could not unravel. i left ', 'in scarlet, i felt that it would be a strange tangle indeed which he could not unravel. i left him t', 'arlet, i felt that it would be a strange tangle indeed which he could not unravel. i left him then, ', ', i felt that it would be a strange tangle indeed which he could not unravel. i left him then, still', 'elt that it would be a strange tangle indeed which he could not unravel. i left him then, still puff', 'hat it would be a strange tangle indeed which he could not unravel. i left him then, still puffing a', 't would be a strange tangle indeed which he could not unravel. i left him then, still puffing at his', 'ld be a strange tangle indeed which he could not unravel. i left him then, still puffing at his blac', ' a strange tangle indeed which he could not unravel. i left him then, still puffing at his black cla', 'range tangle indeed which he could not unravel. i left him then, still puffing at his black clay pip', ' tangle indeed which he could not unravel. i left him then, still puffing at his black clay pipe, wi', 'le indeed which he could not unravel. i left him then, still puffing at his black clay pipe, with th', 'deed which he could not unravel. i left him then, still puffing at his black clay pipe, with the con', 'which he could not unravel. i left him then, still puffing at his black clay pipe, with the convicti', ' he could not unravel. i left him then, still puffing at his black clay pipe, with the conviction th', 'ould not unravel. i left him then, still puffing at his black clay pipe, with the conviction that wh', 'not unravel. i left him then, still puffing at his black clay pipe, with the conviction that when i ', 'nravel. i left him then, still puffing at his black clay pipe, with the conviction that when i came ', 'l. i left him then, still puffing at his black clay pipe, with the conviction that when i came again', 'left him then, still puffing at his black clay pipe, with the conviction that when i came again on t', 'him then, still puffing at his black clay pipe, with the conviction that when i came again on the ne', 'hen, still puffing at his black clay pipe, with the conviction that when i came again on the next ev', 'still puffing at his black clay pipe, with the conviction that when i came again on the next evening', ' puffing at his black clay pipe, with the conviction that when i came again on the next evening i wo', 'ing at his black clay pipe, with the conviction that when i came again on the next evening i would f', 't his black clay pipe, with the conviction that when i came again on the next evening i would find t', ' black clay pipe, with the conviction that when i came again on the next evening i would find that h', 'k clay pipe, with the conviction that when i came again on the next evening i would find that he hel', 'y pipe, with the conviction that when i came again on the next evening i would find that he held in ', 'e, with the conviction that when i came again on the next evening i would find that he held in his h', 'th the conviction that when i came again on the next evening i would find that he held in his hands ', 'e conviction that when i came again on the next evening i would find that he held in his hands all t', 'viction that when i came again on the next evening i would find that he held in his hands all the cl', 'on that when i came again on the next evening i would find that he held in his hands all the clues w', 'at when i came again on the next evening i would find that he held in his hands all the clues which ', 'en i came again on the next evening i would find that he held in his hands all the clues which would', 'came again on the next evening i would find that he held in his hands all the clues which would lead', 'again on the next evening i would find that he held in his hands all the clues which would lead up t', ' on the next evening i would find that he held in his hands all the clues which would lead up to the', 'he next evening i would find that he held in his hands all the clues which would lead up to the iden', 'xt evening i would find that he held in his hands all the clues which would lead up to the identity ', 'ening i would find that he held in his hands all the clues which would lead up to the identity of th', ' i would find that he held in his hands all the clues which would lead up to the identity of the dis', 'uld find that he held in his hands all the clues which would lead up to the identity of the disappea', 'ind that he held in his hands all the clues which would lead up to the identity of the disappearing ', 'hat he held in his hands all the clues which would lead up to the identity of the disappearing bride', 'e held in his hands all the clues which would lead up to the identity of the disappearing bridegroom', 'd in his hands all the clues which would lead up to the identity of the disappearing bridegroom of m', 'his hands all the clues which would lead up to the identity of the disappearing bridegroom of miss m', 'ands all the clues which would lead up to the identity of the disappearing bridegroom of miss mary s', 'all the clues which would lead up to the identity of the disappearing bridegroom of miss mary suther', 'he clues which would lead up to the identity of the disappearing bridegroom of miss mary sutherland.', 'ues which would lead up to the identity of the disappearing bridegroom of miss mary sutherland. a pr', 'hich would lead up to the identity of the disappearing bridegroom of miss mary sutherland. a profess', 'would lead up to the identity of the disappearing bridegroom of miss mary sutherland. a professional', ' lead up to the identity of the disappearing bridegroom of miss mary sutherland. a professional case', ' up to the identity of the disappearing bridegroom of miss mary sutherland. a professional case of g', 'o the identity of the disappearing bridegroom of miss mary sutherland. a professional case of great ', ' identity of the disappearing bridegroom of miss mary sutherland. a professional case of great gravi', 'tity of the disappearing bridegroom of miss mary sutherland. a professional case of great gravity wa', 'of the disappearing bridegroom of miss mary sutherland. a professional case of great gravity was eng', 'e disappearing bridegroom of miss mary sutherland. a professional case of great gravity was engaging', 'appearing bridegroom of miss mary sutherland. a professional case of great gravity was engaging my o', 'ring bridegroom of miss mary sutherland. a professional case of great gravity was engaging my own at', 'bridegroom of miss mary sutherland. a professional case of great gravity was engaging my own attenti', 'groom of miss mary sutherland. a professional case of great gravity was engaging my own attention at', ' of miss mary sutherland. a professional case of great gravity was engaging my own attention at the ', 'iss mary sutherland. a professional case of great gravity was engaging my own attention at the time,', 'ary sutherland. a professional case of great gravity was engaging my own attention at the time, and ', 'utherland. a professional case of great gravity was engaging my own attention at the time, and the w', 'land. a professional case of great gravity was engaging my own attention at the time, and the whole ', ' a professional case of great gravity was engaging my own attention at the time, and the whole of ne', 'ofessional case of great gravity was engaging my own attention at the time, and the whole of next da', 'ional case of great gravity was engaging my own attention at the time, and the whole of next day i w', ' case of great gravity was engaging my own attention at the time, and the whole of next day i was bu', ' of great gravity was engaging my own attention at the time, and the whole of next day i was busy at', 'reat gravity was engaging my own attention at the time, and the whole of next day i was busy at the ', 'gravity was engaging my own attention at the time, and the whole of next day i was busy at the bedsi', 'ty was engaging my own attention at the time, and the whole of next day i was busy at the bedside of', 's engaging my own attention at the time, and the whole of next day i was busy at the bedside of the ', 'aging my own attention at the time, and the whole of next day i was busy at the bedside of the suffe', ' my own attention at the time, and the whole of next day i was busy at the bedside of the sufferer. ', 'wn attention at the time, and the whole of next day i was busy at the bedside of the sufferer. it wa', 'tention at the time, and the whole of next day i was busy at the bedside of the sufferer. it was not', 'on at the time, and the whole of next day i was busy at the bedside of the sufferer. it was not unti', ' the time, and the whole of next day i was busy at the bedside of the sufferer. it was not until clo', 'time, and the whole of next day i was busy at the bedside of the sufferer. it was not until close up', ' and the whole of next day i was busy at the bedside of the sufferer. it was not until close upon si', "the whole of next day i was busy at the bedside of the sufferer. it was not until close upon six o'c", "hole of next day i was busy at the bedside of the sufferer. it was not until close upon six o'clock ", "of next day i was busy at the bedside of the sufferer. it was not until close upon six o'clock that ", "xt day i was busy at the bedside of the sufferer. it was not until close upon six o'clock that i fou", "y i was busy at the bedside of the sufferer. it was not until close upon six o'clock that i found my", "as busy at the bedside of the sufferer. it was not until close upon six o'clock that i found myself ", "sy at the bedside of the sufferer. it was not until close upon six o'clock that i found myself free ", " the bedside of the sufferer. it was not until close upon six o'clock that i found myself free and w", "bedside of the sufferer. it was not until close upon six o'clock that i found myself free and was ab", "de of the sufferer. it was not until close upon six o'clock that i found myself free and was able to", " the sufferer. it was not until close upon six o'clock that i found myself free and was able to spri", "sufferer. it was not until close upon six o'clock that i found myself free and was able to spring in", "rer. it was not until close upon six o'clock that i found myself free and was able to spring into a ", "it was not until close upon six o'clock that i found myself free and was able to spring into a hanso", "s not until close upon six o'clock that i found myself free and was able to spring into a hansom and", " until close upon six o'clock that i found myself free and was able to spring into a hansom and driv", "l close upon six o'clock that i found myself free and was able to spring into a hansom and drive to ", "se upon six o'clock that i found myself free and was able to spring into a hansom and drive to baker", "on six o'clock that i found myself free and was able to spring into a hansom and drive to baker stre", "x o'clock that i found myself free and was able to spring into a hansom and drive to baker street, h", 'lock that i found myself free and was able to spring into a hansom and drive to baker street, half a', 'that i found myself free and was able to spring into a hansom and drive to baker street, half afraid', 'i found myself free and was able to spring into a hansom and drive to baker street, half afraid that', 'nd myself free and was able to spring into a hansom and drive to baker street, half afraid that i mi', 'self free and was able to spring into a hansom and drive to baker street, half afraid that i might b', 'free and was able to spring into a hansom and drive to baker street, half afraid that i might be too', 'and was able to spring into a hansom and drive to baker street, half afraid that i might be too late', 'as able to spring into a hansom and drive to baker street, half afraid that i might be too late to a', 'le to spring into a hansom and drive to baker street, half afraid that i might be too late to assist', ' spring into a hansom and drive to baker street, half afraid that i might be too late to assist at t', 'ng into a hansom and drive to baker street, half afraid that i might be too late to assist at the d ', 'to a hansom and drive to baker street, half afraid that i might be too late to assist at the d nouem', 'hansom and drive to baker street, half afraid that i might be too late to assist at the d nouement o', 'm and drive to baker street, half afraid that i might be too late to assist at the d nouement of the', ' drive to baker street, half afraid that i might be too late to assist at the d nouement of the litt', 'e to baker street, half afraid that i might be too late to assist at the d nouement of the little my', 'baker street, half afraid that i might be too late to assist at the d nouement of the little mystery', ' street, half afraid that i might be too late to assist at the d nouement of the little mystery. i f', 'et, half afraid that i might be too late to assist at the d nouement of the little mystery. i found ', 'alf afraid that i might be too late to assist at the d nouement of the little mystery. i found sherl', 'fraid that i might be too late to assist at the d nouement of the little mystery. i found sherlock h', ' that i might be too late to assist at the d nouement of the little mystery. i found sherlock holmes', ' i might be too late to assist at the d nouement of the little mystery. i found sherlock holmes alon', 'ght be too late to assist at the d nouement of the little mystery. i found sherlock holmes alone, ho', 'e too late to assist at the d nouement of the little mystery. i found sherlock holmes alone, however', ' late to assist at the d nouement of the little mystery. i found sherlock holmes alone, however, hal', ' to assist at the d nouement of the little mystery. i found sherlock holmes alone, however, half asl', 'ssist at the d nouement of the little mystery. i found sherlock holmes alone, however, half asleep, ', ' at the d nouement of the little mystery. i found sherlock holmes alone, however, half asleep, with ', 'he d nouement of the little mystery. i found sherlock holmes alone, however, half asleep, with his l', 'nouement of the little mystery. i found sherlock holmes alone, however, half asleep, with his long, ', 'ent of the little mystery. i found sherlock holmes alone, however, half asleep, with his long, thin ', 'f the little mystery. i found sherlock holmes alone, however, half asleep, with his long, thin form ', ' little mystery. i found sherlock holmes alone, however, half asleep, with his long, thin form curle', 'le mystery. i found sherlock holmes alone, however, half asleep, with his long, thin form curled up ', 'stery. i found sherlock holmes alone, however, half asleep, with his long, thin form curled up in th', '. i found sherlock holmes alone, however, half asleep, with his long, thin form curled up in the rec', 'ound sherlock holmes alone, however, half asleep, with his long, thin form curled up in the recesses', 'sherlock holmes alone, however, half asleep, with his long, thin form curled up in the recesses of h', 'ock holmes alone, however, half asleep, with his long, thin form curled up in the recesses of his ar', 'olmes alone, however, half asleep, with his long, thin form curled up in the recesses of his armchai', ' alone, however, half asleep, with his long, thin form curled up in the recesses of his armchair. a ', 'e, however, half asleep, with his long, thin form curled up in the recesses of his armchair. a formi', 'wever, half asleep, with his long, thin form curled up in the recesses of his armchair. a formidable', ', half asleep, with his long, thin form curled up in the recesses of his armchair. a formidable arra', 'f asleep, with his long, thin form curled up in the recesses of his armchair. a formidable array of ', 'eep, with his long, thin form curled up in the recesses of his armchair. a formidable array of bottl', 'with his long, thin form curled up in the recesses of his armchair. a formidable array of bottles an', 'his long, thin form curled up in the recesses of his armchair. a formidable array of bottles and tes', 'ong, thin form curled up in the recesses of his armchair. a formidable array of bottles and test-tub', 'thin form curled up in the recesses of his armchair. a formidable array of bottles and test-tubes, w', 'form curled up in the recesses of his armchair. a formidable array of bottles and test-tubes, with t', 'curled up in the recesses of his armchair. a formidable array of bottles and test-tubes, with the pu', 'd up in the recesses of his armchair. a formidable array of bottles and test-tubes, with the pungent', 'in the recesses of his armchair. a formidable array of bottles and test-tubes, with the pungent clea', 'e recesses of his armchair. a formidable array of bottles and test-tubes, with the pungent cleanly s', 'esses of his armchair. a formidable array of bottles and test-tubes, with the pungent cleanly smell ', ' of his armchair. a formidable array of bottles and test-tubes, with the pungent cleanly smell of hy', 'is armchair. a formidable array of bottles and test-tubes, with the pungent cleanly smell of hydroch', 'mchair. a formidable array of bottles and test-tubes, with the pungent cleanly smell of hydrochloric', 'r. a formidable array of bottles and test-tubes, with the pungent cleanly smell of hydrochloric acid', 'formidable array of bottles and test-tubes, with the pungent cleanly smell of hydrochloric acid, tol', 'dable array of bottles and test-tubes, with the pungent cleanly smell of hydrochloric acid, told me ', ' array of bottles and test-tubes, with the pungent cleanly smell of hydrochloric acid, told me that ', 'y of bottles and test-tubes, with the pungent cleanly smell of hydrochloric acid, told me that he ha', 'bottles and test-tubes, with the pungent cleanly smell of hydrochloric acid, told me that he had spe', 'es and test-tubes, with the pungent cleanly smell of hydrochloric acid, told me that he had spent hi', 'd test-tubes, with the pungent cleanly smell of hydrochloric acid, told me that he had spent his day', 't-tubes, with the pungent cleanly smell of hydrochloric acid, told me that he had spent his day in t', 'es, with the pungent cleanly smell of hydrochloric acid, told me that he had spent his day in the ch', 'ith the pungent cleanly smell of hydrochloric acid, told me that he had spent his day in the chemica', 'he pungent cleanly smell of hydrochloric acid, told me that he had spent his day in the chemical wor', 'ngent cleanly smell of hydrochloric acid, told me that he had spent his day in the chemical work whi', ' cleanly smell of hydrochloric acid, told me that he had spent his day in the chemical work which wa', 'nly smell of hydrochloric acid, told me that he had spent his day in the chemical work which was so ', 'mell of hydrochloric acid, told me that he had spent his day in the chemical work which was so dear ', 'of hydrochloric acid, told me that he had spent his day in the chemical work which was so dear to hi', 'drochloric acid, told me that he had spent his day in the chemical work which was so dear to him. "w', 'loric acid, told me that he had spent his day in the chemical work which was so dear to him. "well, ', ' acid, told me that he had spent his day in the chemical work which was so dear to him. "well, have ', ', told me that he had spent his day in the chemical work which was so dear to him. "well, have you s', 'd me that he had spent his day in the chemical work which was so dear to him. "well, have you solved', 'that he had spent his day in the chemical work which was so dear to him. "well, have you solved it?"', 'he had spent his day in the chemical work which was so dear to him. "well, have you solved it?" i as', 'd spent his day in the chemical work which was so dear to him. "well, have you solved it?" i asked a', 'nt his day in the chemical work which was so dear to him. "well, have you solved it?" i asked as i e', 's day in the chemical work which was so dear to him. "well, have you solved it?" i asked as i entere', ' in the chemical work which was so dear to him. "well, have you solved it?" i asked as i entered. "y', 'he chemical work which was so dear to him. "well, have you solved it?" i asked as i entered. "yes. i', 'emical work which was so dear to him. "well, have you solved it?" i asked as i entered. "yes. it was', 'l work which was so dear to him. "well, have you solved it?" i asked as i entered. "yes. it was the ', 'k which was so dear to him. "well, have you solved it?" i asked as i entered. "yes. it was the bisul', 'ch was so dear to him. "well, have you solved it?" i asked as i entered. "yes. it was the bisulphate', 's so dear to him. "well, have you solved it?" i asked as i entered. "yes. it was the bisulphate of b', 'dear to him. "well, have you solved it?" i asked as i entered. "yes. it was the bisulphate of baryta', 'to him. "well, have you solved it?" i asked as i entered. "yes. it was the bisulphate of baryta." "n', 'm. "well, have you solved it?" i asked as i entered. "yes. it was the bisulphate of baryta." "no, no', 'ell, have you solved it?" i asked as i entered. "yes. it was the bisulphate of baryta." "no, no, the', 'have you solved it?" i asked as i entered. "yes. it was the bisulphate of baryta." "no, no, the myst', 'you solved it?" i asked as i entered. "yes. it was the bisulphate of baryta." "no, no, the mystery i', 'olved it?" i asked as i entered. "yes. it was the bisulphate of baryta." "no, no, the mystery i crie', ' it?" i asked as i entered. "yes. it was the bisulphate of baryta." "no, no, the mystery i cried. "o', ' i asked as i entered. "yes. it was the bisulphate of baryta." "no, no, the mystery i cried. "oh, th', 'ked as i entered. "yes. it was the bisulphate of baryta." "no, no, the mystery i cried. "oh, that! i', 's i entered. "yes. it was the bisulphate of baryta." "no, no, the mystery i cried. "oh, that! i thou', 'ntered. "yes. it was the bisulphate of baryta." "no, no, the mystery i cried. "oh, that! i thought o', 'd. "yes. it was the bisulphate of baryta." "no, no, the mystery i cried. "oh, that! i thought of the', 'es. it was the bisulphate of baryta." "no, no, the mystery i cried. "oh, that! i thought of the salt', 't was the bisulphate of baryta." "no, no, the mystery i cried. "oh, that! i thought of the salt that', ' the bisulphate of baryta." "no, no, the mystery i cried. "oh, that! i thought of the salt that i ha', 'bisulphate of baryta." "no, no, the mystery i cried. "oh, that! i thought of the salt that i have be', 'phate of baryta." "no, no, the mystery i cried. "oh, that! i thought of the salt that i have been wo', ' of baryta." "no, no, the mystery i cried. "oh, that! i thought of the salt that i have been working', 'aryta." "no, no, the mystery i cried. "oh, that! i thought of the salt that i have been working upon', '." "no, no, the mystery i cried. "oh, that! i thought of the salt that i have been working upon. the', 'o, no, the mystery i cried. "oh, that! i thought of the salt that i have been working upon. there wa', ', the mystery i cried. "oh, that! i thought of the salt that i have been working upon. there was nev', ' mystery i cried. "oh, that! i thought of the salt that i have been working upon. there was never an', 'ery i cried. "oh, that! i thought of the salt that i have been working upon. there was never any mys', ' cried. "oh, that! i thought of the salt that i have been working upon. there was never any mystery ', 'd. "oh, that! i thought of the salt that i have been working upon. there was never any mystery in th', 'h, that! i thought of the salt that i have been working upon. there was never any mystery in the mat', 'at! i thought of the salt that i have been working upon. there was never any mystery in the matter, ', ' thought of the salt that i have been working upon. there was never any mystery in the matter, thoug', 'ght of the salt that i have been working upon. there was never any mystery in the matter, though, as', 'f the salt that i have been working upon. there was never any mystery in the matter, though, as i sa', ' salt that i have been working upon. there was never any mystery in the matter, though, as i said ye', ' that i have been working upon. there was never any mystery in the matter, though, as i said yesterd', ' i have been working upon. there was never any mystery in the matter, though, as i said yesterday, s', 've been working upon. there was never any mystery in the matter, though, as i said yesterday, some o', 'en working upon. there was never any mystery in the matter, though, as i said yesterday, some of the', 'rking upon. there was never any mystery in the matter, though, as i said yesterday, some of the deta', ' upon. there was never any mystery in the matter, though, as i said yesterday, some of the details a', '. there was never any mystery in the matter, though, as i said yesterday, some of the details are of', 're was never any mystery in the matter, though, as i said yesterday, some of the details are of inte', 's never any mystery in the matter, though, as i said yesterday, some of the details are of interest.', 'er any mystery in the matter, though, as i said yesterday, some of the details are of interest. the ', 'y mystery in the matter, though, as i said yesterday, some of the details are of interest. the only ', 'tery in the matter, though, as i said yesterday, some of the details are of interest. the only drawb', 'in the matter, though, as i said yesterday, some of the details are of interest. the only drawback i', 'e matter, though, as i said yesterday, some of the details are of interest. the only drawback is tha', 'ter, though, as i said yesterday, some of the details are of interest. the only drawback is that the', 'though, as i said yesterday, some of the details are of interest. the only drawback is that there is', 'h, as i said yesterday, some of the details are of interest. the only drawback is that there is no l', ' i said yesterday, some of the details are of interest. the only drawback is that there is no law, i', 'id yesterday, some of the details are of interest. the only drawback is that there is no law, i fear', 'sterday, some of the details are of interest. the only drawback is that there is no law, i fear, tha', 'ay, some of the details are of interest. the only drawback is that there is no law, i fear, that can', 'ome of the details are of interest. the only drawback is that there is no law, i fear, that can touc', 'f the details are of interest. the only drawback is that there is no law, i fear, that can touch the', ' details are of interest. the only drawback is that there is no law, i fear, that can touch the scou', 'ils are of interest. the only drawback is that there is no law, i fear, that can touch the scoundrel', 're of interest. the only drawback is that there is no law, i fear, that can touch the scoundrel." "w', ' interest. the only drawback is that there is no law, i fear, that can touch the scoundrel." "who wa', 'rest. the only drawback is that there is no law, i fear, that can touch the scoundrel." "who was he,', ' the only drawback is that there is no law, i fear, that can touch the scoundrel." "who was he, then', 'only drawback is that there is no law, i fear, that can touch the scoundrel." "who was he, then, and', 'drawback is that there is no law, i fear, that can touch the scoundrel." "who was he, then, and what', 'ack is that there is no law, i fear, that can touch the scoundrel." "who was he, then, and what was ', 's that there is no law, i fear, that can touch the scoundrel." "who was he, then, and what was his o', 't there is no law, i fear, that can touch the scoundrel." "who was he, then, and what was his object', 're is no law, i fear, that can touch the scoundrel." "who was he, then, and what was his object in d', ' no law, i fear, that can touch the scoundrel." "who was he, then, and what was his object in desert', 'aw, i fear, that can touch the scoundrel." "who was he, then, and what was his object in deserting m', ' fear, that can touch the scoundrel." "who was he, then, and what was his object in deserting miss s', ', that can touch the scoundrel." "who was he, then, and what was his object in deserting miss suther', 't can touch the scoundrel." "who was he, then, and what was his object in deserting miss sutherland?', ' touch the scoundrel." "who was he, then, and what was his object in deserting miss sutherland?" the', 'h the scoundrel." "who was he, then, and what was his object in deserting miss sutherland?" the ques', ' scoundrel." "who was he, then, and what was his object in deserting miss sutherland?" the question ', 'ndrel." "who was he, then, and what was his object in deserting miss sutherland?" the question was h', '." "who was he, then, and what was his object in deserting miss sutherland?" the question was hardly', 'ho was he, then, and what was his object in deserting miss sutherland?" the question was hardly out ', 's he, then, and what was his object in deserting miss sutherland?" the question was hardly out of my', ' then, and what was his object in deserting miss sutherland?" the question was hardly out of my mout', ', and what was his object in deserting miss sutherland?" the question was hardly out of my mouth, an', ' what was his object in deserting miss sutherland?" the question was hardly out of my mouth, and hol', ' was his object in deserting miss sutherland?" the question was hardly out of my mouth, and holmes h', 'his object in deserting miss sutherland?" the question was hardly out of my mouth, and holmes had no', 'bject in deserting miss sutherland?" the question was hardly out of my mouth, and holmes had not yet', ' in deserting miss sutherland?" the question was hardly out of my mouth, and holmes had not yet open', 'eserting miss sutherland?" the question was hardly out of my mouth, and holmes had not yet opened hi', 'ing miss sutherland?" the question was hardly out of my mouth, and holmes had not yet opened his lip', 'iss sutherland?" the question was hardly out of my mouth, and holmes had not yet opened his lips to ', 'utherland?" the question was hardly out of my mouth, and holmes had not yet opened his lips to reply', 'land?" the question was hardly out of my mouth, and holmes had not yet opened his lips to reply, whe', '" the question was hardly out of my mouth, and holmes had not yet opened his lips to reply, when we ', ' question was hardly out of my mouth, and holmes had not yet opened his lips to reply, when we heard', 'tion was hardly out of my mouth, and holmes had not yet opened his lips to reply, when we heard a he', 'was hardly out of my mouth, and holmes had not yet opened his lips to reply, when we heard a heavy f', 'ardly out of my mouth, and holmes had not yet opened his lips to reply, when we heard a heavy footfa', ' out of my mouth, and holmes had not yet opened his lips to reply, when we heard a heavy footfall in', 'of my mouth, and holmes had not yet opened his lips to reply, when we heard a heavy footfall in the ', ' mouth, and holmes had not yet opened his lips to reply, when we heard a heavy footfall in the passa', 'h, and holmes had not yet opened his lips to reply, when we heard a heavy footfall in the passage an', 'd holmes had not yet opened his lips to reply, when we heard a heavy footfall in the passage and a t', 'mes had not yet opened his lips to reply, when we heard a heavy footfall in the passage and a tap at', 'ad not yet opened his lips to reply, when we heard a heavy footfall in the passage and a tap at the ', 't yet opened his lips to reply, when we heard a heavy footfall in the passage and a tap at the door.', ' opened his lips to reply, when we heard a heavy footfall in the passage and a tap at the door. "thi', 'ed his lips to reply, when we heard a heavy footfall in the passage and a tap at the door. "this is ', 's lips to reply, when we heard a heavy footfall in the passage and a tap at the door. "this is the g', 's to reply, when we heard a heavy footfall in the passage and a tap at the door. "this is the girl\'s', 'reply, when we heard a heavy footfall in the passage and a tap at the door. "this is the girl\'s step', ', when we heard a heavy footfall in the passage and a tap at the door. "this is the girl\'s stepfathe', 'n we heard a heavy footfall in the passage and a tap at the door. "this is the girl\'s stepfather, mr', 'heard a heavy footfall in the passage and a tap at the door. "this is the girl\'s stepfather, mr. jam', ' a heavy footfall in the passage and a tap at the door. "this is the girl\'s stepfather, mr. james wi', 'avy footfall in the passage and a tap at the door. "this is the girl\'s stepfather, mr. james windiba', 'ootfall in the passage and a tap at the door. "this is the girl\'s stepfather, mr. james windibank," ', 'll in the passage and a tap at the door. "this is the girl\'s stepfather, mr. james windibank," said ', ' the passage and a tap at the door. "this is the girl\'s stepfather, mr. james windibank," said holme', 'passage and a tap at the door. "this is the girl\'s stepfather, mr. james windibank," said holmes. "h', 'ge and a tap at the door. "this is the girl\'s stepfather, mr. james windibank," said holmes. "he has', 'd a tap at the door. "this is the girl\'s stepfather, mr. james windibank," said holmes. "he has writ', 'ap at the door. "this is the girl\'s stepfather, mr. james windibank," said holmes. "he has written t', ' the door. "this is the girl\'s stepfather, mr. james windibank," said holmes. "he has written to me ', 'door. "this is the girl\'s stepfather, mr. james windibank," said holmes. "he has written to me to sa', ' "this is the girl\'s stepfather, mr. james windibank," said holmes. "he has written to me to say tha', 's is the girl\'s stepfather, mr. james windibank," said holmes. "he has written to me to say that he ', 'the girl\'s stepfather, mr. james windibank," said holmes. "he has written to me to say that he would', 'irl\'s stepfather, mr. james windibank," said holmes. "he has written to me to say that he would be h', ' stepfather, mr. james windibank," said holmes. "he has written to me to say that he would be here a', 'father, mr. james windibank," said holmes. "he has written to me to say that he would be here at six', 'r, mr. james windibank," said holmes. "he has written to me to say that he would be here at six. com', '. james windibank," said holmes. "he has written to me to say that he would be here at six. come in ', 'es windibank," said holmes. "he has written to me to say that he would be here at six. come in the ', 'ndibank," said holmes. "he has written to me to say that he would be here at six. come in the man w', 'nk," said holmes. "he has written to me to say that he would be here at six. come in the man who en', 'said holmes. "he has written to me to say that he would be here at six. come in the man who entered', 'holmes. "he has written to me to say that he would be here at six. come in the man who entered was ', 's. "he has written to me to say that he would be here at six. come in the man who entered was a stu', 'e has written to me to say that he would be here at six. come in the man who entered was a sturdy, ', ' written to me to say that he would be here at six. come in the man who entered was a sturdy, middl', 'ten to me to say that he would be here at six. come in the man who entered was a sturdy, middle-siz', 'o me to say that he would be here at six. come in the man who entered was a sturdy, middle-sized fe', 'to say that he would be here at six. come in the man who entered was a sturdy, middle-sized fellow,', 'y that he would be here at six. come in the man who entered was a sturdy, middle-sized fellow, some', 't he would be here at six. come in the man who entered was a sturdy, middle-sized fellow, some thir', 'would be here at six. come in the man who entered was a sturdy, middle-sized fellow, some thirty ye', ' be here at six. come in the man who entered was a sturdy, middle-sized fellow, some thirty years o', 'ere at six. come in the man who entered was a sturdy, middle-sized fellow, some thirty years of age', 't six. come in the man who entered was a sturdy, middle-sized fellow, some thirty years of age, cle', '. come in the man who entered was a sturdy, middle-sized fellow, some thirty years of age, clean-sh', 'e in the man who entered was a sturdy, middle-sized fellow, some thirty years of age, clean-shaven,', ' the man who entered was a sturdy, middle-sized fellow, some thirty years of age, clean-shaven, and ', 'man who entered was a sturdy, middle-sized fellow, some thirty years of age, clean-shaven, and sallo', 'ho entered was a sturdy, middle-sized fellow, some thirty years of age, clean-shaven, and sallow-ski', 'tered was a sturdy, middle-sized fellow, some thirty years of age, clean-shaven, and sallow-skinned,', ' was a sturdy, middle-sized fellow, some thirty years of age, clean-shaven, and sallow-skinned, with', 'a sturdy, middle-sized fellow, some thirty years of age, clean-shaven, and sallow-skinned, with a bl', 'rdy, middle-sized fellow, some thirty years of age, clean-shaven, and sallow-skinned, with a bland, ', 'middle-sized fellow, some thirty years of age, clean-shaven, and sallow-skinned, with a bland, insin', 'e-sized fellow, some thirty years of age, clean-shaven, and sallow-skinned, with a bland, insinuatin', 'ed fellow, some thirty years of age, clean-shaven, and sallow-skinned, with a bland, insinuating man', 'llow, some thirty years of age, clean-shaven, and sallow-skinned, with a bland, insinuating manner, ', ' some thirty years of age, clean-shaven, and sallow-skinned, with a bland, insinuating manner, and a', ' thirty years of age, clean-shaven, and sallow-skinned, with a bland, insinuating manner, and a pair', 'ty years of age, clean-shaven, and sallow-skinned, with a bland, insinuating manner, and a pair of w', 'ars of age, clean-shaven, and sallow-skinned, with a bland, insinuating manner, and a pair of wonder', 'f age, clean-shaven, and sallow-skinned, with a bland, insinuating manner, and a pair of wonderfully', ', clean-shaven, and sallow-skinned, with a bland, insinuating manner, and a pair of wonderfully shar', 'an-shaven, and sallow-skinned, with a bland, insinuating manner, and a pair of wonderfully sharp and', 'aven, and sallow-skinned, with a bland, insinuating manner, and a pair of wonderfully sharp and pene', ' and sallow-skinned, with a bland, insinuating manner, and a pair of wonderfully sharp and penetrati', 'sallow-skinned, with a bland, insinuating manner, and a pair of wonderfully sharp and penetrating gr', 'w-skinned, with a bland, insinuating manner, and a pair of wonderfully sharp and penetrating grey ey', 'nned, with a bland, insinuating manner, and a pair of wonderfully sharp and penetrating grey eyes. h', ' with a bland, insinuating manner, and a pair of wonderfully sharp and penetrating grey eyes. he sho', ' a bland, insinuating manner, and a pair of wonderfully sharp and penetrating grey eyes. he shot a q', 'and, insinuating manner, and a pair of wonderfully sharp and penetrating grey eyes. he shot a questi', 'insinuating manner, and a pair of wonderfully sharp and penetrating grey eyes. he shot a questioning', 'uating manner, and a pair of wonderfully sharp and penetrating grey eyes. he shot a questioning glan', 'g manner, and a pair of wonderfully sharp and penetrating grey eyes. he shot a questioning glance at', 'ner, and a pair of wonderfully sharp and penetrating grey eyes. he shot a questioning glance at each', 'and a pair of wonderfully sharp and penetrating grey eyes. he shot a questioning glance at each of u', ' pair of wonderfully sharp and penetrating grey eyes. he shot a questioning glance at each of us, pl', ' of wonderfully sharp and penetrating grey eyes. he shot a questioning glance at each of us, placed ', 'onderfully sharp and penetrating grey eyes. he shot a questioning glance at each of us, placed his s', 'fully sharp and penetrating grey eyes. he shot a questioning glance at each of us, placed his shiny ', ' sharp and penetrating grey eyes. he shot a questioning glance at each of us, placed his shiny top-h', 'p and penetrating grey eyes. he shot a questioning glance at each of us, placed his shiny top-hat up', ' penetrating grey eyes. he shot a questioning glance at each of us, placed his shiny top-hat upon th', 'trating grey eyes. he shot a questioning glance at each of us, placed his shiny top-hat upon the sid', 'ng grey eyes. he shot a questioning glance at each of us, placed his shiny top-hat upon the sideboar', 'ey eyes. he shot a questioning glance at each of us, placed his shiny top-hat upon the sideboard, an', 'es. he shot a questioning glance at each of us, placed his shiny top-hat upon the sideboard, and wit', 'e shot a questioning glance at each of us, placed his shiny top-hat upon the sideboard, and with a s', 't a questioning glance at each of us, placed his shiny top-hat upon the sideboard, and with a slight', 'uestioning glance at each of us, placed his shiny top-hat upon the sideboard, and with a slight bow ', 'oning glance at each of us, placed his shiny top-hat upon the sideboard, and with a slight bow sidle', ' glance at each of us, placed his shiny top-hat upon the sideboard, and with a slight bow sidled dow', 'ce at each of us, placed his shiny top-hat upon the sideboard, and with a slight bow sidled down int', ' each of us, placed his shiny top-hat upon the sideboard, and with a slight bow sidled down into the', ' of us, placed his shiny top-hat upon the sideboard, and with a slight bow sidled down into the near', 's, placed his shiny top-hat upon the sideboard, and with a slight bow sidled down into the nearest c', 'aced his shiny top-hat upon the sideboard, and with a slight bow sidled down into the nearest chair.', 'his shiny top-hat upon the sideboard, and with a slight bow sidled down into the nearest chair. "goo', 'hiny top-hat upon the sideboard, and with a slight bow sidled down into the nearest chair. "good-eve', 'top-hat upon the sideboard, and with a slight bow sidled down into the nearest chair. "good-evening,', 'at upon the sideboard, and with a slight bow sidled down into the nearest chair. "good-evening, mr. ', 'on the sideboard, and with a slight bow sidled down into the nearest chair. "good-evening, mr. james', 'e sideboard, and with a slight bow sidled down into the nearest chair. "good-evening, mr. james wind', 'eboard, and with a slight bow sidled down into the nearest chair. "good-evening, mr. james windibank', 'd, and with a slight bow sidled down into the nearest chair. "good-evening, mr. james windibank," sa', 'd with a slight bow sidled down into the nearest chair. "good-evening, mr. james windibank," said ho', 'h a slight bow sidled down into the nearest chair. "good-evening, mr. james windibank," said holmes.', 'light bow sidled down into the nearest chair. "good-evening, mr. james windibank," said holmes. "i t', ' bow sidled down into the nearest chair. "good-evening, mr. james windibank," said holmes. "i think ', 'sidled down into the nearest chair. "good-evening, mr. james windibank," said holmes. "i think that ', 'd down into the nearest chair. "good-evening, mr. james windibank," said holmes. "i think that this ', 'n into the nearest chair. "good-evening, mr. james windibank," said holmes. "i think that this typew', 'o the nearest chair. "good-evening, mr. james windibank," said holmes. "i think that this typewritte', ' nearest chair. "good-evening, mr. james windibank," said holmes. "i think that this typewritten let', 'est chair. "good-evening, mr. james windibank," said holmes. "i think that this typewritten letter i', 'hair. "good-evening, mr. james windibank," said holmes. "i think that this typewritten letter is fro', ' "good-evening, mr. james windibank," said holmes. "i think that this typewritten letter is from you', 'd-evening, mr. james windibank," said holmes. "i think that this typewritten letter is from you, in ', 'ning, mr. james windibank," said holmes. "i think that this typewritten letter is from you, in which', ' mr. james windibank," said holmes. "i think that this typewritten letter is from you, in which you ', 'james windibank," said holmes. "i think that this typewritten letter is from you, in which you made ', ' windibank," said holmes. "i think that this typewritten letter is from you, in which you made an ap', 'ibank," said holmes. "i think that this typewritten letter is from you, in which you made an appoint', '," said holmes. "i think that this typewritten letter is from you, in which you made an appointment ', 'id holmes. "i think that this typewritten letter is from you, in which you made an appointment with ', 'lmes. "i think that this typewritten letter is from you, in which you made an appointment with me fo', ' "i think that this typewritten letter is from you, in which you made an appointment with me for six', "hink that this typewritten letter is from you, in which you made an appointment with me for six o'cl", 'that this typewritten letter is from you, in which you made an appointment with me for six o\'clock?"', 'this typewritten letter is from you, in which you made an appointment with me for six o\'clock?" "yes', 'typewritten letter is from you, in which you made an appointment with me for six o\'clock?" "yes, sir', 'ritten letter is from you, in which you made an appointment with me for six o\'clock?" "yes, sir. i a', 'n letter is from you, in which you made an appointment with me for six o\'clock?" "yes, sir. i am afr', 'ter is from you, in which you made an appointment with me for six o\'clock?" "yes, sir. i am afraid t', 's from you, in which you made an appointment with me for six o\'clock?" "yes, sir. i am afraid that i', 'm you, in which you made an appointment with me for six o\'clock?" "yes, sir. i am afraid that i am a', ', in which you made an appointment with me for six o\'clock?" "yes, sir. i am afraid that i am a litt', 'which you made an appointment with me for six o\'clock?" "yes, sir. i am afraid that i am a little la', ' you made an appointment with me for six o\'clock?" "yes, sir. i am afraid that i am a little late, b', 'made an appointment with me for six o\'clock?" "yes, sir. i am afraid that i am a little late, but i ', 'an appointment with me for six o\'clock?" "yes, sir. i am afraid that i am a little late, but i am no', 'pointment with me for six o\'clock?" "yes, sir. i am afraid that i am a little late, but i am not qui', 'ment with me for six o\'clock?" "yes, sir. i am afraid that i am a little late, but i am not quite my', 'with me for six o\'clock?" "yes, sir. i am afraid that i am a little late, but i am not quite my own ', 'me for six o\'clock?" "yes, sir. i am afraid that i am a little late, but i am not quite my own maste', 'r six o\'clock?" "yes, sir. i am afraid that i am a little late, but i am not quite my own master, yo', ' o\'clock?" "yes, sir. i am afraid that i am a little late, but i am not quite my own master, you kno', 'ock?" "yes, sir. i am afraid that i am a little late, but i am not quite my own master, you know. i ', ' "yes, sir. i am afraid that i am a little late, but i am not quite my own master, you know. i am so', ', sir. i am afraid that i am a little late, but i am not quite my own master, you know. i am sorry t', '. i am afraid that i am a little late, but i am not quite my own master, you know. i am sorry that m', 'm afraid that i am a little late, but i am not quite my own master, you know. i am sorry that miss s', 'aid that i am a little late, but i am not quite my own master, you know. i am sorry that miss suther', 'hat i am a little late, but i am not quite my own master, you know. i am sorry that miss sutherland ', ' am a little late, but i am not quite my own master, you know. i am sorry that miss sutherland has t', ' little late, but i am not quite my own master, you know. i am sorry that miss sutherland has troubl', 'le late, but i am not quite my own master, you know. i am sorry that miss sutherland has troubled yo', 'te, but i am not quite my own master, you know. i am sorry that miss sutherland has troubled you abo', 'ut i am not quite my own master, you know. i am sorry that miss sutherland has troubled you about th', 'am not quite my own master, you know. i am sorry that miss sutherland has troubled you about this li', 't quite my own master, you know. i am sorry that miss sutherland has troubled you about this little ', 'te my own master, you know. i am sorry that miss sutherland has troubled you about this little matte', ' own master, you know. i am sorry that miss sutherland has troubled you about this little matter, fo', 'master, you know. i am sorry that miss sutherland has troubled you about this little matter, for i t', 'r, you know. i am sorry that miss sutherland has troubled you about this little matter, for i think ', 'u know. i am sorry that miss sutherland has troubled you about this little matter, for i think it is', 'w. i am sorry that miss sutherland has troubled you about this little matter, for i think it is far ', 'am sorry that miss sutherland has troubled you about this little matter, for i think it is far bette', 'rry that miss sutherland has troubled you about this little matter, for i think it is far better not', 'hat miss sutherland has troubled you about this little matter, for i think it is far better not to w', 'iss sutherland has troubled you about this little matter, for i think it is far better not to wash l', 'utherland has troubled you about this little matter, for i think it is far better not to wash linen ', 'land has troubled you about this little matter, for i think it is far better not to wash linen of th', 'has troubled you about this little matter, for i think it is far better not to wash linen of the sor', 'roubled you about this little matter, for i think it is far better not to wash linen of the sort in ', 'ed you about this little matter, for i think it is far better not to wash linen of the sort in publi', 'u about this little matter, for i think it is far better not to wash linen of the sort in public. it', 'ut this little matter, for i think it is far better not to wash linen of the sort in public. it was ', 'is little matter, for i think it is far better not to wash linen of the sort in public. it was quite', 'ttle matter, for i think it is far better not to wash linen of the sort in public. it was quite agai', 'matter, for i think it is far better not to wash linen of the sort in public. it was quite against m', 'r, for i think it is far better not to wash linen of the sort in public. it was quite against my wis', 'r i think it is far better not to wash linen of the sort in public. it was quite against my wishes t', 'hink it is far better not to wash linen of the sort in public. it was quite against my wishes that s', 'it is far better not to wash linen of the sort in public. it was quite against my wishes that she ca', ' far better not to wash linen of the sort in public. it was quite against my wishes that she came, b', 'better not to wash linen of the sort in public. it was quite against my wishes that she came, but sh', 'r not to wash linen of the sort in public. it was quite against my wishes that she came, but she is ', ' to wash linen of the sort in public. it was quite against my wishes that she came, but she is a ver', 'ash linen of the sort in public. it was quite against my wishes that she came, but she is a very exc', 'inen of the sort in public. it was quite against my wishes that she came, but she is a very excitabl', 'of the sort in public. it was quite against my wishes that she came, but she is a very excitable, im', 'e sort in public. it was quite against my wishes that she came, but she is a very excitable, impulsi', 't in public. it was quite against my wishes that she came, but she is a very excitable, impulsive gi', 'public. it was quite against my wishes that she came, but she is a very excitable, impulsive girl, a', 'c. it was quite against my wishes that she came, but she is a very excitable, impulsive girl, as you', ' was quite against my wishes that she came, but she is a very excitable, impulsive girl, as you may ', 'quite against my wishes that she came, but she is a very excitable, impulsive girl, as you may have ', ' against my wishes that she came, but she is a very excitable, impulsive girl, as you may have notic', 'nst my wishes that she came, but she is a very excitable, impulsive girl, as you may have noticed, a', 'y wishes that she came, but she is a very excitable, impulsive girl, as you may have noticed, and sh', 'hes that she came, but she is a very excitable, impulsive girl, as you may have noticed, and she is ', 'hat she came, but she is a very excitable, impulsive girl, as you may have noticed, and she is not e', 'he came, but she is a very excitable, impulsive girl, as you may have noticed, and she is not easily', 'me, but she is a very excitable, impulsive girl, as you may have noticed, and she is not easily cont', 'ut she is a very excitable, impulsive girl, as you may have noticed, and she is not easily controlle', 'e is a very excitable, impulsive girl, as you may have noticed, and she is not easily controlled whe', 'a very excitable, impulsive girl, as you may have noticed, and she is not easily controlled when she', 'y excitable, impulsive girl, as you may have noticed, and she is not easily controlled when she has ', 'itable, impulsive girl, as you may have noticed, and she is not easily controlled when she has made ', 'e, impulsive girl, as you may have noticed, and she is not easily controlled when she has made up he', 'pulsive girl, as you may have noticed, and she is not easily controlled when she has made up her min', 've girl, as you may have noticed, and she is not easily controlled when she has made up her mind on ', 'rl, as you may have noticed, and she is not easily controlled when she has made up her mind on a poi', 's you may have noticed, and she is not easily controlled when she has made up her mind on a point. o', ' may have noticed, and she is not easily controlled when she has made up her mind on a point. of cou', 'have noticed, and she is not easily controlled when she has made up her mind on a point. of course, ', 'noticed, and she is not easily controlled when she has made up her mind on a point. of course, i did', 'ed, and she is not easily controlled when she has made up her mind on a point. of course, i did not ', 'nd she is not easily controlled when she has made up her mind on a point. of course, i did not mind ', 'e is not easily controlled when she has made up her mind on a point. of course, i did not mind you s', 'not easily controlled when she has made up her mind on a point. of course, i did not mind you so muc', 'asily controlled when she has made up her mind on a point. of course, i did not mind you so much, as', ' controlled when she has made up her mind on a point. of course, i did not mind you so much, as you ', 'rolled when she has made up her mind on a point. of course, i did not mind you so much, as you are n', 'd when she has made up her mind on a point. of course, i did not mind you so much, as you are not co', 'n she has made up her mind on a point. of course, i did not mind you so much, as you are not connect', ' has made up her mind on a point. of course, i did not mind you so much, as you are not connected wi', 'made up her mind on a point. of course, i did not mind you so much, as you are not connected with th', 'up her mind on a point. of course, i did not mind you so much, as you are not connected with the off', 'r mind on a point. of course, i did not mind you so much, as you are not connected with the official', 'd on a point. of course, i did not mind you so much, as you are not connected with the official poli', 'a point. of course, i did not mind you so much, as you are not connected with the official police, b', 'nt. of course, i did not mind you so much, as you are not connected with the official police, but it', 'f course, i did not mind you so much, as you are not connected with the official police, but it is n', 'rse, i did not mind you so much, as you are not connected with the official police, but it is not pl', 'i did not mind you so much, as you are not connected with the official police, but it is not pleasan', ' not mind you so much, as you are not connected with the official police, but it is not pleasant to ', 'mind you so much, as you are not connected with the official police, but it is not pleasant to have ', 'you so much, as you are not connected with the official police, but it is not pleasant to have a fam', 'o much, as you are not connected with the official police, but it is not pleasant to have a family m', 'h, as you are not connected with the official police, but it is not pleasant to have a family misfor', ' you are not connected with the official police, but it is not pleasant to have a family misfortune ', 'are not connected with the official police, but it is not pleasant to have a family misfortune like ', 'ot connected with the official police, but it is not pleasant to have a family misfortune like this ', 'nnected with the official police, but it is not pleasant to have a family misfortune like this noise', 'ed with the official police, but it is not pleasant to have a family misfortune like this noised abr', 'th the official police, but it is not pleasant to have a family misfortune like this noised abroad. ', 'e official police, but it is not pleasant to have a family misfortune like this noised abroad. besid', 'icial police, but it is not pleasant to have a family misfortune like this noised abroad. besides, i', ' police, but it is not pleasant to have a family misfortune like this noised abroad. besides, it is ', 'ce, but it is not pleasant to have a family misfortune like this noised abroad. besides, it is a use', 'ut it is not pleasant to have a family misfortune like this noised abroad. besides, it is a useless ', ' is not pleasant to have a family misfortune like this noised abroad. besides, it is a useless expen', 'ot pleasant to have a family misfortune like this noised abroad. besides, it is a useless expense, f', 'easant to have a family misfortune like this noised abroad. besides, it is a useless expense, for ho', 't to have a family misfortune like this noised abroad. besides, it is a useless expense, for how cou', 'have a family misfortune like this noised abroad. besides, it is a useless expense, for how could yo', 'a family misfortune like this noised abroad. besides, it is a useless expense, for how could you pos', 'ily misfortune like this noised abroad. besides, it is a useless expense, for how could you possibly', 'isfortune like this noised abroad. besides, it is a useless expense, for how could you possibly find', 'tune like this noised abroad. besides, it is a useless expense, for how could you possibly find this', 'like this noised abroad. besides, it is a useless expense, for how could you possibly find this hosm', 'this noised abroad. besides, it is a useless expense, for how could you possibly find this hosmer an', 'noised abroad. besides, it is a useless expense, for how could you possibly find this hosmer angel?"', 'd abroad. besides, it is a useless expense, for how could you possibly find this hosmer angel?" "on ', 'oad. besides, it is a useless expense, for how could you possibly find this hosmer angel?" "on the c', 'besides, it is a useless expense, for how could you possibly find this hosmer angel?" "on the contra', 'es, it is a useless expense, for how could you possibly find this hosmer angel?" "on the contrary," ', 't is a useless expense, for how could you possibly find this hosmer angel?" "on the contrary," said ', 'a useless expense, for how could you possibly find this hosmer angel?" "on the contrary," said holme', 'less expense, for how could you possibly find this hosmer angel?" "on the contrary," said holmes qui', 'expense, for how could you possibly find this hosmer angel?" "on the contrary," said holmes quietly;', 'se, for how could you possibly find this hosmer angel?" "on the contrary," said holmes quietly; "i h', 'or how could you possibly find this hosmer angel?" "on the contrary," said holmes quietly; "i have e', 'w could you possibly find this hosmer angel?" "on the contrary," said holmes quietly; "i have every ', 'ld you possibly find this hosmer angel?" "on the contrary," said holmes quietly; "i have every reaso', 'u possibly find this hosmer angel?" "on the contrary," said holmes quietly; "i have every reason to ', 'sibly find this hosmer angel?" "on the contrary," said holmes quietly; "i have every reason to belie', ' find this hosmer angel?" "on the contrary," said holmes quietly; "i have every reason to believe th', ' this hosmer angel?" "on the contrary," said holmes quietly; "i have every reason to believe that i ', ' hosmer angel?" "on the contrary," said holmes quietly; "i have every reason to believe that i will ', 'er angel?" "on the contrary," said holmes quietly; "i have every reason to believe that i will succe', 'gel?" "on the contrary," said holmes quietly; "i have every reason to believe that i will succeed in', ' "on the contrary," said holmes quietly; "i have every reason to believe that i will succeed in disc', 'the contrary," said holmes quietly; "i have every reason to believe that i will succeed in discoveri', 'ontrary," said holmes quietly; "i have every reason to believe that i will succeed in discovering mr', 'ry," said holmes quietly; "i have every reason to believe that i will succeed in discovering mr. hos', 'said holmes quietly; "i have every reason to believe that i will succeed in discovering mr. hosmer a', 'holmes quietly; "i have every reason to believe that i will succeed in discovering mr. hosmer angel.', 's quietly; "i have every reason to believe that i will succeed in discovering mr. hosmer angel." mr.', 'etly; "i have every reason to believe that i will succeed in discovering mr. hosmer angel." mr. wind', ' "i have every reason to believe that i will succeed in discovering mr. hosmer angel." mr. windibank', 'ave every reason to believe that i will succeed in discovering mr. hosmer angel." mr. windibank gave', 'very reason to believe that i will succeed in discovering mr. hosmer angel." mr. windibank gave a vi', 'reason to believe that i will succeed in discovering mr. hosmer angel." mr. windibank gave a violent', 'n to believe that i will succeed in discovering mr. hosmer angel." mr. windibank gave a violent star', 'believe that i will succeed in discovering mr. hosmer angel." mr. windibank gave a violent start and', 've that i will succeed in discovering mr. hosmer angel." mr. windibank gave a violent start and drop', 'at i will succeed in discovering mr. hosmer angel." mr. windibank gave a violent start and dropped h', 'will succeed in discovering mr. hosmer angel." mr. windibank gave a violent start and dropped his gl', 'succeed in discovering mr. hosmer angel." mr. windibank gave a violent start and dropped his gloves.', 'ed in discovering mr. hosmer angel." mr. windibank gave a violent start and dropped his gloves. "i a', ' discovering mr. hosmer angel." mr. windibank gave a violent start and dropped his gloves. "i am del', 'overing mr. hosmer angel." mr. windibank gave a violent start and dropped his gloves. "i am delighte', 'ng mr. hosmer angel." mr. windibank gave a violent start and dropped his gloves. "i am delighted to ', '. hosmer angel." mr. windibank gave a violent start and dropped his gloves. "i am delighted to hear ', 'mer angel." mr. windibank gave a violent start and dropped his gloves. "i am delighted to hear it," ', 'ngel." mr. windibank gave a violent start and dropped his gloves. "i am delighted to hear it," he sa', '" mr. windibank gave a violent start and dropped his gloves. "i am delighted to hear it," he said. "', ' windibank gave a violent start and dropped his gloves. "i am delighted to hear it," he said. "it is', 'ibank gave a violent start and dropped his gloves. "i am delighted to hear it," he said. "it is a cu', ' gave a violent start and dropped his gloves. "i am delighted to hear it," he said. "it is a curious', ' a violent start and dropped his gloves. "i am delighted to hear it," he said. "it is a curious thin', 'olent start and dropped his gloves. "i am delighted to hear it," he said. "it is a curious thing," r', ' start and dropped his gloves. "i am delighted to hear it," he said. "it is a curious thing," remark', 't and dropped his gloves. "i am delighted to hear it," he said. "it is a curious thing," remarked ho', ' dropped his gloves. "i am delighted to hear it," he said. "it is a curious thing," remarked holmes,', 'ped his gloves. "i am delighted to hear it," he said. "it is a curious thing," remarked holmes, "tha', 'is gloves. "i am delighted to hear it," he said. "it is a curious thing," remarked holmes, "that a t', 'oves. "i am delighted to hear it," he said. "it is a curious thing," remarked holmes, "that a typewr', ' "i am delighted to hear it," he said. "it is a curious thing," remarked holmes, "that a typewriter ', 'm delighted to hear it," he said. "it is a curious thing," remarked holmes, "that a typewriter has r', 'ighted to hear it," he said. "it is a curious thing," remarked holmes, "that a typewriter has really', 'd to hear it," he said. "it is a curious thing," remarked holmes, "that a typewriter has really quit', 'hear it," he said. "it is a curious thing," remarked holmes, "that a typewriter has really quite as ', 'it," he said. "it is a curious thing," remarked holmes, "that a typewriter has really quite as much ', 'he said. "it is a curious thing," remarked holmes, "that a typewriter has really quite as much indiv', 'id. "it is a curious thing," remarked holmes, "that a typewriter has really quite as much individual', 'it is a curious thing," remarked holmes, "that a typewriter has really quite as much individuality a', ' a curious thing," remarked holmes, "that a typewriter has really quite as much individuality as a m', 'rious thing," remarked holmes, "that a typewriter has really quite as much individuality as a man\'s ', ' thing," remarked holmes, "that a typewriter has really quite as much individuality as a man\'s handw', 'g," remarked holmes, "that a typewriter has really quite as much individuality as a man\'s handwritin', 'emarked holmes, "that a typewriter has really quite as much individuality as a man\'s handwriting. un', 'ed holmes, "that a typewriter has really quite as much individuality as a man\'s handwriting. unless ', 'lmes, "that a typewriter has really quite as much individuality as a man\'s handwriting. unless they ', ' "that a typewriter has really quite as much individuality as a man\'s handwriting. unless they are q', "t a typewriter has really quite as much individuality as a man's handwriting. unless they are quite ", "ypewriter has really quite as much individuality as a man's handwriting. unless they are quite new, ", "iter has really quite as much individuality as a man's handwriting. unless they are quite new, no tw", "has really quite as much individuality as a man's handwriting. unless they are quite new, no two of ", "eally quite as much individuality as a man's handwriting. unless they are quite new, no two of them ", " quite as much individuality as a man's handwriting. unless they are quite new, no two of them write", "e as much individuality as a man's handwriting. unless they are quite new, no two of them write exac", "much individuality as a man's handwriting. unless they are quite new, no two of them write exactly a", "individuality as a man's handwriting. unless they are quite new, no two of them write exactly alike.", "iduality as a man's handwriting. unless they are quite new, no two of them write exactly alike. some", "ity as a man's handwriting. unless they are quite new, no two of them write exactly alike. some lett", "s a man's handwriting. unless they are quite new, no two of them write exactly alike. some letters g", "an's handwriting. unless they are quite new, no two of them write exactly alike. some letters get mo", 'handwriting. unless they are quite new, no two of them write exactly alike. some letters get more wo', 'riting. unless they are quite new, no two of them write exactly alike. some letters get more worn th', 'g. unless they are quite new, no two of them write exactly alike. some letters get more worn than ot', 'less they are quite new, no two of them write exactly alike. some letters get more worn than others,', 'they are quite new, no two of them write exactly alike. some letters get more worn than others, and ', 'are quite new, no two of them write exactly alike. some letters get more worn than others, and some ', 'uite new, no two of them write exactly alike. some letters get more worn than others, and some wear ', 'new, no two of them write exactly alike. some letters get more worn than others, and some wear only ', 'no two of them write exactly alike. some letters get more worn than others, and some wear only on on', 'o of them write exactly alike. some letters get more worn than others, and some wear only on one sid', 'them write exactly alike. some letters get more worn than others, and some wear only on one side. no', 'write exactly alike. some letters get more worn than others, and some wear only on one side. now, yo', ' exactly alike. some letters get more worn than others, and some wear only on one side. now, you rem', 'tly alike. some letters get more worn than others, and some wear only on one side. now, you remark i', 'like. some letters get more worn than others, and some wear only on one side. now, you remark in thi', ' some letters get more worn than others, and some wear only on one side. now, you remark in this not', ' letters get more worn than others, and some wear only on one side. now, you remark in this note of ', 'ers get more worn than others, and some wear only on one side. now, you remark in this note of yours', 'et more worn than others, and some wear only on one side. now, you remark in this note of yours, mr.', 're worn than others, and some wear only on one side. now, you remark in this note of yours, mr. wind', 'rn than others, and some wear only on one side. now, you remark in this note of yours, mr. windibank', 'an others, and some wear only on one side. now, you remark in this note of yours, mr. windibank, tha', 'hers, and some wear only on one side. now, you remark in this note of yours, mr. windibank, that in ', ' and some wear only on one side. now, you remark in this note of yours, mr. windibank, that in every', 'some wear only on one side. now, you remark in this note of yours, mr. windibank, that in every case', 'wear only on one side. now, you remark in this note of yours, mr. windibank, that in every case ther', 'only on one side. now, you remark in this note of yours, mr. windibank, that in every case there is ', 'on one side. now, you remark in this note of yours, mr. windibank, that in every case there is some ', 'e side. now, you remark in this note of yours, mr. windibank, that in every case there is some littl', 'e. now, you remark in this note of yours, mr. windibank, that in every case there is some little slu', 'w, you remark in this note of yours, mr. windibank, that in every case there is some little slurring', 'u remark in this note of yours, mr. windibank, that in every case there is some little slurring over', 'ark in this note of yours, mr. windibank, that in every case there is some little slurring over of t', "n this note of yours, mr. windibank, that in every case there is some little slurring over of the 'e", "s note of yours, mr. windibank, that in every case there is some little slurring over of the 'e,' an", "e of yours, mr. windibank, that in every case there is some little slurring over of the 'e,' and a s", "yours, mr. windibank, that in every case there is some little slurring over of the 'e,' and a slight", ", mr. windibank, that in every case there is some little slurring over of the 'e,' and a slight defe", " windibank, that in every case there is some little slurring over of the 'e,' and a slight defect in", "ibank, that in every case there is some little slurring over of the 'e,' and a slight defect in the ", ", that in every case there is some little slurring over of the 'e,' and a slight defect in the tail ", "t in every case there is some little slurring over of the 'e,' and a slight defect in the tail of th", "every case there is some little slurring over of the 'e,' and a slight defect in the tail of the 'r.", " case there is some little slurring over of the 'e,' and a slight defect in the tail of the 'r.' the", " there is some little slurring over of the 'e,' and a slight defect in the tail of the 'r.' there ar", "e is some little slurring over of the 'e,' and a slight defect in the tail of the 'r.' there are fou", "some little slurring over of the 'e,' and a slight defect in the tail of the 'r.' there are fourteen", "little slurring over of the 'e,' and a slight defect in the tail of the 'r.' there are fourteen othe", "e slurring over of the 'e,' and a slight defect in the tail of the 'r.' there are fourteen other cha", "rring over of the 'e,' and a slight defect in the tail of the 'r.' there are fourteen other characte", " over of the 'e,' and a slight defect in the tail of the 'r.' there are fourteen other characteristi", " of the 'e,' and a slight defect in the tail of the 'r.' there are fourteen other characteristics, b", "he 'e,' and a slight defect in the tail of the 'r.' there are fourteen other characteristics, but th", ",' and a slight defect in the tail of the 'r.' there are fourteen other characteristics, but those a", "d a slight defect in the tail of the 'r.' there are fourteen other characteristics, but those are th", "light defect in the tail of the 'r.' there are fourteen other characteristics, but those are the mor", " defect in the tail of the 'r.' there are fourteen other characteristics, but those are the more obv", "ct in the tail of the 'r.' there are fourteen other characteristics, but those are the more obvious.", ' the tail of the \'r.\' there are fourteen other characteristics, but those are the more obvious." "we', 'tail of the \'r.\' there are fourteen other characteristics, but those are the more obvious." "we do a', 'of the \'r.\' there are fourteen other characteristics, but those are the more obvious." "we do all ou', 'e \'r.\' there are fourteen other characteristics, but those are the more obvious." "we do all our cor', '\' there are fourteen other characteristics, but those are the more obvious." "we do all our correspo', 're are fourteen other characteristics, but those are the more obvious." "we do all our correspondenc', 'e fourteen other characteristics, but those are the more obvious." "we do all our correspondence wit', 'rteen other characteristics, but those are the more obvious." "we do all our correspondence with thi', ' other characteristics, but those are the more obvious." "we do all our correspondence with this mac', 'r characteristics, but those are the more obvious." "we do all our correspondence with this machine ', 'racteristics, but those are the more obvious." "we do all our correspondence with this machine at th', 'ristics, but those are the more obvious." "we do all our correspondence with this machine at the off', 'cs, but those are the more obvious." "we do all our correspondence with this machine at the office, ', 'ut those are the more obvious." "we do all our correspondence with this machine at the office, and n', 'ose are the more obvious." "we do all our correspondence with this machine at the office, and no dou', 're the more obvious." "we do all our correspondence with this machine at the office, and no doubt it', 'e more obvious." "we do all our correspondence with this machine at the office, and no doubt it is a', 'e obvious." "we do all our correspondence with this machine at the office, and no doubt it is a litt', 'ious." "we do all our correspondence with this machine at the office, and no doubt it is a little wo', '" "we do all our correspondence with this machine at the office, and no doubt it is a little worn," ', ' do all our correspondence with this machine at the office, and no doubt it is a little worn," our v', 'll our correspondence with this machine at the office, and no doubt it is a little worn," our visito', 'r correspondence with this machine at the office, and no doubt it is a little worn," our visitor ans', 'respondence with this machine at the office, and no doubt it is a little worn," our visitor answered', 'ndence with this machine at the office, and no doubt it is a little worn," our visitor answered, gla', 'e with this machine at the office, and no doubt it is a little worn," our visitor answered, glancing', 'h this machine at the office, and no doubt it is a little worn," our visitor answered, glancing keen', 's machine at the office, and no doubt it is a little worn," our visitor answered, glancing keenly at', 'hine at the office, and no doubt it is a little worn," our visitor answered, glancing keenly at holm', 'at the office, and no doubt it is a little worn," our visitor answered, glancing keenly at holmes wi', 'e office, and no doubt it is a little worn," our visitor answered, glancing keenly at holmes with hi', 'ice, and no doubt it is a little worn," our visitor answered, glancing keenly at holmes with his bri', 'and no doubt it is a little worn," our visitor answered, glancing keenly at holmes with his bright l', 'o doubt it is a little worn," our visitor answered, glancing keenly at holmes with his bright little', 'bt it is a little worn," our visitor answered, glancing keenly at holmes with his bright little eyes', ' is a little worn," our visitor answered, glancing keenly at holmes with his bright little eyes. "an', ' little worn," our visitor answered, glancing keenly at holmes with his bright little eyes. "and now', 'le worn," our visitor answered, glancing keenly at holmes with his bright little eyes. "and now i wi', 'rn," our visitor answered, glancing keenly at holmes with his bright little eyes. "and now i will sh', 'our visitor answered, glancing keenly at holmes with his bright little eyes. "and now i will show yo', 'isitor answered, glancing keenly at holmes with his bright little eyes. "and now i will show you wha', 'r answered, glancing keenly at holmes with his bright little eyes. "and now i will show you what is ', 'wered, glancing keenly at holmes with his bright little eyes. "and now i will show you what is reall', ', glancing keenly at holmes with his bright little eyes. "and now i will show you what is really a v', 'ncing keenly at holmes with his bright little eyes. "and now i will show you what is really a very i', ' keenly at holmes with his bright little eyes. "and now i will show you what is really a very intere', 'ly at holmes with his bright little eyes. "and now i will show you what is really a very interesting', ' holmes with his bright little eyes. "and now i will show you what is really a very interesting stud', 'es with his bright little eyes. "and now i will show you what is really a very interesting study, mr', 'th his bright little eyes. "and now i will show you what is really a very interesting study, mr. win', 's bright little eyes. "and now i will show you what is really a very interesting study, mr. windiban', 'ght little eyes. "and now i will show you what is really a very interesting study, mr. windibank," h', 'ittle eyes. "and now i will show you what is really a very interesting study, mr. windibank," holmes', ' eyes. "and now i will show you what is really a very interesting study, mr. windibank," holmes cont', '. "and now i will show you what is really a very interesting study, mr. windibank," holmes continued', 'd now i will show you what is really a very interesting study, mr. windibank," holmes continued. "i ', ' i will show you what is really a very interesting study, mr. windibank," holmes continued. "i think', 'll show you what is really a very interesting study, mr. windibank," holmes continued. "i think of w', 'ow you what is really a very interesting study, mr. windibank," holmes continued. "i think of writin', 'u what is really a very interesting study, mr. windibank," holmes continued. "i think of writing ano', 't is really a very interesting study, mr. windibank," holmes continued. "i think of writing another ', 'really a very interesting study, mr. windibank," holmes continued. "i think of writing another littl', 'y a very interesting study, mr. windibank," holmes continued. "i think of writing another little mon', 'ery interesting study, mr. windibank," holmes continued. "i think of writing another little monograp', 'nteresting study, mr. windibank," holmes continued. "i think of writing another little monograph som', 'sting study, mr. windibank," holmes continued. "i think of writing another little monograph some of ', ' study, mr. windibank," holmes continued. "i think of writing another little monograph some of these', 'y, mr. windibank," holmes continued. "i think of writing another little monograph some of these days', '. windibank," holmes continued. "i think of writing another little monograph some of these days on t', 'dibank," holmes continued. "i think of writing another little monograph some of these days on the ty', 'k," holmes continued. "i think of writing another little monograph some of these days on the typewri', 'olmes continued. "i think of writing another little monograph some of these days on the typewriter a', ' continued. "i think of writing another little monograph some of these days on the typewriter and it', 'inued. "i think of writing another little monograph some of these days on the typewriter and its rel', '. "i think of writing another little monograph some of these days on the typewriter and its relation', 'think of writing another little monograph some of these days on the typewriter and its relation to c', ' of writing another little monograph some of these days on the typewriter and its relation to crime.', 'riting another little monograph some of these days on the typewriter and its relation to crime. it i', 'g another little monograph some of these days on the typewriter and its relation to crime. it is a s', 'ther little monograph some of these days on the typewriter and its relation to crime. it is a subjec', 'little monograph some of these days on the typewriter and its relation to crime. it is a subject to ', 'e monograph some of these days on the typewriter and its relation to crime. it is a subject to which', 'ograph some of these days on the typewriter and its relation to crime. it is a subject to which i ha', 'h some of these days on the typewriter and its relation to crime. it is a subject to which i have de', 'e of these days on the typewriter and its relation to crime. it is a subject to which i have devoted', 'these days on the typewriter and its relation to crime. it is a subject to which i have devoted some', ' days on the typewriter and its relation to crime. it is a subject to which i have devoted some litt', ' on the typewriter and its relation to crime. it is a subject to which i have devoted some little at', 'he typewriter and its relation to crime. it is a subject to which i have devoted some little attenti', 'pewriter and its relation to crime. it is a subject to which i have devoted some little attention. i', 'ter and its relation to crime. it is a subject to which i have devoted some little attention. i have', 'nd its relation to crime. it is a subject to which i have devoted some little attention. i have here', 's relation to crime. it is a subject to which i have devoted some little attention. i have here four', 'ation to crime. it is a subject to which i have devoted some little attention. i have here four lett', ' to crime. it is a subject to which i have devoted some little attention. i have here four letters w', 'rime. it is a subject to which i have devoted some little attention. i have here four letters which ', ' it is a subject to which i have devoted some little attention. i have here four letters which purpo', 's a subject to which i have devoted some little attention. i have here four letters which purport to', 'ubject to which i have devoted some little attention. i have here four letters which purport to come', 't to which i have devoted some little attention. i have here four letters which purport to come from', 'which i have devoted some little attention. i have here four letters which purport to come from the ', ' i have devoted some little attention. i have here four letters which purport to come from the missi', 've devoted some little attention. i have here four letters which purport to come from the missing ma', 'voted some little attention. i have here four letters which purport to come from the missing man. th', ' some little attention. i have here four letters which purport to come from the missing man. they ar', ' little attention. i have here four letters which purport to come from the missing man. they are all', 'le attention. i have here four letters which purport to come from the missing man. they are all type', 'tention. i have here four letters which purport to come from the missing man. they are all typewritt', 'on. i have here four letters which purport to come from the missing man. they are all typewritten. i', ' have here four letters which purport to come from the missing man. they are all typewritten. in eac', ' here four letters which purport to come from the missing man. they are all typewritten. in each cas', ' four letters which purport to come from the missing man. they are all typewritten. in each case, no', ' letters which purport to come from the missing man. they are all typewritten. in each case, not onl', 'ers which purport to come from the missing man. they are all typewritten. in each case, not only are', 'hich purport to come from the missing man. they are all typewritten. in each case, not only are the ', "purport to come from the missing man. they are all typewritten. in each case, not only are the 'e's'", "rt to come from the missing man. they are all typewritten. in each case, not only are the 'e's' slur", " come from the missing man. they are all typewritten. in each case, not only are the 'e's' slurred a", " from the missing man. they are all typewritten. in each case, not only are the 'e's' slurred and th", " the missing man. they are all typewritten. in each case, not only are the 'e's' slurred and the 'r'", "missing man. they are all typewritten. in each case, not only are the 'e's' slurred and the 'r's' ta", "ng man. they are all typewritten. in each case, not only are the 'e's' slurred and the 'r's' tailles", "n. they are all typewritten. in each case, not only are the 'e's' slurred and the 'r's' tailless, bu", "ey are all typewritten. in each case, not only are the 'e's' slurred and the 'r's' tailless, but you", "e all typewritten. in each case, not only are the 'e's' slurred and the 'r's' tailless, but you will", " typewritten. in each case, not only are the 'e's' slurred and the 'r's' tailless, but you will obse", "written. in each case, not only are the 'e's' slurred and the 'r's' tailless, but you will observe, ", "en. in each case, not only are the 'e's' slurred and the 'r's' tailless, but you will observe, if yo", "n each case, not only are the 'e's' slurred and the 'r's' tailless, but you will observe, if you car", "h case, not only are the 'e's' slurred and the 'r's' tailless, but you will observe, if you care to ", "e, not only are the 'e's' slurred and the 'r's' tailless, but you will observe, if you care to use m", "t only are the 'e's' slurred and the 'r's' tailless, but you will observe, if you care to use my mag", "y are the 'e's' slurred and the 'r's' tailless, but you will observe, if you care to use my magnifyi", " the 'e's' slurred and the 'r's' tailless, but you will observe, if you care to use my magnifying le", "'e's' slurred and the 'r's' tailless, but you will observe, if you care to use my magnifying lens, t", " slurred and the 'r's' tailless, but you will observe, if you care to use my magnifying lens, that t", "red and the 'r's' tailless, but you will observe, if you care to use my magnifying lens, that the fo", "nd the 'r's' tailless, but you will observe, if you care to use my magnifying lens, that the fourtee", "e 'r's' tailless, but you will observe, if you care to use my magnifying lens, that the fourteen oth", "s' tailless, but you will observe, if you care to use my magnifying lens, that the fourteen other ch", 'illess, but you will observe, if you care to use my magnifying lens, that the fourteen other charact', 's, but you will observe, if you care to use my magnifying lens, that the fourteen other characterist', 't you will observe, if you care to use my magnifying lens, that the fourteen other characteristics t', ' will observe, if you care to use my magnifying lens, that the fourteen other characteristics to whi', ' observe, if you care to use my magnifying lens, that the fourteen other characteristics to which i ', 'rve, if you care to use my magnifying lens, that the fourteen other characteristics to which i have ', 'if you care to use my magnifying lens, that the fourteen other characteristics to which i have allud', 'u care to use my magnifying lens, that the fourteen other characteristics to which i have alluded ar', 'e to use my magnifying lens, that the fourteen other characteristics to which i have alluded are the', 'use my magnifying lens, that the fourteen other characteristics to which i have alluded are there as', 'y magnifying lens, that the fourteen other characteristics to which i have alluded are there as well', 'nifying lens, that the fourteen other characteristics to which i have alluded are there as well." mr', 'ng lens, that the fourteen other characteristics to which i have alluded are there as well." mr. win', 'ns, that the fourteen other characteristics to which i have alluded are there as well." mr. windiban', 'hat the fourteen other characteristics to which i have alluded are there as well." mr. windibank spr', 'he fourteen other characteristics to which i have alluded are there as well." mr. windibank sprang o', 'urteen other characteristics to which i have alluded are there as well." mr. windibank sprang out of', 'n other characteristics to which i have alluded are there as well." mr. windibank sprang out of his ', 'er characteristics to which i have alluded are there as well." mr. windibank sprang out of his chair', 'aracteristics to which i have alluded are there as well." mr. windibank sprang out of his chair and ', 'eristics to which i have alluded are there as well." mr. windibank sprang out of his chair and picke', 'ics to which i have alluded are there as well." mr. windibank sprang out of his chair and picked up ', 'o which i have alluded are there as well." mr. windibank sprang out of his chair and picked up his h', 'ch i have alluded are there as well." mr. windibank sprang out of his chair and picked up his hat. "', 'have alluded are there as well." mr. windibank sprang out of his chair and picked up his hat. "i can', 'alluded are there as well." mr. windibank sprang out of his chair and picked up his hat. "i cannot w', 'ed are there as well." mr. windibank sprang out of his chair and picked up his hat. "i cannot waste ', 'e there as well." mr. windibank sprang out of his chair and picked up his hat. "i cannot waste time ', 're as well." mr. windibank sprang out of his chair and picked up his hat. "i cannot waste time over ', ' well." mr. windibank sprang out of his chair and picked up his hat. "i cannot waste time over this ', '." mr. windibank sprang out of his chair and picked up his hat. "i cannot waste time over this sort ', '. windibank sprang out of his chair and picked up his hat. "i cannot waste time over this sort of fa', 'dibank sprang out of his chair and picked up his hat. "i cannot waste time over this sort of fantast', 'k sprang out of his chair and picked up his hat. "i cannot waste time over this sort of fantastic ta', 'ang out of his chair and picked up his hat. "i cannot waste time over this sort of fantastic talk, m', 'ut of his chair and picked up his hat. "i cannot waste time over this sort of fantastic talk, mr. ho', ' his chair and picked up his hat. "i cannot waste time over this sort of fantastic talk, mr. holmes,', 'chair and picked up his hat. "i cannot waste time over this sort of fantastic talk, mr. holmes," he ', ' and picked up his hat. "i cannot waste time over this sort of fantastic talk, mr. holmes," he said.', 'picked up his hat. "i cannot waste time over this sort of fantastic talk, mr. holmes," he said. "if ', 'd up his hat. "i cannot waste time over this sort of fantastic talk, mr. holmes," he said. "if you c', 'his hat. "i cannot waste time over this sort of fantastic talk, mr. holmes," he said. "if you can ca', 'at. "i cannot waste time over this sort of fantastic talk, mr. holmes," he said. "if you can catch t', 'i cannot waste time over this sort of fantastic talk, mr. holmes," he said. "if you can catch the ma', 'not waste time over this sort of fantastic talk, mr. holmes," he said. "if you can catch the man, ca', 'aste time over this sort of fantastic talk, mr. holmes," he said. "if you can catch the man, catch h', 'time over this sort of fantastic talk, mr. holmes," he said. "if you can catch the man, catch him, a', 'over this sort of fantastic talk, mr. holmes," he said. "if you can catch the man, catch him, and le', 'this sort of fantastic talk, mr. holmes," he said. "if you can catch the man, catch him, and let me ', 'sort of fantastic talk, mr. holmes," he said. "if you can catch the man, catch him, and let me know ', 'of fantastic talk, mr. holmes," he said. "if you can catch the man, catch him, and let me know when ', 'ntastic talk, mr. holmes," he said. "if you can catch the man, catch him, and let me know when you h', 'ic talk, mr. holmes," he said. "if you can catch the man, catch him, and let me know when you have d', 'lk, mr. holmes," he said. "if you can catch the man, catch him, and let me know when you have done i', 'r. holmes," he said. "if you can catch the man, catch him, and let me know when you have done it." "', 'lmes," he said. "if you can catch the man, catch him, and let me know when you have done it." "certa', '" he said. "if you can catch the man, catch him, and let me know when you have done it." "certainly,', 'said. "if you can catch the man, catch him, and let me know when you have done it." "certainly," sai', ' "if you can catch the man, catch him, and let me know when you have done it." "certainly," said hol', 'you can catch the man, catch him, and let me know when you have done it." "certainly," said holmes, ', 'an catch the man, catch him, and let me know when you have done it." "certainly," said holmes, stepp', 'tch the man, catch him, and let me know when you have done it." "certainly," said holmes, stepping o', 'he man, catch him, and let me know when you have done it." "certainly," said holmes, stepping over a', 'n, catch him, and let me know when you have done it." "certainly," said holmes, stepping over and tu', 'tch him, and let me know when you have done it." "certainly," said holmes, stepping over and turning', 'im, and let me know when you have done it." "certainly," said holmes, stepping over and turning the ', 'nd let me know when you have done it." "certainly," said holmes, stepping over and turning the key i', 't me know when you have done it." "certainly," said holmes, stepping over and turning the key in the', 'know when you have done it." "certainly," said holmes, stepping over and turning the key in the door', 'when you have done it." "certainly," said holmes, stepping over and turning the key in the door. "i ', 'you have done it." "certainly," said holmes, stepping over and turning the key in the door. "i let y', 'ave done it." "certainly," said holmes, stepping over and turning the key in the door. "i let you kn', 'one it." "certainly," said holmes, stepping over and turning the key in the door. "i let you know, t', 't." "certainly," said holmes, stepping over and turning the key in the door. "i let you know, then, ', 'certainly," said holmes, stepping over and turning the key in the door. "i let you know, then, that ', 'inly," said holmes, stepping over and turning the key in the door. "i let you know, then, that i hav', '" said holmes, stepping over and turning the key in the door. "i let you know, then, that i have cau', 'd holmes, stepping over and turning the key in the door. "i let you know, then, that i have caught h', 'mes, stepping over and turning the key in the door. "i let you know, then, that i have caught him "', 'stepping over and turning the key in the door. "i let you know, then, that i have caught him "what!', 'ing over and turning the key in the door. "i let you know, then, that i have caught him "what! wher', 'ver and turning the key in the door. "i let you know, then, that i have caught him "what! where?" s', 'nd turning the key in the door. "i let you know, then, that i have caught him "what! where?" shoute', 'rning the key in the door. "i let you know, then, that i have caught him "what! where?" shouted mr.', ' the key in the door. "i let you know, then, that i have caught him "what! where?" shouted mr. wind', 'key in the door. "i let you know, then, that i have caught him "what! where?" shouted mr. windibank', 'n the door. "i let you know, then, that i have caught him "what! where?" shouted mr. windibank, tur', ' door. "i let you know, then, that i have caught him "what! where?" shouted mr. windibank, turning ', '. "i let you know, then, that i have caught him "what! where?" shouted mr. windibank, turning white', 'let you know, then, that i have caught him "what! where?" shouted mr. windibank, turning white to h', 'ou know, then, that i have caught him "what! where?" shouted mr. windibank, turning white to his li', 'ow, then, that i have caught him "what! where?" shouted mr. windibank, turning white to his lips an', 'hen, that i have caught him "what! where?" shouted mr. windibank, turning white to his lips and gla', 'that i have caught him "what! where?" shouted mr. windibank, turning white to his lips and glancing', 'i have caught him "what! where?" shouted mr. windibank, turning white to his lips and glancing abou', 'e caught him "what! where?" shouted mr. windibank, turning white to his lips and glancing about him', 'ght him "what! where?" shouted mr. windibank, turning white to his lips and glancing about him like', 'im "what! where?" shouted mr. windibank, turning white to his lips and glancing about him like a ra', 'what! where?" shouted mr. windibank, turning white to his lips and glancing about him like a rat in ', ' where?" shouted mr. windibank, turning white to his lips and glancing about him like a rat in a tra', 'e?" shouted mr. windibank, turning white to his lips and glancing about him like a rat in a trap. "o', 'houted mr. windibank, turning white to his lips and glancing about him like a rat in a trap. "oh, it', 'd mr. windibank, turning white to his lips and glancing about him like a rat in a trap. "oh, it won\'', ' windibank, turning white to his lips and glancing about him like a rat in a trap. "oh, it won\'t dor', 'ibank, turning white to his lips and glancing about him like a rat in a trap. "oh, it won\'t doreally', ', turning white to his lips and glancing about him like a rat in a trap. "oh, it won\'t doreally it w', 'ning white to his lips and glancing about him like a rat in a trap. "oh, it won\'t doreally it won\'t,', 'white to his lips and glancing about him like a rat in a trap. "oh, it won\'t doreally it won\'t," sai', ' to his lips and glancing about him like a rat in a trap. "oh, it won\'t doreally it won\'t," said hol', 'is lips and glancing about him like a rat in a trap. "oh, it won\'t doreally it won\'t," said holmes s', 'ps and glancing about him like a rat in a trap. "oh, it won\'t doreally it won\'t," said holmes suavel', 'd glancing about him like a rat in a trap. "oh, it won\'t doreally it won\'t," said holmes suavely. "t', 'ncing about him like a rat in a trap. "oh, it won\'t doreally it won\'t," said holmes suavely. "there ', ' about him like a rat in a trap. "oh, it won\'t doreally it won\'t," said holmes suavely. "there is no', 't him like a rat in a trap. "oh, it won\'t doreally it won\'t," said holmes suavely. "there is no poss', ' like a rat in a trap. "oh, it won\'t doreally it won\'t," said holmes suavely. "there is no possible ', ' a rat in a trap. "oh, it won\'t doreally it won\'t," said holmes suavely. "there is no possible getti', 't in a trap. "oh, it won\'t doreally it won\'t," said holmes suavely. "there is no possible getting ou', 'a trap. "oh, it won\'t doreally it won\'t," said holmes suavely. "there is no possible getting out of ', 'p. "oh, it won\'t doreally it won\'t," said holmes suavely. "there is no possible getting out of it, m', 'h, it won\'t doreally it won\'t," said holmes suavely. "there is no possible getting out of it, mr. wi', ' won\'t doreally it won\'t," said holmes suavely. "there is no possible getting out of it, mr. windiba', 't doreally it won\'t," said holmes suavely. "there is no possible getting out of it, mr. windibank. i', 'eally it won\'t," said holmes suavely. "there is no possible getting out of it, mr. windibank. it is ', ' it won\'t," said holmes suavely. "there is no possible getting out of it, mr. windibank. it is quite', 'on\'t," said holmes suavely. "there is no possible getting out of it, mr. windibank. it is quite too ', '" said holmes suavely. "there is no possible getting out of it, mr. windibank. it is quite too trans', 'd holmes suavely. "there is no possible getting out of it, mr. windibank. it is quite too transparen', 'mes suavely. "there is no possible getting out of it, mr. windibank. it is quite too transparent, an', 'uavely. "there is no possible getting out of it, mr. windibank. it is quite too transparent, and it ', 'y. "there is no possible getting out of it, mr. windibank. it is quite too transparent, and it was a', 'here is no possible getting out of it, mr. windibank. it is quite too transparent, and it was a very', 'is no possible getting out of it, mr. windibank. it is quite too transparent, and it was a very bad ', ' possible getting out of it, mr. windibank. it is quite too transparent, and it was a very bad compl', 'ible getting out of it, mr. windibank. it is quite too transparent, and it was a very bad compliment', 'getting out of it, mr. windibank. it is quite too transparent, and it was a very bad compliment when', 'ng out of it, mr. windibank. it is quite too transparent, and it was a very bad compliment when you ', 't of it, mr. windibank. it is quite too transparent, and it was a very bad compliment when you said ', 'it, mr. windibank. it is quite too transparent, and it was a very bad compliment when you said that ', 'r. windibank. it is quite too transparent, and it was a very bad compliment when you said that it wa', 'ndibank. it is quite too transparent, and it was a very bad compliment when you said that it was imp', 'nk. it is quite too transparent, and it was a very bad compliment when you said that it was impossib', 't is quite too transparent, and it was a very bad compliment when you said that it was impossible fo', 'quite too transparent, and it was a very bad compliment when you said that it was impossible for me ', ' too transparent, and it was a very bad compliment when you said that it was impossible for me to so', 'transparent, and it was a very bad compliment when you said that it was impossible for me to solve s', 'parent, and it was a very bad compliment when you said that it was impossible for me to solve so sim', 't, and it was a very bad compliment when you said that it was impossible for me to solve so simple a', 'd it was a very bad compliment when you said that it was impossible for me to solve so simple a ques', 'was a very bad compliment when you said that it was impossible for me to solve so simple a question.', ' very bad compliment when you said that it was impossible for me to solve so simple a question. that', " bad compliment when you said that it was impossible for me to solve so simple a question. that's ri", "compliment when you said that it was impossible for me to solve so simple a question. that's right! ", "iment when you said that it was impossible for me to solve so simple a question. that's right! sit d", " when you said that it was impossible for me to solve so simple a question. that's right! sit down a", " you said that it was impossible for me to solve so simple a question. that's right! sit down and le", "said that it was impossible for me to solve so simple a question. that's right! sit down and let us ", "that it was impossible for me to solve so simple a question. that's right! sit down and let us talk ", "it was impossible for me to solve so simple a question. that's right! sit down and let us talk it ov", 's impossible for me to solve so simple a question. that\'s right! sit down and let us talk it over." ', 'ossible for me to solve so simple a question. that\'s right! sit down and let us talk it over." our v', 'le for me to solve so simple a question. that\'s right! sit down and let us talk it over." our visito', 'r me to solve so simple a question. that\'s right! sit down and let us talk it over." our visitor col', 'to solve so simple a question. that\'s right! sit down and let us talk it over." our visitor collapse', 'lve so simple a question. that\'s right! sit down and let us talk it over." our visitor collapsed int', 'o simple a question. that\'s right! sit down and let us talk it over." our visitor collapsed into a c', 'ple a question. that\'s right! sit down and let us talk it over." our visitor collapsed into a chair,', ' question. that\'s right! sit down and let us talk it over." our visitor collapsed into a chair, with', 'tion. that\'s right! sit down and let us talk it over." our visitor collapsed into a chair, with a gh', ' that\'s right! sit down and let us talk it over." our visitor collapsed into a chair, with a ghastly', '\'s right! sit down and let us talk it over." our visitor collapsed into a chair, with a ghastly face', 'ght! sit down and let us talk it over." our visitor collapsed into a chair, with a ghastly face and ', 'sit down and let us talk it over." our visitor collapsed into a chair, with a ghastly face and a gli', 'own and let us talk it over." our visitor collapsed into a chair, with a ghastly face and a glitter ', 'nd let us talk it over." our visitor collapsed into a chair, with a ghastly face and a glitter of mo', 't us talk it over." our visitor collapsed into a chair, with a ghastly face and a glitter of moistur', 'talk it over." our visitor collapsed into a chair, with a ghastly face and a glitter of moisture on ', 'it over." our visitor collapsed into a chair, with a ghastly face and a glitter of moisture on his b', 'er." our visitor collapsed into a chair, with a ghastly face and a glitter of moisture on his brow. ', 'our visitor collapsed into a chair, with a ghastly face and a glitter of moisture on his brow. "itit', 'isitor collapsed into a chair, with a ghastly face and a glitter of moisture on his brow. "itit\'s no', 'r collapsed into a chair, with a ghastly face and a glitter of moisture on his brow. "itit\'s not act', 'lapsed into a chair, with a ghastly face and a glitter of moisture on his brow. "itit\'s not actionab', 'd into a chair, with a ghastly face and a glitter of moisture on his brow. "itit\'s not actionable," ', 'o a chair, with a ghastly face and a glitter of moisture on his brow. "itit\'s not actionable," he st', 'hair, with a ghastly face and a glitter of moisture on his brow. "itit\'s not actionable," he stammer', ' with a ghastly face and a glitter of moisture on his brow. "itit\'s not actionable," he stammered. "', ' a ghastly face and a glitter of moisture on his brow. "itit\'s not actionable," he stammered. "i am ', 'astly face and a glitter of moisture on his brow. "itit\'s not actionable," he stammered. "i am very ', ' face and a glitter of moisture on his brow. "itit\'s not actionable," he stammered. "i am very much ', ' and a glitter of moisture on his brow. "itit\'s not actionable," he stammered. "i am very much afrai', 'a glitter of moisture on his brow. "itit\'s not actionable," he stammered. "i am very much afraid tha', 'tter of moisture on his brow. "itit\'s not actionable," he stammered. "i am very much afraid that it ', 'of moisture on his brow. "itit\'s not actionable," he stammered. "i am very much afraid that it is no', 'isture on his brow. "itit\'s not actionable," he stammered. "i am very much afraid that it is not. bu', 'e on his brow. "itit\'s not actionable," he stammered. "i am very much afraid that it is not. but bet', 'his brow. "itit\'s not actionable," he stammered. "i am very much afraid that it is not. but between ', 'row. "itit\'s not actionable," he stammered. "i am very much afraid that it is not. but between ourse', '"itit\'s not actionable," he stammered. "i am very much afraid that it is not. but between ourselves,', '\'s not actionable," he stammered. "i am very much afraid that it is not. but between ourselves, wind', 't actionable," he stammered. "i am very much afraid that it is not. but between ourselves, windibank', 'ionable," he stammered. "i am very much afraid that it is not. but between ourselves, windibank, it ', 'le," he stammered. "i am very much afraid that it is not. but between ourselves, windibank, it was a', 'he stammered. "i am very much afraid that it is not. but between ourselves, windibank, it was as cru', 'ammered. "i am very much afraid that it is not. but between ourselves, windibank, it was as cruel an', 'ed. "i am very much afraid that it is not. but between ourselves, windibank, it was as cruel and sel', 'i am very much afraid that it is not. but between ourselves, windibank, it was as cruel and selfish ', 'very much afraid that it is not. but between ourselves, windibank, it was as cruel and selfish and h', 'much afraid that it is not. but between ourselves, windibank, it was as cruel and selfish and heartl', 'afraid that it is not. but between ourselves, windibank, it was as cruel and selfish and heartless a', 'd that it is not. but between ourselves, windibank, it was as cruel and selfish and heartless a tric', 't it is not. but between ourselves, windibank, it was as cruel and selfish and heartless a trick in ', 'is not. but between ourselves, windibank, it was as cruel and selfish and heartless a trick in a pet', 't. but between ourselves, windibank, it was as cruel and selfish and heartless a trick in a petty wa', 't between ourselves, windibank, it was as cruel and selfish and heartless a trick in a petty way as ', 'ween ourselves, windibank, it was as cruel and selfish and heartless a trick in a petty way as ever ', 'ourselves, windibank, it was as cruel and selfish and heartless a trick in a petty way as ever came ', 'lves, windibank, it was as cruel and selfish and heartless a trick in a petty way as ever came befor', ' windibank, it was as cruel and selfish and heartless a trick in a petty way as ever came before me.', 'ibank, it was as cruel and selfish and heartless a trick in a petty way as ever came before me. now,', ', it was as cruel and selfish and heartless a trick in a petty way as ever came before me. now, let ', 'was as cruel and selfish and heartless a trick in a petty way as ever came before me. now, let me ju', 's cruel and selfish and heartless a trick in a petty way as ever came before me. now, let me just ru', 'el and selfish and heartless a trick in a petty way as ever came before me. now, let me just run ove', 'd selfish and heartless a trick in a petty way as ever came before me. now, let me just run over the', 'fish and heartless a trick in a petty way as ever came before me. now, let me just run over the cour', 'and heartless a trick in a petty way as ever came before me. now, let me just run over the course of', 'eartless a trick in a petty way as ever came before me. now, let me just run over the course of even', 'ess a trick in a petty way as ever came before me. now, let me just run over the course of events, a', ' trick in a petty way as ever came before me. now, let me just run over the course of events, and yo', 'k in a petty way as ever came before me. now, let me just run over the course of events, and you wil', 'a petty way as ever came before me. now, let me just run over the course of events, and you will con', 'ty way as ever came before me. now, let me just run over the course of events, and you will contradi', 'y as ever came before me. now, let me just run over the course of events, and you will contradict me', 'ever came before me. now, let me just run over the course of events, and you will contradict me if i', 'came before me. now, let me just run over the course of events, and you will contradict me if i go w', 'before me. now, let me just run over the course of events, and you will contradict me if i go wrong.', 'e me. now, let me just run over the course of events, and you will contradict me if i go wrong." the', ' now, let me just run over the course of events, and you will contradict me if i go wrong." the man ', ' let me just run over the course of events, and you will contradict me if i go wrong." the man sat h', 'me just run over the course of events, and you will contradict me if i go wrong." the man sat huddle', 'st run over the course of events, and you will contradict me if i go wrong." the man sat huddled up ', 'n over the course of events, and you will contradict me if i go wrong." the man sat huddled up in hi', 'r the course of events, and you will contradict me if i go wrong." the man sat huddled up in his cha', ' course of events, and you will contradict me if i go wrong." the man sat huddled up in his chair, w', 'se of events, and you will contradict me if i go wrong." the man sat huddled up in his chair, with h', ' events, and you will contradict me if i go wrong." the man sat huddled up in his chair, with his he', 'ts, and you will contradict me if i go wrong." the man sat huddled up in his chair, with his head su', 'nd you will contradict me if i go wrong." the man sat huddled up in his chair, with his head sunk up', 'u will contradict me if i go wrong." the man sat huddled up in his chair, with his head sunk upon hi', 'l contradict me if i go wrong." the man sat huddled up in his chair, with his head sunk upon his bre', 'tradict me if i go wrong." the man sat huddled up in his chair, with his head sunk upon his breast, ', 'ct me if i go wrong." the man sat huddled up in his chair, with his head sunk upon his breast, like ', ' if i go wrong." the man sat huddled up in his chair, with his head sunk upon his breast, like one w', ' go wrong." the man sat huddled up in his chair, with his head sunk upon his breast, like one who is', 'rong." the man sat huddled up in his chair, with his head sunk upon his breast, like one who is utte', '" the man sat huddled up in his chair, with his head sunk upon his breast, like one who is utterly c', ' man sat huddled up in his chair, with his head sunk upon his breast, like one who is utterly crushe', 'sat huddled up in his chair, with his head sunk upon his breast, like one who is utterly crushed. ho', 'uddled up in his chair, with his head sunk upon his breast, like one who is utterly crushed. holmes ', 'd up in his chair, with his head sunk upon his breast, like one who is utterly crushed. holmes stuck', 'in his chair, with his head sunk upon his breast, like one who is utterly crushed. holmes stuck his ', 's chair, with his head sunk upon his breast, like one who is utterly crushed. holmes stuck his feet ', 'ir, with his head sunk upon his breast, like one who is utterly crushed. holmes stuck his feet up on', 'ith his head sunk upon his breast, like one who is utterly crushed. holmes stuck his feet up on the ', 'is head sunk upon his breast, like one who is utterly crushed. holmes stuck his feet up on the corne', 'ad sunk upon his breast, like one who is utterly crushed. holmes stuck his feet up on the corner of ', 'nk upon his breast, like one who is utterly crushed. holmes stuck his feet up on the corner of the m', 'on his breast, like one who is utterly crushed. holmes stuck his feet up on the corner of the mantel', 's breast, like one who is utterly crushed. holmes stuck his feet up on the corner of the mantelpiece', 'ast, like one who is utterly crushed. holmes stuck his feet up on the corner of the mantelpiece and,', 'like one who is utterly crushed. holmes stuck his feet up on the corner of the mantelpiece and, lean', 'one who is utterly crushed. holmes stuck his feet up on the corner of the mantelpiece and, leaning b', 'ho is utterly crushed. holmes stuck his feet up on the corner of the mantelpiece and, leaning back w', ' utterly crushed. holmes stuck his feet up on the corner of the mantelpiece and, leaning back with h', 'rly crushed. holmes stuck his feet up on the corner of the mantelpiece and, leaning back with his ha', 'rushed. holmes stuck his feet up on the corner of the mantelpiece and, leaning back with his hands i', 'd. holmes stuck his feet up on the corner of the mantelpiece and, leaning back with his hands in his', 'lmes stuck his feet up on the corner of the mantelpiece and, leaning back with his hands in his pock', 'stuck his feet up on the corner of the mantelpiece and, leaning back with his hands in his pockets, ', ' his feet up on the corner of the mantelpiece and, leaning back with his hands in his pockets, began', 'feet up on the corner of the mantelpiece and, leaning back with his hands in his pockets, began talk', 'up on the corner of the mantelpiece and, leaning back with his hands in his pockets, began talking, ', ' the corner of the mantelpiece and, leaning back with his hands in his pockets, began talking, rathe', 'corner of the mantelpiece and, leaning back with his hands in his pockets, began talking, rather to ', 'r of the mantelpiece and, leaning back with his hands in his pockets, began talking, rather to himse', 'the mantelpiece and, leaning back with his hands in his pockets, began talking, rather to himself, a', 'antelpiece and, leaning back with his hands in his pockets, began talking, rather to himself, as it ', 'piece and, leaning back with his hands in his pockets, began talking, rather to himself, as it seeme', ' and, leaning back with his hands in his pockets, began talking, rather to himself, as it seemed, th', ' leaning back with his hands in his pockets, began talking, rather to himself, as it seemed, than to', 'ing back with his hands in his pockets, began talking, rather to himself, as it seemed, than to us. ', 'ack with his hands in his pockets, began talking, rather to himself, as it seemed, than to us. "the ', 'ith his hands in his pockets, began talking, rather to himself, as it seemed, than to us. "the man m', 'is hands in his pockets, began talking, rather to himself, as it seemed, than to us. "the man marrie', 'nds in his pockets, began talking, rather to himself, as it seemed, than to us. "the man married a w', 'n his pockets, began talking, rather to himself, as it seemed, than to us. "the man married a woman ', ' pockets, began talking, rather to himself, as it seemed, than to us. "the man married a woman very ', 'ets, began talking, rather to himself, as it seemed, than to us. "the man married a woman very much ', 'began talking, rather to himself, as it seemed, than to us. "the man married a woman very much older', ' talking, rather to himself, as it seemed, than to us. "the man married a woman very much older than', 'ing, rather to himself, as it seemed, than to us. "the man married a woman very much older than hims', 'rather to himself, as it seemed, than to us. "the man married a woman very much older than himself f', 'r to himself, as it seemed, than to us. "the man married a woman very much older than himself for he', 'himself, as it seemed, than to us. "the man married a woman very much older than himself for her mon', 'lf, as it seemed, than to us. "the man married a woman very much older than himself for her money," ', 's it seemed, than to us. "the man married a woman very much older than himself for her money," said ', 'seemed, than to us. "the man married a woman very much older than himself for her money," said he, "', 'd, than to us. "the man married a woman very much older than himself for her money," said he, "and h', 'an to us. "the man married a woman very much older than himself for her money," said he, "and he enj', ' us. "the man married a woman very much older than himself for her money," said he, "and he enjoyed ', '"the man married a woman very much older than himself for her money," said he, "and he enjoyed the u', 'man married a woman very much older than himself for her money," said he, "and he enjoyed the use of', 'arried a woman very much older than himself for her money," said he, "and he enjoyed the use of the ', 'd a woman very much older than himself for her money," said he, "and he enjoyed the use of the money', 'oman very much older than himself for her money," said he, "and he enjoyed the use of the money of t', 'very much older than himself for her money," said he, "and he enjoyed the use of the money of the da', 'much older than himself for her money," said he, "and he enjoyed the use of the money of the daughte', 'older than himself for her money," said he, "and he enjoyed the use of the money of the daughter as ', ' than himself for her money," said he, "and he enjoyed the use of the money of the daughter as long ', ' himself for her money," said he, "and he enjoyed the use of the money of the daughter as long as sh', 'elf for her money," said he, "and he enjoyed the use of the money of the daughter as long as she liv', 'or her money," said he, "and he enjoyed the use of the money of the daughter as long as she lived wi', 'r money," said he, "and he enjoyed the use of the money of the daughter as long as she lived with th', 'ey," said he, "and he enjoyed the use of the money of the daughter as long as she lived with them. i', 'said he, "and he enjoyed the use of the money of the daughter as long as she lived with them. it was', 'he, "and he enjoyed the use of the money of the daughter as long as she lived with them. it was a co', 'and he enjoyed the use of the money of the daughter as long as she lived with them. it was a conside', 'e enjoyed the use of the money of the daughter as long as she lived with them. it was a considerable', 'oyed the use of the money of the daughter as long as she lived with them. it was a considerable sum,', 'the use of the money of the daughter as long as she lived with them. it was a considerable sum, for ', 'se of the money of the daughter as long as she lived with them. it was a considerable sum, for peopl', ' the money of the daughter as long as she lived with them. it was a considerable sum, for people in ', 'money of the daughter as long as she lived with them. it was a considerable sum, for people in their', ' of the daughter as long as she lived with them. it was a considerable sum, for people in their posi', 'he daughter as long as she lived with them. it was a considerable sum, for people in their position,', 'ughter as long as she lived with them. it was a considerable sum, for people in their position, and ', 'r as long as she lived with them. it was a considerable sum, for people in their position, and the l', 'long as she lived with them. it was a considerable sum, for people in their position, and the loss o', 'as she lived with them. it was a considerable sum, for people in their position, and the loss of it ', 'e lived with them. it was a considerable sum, for people in their position, and the loss of it would', 'ed with them. it was a considerable sum, for people in their position, and the loss of it would have', 'th them. it was a considerable sum, for people in their position, and the loss of it would have made', 'em. it was a considerable sum, for people in their position, and the loss of it would have made a se', 't was a considerable sum, for people in their position, and the loss of it would have made a serious', ' a considerable sum, for people in their position, and the loss of it would have made a serious diff', 'nsiderable sum, for people in their position, and the loss of it would have made a serious differenc', 'rable sum, for people in their position, and the loss of it would have made a serious difference. it', ' sum, for people in their position, and the loss of it would have made a serious difference. it was ', ' for people in their position, and the loss of it would have made a serious difference. it was worth', 'people in their position, and the loss of it would have made a serious difference. it was worth an e', 'e in their position, and the loss of it would have made a serious difference. it was worth an effort', 'their position, and the loss of it would have made a serious difference. it was worth an effort to p', ' position, and the loss of it would have made a serious difference. it was worth an effort to preser', 'tion, and the loss of it would have made a serious difference. it was worth an effort to preserve it', ' and the loss of it would have made a serious difference. it was worth an effort to preserve it. the', 'the loss of it would have made a serious difference. it was worth an effort to preserve it. the daug', 'oss of it would have made a serious difference. it was worth an effort to preserve it. the daughter ', 'f it would have made a serious difference. it was worth an effort to preserve it. the daughter was o', 'would have made a serious difference. it was worth an effort to preserve it. the daughter was of a g', ' have made a serious difference. it was worth an effort to preserve it. the daughter was of a good, ', ' made a serious difference. it was worth an effort to preserve it. the daughter was of a good, amiab', ' a serious difference. it was worth an effort to preserve it. the daughter was of a good, amiable di', 'rious difference. it was worth an effort to preserve it. the daughter was of a good, amiable disposi', ' difference. it was worth an effort to preserve it. the daughter was of a good, amiable disposition,', 'erence. it was worth an effort to preserve it. the daughter was of a good, amiable disposition, but ', 'e. it was worth an effort to preserve it. the daughter was of a good, amiable disposition, but affec', ' was worth an effort to preserve it. the daughter was of a good, amiable disposition, but affectiona', 'worth an effort to preserve it. the daughter was of a good, amiable disposition, but affectionate an', ' an effort to preserve it. the daughter was of a good, amiable disposition, but affectionate and war', 'ffort to preserve it. the daughter was of a good, amiable disposition, but affectionate and warm-hea', ' to preserve it. the daughter was of a good, amiable disposition, but affectionate and warm-hearted ', 'reserve it. the daughter was of a good, amiable disposition, but affectionate and warm-hearted in he', 've it. the daughter was of a good, amiable disposition, but affectionate and warm-hearted in her way', '. the daughter was of a good, amiable disposition, but affectionate and warm-hearted in her ways, so', ' daughter was of a good, amiable disposition, but affectionate and warm-hearted in her ways, so that', 'hter was of a good, amiable disposition, but affectionate and warm-hearted in her ways, so that it w', 'was of a good, amiable disposition, but affectionate and warm-hearted in her ways, so that it was ev', 'f a good, amiable disposition, but affectionate and warm-hearted in her ways, so that it was evident', 'ood, amiable disposition, but affectionate and warm-hearted in her ways, so that it was evident that', 'amiable disposition, but affectionate and warm-hearted in her ways, so that it was evident that with', 'le disposition, but affectionate and warm-hearted in her ways, so that it was evident that with her ', 'sposition, but affectionate and warm-hearted in her ways, so that it was evident that with her fair ', 'tion, but affectionate and warm-hearted in her ways, so that it was evident that with her fair perso', ' but affectionate and warm-hearted in her ways, so that it was evident that with her fair personal a', 'affectionate and warm-hearted in her ways, so that it was evident that with her fair personal advant', 'tionate and warm-hearted in her ways, so that it was evident that with her fair personal advantages,', 'te and warm-hearted in her ways, so that it was evident that with her fair personal advantages, and ', 'd warm-hearted in her ways, so that it was evident that with her fair personal advantages, and her l', 'm-hearted in her ways, so that it was evident that with her fair personal advantages, and her little', 'rted in her ways, so that it was evident that with her fair personal advantages, and her little inco', 'in her ways, so that it was evident that with her fair personal advantages, and her little income, s', 'r ways, so that it was evident that with her fair personal advantages, and her little income, she wo', 's, so that it was evident that with her fair personal advantages, and her little income, she would n', ' that it was evident that with her fair personal advantages, and her little income, she would not be', ' it was evident that with her fair personal advantages, and her little income, she would not be allo', 'as evident that with her fair personal advantages, and her little income, she would not be allowed t', 'ident that with her fair personal advantages, and her little income, she would not be allowed to rem', ' that with her fair personal advantages, and her little income, she would not be allowed to remain s', ' with her fair personal advantages, and her little income, she would not be allowed to remain single', ' her fair personal advantages, and her little income, she would not be allowed to remain single long', 'fair personal advantages, and her little income, she would not be allowed to remain single long. now', 'personal advantages, and her little income, she would not be allowed to remain single long. now her ', 'nal advantages, and her little income, she would not be allowed to remain single long. now her marri', 'dvantages, and her little income, she would not be allowed to remain single long. now her marriage w', 'ages, and her little income, she would not be allowed to remain single long. now her marriage would ', ' and her little income, she would not be allowed to remain single long. now her marriage would mean,', 'her little income, she would not be allowed to remain single long. now her marriage would mean, of c', 'ittle income, she would not be allowed to remain single long. now her marriage would mean, of course', ' income, she would not be allowed to remain single long. now her marriage would mean, of course, the', 'me, she would not be allowed to remain single long. now her marriage would mean, of course, the loss', 'he would not be allowed to remain single long. now her marriage would mean, of course, the loss of a', 'uld not be allowed to remain single long. now her marriage would mean, of course, the loss of a hund', 'ot be allowed to remain single long. now her marriage would mean, of course, the loss of a hundred a', ' allowed to remain single long. now her marriage would mean, of course, the loss of a hundred a year', 'wed to remain single long. now her marriage would mean, of course, the loss of a hundred a year, so ', 'o remain single long. now her marriage would mean, of course, the loss of a hundred a year, so what ', 'ain single long. now her marriage would mean, of course, the loss of a hundred a year, so what does ', 'ingle long. now her marriage would mean, of course, the loss of a hundred a year, so what does her s', ' long. now her marriage would mean, of course, the loss of a hundred a year, so what does her stepfa', '. now her marriage would mean, of course, the loss of a hundred a year, so what does her stepfather ', ' her marriage would mean, of course, the loss of a hundred a year, so what does her stepfather do to', 'marriage would mean, of course, the loss of a hundred a year, so what does her stepfather do to prev', 'age would mean, of course, the loss of a hundred a year, so what does her stepfather do to prevent i', 'ould mean, of course, the loss of a hundred a year, so what does her stepfather do to prevent it? he', 'mean, of course, the loss of a hundred a year, so what does her stepfather do to prevent it? he take', ' of course, the loss of a hundred a year, so what does her stepfather do to prevent it? he takes the', 'ourse, the loss of a hundred a year, so what does her stepfather do to prevent it? he takes the obvi', ', the loss of a hundred a year, so what does her stepfather do to prevent it? he takes the obvious c', ' loss of a hundred a year, so what does her stepfather do to prevent it? he takes the obvious course', ' of a hundred a year, so what does her stepfather do to prevent it? he takes the obvious course of k', ' hundred a year, so what does her stepfather do to prevent it? he takes the obvious course of keepin', 'red a year, so what does her stepfather do to prevent it? he takes the obvious course of keeping her', ' year, so what does her stepfather do to prevent it? he takes the obvious course of keeping her at h', ', so what does her stepfather do to prevent it? he takes the obvious course of keeping her at home a', 'what does her stepfather do to prevent it? he takes the obvious course of keeping her at home and fo', 'does her stepfather do to prevent it? he takes the obvious course of keeping her at home and forbidd', 'her stepfather do to prevent it? he takes the obvious course of keeping her at home and forbidding h', 'tepfather do to prevent it? he takes the obvious course of keeping her at home and forbidding her to', 'ther do to prevent it? he takes the obvious course of keeping her at home and forbidding her to seek', 'do to prevent it? he takes the obvious course of keeping her at home and forbidding her to seek the ', ' prevent it? he takes the obvious course of keeping her at home and forbidding her to seek the compa', 'ent it? he takes the obvious course of keeping her at home and forbidding her to seek the company of', 't? he takes the obvious course of keeping her at home and forbidding her to seek the company of peop', ' takes the obvious course of keeping her at home and forbidding her to seek the company of people of', 's the obvious course of keeping her at home and forbidding her to seek the company of people of her ', ' obvious course of keeping her at home and forbidding her to seek the company of people of her own a', 'ous course of keeping her at home and forbidding her to seek the company of people of her own age. b', 'ourse of keeping her at home and forbidding her to seek the company of people of her own age. but so', ' of keeping her at home and forbidding her to seek the company of people of her own age. but soon he', 'eeping her at home and forbidding her to seek the company of people of her own age. but soon he foun', 'g her at home and forbidding her to seek the company of people of her own age. but soon he found tha', ' at home and forbidding her to seek the company of people of her own age. but soon he found that tha', 'ome and forbidding her to seek the company of people of her own age. but soon he found that that wou', 'nd forbidding her to seek the company of people of her own age. but soon he found that that would no', 'rbidding her to seek the company of people of her own age. but soon he found that that would not ans', 'ing her to seek the company of people of her own age. but soon he found that that would not answer f', 'er to seek the company of people of her own age. but soon he found that that would not answer foreve', ' seek the company of people of her own age. but soon he found that that would not answer forever. sh', ' the company of people of her own age. but soon he found that that would not answer forever. she bec', 'company of people of her own age. but soon he found that that would not answer forever. she became r', 'ny of people of her own age. but soon he found that that would not answer forever. she became restiv', ' people of her own age. but soon he found that that would not answer forever. she became restive, in', 'le of her own age. but soon he found that that would not answer forever. she became restive, insiste', ' her own age. but soon he found that that would not answer forever. she became restive, insisted upo', 'own age. but soon he found that that would not answer forever. she became restive, insisted upon her', 'ge. but soon he found that that would not answer forever. she became restive, insisted upon her righ', 'ut soon he found that that would not answer forever. she became restive, insisted upon her rights, a', 'on he found that that would not answer forever. she became restive, insisted upon her rights, and fi', ' found that that would not answer forever. she became restive, insisted upon her rights, and finally', 'd that that would not answer forever. she became restive, insisted upon her rights, and finally anno', 't that would not answer forever. she became restive, insisted upon her rights, and finally announced', 't would not answer forever. she became restive, insisted upon her rights, and finally announced her ', 'ld not answer forever. she became restive, insisted upon her rights, and finally announced her posit', 't answer forever. she became restive, insisted upon her rights, and finally announced her positive i', 'wer forever. she became restive, insisted upon her rights, and finally announced her positive intent', 'orever. she became restive, insisted upon her rights, and finally announced her positive intention o', 'r. she became restive, insisted upon her rights, and finally announced her positive intention of goi', 'e became restive, insisted upon her rights, and finally announced her positive intention of going to', 'ame restive, insisted upon her rights, and finally announced her positive intention of going to a ce', 'estive, insisted upon her rights, and finally announced her positive intention of going to a certain', 'e, insisted upon her rights, and finally announced her positive intention of going to a certain ball', 'sisted upon her rights, and finally announced her positive intention of going to a certain ball. wha', 'd upon her rights, and finally announced her positive intention of going to a certain ball. what doe', 'n her rights, and finally announced her positive intention of going to a certain ball. what does her', ' rights, and finally announced her positive intention of going to a certain ball. what does her clev', 'ts, and finally announced her positive intention of going to a certain ball. what does her clever st', 'nd finally announced her positive intention of going to a certain ball. what does her clever stepfat', 'nally announced her positive intention of going to a certain ball. what does her clever stepfather d', ' announced her positive intention of going to a certain ball. what does her clever stepfather do the', 'unced her positive intention of going to a certain ball. what does her clever stepfather do then? he', ' her positive intention of going to a certain ball. what does her clever stepfather do then? he conc', 'positive intention of going to a certain ball. what does her clever stepfather do then? he conceives', 'ive intention of going to a certain ball. what does her clever stepfather do then? he conceives an i', 'ntention of going to a certain ball. what does her clever stepfather do then? he conceives an idea m', 'ion of going to a certain ball. what does her clever stepfather do then? he conceives an idea more c', 'f going to a certain ball. what does her clever stepfather do then? he conceives an idea more credit', 'ng to a certain ball. what does her clever stepfather do then? he conceives an idea more creditable ', ' a certain ball. what does her clever stepfather do then? he conceives an idea more creditable to hi', 'rtain ball. what does her clever stepfather do then? he conceives an idea more creditable to his hea', ' ball. what does her clever stepfather do then? he conceives an idea more creditable to his head tha', '. what does her clever stepfather do then? he conceives an idea more creditable to his head than to ', 't does her clever stepfather do then? he conceives an idea more creditable to his head than to his h', 's her clever stepfather do then? he conceives an idea more creditable to his head than to his heart.', ' clever stepfather do then? he conceives an idea more creditable to his head than to his heart. with', 'er stepfather do then? he conceives an idea more creditable to his head than to his heart. with the ', 'epfather do then? he conceives an idea more creditable to his head than to his heart. with the conni', 'her do then? he conceives an idea more creditable to his head than to his heart. with the connivance', 'o then? he conceives an idea more creditable to his head than to his heart. with the connivance and ', 'n? he conceives an idea more creditable to his head than to his heart. with the connivance and assis', ' conceives an idea more creditable to his head than to his heart. with the connivance and assistance', 'eives an idea more creditable to his head than to his heart. with the connivance and assistance of h', ' an idea more creditable to his head than to his heart. with the connivance and assistance of his wi', 'dea more creditable to his head than to his heart. with the connivance and assistance of his wife he', 'ore creditable to his head than to his heart. with the connivance and assistance of his wife he disg', 'reditable to his head than to his heart. with the connivance and assistance of his wife he disguised', 'able to his head than to his heart. with the connivance and assistance of his wife he disguised hims', 'to his head than to his heart. with the connivance and assistance of his wife he disguised himself, ', 's head than to his heart. with the connivance and assistance of his wife he disguised himself, cover', 'd than to his heart. with the connivance and assistance of his wife he disguised himself, covered th', 'n to his heart. with the connivance and assistance of his wife he disguised himself, covered those k', 'his heart. with the connivance and assistance of his wife he disguised himself, covered those keen e', 'eart. with the connivance and assistance of his wife he disguised himself, covered those keen eyes w', ' with the connivance and assistance of his wife he disguised himself, covered those keen eyes with t', ' the connivance and assistance of his wife he disguised himself, covered those keen eyes with tinted', 'connivance and assistance of his wife he disguised himself, covered those keen eyes with tinted glas', 'vance and assistance of his wife he disguised himself, covered those keen eyes with tinted glasses, ', ' and assistance of his wife he disguised himself, covered those keen eyes with tinted glasses, maske', 'assistance of his wife he disguised himself, covered those keen eyes with tinted glasses, masked the', 'tance of his wife he disguised himself, covered those keen eyes with tinted glasses, masked the face', ' of his wife he disguised himself, covered those keen eyes with tinted glasses, masked the face with', 'is wife he disguised himself, covered those keen eyes with tinted glasses, masked the face with a mo', 'fe he disguised himself, covered those keen eyes with tinted glasses, masked the face with a moustac', ' disguised himself, covered those keen eyes with tinted glasses, masked the face with a moustache an', 'uised himself, covered those keen eyes with tinted glasses, masked the face with a moustache and a p', ' himself, covered those keen eyes with tinted glasses, masked the face with a moustache and a pair o', 'elf, covered those keen eyes with tinted glasses, masked the face with a moustache and a pair of bus', 'covered those keen eyes with tinted glasses, masked the face with a moustache and a pair of bushy wh', 'ed those keen eyes with tinted glasses, masked the face with a moustache and a pair of bushy whisker', 'ose keen eyes with tinted glasses, masked the face with a moustache and a pair of bushy whiskers, su', 'een eyes with tinted glasses, masked the face with a moustache and a pair of bushy whiskers, sunk th', 'yes with tinted glasses, masked the face with a moustache and a pair of bushy whiskers, sunk that cl', 'ith tinted glasses, masked the face with a moustache and a pair of bushy whiskers, sunk that clear v', 'inted glasses, masked the face with a moustache and a pair of bushy whiskers, sunk that clear voice ', ' glasses, masked the face with a moustache and a pair of bushy whiskers, sunk that clear voice into ', 'ses, masked the face with a moustache and a pair of bushy whiskers, sunk that clear voice into an in', 'masked the face with a moustache and a pair of bushy whiskers, sunk that clear voice into an insinua', 'd the face with a moustache and a pair of bushy whiskers, sunk that clear voice into an insinuating ', ' face with a moustache and a pair of bushy whiskers, sunk that clear voice into an insinuating whisp', ' with a moustache and a pair of bushy whiskers, sunk that clear voice into an insinuating whisper, a', ' a moustache and a pair of bushy whiskers, sunk that clear voice into an insinuating whisper, and do', 'ustache and a pair of bushy whiskers, sunk that clear voice into an insinuating whisper, and doubly ', 'he and a pair of bushy whiskers, sunk that clear voice into an insinuating whisper, and doubly secur', 'd a pair of bushy whiskers, sunk that clear voice into an insinuating whisper, and doubly secure on ', 'air of bushy whiskers, sunk that clear voice into an insinuating whisper, and doubly secure on accou', 'f bushy whiskers, sunk that clear voice into an insinuating whisper, and doubly secure on account of', 'hy whiskers, sunk that clear voice into an insinuating whisper, and doubly secure on account of the ', "iskers, sunk that clear voice into an insinuating whisper, and doubly secure on account of the girl'", "s, sunk that clear voice into an insinuating whisper, and doubly secure on account of the girl's sho", "nk that clear voice into an insinuating whisper, and doubly secure on account of the girl's short si", "at clear voice into an insinuating whisper, and doubly secure on account of the girl's short sight, ", "ear voice into an insinuating whisper, and doubly secure on account of the girl's short sight, he ap", "oice into an insinuating whisper, and doubly secure on account of the girl's short sight, he appears", "into an insinuating whisper, and doubly secure on account of the girl's short sight, he appears as m", "an insinuating whisper, and doubly secure on account of the girl's short sight, he appears as mr. ho", "sinuating whisper, and doubly secure on account of the girl's short sight, he appears as mr. hosmer ", "ting whisper, and doubly secure on account of the girl's short sight, he appears as mr. hosmer angel", "whisper, and doubly secure on account of the girl's short sight, he appears as mr. hosmer angel, and", "er, and doubly secure on account of the girl's short sight, he appears as mr. hosmer angel, and keep", "nd doubly secure on account of the girl's short sight, he appears as mr. hosmer angel, and keeps off", "ubly secure on account of the girl's short sight, he appears as mr. hosmer angel, and keeps off othe", "secure on account of the girl's short sight, he appears as mr. hosmer angel, and keeps off other lov", "e on account of the girl's short sight, he appears as mr. hosmer angel, and keeps off other lovers b", "account of the girl's short sight, he appears as mr. hosmer angel, and keeps off other lovers by mak", "nt of the girl's short sight, he appears as mr. hosmer angel, and keeps off other lovers by making l", " the girl's short sight, he appears as mr. hosmer angel, and keeps off other lovers by making love h", "girl's short sight, he appears as mr. hosmer angel, and keeps off other lovers by making love himsel", 's short sight, he appears as mr. hosmer angel, and keeps off other lovers by making love himself." "', 'rt sight, he appears as mr. hosmer angel, and keeps off other lovers by making love himself." "it wa', 'ght, he appears as mr. hosmer angel, and keeps off other lovers by making love himself." "it was onl', 'he appears as mr. hosmer angel, and keeps off other lovers by making love himself." "it was only a j', 'pears as mr. hosmer angel, and keeps off other lovers by making love himself." "it was only a joke a', ' as mr. hosmer angel, and keeps off other lovers by making love himself." "it was only a joke at fir', 'r. hosmer angel, and keeps off other lovers by making love himself." "it was only a joke at first," ', 'smer angel, and keeps off other lovers by making love himself." "it was only a joke at first," groan', 'angel, and keeps off other lovers by making love himself." "it was only a joke at first," groaned ou', ', and keeps off other lovers by making love himself." "it was only a joke at first," groaned our vis', ' keeps off other lovers by making love himself." "it was only a joke at first," groaned our visitor.', 's off other lovers by making love himself." "it was only a joke at first," groaned our visitor. "we ', ' other lovers by making love himself." "it was only a joke at first," groaned our visitor. "we never', 'r lovers by making love himself." "it was only a joke at first," groaned our visitor. "we never thou', 'ers by making love himself." "it was only a joke at first," groaned our visitor. "we never thought t', 'y making love himself." "it was only a joke at first," groaned our visitor. "we never thought that s', 'ing love himself." "it was only a joke at first," groaned our visitor. "we never thought that she wo', 'ove himself." "it was only a joke at first," groaned our visitor. "we never thought that she would h', 'imself." "it was only a joke at first," groaned our visitor. "we never thought that she would have b', 'f." "it was only a joke at first," groaned our visitor. "we never thought that she would have been s', 'it was only a joke at first," groaned our visitor. "we never thought that she would have been so car', 's only a joke at first," groaned our visitor. "we never thought that she would have been so carried ', 'y a joke at first," groaned our visitor. "we never thought that she would have been so carried away.', 'oke at first," groaned our visitor. "we never thought that she would have been so carried away." "ve', 't first," groaned our visitor. "we never thought that she would have been so carried away." "very li', 'st," groaned our visitor. "we never thought that she would have been so carried away." "very likely ', 'groaned our visitor. "we never thought that she would have been so carried away." "very likely not. ', 'ed our visitor. "we never thought that she would have been so carried away." "very likely not. howev', 'r visitor. "we never thought that she would have been so carried away." "very likely not. however th', 'itor. "we never thought that she would have been so carried away." "very likely not. however that ma', ' "we never thought that she would have been so carried away." "very likely not. however that may be,', 'never thought that she would have been so carried away." "very likely not. however that may be, the ', ' thought that she would have been so carried away." "very likely not. however that may be, the young', 'ght that she would have been so carried away." "very likely not. however that may be, the young lady', 'hat she would have been so carried away." "very likely not. however that may be, the young lady was ', 'he would have been so carried away." "very likely not. however that may be, the young lady was very ', 'uld have been so carried away." "very likely not. however that may be, the young lady was very decid', 'ave been so carried away." "very likely not. however that may be, the young lady was very decidedly ', 'een so carried away." "very likely not. however that may be, the young lady was very decidedly carri', 'o carried away." "very likely not. however that may be, the young lady was very decidedly carried aw', 'ried away." "very likely not. however that may be, the young lady was very decidedly carried away, a', 'away." "very likely not. however that may be, the young lady was very decidedly carried away, and, h', '" "very likely not. however that may be, the young lady was very decidedly carried away, and, having', 'ry likely not. however that may be, the young lady was very decidedly carried away, and, having quit', 'kely not. however that may be, the young lady was very decidedly carried away, and, having quite mad', 'not. however that may be, the young lady was very decidedly carried away, and, having quite made up ', 'however that may be, the young lady was very decidedly carried away, and, having quite made up her m', 'er that may be, the young lady was very decidedly carried away, and, having quite made up her mind t', 'at may be, the young lady was very decidedly carried away, and, having quite made up her mind that h', 'y be, the young lady was very decidedly carried away, and, having quite made up her mind that her st', ' the young lady was very decidedly carried away, and, having quite made up her mind that her stepfat', 'young lady was very decidedly carried away, and, having quite made up her mind that her stepfather w', ' lady was very decidedly carried away, and, having quite made up her mind that her stepfather was in', ' was very decidedly carried away, and, having quite made up her mind that her stepfather was in fran', 'very decidedly carried away, and, having quite made up her mind that her stepfather was in france, t', 'decidedly carried away, and, having quite made up her mind that her stepfather was in france, the su', 'edly carried away, and, having quite made up her mind that her stepfather was in france, the suspici', 'carried away, and, having quite made up her mind that her stepfather was in france, the suspicion of', 'ed away, and, having quite made up her mind that her stepfather was in france, the suspicion of trea', 'ay, and, having quite made up her mind that her stepfather was in france, the suspicion of treachery', 'nd, having quite made up her mind that her stepfather was in france, the suspicion of treachery neve', 'aving quite made up her mind that her stepfather was in france, the suspicion of treachery never for', ' quite made up her mind that her stepfather was in france, the suspicion of treachery never for an i', 'e made up her mind that her stepfather was in france, the suspicion of treachery never for an instan', 'e up her mind that her stepfather was in france, the suspicion of treachery never for an instant ent', 'her mind that her stepfather was in france, the suspicion of treachery never for an instant entered ', 'ind that her stepfather was in france, the suspicion of treachery never for an instant entered her m', 'hat her stepfather was in france, the suspicion of treachery never for an instant entered her mind. ', 'er stepfather was in france, the suspicion of treachery never for an instant entered her mind. she w', 'epfather was in france, the suspicion of treachery never for an instant entered her mind. she was fl', 'her was in france, the suspicion of treachery never for an instant entered her mind. she was flatter', 'as in france, the suspicion of treachery never for an instant entered her mind. she was flattered by', ' france, the suspicion of treachery never for an instant entered her mind. she was flattered by the ', 'ce, the suspicion of treachery never for an instant entered her mind. she was flattered by the gentl', "he suspicion of treachery never for an instant entered her mind. she was flattered by the gentleman'", "spicion of treachery never for an instant entered her mind. she was flattered by the gentleman's att", "on of treachery never for an instant entered her mind. she was flattered by the gentleman's attentio", " treachery never for an instant entered her mind. she was flattered by the gentleman's attentions, a", "chery never for an instant entered her mind. she was flattered by the gentleman's attentions, and th", " never for an instant entered her mind. she was flattered by the gentleman's attentions, and the eff", "r for an instant entered her mind. she was flattered by the gentleman's attentions, and the effect w", " an instant entered her mind. she was flattered by the gentleman's attentions, and the effect was in", "nstant entered her mind. she was flattered by the gentleman's attentions, and the effect was increas", "t entered her mind. she was flattered by the gentleman's attentions, and the effect was increased by", "ered her mind. she was flattered by the gentleman's attentions, and the effect was increased by the ", "her mind. she was flattered by the gentleman's attentions, and the effect was increased by the loudl", "ind. she was flattered by the gentleman's attentions, and the effect was increased by the loudly exp", "she was flattered by the gentleman's attentions, and the effect was increased by the loudly expresse", "as flattered by the gentleman's attentions, and the effect was increased by the loudly expressed adm", "attered by the gentleman's attentions, and the effect was increased by the loudly expressed admirati", "ed by the gentleman's attentions, and the effect was increased by the loudly expressed admiration of", " the gentleman's attentions, and the effect was increased by the loudly expressed admiration of her ", "gentleman's attentions, and the effect was increased by the loudly expressed admiration of her mothe", "eman's attentions, and the effect was increased by the loudly expressed admiration of her mother. th", 's attentions, and the effect was increased by the loudly expressed admiration of her mother. then mr', 'entions, and the effect was increased by the loudly expressed admiration of her mother. then mr. ang', 'ns, and the effect was increased by the loudly expressed admiration of her mother. then mr. angel be', 'nd the effect was increased by the loudly expressed admiration of her mother. then mr. angel began t', 'e effect was increased by the loudly expressed admiration of her mother. then mr. angel began to cal', 'ect was increased by the loudly expressed admiration of her mother. then mr. angel began to call, fo', 'as increased by the loudly expressed admiration of her mother. then mr. angel began to call, for it ', 'creased by the loudly expressed admiration of her mother. then mr. angel began to call, for it was o', 'ed by the loudly expressed admiration of her mother. then mr. angel began to call, for it was obviou', ' the loudly expressed admiration of her mother. then mr. angel began to call, for it was obvious tha', 'loudly expressed admiration of her mother. then mr. angel began to call, for it was obvious that the', 'y expressed admiration of her mother. then mr. angel began to call, for it was obvious that the matt', 'ressed admiration of her mother. then mr. angel began to call, for it was obvious that the matter sh', 'd admiration of her mother. then mr. angel began to call, for it was obvious that the matter should ', 'iration of her mother. then mr. angel began to call, for it was obvious that the matter should be pu', 'on of her mother. then mr. angel began to call, for it was obvious that the matter should be pushed ', ' her mother. then mr. angel began to call, for it was obvious that the matter should be pushed as fa', 'mother. then mr. angel began to call, for it was obvious that the matter should be pushed as far as ', 'r. then mr. angel began to call, for it was obvious that the matter should be pushed as far as it wo', 'en mr. angel began to call, for it was obvious that the matter should be pushed as far as it would g', '. angel began to call, for it was obvious that the matter should be pushed as far as it would go if ', 'el began to call, for it was obvious that the matter should be pushed as far as it would go if a rea', 'gan to call, for it was obvious that the matter should be pushed as far as it would go if a real eff', 'o call, for it was obvious that the matter should be pushed as far as it would go if a real effect w', 'l, for it was obvious that the matter should be pushed as far as it would go if a real effect were t', 'r it was obvious that the matter should be pushed as far as it would go if a real effect were to be ', 'was obvious that the matter should be pushed as far as it would go if a real effect were to be produ', 'bvious that the matter should be pushed as far as it would go if a real effect were to be produced. ', 's that the matter should be pushed as far as it would go if a real effect were to be produced. there', 't the matter should be pushed as far as it would go if a real effect were to be produced. there were', ' matter should be pushed as far as it would go if a real effect were to be produced. there were meet', 'er should be pushed as far as it would go if a real effect were to be produced. there were meetings,', 'ould be pushed as far as it would go if a real effect were to be produced. there were meetings, and ', 'be pushed as far as it would go if a real effect were to be produced. there were meetings, and an en', 'shed as far as it would go if a real effect were to be produced. there were meetings, and an engagem', 'as far as it would go if a real effect were to be produced. there were meetings, and an engagement, ', 'r as it would go if a real effect were to be produced. there were meetings, and an engagement, which', 'it would go if a real effect were to be produced. there were meetings, and an engagement, which woul', 'uld go if a real effect were to be produced. there were meetings, and an engagement, which would fin', 'o if a real effect were to be produced. there were meetings, and an engagement, which would finally ', 'a real effect were to be produced. there were meetings, and an engagement, which would finally secur', 'l effect were to be produced. there were meetings, and an engagement, which would finally secure the', 'ect were to be produced. there were meetings, and an engagement, which would finally secure the girl', "ere to be produced. there were meetings, and an engagement, which would finally secure the girl's af", "o be produced. there were meetings, and an engagement, which would finally secure the girl's affecti", "produced. there were meetings, and an engagement, which would finally secure the girl's affections f", "ced. there were meetings, and an engagement, which would finally secure the girl's affections from t", "there were meetings, and an engagement, which would finally secure the girl's affections from turnin", " were meetings, and an engagement, which would finally secure the girl's affections from turning tow", " meetings, and an engagement, which would finally secure the girl's affections from turning towards ", "ings, and an engagement, which would finally secure the girl's affections from turning towards anyon", " and an engagement, which would finally secure the girl's affections from turning towards anyone els", "an engagement, which would finally secure the girl's affections from turning towards anyone else. bu", "gagement, which would finally secure the girl's affections from turning towards anyone else. but the", "ent, which would finally secure the girl's affections from turning towards anyone else. but the dece", "which would finally secure the girl's affections from turning towards anyone else. but the deception", " would finally secure the girl's affections from turning towards anyone else. but the deception coul", "d finally secure the girl's affections from turning towards anyone else. but the deception could not", "ally secure the girl's affections from turning towards anyone else. but the deception could not be k", "secure the girl's affections from turning towards anyone else. but the deception could not be kept u", "e the girl's affections from turning towards anyone else. but the deception could not be kept up for", " girl's affections from turning towards anyone else. but the deception could not be kept up forever.", "'s affections from turning towards anyone else. but the deception could not be kept up forever. thes", 'fections from turning towards anyone else. but the deception could not be kept up forever. these pre', 'ons from turning towards anyone else. but the deception could not be kept up forever. these pretende', 'rom turning towards anyone else. but the deception could not be kept up forever. these pretended jou', 'urning towards anyone else. but the deception could not be kept up forever. these pretended journeys', 'g towards anyone else. but the deception could not be kept up forever. these pretended journeys to f', 'ards anyone else. but the deception could not be kept up forever. these pretended journeys to france', 'anyone else. but the deception could not be kept up forever. these pretended journeys to france were', 'e else. but the deception could not be kept up forever. these pretended journeys to france were rath', 'e. but the deception could not be kept up forever. these pretended journeys to france were rather cu', 't the deception could not be kept up forever. these pretended journeys to france were rather cumbrou', ' deception could not be kept up forever. these pretended journeys to france were rather cumbrous. th', 'ption could not be kept up forever. these pretended journeys to france were rather cumbrous. the thi', ' could not be kept up forever. these pretended journeys to france were rather cumbrous. the thing to', 'd not be kept up forever. these pretended journeys to france were rather cumbrous. the thing to do w', ' be kept up forever. these pretended journeys to france were rather cumbrous. the thing to do was cl', 'ept up forever. these pretended journeys to france were rather cumbrous. the thing to do was clearly', 'p forever. these pretended journeys to france were rather cumbrous. the thing to do was clearly to b', 'ever. these pretended journeys to france were rather cumbrous. the thing to do was clearly to bring ', ' these pretended journeys to france were rather cumbrous. the thing to do was clearly to bring the b', 'e pretended journeys to france were rather cumbrous. the thing to do was clearly to bring the busine', 'tended journeys to france were rather cumbrous. the thing to do was clearly to bring the business to', 'd journeys to france were rather cumbrous. the thing to do was clearly to bring the business to an e', 'rneys to france were rather cumbrous. the thing to do was clearly to bring the business to an end in', ' to france were rather cumbrous. the thing to do was clearly to bring the business to an end in such', 'rance were rather cumbrous. the thing to do was clearly to bring the business to an end in such a dr', ' were rather cumbrous. the thing to do was clearly to bring the business to an end in such a dramati', ' rather cumbrous. the thing to do was clearly to bring the business to an end in such a dramatic man', 'er cumbrous. the thing to do was clearly to bring the business to an end in such a dramatic manner t', 'mbrous. the thing to do was clearly to bring the business to an end in such a dramatic manner that i', 's. the thing to do was clearly to bring the business to an end in such a dramatic manner that it wou', 'e thing to do was clearly to bring the business to an end in such a dramatic manner that it would le', 'ng to do was clearly to bring the business to an end in such a dramatic manner that it would leave a', ' do was clearly to bring the business to an end in such a dramatic manner that it would leave a perm', 'as clearly to bring the business to an end in such a dramatic manner that it would leave a permanent', 'early to bring the business to an end in such a dramatic manner that it would leave a permanent impr', ' to bring the business to an end in such a dramatic manner that it would leave a permanent impressio', 'ring the business to an end in such a dramatic manner that it would leave a permanent impression upo', 'the business to an end in such a dramatic manner that it would leave a permanent impression upon the', 'usiness to an end in such a dramatic manner that it would leave a permanent impression upon the youn', 'ss to an end in such a dramatic manner that it would leave a permanent impression upon the young lad', " an end in such a dramatic manner that it would leave a permanent impression upon the young lady's m", "nd in such a dramatic manner that it would leave a permanent impression upon the young lady's mind a", " such a dramatic manner that it would leave a permanent impression upon the young lady's mind and pr", " a dramatic manner that it would leave a permanent impression upon the young lady's mind and prevent", "amatic manner that it would leave a permanent impression upon the young lady's mind and prevent her ", "c manner that it would leave a permanent impression upon the young lady's mind and prevent her from ", "ner that it would leave a permanent impression upon the young lady's mind and prevent her from looki", "hat it would leave a permanent impression upon the young lady's mind and prevent her from looking up", "t would leave a permanent impression upon the young lady's mind and prevent her from looking upon an", "ld leave a permanent impression upon the young lady's mind and prevent her from looking upon any oth", "ave a permanent impression upon the young lady's mind and prevent her from looking upon any other su", " permanent impression upon the young lady's mind and prevent her from looking upon any other suitor ", "anent impression upon the young lady's mind and prevent her from looking upon any other suitor for s", " impression upon the young lady's mind and prevent her from looking upon any other suitor for some t", "ession upon the young lady's mind and prevent her from looking upon any other suitor for some time t", "n upon the young lady's mind and prevent her from looking upon any other suitor for some time to com", "n the young lady's mind and prevent her from looking upon any other suitor for some time to come. he", " young lady's mind and prevent her from looking upon any other suitor for some time to come. hence t", "g lady's mind and prevent her from looking upon any other suitor for some time to come. hence those ", "y's mind and prevent her from looking upon any other suitor for some time to come. hence those vows ", 'ind and prevent her from looking upon any other suitor for some time to come. hence those vows of fi', 'nd prevent her from looking upon any other suitor for some time to come. hence those vows of fidelit', 'event her from looking upon any other suitor for some time to come. hence those vows of fidelity exa', ' her from looking upon any other suitor for some time to come. hence those vows of fidelity exacted ', 'from looking upon any other suitor for some time to come. hence those vows of fidelity exacted upon ', 'looking upon any other suitor for some time to come. hence those vows of fidelity exacted upon a tes', 'ng upon any other suitor for some time to come. hence those vows of fidelity exacted upon a testamen', 'on any other suitor for some time to come. hence those vows of fidelity exacted upon a testament, an', 'y other suitor for some time to come. hence those vows of fidelity exacted upon a testament, and hen', 'er suitor for some time to come. hence those vows of fidelity exacted upon a testament, and hence al', 'itor for some time to come. hence those vows of fidelity exacted upon a testament, and hence also th', 'for some time to come. hence those vows of fidelity exacted upon a testament, and hence also the all', 'ome time to come. hence those vows of fidelity exacted upon a testament, and hence also the allusion', 'ime to come. hence those vows of fidelity exacted upon a testament, and hence also the allusions to ', 'o come. hence those vows of fidelity exacted upon a testament, and hence also the allusions to a pos', 'e. hence those vows of fidelity exacted upon a testament, and hence also the allusions to a possibil', 'nce those vows of fidelity exacted upon a testament, and hence also the allusions to a possibility o', 'hose vows of fidelity exacted upon a testament, and hence also the allusions to a possibility of som', 'vows of fidelity exacted upon a testament, and hence also the allusions to a possibility of somethin', 'of fidelity exacted upon a testament, and hence also the allusions to a possibility of something hap', 'delity exacted upon a testament, and hence also the allusions to a possibility of something happenin', 'y exacted upon a testament, and hence also the allusions to a possibility of something happening on ', 'cted upon a testament, and hence also the allusions to a possibility of something happening on the v', 'upon a testament, and hence also the allusions to a possibility of something happening on the very m', 'a testament, and hence also the allusions to a possibility of something happening on the very mornin', 'tament, and hence also the allusions to a possibility of something happening on the very morning of ', 't, and hence also the allusions to a possibility of something happening on the very morning of the w', 'd hence also the allusions to a possibility of something happening on the very morning of the weddin', 'ce also the allusions to a possibility of something happening on the very morning of the wedding. ja', 'so the allusions to a possibility of something happening on the very morning of the wedding. james w', 'e allusions to a possibility of something happening on the very morning of the wedding. james windib', 'usions to a possibility of something happening on the very morning of the wedding. james windibank w', 's to a possibility of something happening on the very morning of the wedding. james windibank wished', 'a possibility of something happening on the very morning of the wedding. james windibank wished miss', 'sibility of something happening on the very morning of the wedding. james windibank wished miss suth', 'ity of something happening on the very morning of the wedding. james windibank wished miss sutherlan', 'f something happening on the very morning of the wedding. james windibank wished miss sutherland to ', 'ething happening on the very morning of the wedding. james windibank wished miss sutherland to be so', 'g happening on the very morning of the wedding. james windibank wished miss sutherland to be so boun', 'pening on the very morning of the wedding. james windibank wished miss sutherland to be so bound to ', 'g on the very morning of the wedding. james windibank wished miss sutherland to be so bound to hosme', 'the very morning of the wedding. james windibank wished miss sutherland to be so bound to hosmer ang', 'ery morning of the wedding. james windibank wished miss sutherland to be so bound to hosmer angel, a', 'orning of the wedding. james windibank wished miss sutherland to be so bound to hosmer angel, and so', 'g of the wedding. james windibank wished miss sutherland to be so bound to hosmer angel, and so unce', 'the wedding. james windibank wished miss sutherland to be so bound to hosmer angel, and so uncertain', 'edding. james windibank wished miss sutherland to be so bound to hosmer angel, and so uncertain as t', 'g. james windibank wished miss sutherland to be so bound to hosmer angel, and so uncertain as to his', 'mes windibank wished miss sutherland to be so bound to hosmer angel, and so uncertain as to his fate', 'indibank wished miss sutherland to be so bound to hosmer angel, and so uncertain as to his fate, tha', 'ank wished miss sutherland to be so bound to hosmer angel, and so uncertain as to his fate, that for', 'ished miss sutherland to be so bound to hosmer angel, and so uncertain as to his fate, that for ten ', ' miss sutherland to be so bound to hosmer angel, and so uncertain as to his fate, that for ten years', ' sutherland to be so bound to hosmer angel, and so uncertain as to his fate, that for ten years to c', 'erland to be so bound to hosmer angel, and so uncertain as to his fate, that for ten years to come, ', 'd to be so bound to hosmer angel, and so uncertain as to his fate, that for ten years to come, at an', 'be so bound to hosmer angel, and so uncertain as to his fate, that for ten years to come, at any rat', ' bound to hosmer angel, and so uncertain as to his fate, that for ten years to come, at any rate, sh', 'd to hosmer angel, and so uncertain as to his fate, that for ten years to come, at any rate, she wou', 'hosmer angel, and so uncertain as to his fate, that for ten years to come, at any rate, she would no', 'r angel, and so uncertain as to his fate, that for ten years to come, at any rate, she would not lis', 'el, and so uncertain as to his fate, that for ten years to come, at any rate, she would not listen t', 'nd so uncertain as to his fate, that for ten years to come, at any rate, she would not listen to ano', ' uncertain as to his fate, that for ten years to come, at any rate, she would not listen to another ', 'rtain as to his fate, that for ten years to come, at any rate, she would not listen to another man. ', ' as to his fate, that for ten years to come, at any rate, she would not listen to another man. as fa', 'o his fate, that for ten years to come, at any rate, she would not listen to another man. as far as ', ' fate, that for ten years to come, at any rate, she would not listen to another man. as far as the c', ', that for ten years to come, at any rate, she would not listen to another man. as far as the church', 't for ten years to come, at any rate, she would not listen to another man. as far as the church door', ' ten years to come, at any rate, she would not listen to another man. as far as the church door he b', 'years to come, at any rate, she would not listen to another man. as far as the church door he brough', ' to come, at any rate, she would not listen to another man. as far as the church door he brought her', 'ome, at any rate, she would not listen to another man. as far as the church door he brought her, and', 'at any rate, she would not listen to another man. as far as the church door he brought her, and then', 'y rate, she would not listen to another man. as far as the church door he brought her, and then, as ', 'e, she would not listen to another man. as far as the church door he brought her, and then, as he co', 'e would not listen to another man. as far as the church door he brought her, and then, as he could g', 'ld not listen to another man. as far as the church door he brought her, and then, as he could go no ', 't listen to another man. as far as the church door he brought her, and then, as he could go no farth', 'ten to another man. as far as the church door he brought her, and then, as he could go no farther, h', 'o another man. as far as the church door he brought her, and then, as he could go no farther, he con', 'ther man. as far as the church door he brought her, and then, as he could go no farther, he convenie', 'man. as far as the church door he brought her, and then, as he could go no farther, he conveniently ', 'as far as the church door he brought her, and then, as he could go no farther, he conveniently vanis', 'r as the church door he brought her, and then, as he could go no farther, he conveniently vanished a', 'the church door he brought her, and then, as he could go no farther, he conveniently vanished away b', 'hurch door he brought her, and then, as he could go no farther, he conveniently vanished away by the', ' door he brought her, and then, as he could go no farther, he conveniently vanished away by the old ', ' he brought her, and then, as he could go no farther, he conveniently vanished away by the old trick', 'rought her, and then, as he could go no farther, he conveniently vanished away by the old trick of s', 't her, and then, as he could go no farther, he conveniently vanished away by the old trick of steppi', ', and then, as he could go no farther, he conveniently vanished away by the old trick of stepping in', ' then, as he could go no farther, he conveniently vanished away by the old trick of stepping in at o', ', as he could go no farther, he conveniently vanished away by the old trick of stepping in at one do', 'he could go no farther, he conveniently vanished away by the old trick of stepping in at one door of', 'uld go no farther, he conveniently vanished away by the old trick of stepping in at one door of a fo', 'o no farther, he conveniently vanished away by the old trick of stepping in at one door of a four-wh', 'farther, he conveniently vanished away by the old trick of stepping in at one door of a four-wheeler', 'er, he conveniently vanished away by the old trick of stepping in at one door of a four-wheeler and ', 'e conveniently vanished away by the old trick of stepping in at one door of a four-wheeler and out a', 'veniently vanished away by the old trick of stepping in at one door of a four-wheeler and out at the', 'ntly vanished away by the old trick of stepping in at one door of a four-wheeler and out at the othe', 'vanished away by the old trick of stepping in at one door of a four-wheeler and out at the other. i ', 'hed away by the old trick of stepping in at one door of a four-wheeler and out at the other. i think', 'way by the old trick of stepping in at one door of a four-wheeler and out at the other. i think that', 'y the old trick of stepping in at one door of a four-wheeler and out at the other. i think that was ', ' old trick of stepping in at one door of a four-wheeler and out at the other. i think that was the c', 'trick of stepping in at one door of a four-wheeler and out at the other. i think that was the chain ', ' of stepping in at one door of a four-wheeler and out at the other. i think that was the chain of ev', 'tepping in at one door of a four-wheeler and out at the other. i think that was the chain of events,', 'ng in at one door of a four-wheeler and out at the other. i think that was the chain of events, mr. ', ' at one door of a four-wheeler and out at the other. i think that was the chain of events, mr. windi', 'ne door of a four-wheeler and out at the other. i think that was the chain of events, mr. windibank ', 'or of a four-wheeler and out at the other. i think that was the chain of events, mr. windibank our ', ' a four-wheeler and out at the other. i think that was the chain of events, mr. windibank our visit', 'ur-wheeler and out at the other. i think that was the chain of events, mr. windibank our visitor ha', 'eeler and out at the other. i think that was the chain of events, mr. windibank our visitor had rec', ' and out at the other. i think that was the chain of events, mr. windibank our visitor had recovere', 'out at the other. i think that was the chain of events, mr. windibank our visitor had recovered som', 't the other. i think that was the chain of events, mr. windibank our visitor had recovered somethin', ' other. i think that was the chain of events, mr. windibank our visitor had recovered something of ', 'r. i think that was the chain of events, mr. windibank our visitor had recovered something of his a', 'think that was the chain of events, mr. windibank our visitor had recovered something of his assura', ' that was the chain of events, mr. windibank our visitor had recovered something of his assurance w', ' was the chain of events, mr. windibank our visitor had recovered something of his assurance while ', 'the chain of events, mr. windibank our visitor had recovered something of his assurance while holme', 'hain of events, mr. windibank our visitor had recovered something of his assurance while holmes had', 'of events, mr. windibank our visitor had recovered something of his assurance while holmes had been', 'ents, mr. windibank our visitor had recovered something of his assurance while holmes had been talk', ' mr. windibank our visitor had recovered something of his assurance while holmes had been talking, ', 'windibank our visitor had recovered something of his assurance while holmes had been talking, and h', 'bank our visitor had recovered something of his assurance while holmes had been talking, and he ros', ' our visitor had recovered something of his assurance while holmes had been talking, and he rose fro', 'visitor had recovered something of his assurance while holmes had been talking, and he rose from his', 'or had recovered something of his assurance while holmes had been talking, and he rose from his chai', 'd recovered something of his assurance while holmes had been talking, and he rose from his chair now', 'overed something of his assurance while holmes had been talking, and he rose from his chair now with', 'd something of his assurance while holmes had been talking, and he rose from his chair now with a co', 'ething of his assurance while holmes had been talking, and he rose from his chair now with a cold sn', 'g of his assurance while holmes had been talking, and he rose from his chair now with a cold sneer u', 'his assurance while holmes had been talking, and he rose from his chair now with a cold sneer upon h', 'ssurance while holmes had been talking, and he rose from his chair now with a cold sneer upon his pa', 'nce while holmes had been talking, and he rose from his chair now with a cold sneer upon his pale fa', 'hile holmes had been talking, and he rose from his chair now with a cold sneer upon his pale face. "', 'holmes had been talking, and he rose from his chair now with a cold sneer upon his pale face. "it ma', 's had been talking, and he rose from his chair now with a cold sneer upon his pale face. "it may be ', ' been talking, and he rose from his chair now with a cold sneer upon his pale face. "it may be so, o', ' talking, and he rose from his chair now with a cold sneer upon his pale face. "it may be so, or it ', 'ing, and he rose from his chair now with a cold sneer upon his pale face. "it may be so, or it may n', 'and he rose from his chair now with a cold sneer upon his pale face. "it may be so, or it may not, m', 'e rose from his chair now with a cold sneer upon his pale face. "it may be so, or it may not, mr. ho', 'e from his chair now with a cold sneer upon his pale face. "it may be so, or it may not, mr. holmes,', 'm his chair now with a cold sneer upon his pale face. "it may be so, or it may not, mr. holmes," sai', ' chair now with a cold sneer upon his pale face. "it may be so, or it may not, mr. holmes," said he,', 'r now with a cold sneer upon his pale face. "it may be so, or it may not, mr. holmes," said he, "but', ' with a cold sneer upon his pale face. "it may be so, or it may not, mr. holmes," said he, "but if y', ' a cold sneer upon his pale face. "it may be so, or it may not, mr. holmes," said he, "but if you ar', 'ld sneer upon his pale face. "it may be so, or it may not, mr. holmes," said he, "but if you are so ', 'eer upon his pale face. "it may be so, or it may not, mr. holmes," said he, "but if you are so very ', 'pon his pale face. "it may be so, or it may not, mr. holmes," said he, "but if you are so very sharp', 'is pale face. "it may be so, or it may not, mr. holmes," said he, "but if you are so very sharp you ', 'le face. "it may be so, or it may not, mr. holmes," said he, "but if you are so very sharp you ought', 'ce. "it may be so, or it may not, mr. holmes," said he, "but if you are so very sharp you ought to b', 'it may be so, or it may not, mr. holmes," said he, "but if you are so very sharp you ought to be sha', 'y be so, or it may not, mr. holmes," said he, "but if you are so very sharp you ought to be sharp en', 'so, or it may not, mr. holmes," said he, "but if you are so very sharp you ought to be sharp enough ', 'r it may not, mr. holmes," said he, "but if you are so very sharp you ought to be sharp enough to kn', 'may not, mr. holmes," said he, "but if you are so very sharp you ought to be sharp enough to know th', 'ot, mr. holmes," said he, "but if you are so very sharp you ought to be sharp enough to know that it', 'r. holmes," said he, "but if you are so very sharp you ought to be sharp enough to know that it is y', 'lmes," said he, "but if you are so very sharp you ought to be sharp enough to know that it is you wh', '" said he, "but if you are so very sharp you ought to be sharp enough to know that it is you who are', 'd he, "but if you are so very sharp you ought to be sharp enough to know that it is you who are brea', ' "but if you are so very sharp you ought to be sharp enough to know that it is you who are breaking ', ' if you are so very sharp you ought to be sharp enough to know that it is you who are breaking the l', 'ou are so very sharp you ought to be sharp enough to know that it is you who are breaking the law no', 'e so very sharp you ought to be sharp enough to know that it is you who are breaking the law now, an', 'very sharp you ought to be sharp enough to know that it is you who are breaking the law now, and not', 'sharp you ought to be sharp enough to know that it is you who are breaking the law now, and not me. ', ' you ought to be sharp enough to know that it is you who are breaking the law now, and not me. i hav', 'ought to be sharp enough to know that it is you who are breaking the law now, and not me. i have don', ' to be sharp enough to know that it is you who are breaking the law now, and not me. i have done not', 'e sharp enough to know that it is you who are breaking the law now, and not me. i have done nothing ', 'rp enough to know that it is you who are breaking the law now, and not me. i have done nothing actio', 'ough to know that it is you who are breaking the law now, and not me. i have done nothing actionable', 'to know that it is you who are breaking the law now, and not me. i have done nothing actionable from', 'ow that it is you who are breaking the law now, and not me. i have done nothing actionable from the ', 'at it is you who are breaking the law now, and not me. i have done nothing actionable from the first', ' is you who are breaking the law now, and not me. i have done nothing actionable from the first, but', 'ou who are breaking the law now, and not me. i have done nothing actionable from the first, but as l', 'o are breaking the law now, and not me. i have done nothing actionable from the first, but as long a', ' breaking the law now, and not me. i have done nothing actionable from the first, but as long as you', 'king the law now, and not me. i have done nothing actionable from the first, but as long as you keep', 'the law now, and not me. i have done nothing actionable from the first, but as long as you keep that', 'aw now, and not me. i have done nothing actionable from the first, but as long as you keep that door', 'w, and not me. i have done nothing actionable from the first, but as long as you keep that door lock', 'd not me. i have done nothing actionable from the first, but as long as you keep that door locked yo', ' me. i have done nothing actionable from the first, but as long as you keep that door locked you lay', 'i have done nothing actionable from the first, but as long as you keep that door locked you lay your', 'e done nothing actionable from the first, but as long as you keep that door locked you lay yourself ', 'e nothing actionable from the first, but as long as you keep that door locked you lay yourself open ', 'hing actionable from the first, but as long as you keep that door locked you lay yourself open to an', 'actionable from the first, but as long as you keep that door locked you lay yourself open to an acti', 'nable from the first, but as long as you keep that door locked you lay yourself open to an action fo', ' from the first, but as long as you keep that door locked you lay yourself open to an action for ass', ' the first, but as long as you keep that door locked you lay yourself open to an action for assault ', 'first, but as long as you keep that door locked you lay yourself open to an action for assault and i', ', but as long as you keep that door locked you lay yourself open to an action for assault and illega', ' as long as you keep that door locked you lay yourself open to an action for assault and illegal con', 'ong as you keep that door locked you lay yourself open to an action for assault and illegal constrai', 's you keep that door locked you lay yourself open to an action for assault and illegal constraint." ', ' keep that door locked you lay yourself open to an action for assault and illegal constraint." "the ', ' that door locked you lay yourself open to an action for assault and illegal constraint." "the law c', ' door locked you lay yourself open to an action for assault and illegal constraint." "the law cannot', ' locked you lay yourself open to an action for assault and illegal constraint." "the law cannot, as ', 'ed you lay yourself open to an action for assault and illegal constraint." "the law cannot, as you s', 'u lay yourself open to an action for assault and illegal constraint." "the law cannot, as you say, t', ' yourself open to an action for assault and illegal constraint." "the law cannot, as you say, touch ', 'self open to an action for assault and illegal constraint." "the law cannot, as you say, touch you,"', 'open to an action for assault and illegal constraint." "the law cannot, as you say, touch you," said', 'to an action for assault and illegal constraint." "the law cannot, as you say, touch you," said holm', ' action for assault and illegal constraint." "the law cannot, as you say, touch you," said holmes, u', 'on for assault and illegal constraint." "the law cannot, as you say, touch you," said holmes, unlock', 'r assault and illegal constraint." "the law cannot, as you say, touch you," said holmes, unlocking a', 'ault and illegal constraint." "the law cannot, as you say, touch you," said holmes, unlocking and th', 'and illegal constraint." "the law cannot, as you say, touch you," said holmes, unlocking and throwin', 'llegal constraint." "the law cannot, as you say, touch you," said holmes, unlocking and throwing ope', 'l constraint." "the law cannot, as you say, touch you," said holmes, unlocking and throwing open the', 'straint." "the law cannot, as you say, touch you," said holmes, unlocking and throwing open the door', 'nt." "the law cannot, as you say, touch you," said holmes, unlocking and throwing open the door, "ye', '"the law cannot, as you say, touch you," said holmes, unlocking and throwing open the door, "yet the', 'law cannot, as you say, touch you," said holmes, unlocking and throwing open the door, "yet there ne', 'annot, as you say, touch you," said holmes, unlocking and throwing open the door, "yet there never w', ', as you say, touch you," said holmes, unlocking and throwing open the door, "yet there never was a ', 'you say, touch you," said holmes, unlocking and throwing open the door, "yet there never was a man w', 'ay, touch you," said holmes, unlocking and throwing open the door, "yet there never was a man who de', 'ouch you," said holmes, unlocking and throwing open the door, "yet there never was a man who deserve', 'you," said holmes, unlocking and throwing open the door, "yet there never was a man who deserved pun', ' said holmes, unlocking and throwing open the door, "yet there never was a man who deserved punishme', ' holmes, unlocking and throwing open the door, "yet there never was a man who deserved punishment mo', 'es, unlocking and throwing open the door, "yet there never was a man who deserved punishment more. i', 'nlocking and throwing open the door, "yet there never was a man who deserved punishment more. if the', 'ing and throwing open the door, "yet there never was a man who deserved punishment more. if the youn', 'nd throwing open the door, "yet there never was a man who deserved punishment more. if the young lad', 'rowing open the door, "yet there never was a man who deserved punishment more. if the young lady has', 'g open the door, "yet there never was a man who deserved punishment more. if the young lady has a br', 'n the door, "yet there never was a man who deserved punishment more. if the young lady has a brother', ' door, "yet there never was a man who deserved punishment more. if the young lady has a brother or a', ', "yet there never was a man who deserved punishment more. if the young lady has a brother or a frie', 't there never was a man who deserved punishment more. if the young lady has a brother or a friend, h', 're never was a man who deserved punishment more. if the young lady has a brother or a friend, he oug', 'ver was a man who deserved punishment more. if the young lady has a brother or a friend, he ought to', 'as a man who deserved punishment more. if the young lady has a brother or a friend, he ought to lay ', 'man who deserved punishment more. if the young lady has a brother or a friend, he ought to lay a whi', 'ho deserved punishment more. if the young lady has a brother or a friend, he ought to lay a whip acr', 'served punishment more. if the young lady has a brother or a friend, he ought to lay a whip across y', 'd punishment more. if the young lady has a brother or a friend, he ought to lay a whip across your s', 'ishment more. if the young lady has a brother or a friend, he ought to lay a whip across your should', 'nt more. if the young lady has a brother or a friend, he ought to lay a whip across your shoulders. ', 're. if the young lady has a brother or a friend, he ought to lay a whip across your shoulders. by jo', 'f the young lady has a brother or a friend, he ought to lay a whip across your shoulders. by jove he', ' young lady has a brother or a friend, he ought to lay a whip across your shoulders. by jove he cont', 'g lady has a brother or a friend, he ought to lay a whip across your shoulders. by jove he continued', 'y has a brother or a friend, he ought to lay a whip across your shoulders. by jove he continued, flu', ' a brother or a friend, he ought to lay a whip across your shoulders. by jove he continued, flushing', 'other or a friend, he ought to lay a whip across your shoulders. by jove he continued, flushing up a', ' or a friend, he ought to lay a whip across your shoulders. by jove he continued, flushing up at the', ' friend, he ought to lay a whip across your shoulders. by jove he continued, flushing up at the sigh', 'nd, he ought to lay a whip across your shoulders. by jove he continued, flushing up at the sight of ', 'e ought to lay a whip across your shoulders. by jove he continued, flushing up at the sight of the b', 'ht to lay a whip across your shoulders. by jove he continued, flushing up at the sight of the bitter', ' lay a whip across your shoulders. by jove he continued, flushing up at the sight of the bitter snee', 'a whip across your shoulders. by jove he continued, flushing up at the sight of the bitter sneer upo', 'p across your shoulders. by jove he continued, flushing up at the sight of the bitter sneer upon the', "oss your shoulders. by jove he continued, flushing up at the sight of the bitter sneer upon the man'", "our shoulders. by jove he continued, flushing up at the sight of the bitter sneer upon the man's fac", 'houlders. by jove he continued, flushing up at the sight of the bitter sneer upon the man\'s face, "i', 'ers. by jove he continued, flushing up at the sight of the bitter sneer upon the man\'s face, "it is ', 'by jove he continued, flushing up at the sight of the bitter sneer upon the man\'s face, "it is not p', 've he continued, flushing up at the sight of the bitter sneer upon the man\'s face, "it is not part o', ' continued, flushing up at the sight of the bitter sneer upon the man\'s face, "it is not part of my ', 'inued, flushing up at the sight of the bitter sneer upon the man\'s face, "it is not part of my dutie', ', flushing up at the sight of the bitter sneer upon the man\'s face, "it is not part of my duties to ', 'shing up at the sight of the bitter sneer upon the man\'s face, "it is not part of my duties to my cl', ' up at the sight of the bitter sneer upon the man\'s face, "it is not part of my duties to my client,', 't the sight of the bitter sneer upon the man\'s face, "it is not part of my duties to my client, but ', ' sight of the bitter sneer upon the man\'s face, "it is not part of my duties to my client, but here\'', 't of the bitter sneer upon the man\'s face, "it is not part of my duties to my client, but here\'s a h', 'the bitter sneer upon the man\'s face, "it is not part of my duties to my client, but here\'s a huntin', 'itter sneer upon the man\'s face, "it is not part of my duties to my client, but here\'s a hunting cro', ' sneer upon the man\'s face, "it is not part of my duties to my client, but here\'s a hunting crop han', 'r upon the man\'s face, "it is not part of my duties to my client, but here\'s a hunting crop handy, a', 'n the man\'s face, "it is not part of my duties to my client, but here\'s a hunting crop handy, and i ', ' man\'s face, "it is not part of my duties to my client, but here\'s a hunting crop handy, and i think', 's face, "it is not part of my duties to my client, but here\'s a hunting crop handy, and i think i sh', 'e, "it is not part of my duties to my client, but here\'s a hunting crop handy, and i think i shall j', "t is not part of my duties to my client, but here's a hunting crop handy, and i think i shall just t", "not part of my duties to my client, but here's a hunting crop handy, and i think i shall just treat ", "art of my duties to my client, but here's a hunting crop handy, and i think i shall just treat mysel", 'f my duties to my client, but here\'s a hunting crop handy, and i think i shall just treat myself to"', 'duties to my client, but here\'s a hunting crop handy, and i think i shall just treat myself to" he t', 's to my client, but here\'s a hunting crop handy, and i think i shall just treat myself to" he took t', 'my client, but here\'s a hunting crop handy, and i think i shall just treat myself to" he took two sw', 'ient, but here\'s a hunting crop handy, and i think i shall just treat myself to" he took two swift s', ' but here\'s a hunting crop handy, and i think i shall just treat myself to" he took two swift steps ', 'here\'s a hunting crop handy, and i think i shall just treat myself to" he took two swift steps to th', 's a hunting crop handy, and i think i shall just treat myself to" he took two swift steps to the whi', 'unting crop handy, and i think i shall just treat myself to" he took two swift steps to the whip, bu', 'g crop handy, and i think i shall just treat myself to" he took two swift steps to the whip, but bef', 'p handy, and i think i shall just treat myself to" he took two swift steps to the whip, but before h', 'dy, and i think i shall just treat myself to" he took two swift steps to the whip, but before he cou', 'nd i think i shall just treat myself to" he took two swift steps to the whip, but before he could gr', 'think i shall just treat myself to" he took two swift steps to the whip, but before he could grasp i', ' i shall just treat myself to" he took two swift steps to the whip, but before he could grasp it the', 'all just treat myself to" he took two swift steps to the whip, but before he could grasp it there wa', 'ust treat myself to" he took two swift steps to the whip, but before he could grasp it there was a w', 'reat myself to" he took two swift steps to the whip, but before he could grasp it there was a wild c', 'myself to" he took two swift steps to the whip, but before he could grasp it there was a wild clatte', 'f to" he took two swift steps to the whip, but before he could grasp it there was a wild clatter of ', ' he took two swift steps to the whip, but before he could grasp it there was a wild clatter of steps', 'ook two swift steps to the whip, but before he could grasp it there was a wild clatter of steps upon', 'wo swift steps to the whip, but before he could grasp it there was a wild clatter of steps upon the ', 'ift steps to the whip, but before he could grasp it there was a wild clatter of steps upon the stair', 'teps to the whip, but before he could grasp it there was a wild clatter of steps upon the stairs, th', 'to the whip, but before he could grasp it there was a wild clatter of steps upon the stairs, the hea', 'e whip, but before he could grasp it there was a wild clatter of steps upon the stairs, the heavy ha', 'p, but before he could grasp it there was a wild clatter of steps upon the stairs, the heavy hall do', 't before he could grasp it there was a wild clatter of steps upon the stairs, the heavy hall door ba', 'ore he could grasp it there was a wild clatter of steps upon the stairs, the heavy hall door banged,', 'e could grasp it there was a wild clatter of steps upon the stairs, the heavy hall door banged, and ', 'ld grasp it there was a wild clatter of steps upon the stairs, the heavy hall door banged, and from ', 'asp it there was a wild clatter of steps upon the stairs, the heavy hall door banged, and from the w', 't there was a wild clatter of steps upon the stairs, the heavy hall door banged, and from the window', 're was a wild clatter of steps upon the stairs, the heavy hall door banged, and from the window we c', 's a wild clatter of steps upon the stairs, the heavy hall door banged, and from the window we could ', 'ild clatter of steps upon the stairs, the heavy hall door banged, and from the window we could see m', 'latter of steps upon the stairs, the heavy hall door banged, and from the window we could see mr. ja', 'r of steps upon the stairs, the heavy hall door banged, and from the window we could see mr. james w', 'steps upon the stairs, the heavy hall door banged, and from the window we could see mr. james windib', ' upon the stairs, the heavy hall door banged, and from the window we could see mr. james windibank r', ' the stairs, the heavy hall door banged, and from the window we could see mr. james windibank runnin', 'stairs, the heavy hall door banged, and from the window we could see mr. james windibank running at ', 's, the heavy hall door banged, and from the window we could see mr. james windibank running at the t', 'e heavy hall door banged, and from the window we could see mr. james windibank running at the top of', 'vy hall door banged, and from the window we could see mr. james windibank running at the top of his ', 'll door banged, and from the window we could see mr. james windibank running at the top of his speed', 'or banged, and from the window we could see mr. james windibank running at the top of his speed down', 'nged, and from the window we could see mr. james windibank running at the top of his speed down the ', ' and from the window we could see mr. james windibank running at the top of his speed down the road.', 'from the window we could see mr. james windibank running at the top of his speed down the road. "the', 'the window we could see mr. james windibank running at the top of his speed down the road. "there\'s ', 'indow we could see mr. james windibank running at the top of his speed down the road. "there\'s a col', ' we could see mr. james windibank running at the top of his speed down the road. "there\'s a cold-blo', 'ould see mr. james windibank running at the top of his speed down the road. "there\'s a cold-blooded ', 'see mr. james windibank running at the top of his speed down the road. "there\'s a cold-blooded scoun', 'r. james windibank running at the top of his speed down the road. "there\'s a cold-blooded scoundrel ', 'mes windibank running at the top of his speed down the road. "there\'s a cold-blooded scoundrel said ', 'indibank running at the top of his speed down the road. "there\'s a cold-blooded scoundrel said holme', 'ank running at the top of his speed down the road. "there\'s a cold-blooded scoundrel said holmes, la', 'unning at the top of his speed down the road. "there\'s a cold-blooded scoundrel said holmes, laughin', 'g at the top of his speed down the road. "there\'s a cold-blooded scoundrel said holmes, laughing, as', 'the top of his speed down the road. "there\'s a cold-blooded scoundrel said holmes, laughing, as he t', 'op of his speed down the road. "there\'s a cold-blooded scoundrel said holmes, laughing, as he threw ', ' his speed down the road. "there\'s a cold-blooded scoundrel said holmes, laughing, as he threw himse', 'speed down the road. "there\'s a cold-blooded scoundrel said holmes, laughing, as he threw himself do', ' down the road. "there\'s a cold-blooded scoundrel said holmes, laughing, as he threw himself down in', ' the road. "there\'s a cold-blooded scoundrel said holmes, laughing, as he threw himself down into hi', 'road. "there\'s a cold-blooded scoundrel said holmes, laughing, as he threw himself down into his cha', ' "there\'s a cold-blooded scoundrel said holmes, laughing, as he threw himself down into his chair on', "re's a cold-blooded scoundrel said holmes, laughing, as he threw himself down into his chair once mo", 'a cold-blooded scoundrel said holmes, laughing, as he threw himself down into his chair once more. "', 'd-blooded scoundrel said holmes, laughing, as he threw himself down into his chair once more. "that ', 'oded scoundrel said holmes, laughing, as he threw himself down into his chair once more. "that fello', 'scoundrel said holmes, laughing, as he threw himself down into his chair once more. "that fellow wil', 'drel said holmes, laughing, as he threw himself down into his chair once more. "that fellow will ris', 'said holmes, laughing, as he threw himself down into his chair once more. "that fellow will rise fro', 'holmes, laughing, as he threw himself down into his chair once more. "that fellow will rise from cri', 's, laughing, as he threw himself down into his chair once more. "that fellow will rise from crime to', 'ughing, as he threw himself down into his chair once more. "that fellow will rise from crime to crim', 'g, as he threw himself down into his chair once more. "that fellow will rise from crime to crime unt', ' he threw himself down into his chair once more. "that fellow will rise from crime to crime until he', 'hrew himself down into his chair once more. "that fellow will rise from crime to crime until he does', 'himself down into his chair once more. "that fellow will rise from crime to crime until he does some', 'lf down into his chair once more. "that fellow will rise from crime to crime until he does something', 'wn into his chair once more. "that fellow will rise from crime to crime until he does something very', 'to his chair once more. "that fellow will rise from crime to crime until he does something very bad,', 's chair once more. "that fellow will rise from crime to crime until he does something very bad, and ', 'ir once more. "that fellow will rise from crime to crime until he does something very bad, and ends ', 'ce more. "that fellow will rise from crime to crime until he does something very bad, and ends on a ', 're. "that fellow will rise from crime to crime until he does something very bad, and ends on a gallo', 'that fellow will rise from crime to crime until he does something very bad, and ends on a gallows. t', 'fellow will rise from crime to crime until he does something very bad, and ends on a gallows. the ca', 'w will rise from crime to crime until he does something very bad, and ends on a gallows. the case ha', 'l rise from crime to crime until he does something very bad, and ends on a gallows. the case has, in', 'e from crime to crime until he does something very bad, and ends on a gallows. the case has, in some', 'm crime to crime until he does something very bad, and ends on a gallows. the case has, in some resp', 'me to crime until he does something very bad, and ends on a gallows. the case has, in some respects,', ' crime until he does something very bad, and ends on a gallows. the case has, in some respects, been', 'e until he does something very bad, and ends on a gallows. the case has, in some respects, been not ', 'il he does something very bad, and ends on a gallows. the case has, in some respects, been not entir', ' does something very bad, and ends on a gallows. the case has, in some respects, been not entirely d', ' something very bad, and ends on a gallows. the case has, in some respects, been not entirely devoid', 'thing very bad, and ends on a gallows. the case has, in some respects, been not entirely devoid of i', ' very bad, and ends on a gallows. the case has, in some respects, been not entirely devoid of intere', ' bad, and ends on a gallows. the case has, in some respects, been not entirely devoid of interest." ', ' and ends on a gallows. the case has, in some respects, been not entirely devoid of interest." "i ca', 'ends on a gallows. the case has, in some respects, been not entirely devoid of interest." "i cannot ', 'on a gallows. the case has, in some respects, been not entirely devoid of interest." "i cannot now e', 'gallows. the case has, in some respects, been not entirely devoid of interest." "i cannot now entire', 'ws. the case has, in some respects, been not entirely devoid of interest." "i cannot now entirely se', 'he case has, in some respects, been not entirely devoid of interest." "i cannot now entirely see all', 'se has, in some respects, been not entirely devoid of interest." "i cannot now entirely see all the ', 's, in some respects, been not entirely devoid of interest." "i cannot now entirely see all the steps', ' some respects, been not entirely devoid of interest." "i cannot now entirely see all the steps of y', ' respects, been not entirely devoid of interest." "i cannot now entirely see all the steps of your r', 'ects, been not entirely devoid of interest." "i cannot now entirely see all the steps of your reason', ' been not entirely devoid of interest." "i cannot now entirely see all the steps of your reasoning,"', ' not entirely devoid of interest." "i cannot now entirely see all the steps of your reasoning," i re', 'entirely devoid of interest." "i cannot now entirely see all the steps of your reasoning," i remarke', 'ely devoid of interest." "i cannot now entirely see all the steps of your reasoning," i remarked. "w', 'evoid of interest." "i cannot now entirely see all the steps of your reasoning," i remarked. "well, ', ' of interest." "i cannot now entirely see all the steps of your reasoning," i remarked. "well, of co', 'nterest." "i cannot now entirely see all the steps of your reasoning," i remarked. "well, of course ', 'st." "i cannot now entirely see all the steps of your reasoning," i remarked. "well, of course it wa', '"i cannot now entirely see all the steps of your reasoning," i remarked. "well, of course it was obv', 'nnot now entirely see all the steps of your reasoning," i remarked. "well, of course it was obvious ', 'now entirely see all the steps of your reasoning," i remarked. "well, of course it was obvious from ', 'ntirely see all the steps of your reasoning," i remarked. "well, of course it was obvious from the f', 'ly see all the steps of your reasoning," i remarked. "well, of course it was obvious from the first ', 'e all the steps of your reasoning," i remarked. "well, of course it was obvious from the first that ', ' the steps of your reasoning," i remarked. "well, of course it was obvious from the first that this ', 'steps of your reasoning," i remarked. "well, of course it was obvious from the first that this mr. h', ' of your reasoning," i remarked. "well, of course it was obvious from the first that this mr. hosmer', 'our reasoning," i remarked. "well, of course it was obvious from the first that this mr. hosmer ange', 'easoning," i remarked. "well, of course it was obvious from the first that this mr. hosmer angel mus', 'ing," i remarked. "well, of course it was obvious from the first that this mr. hosmer angel must hav', ' i remarked. "well, of course it was obvious from the first that this mr. hosmer angel must have som', 'marked. "well, of course it was obvious from the first that this mr. hosmer angel must have some str', 'd. "well, of course it was obvious from the first that this mr. hosmer angel must have some strong o', 'ell, of course it was obvious from the first that this mr. hosmer angel must have some strong object', 'of course it was obvious from the first that this mr. hosmer angel must have some strong object for ', 'urse it was obvious from the first that this mr. hosmer angel must have some strong object for his c', 'it was obvious from the first that this mr. hosmer angel must have some strong object for his curiou', 's obvious from the first that this mr. hosmer angel must have some strong object for his curious con', 'ious from the first that this mr. hosmer angel must have some strong object for his curious conduct,', 'from the first that this mr. hosmer angel must have some strong object for his curious conduct, and ', 'the first that this mr. hosmer angel must have some strong object for his curious conduct, and it wa', 'irst that this mr. hosmer angel must have some strong object for his curious conduct, and it was equ', 'that this mr. hosmer angel must have some strong object for his curious conduct, and it was equally ', 'this mr. hosmer angel must have some strong object for his curious conduct, and it was equally clear', 'mr. hosmer angel must have some strong object for his curious conduct, and it was equally clear that', 'osmer angel must have some strong object for his curious conduct, and it was equally clear that the ', ' angel must have some strong object for his curious conduct, and it was equally clear that the only ', 'l must have some strong object for his curious conduct, and it was equally clear that the only man w', 't have some strong object for his curious conduct, and it was equally clear that the only man who re', 'e some strong object for his curious conduct, and it was equally clear that the only man who really ', 'e strong object for his curious conduct, and it was equally clear that the only man who really profi', 'ong object for his curious conduct, and it was equally clear that the only man who really profited b', 'bject for his curious conduct, and it was equally clear that the only man who really profited by the', ' for his curious conduct, and it was equally clear that the only man who really profited by the inci', 'his curious conduct, and it was equally clear that the only man who really profited by the incident,', 'urious conduct, and it was equally clear that the only man who really profited by the incident, as f', 's conduct, and it was equally clear that the only man who really profited by the incident, as far as', 'duct, and it was equally clear that the only man who really profited by the incident, as far as we c', ' and it was equally clear that the only man who really profited by the incident, as far as we could ', 'it was equally clear that the only man who really profited by the incident, as far as we could see, ', 's equally clear that the only man who really profited by the incident, as far as we could see, was t', 'ally clear that the only man who really profited by the incident, as far as we could see, was the st', 'clear that the only man who really profited by the incident, as far as we could see, was the stepfat', ' that the only man who really profited by the incident, as far as we could see, was the stepfather. ', ' the only man who really profited by the incident, as far as we could see, was the stepfather. then ', 'only man who really profited by the incident, as far as we could see, was the stepfather. then the f', 'man who really profited by the incident, as far as we could see, was the stepfather. then the fact t', 'ho really profited by the incident, as far as we could see, was the stepfather. then the fact that t', 'ally profited by the incident, as far as we could see, was the stepfather. then the fact that the tw', 'profited by the incident, as far as we could see, was the stepfather. then the fact that the two men', 'ted by the incident, as far as we could see, was the stepfather. then the fact that the two men were', 'y the incident, as far as we could see, was the stepfather. then the fact that the two men were neve', ' incident, as far as we could see, was the stepfather. then the fact that the two men were never tog', 'dent, as far as we could see, was the stepfather. then the fact that the two men were never together', ' as far as we could see, was the stepfather. then the fact that the two men were never together, but', 'ar as we could see, was the stepfather. then the fact that the two men were never together, but that', ' we could see, was the stepfather. then the fact that the two men were never together, but that the ', 'ould see, was the stepfather. then the fact that the two men were never together, but that the one a', 'see, was the stepfather. then the fact that the two men were never together, but that the one always', 'was the stepfather. then the fact that the two men were never together, but that the one always appe', 'he stepfather. then the fact that the two men were never together, but that the one always appeared ', 'epfather. then the fact that the two men were never together, but that the one always appeared when ', 'her. then the fact that the two men were never together, but that the one always appeared when the o', 'then the fact that the two men were never together, but that the one always appeared when the other ', 'the fact that the two men were never together, but that the one always appeared when the other was a', 'act that the two men were never together, but that the one always appeared when the other was away, ', 'hat the two men were never together, but that the one always appeared when the other was away, was s', 'he two men were never together, but that the one always appeared when the other was away, was sugges', 'o men were never together, but that the one always appeared when the other was away, was suggestive.', ' were never together, but that the one always appeared when the other was away, was suggestive. so w', ' never together, but that the one always appeared when the other was away, was suggestive. so were t', 'r together, but that the one always appeared when the other was away, was suggestive. so were the ti', 'ether, but that the one always appeared when the other was away, was suggestive. so were the tinted ', ', but that the one always appeared when the other was away, was suggestive. so were the tinted spect', ' that the one always appeared when the other was away, was suggestive. so were the tinted spectacles', ' the one always appeared when the other was away, was suggestive. so were the tinted spectacles and ', 'one always appeared when the other was away, was suggestive. so were the tinted spectacles and the c', 'lways appeared when the other was away, was suggestive. so were the tinted spectacles and the curiou', ' appeared when the other was away, was suggestive. so were the tinted spectacles and the curious voi', 'ared when the other was away, was suggestive. so were the tinted spectacles and the curious voice, w', 'when the other was away, was suggestive. so were the tinted spectacles and the curious voice, which ', 'the other was away, was suggestive. so were the tinted spectacles and the curious voice, which both ', 'ther was away, was suggestive. so were the tinted spectacles and the curious voice, which both hinte', 'was away, was suggestive. so were the tinted spectacles and the curious voice, which both hinted at ', 'way, was suggestive. so were the tinted spectacles and the curious voice, which both hinted at a dis', 'was suggestive. so were the tinted spectacles and the curious voice, which both hinted at a disguise', 'uggestive. so were the tinted spectacles and the curious voice, which both hinted at a disguise, as ', 'tive. so were the tinted spectacles and the curious voice, which both hinted at a disguise, as did t', ' so were the tinted spectacles and the curious voice, which both hinted at a disguise, as did the bu', 'ere the tinted spectacles and the curious voice, which both hinted at a disguise, as did the bushy w', 'he tinted spectacles and the curious voice, which both hinted at a disguise, as did the bushy whiske', 'nted spectacles and the curious voice, which both hinted at a disguise, as did the bushy whiskers. m', 'spectacles and the curious voice, which both hinted at a disguise, as did the bushy whiskers. my sus', 'acles and the curious voice, which both hinted at a disguise, as did the bushy whiskers. my suspicio', ' and the curious voice, which both hinted at a disguise, as did the bushy whiskers. my suspicions we', 'the curious voice, which both hinted at a disguise, as did the bushy whiskers. my suspicions were al', 'urious voice, which both hinted at a disguise, as did the bushy whiskers. my suspicions were all con', 's voice, which both hinted at a disguise, as did the bushy whiskers. my suspicions were all confirme', 'ce, which both hinted at a disguise, as did the bushy whiskers. my suspicions were all confirmed by ', 'hich both hinted at a disguise, as did the bushy whiskers. my suspicions were all confirmed by his p', 'both hinted at a disguise, as did the bushy whiskers. my suspicions were all confirmed by his peculi', 'hinted at a disguise, as did the bushy whiskers. my suspicions were all confirmed by his peculiar ac', 'd at a disguise, as did the bushy whiskers. my suspicions were all confirmed by his peculiar action ', 'a disguise, as did the bushy whiskers. my suspicions were all confirmed by his peculiar action in ty', 'guise, as did the bushy whiskers. my suspicions were all confirmed by his peculiar action in typewri', ', as did the bushy whiskers. my suspicions were all confirmed by his peculiar action in typewriting ', 'did the bushy whiskers. my suspicions were all confirmed by his peculiar action in typewriting his s', 'he bushy whiskers. my suspicions were all confirmed by his peculiar action in typewriting his signat', 'shy whiskers. my suspicions were all confirmed by his peculiar action in typewriting his signature, ', 'hiskers. my suspicions were all confirmed by his peculiar action in typewriting his signature, which', 'rs. my suspicions were all confirmed by his peculiar action in typewriting his signature, which, of ', 'y suspicions were all confirmed by his peculiar action in typewriting his signature, which, of cours', 'picions were all confirmed by his peculiar action in typewriting his signature, which, of course, in', 'ns were all confirmed by his peculiar action in typewriting his signature, which, of course, inferre', 're all confirmed by his peculiar action in typewriting his signature, which, of course, inferred tha', 'l confirmed by his peculiar action in typewriting his signature, which, of course, inferred that his', 'firmed by his peculiar action in typewriting his signature, which, of course, inferred that his hand', 'd by his peculiar action in typewriting his signature, which, of course, inferred that his handwriti', 'his peculiar action in typewriting his signature, which, of course, inferred that his handwriting wa', 'eculiar action in typewriting his signature, which, of course, inferred that his handwriting was so ', 'ar action in typewriting his signature, which, of course, inferred that his handwriting was so famil', 'tion in typewriting his signature, which, of course, inferred that his handwriting was so familiar t', 'in typewriting his signature, which, of course, inferred that his handwriting was so familiar to her', 'pewriting his signature, which, of course, inferred that his handwriting was so familiar to her that', 'ting his signature, which, of course, inferred that his handwriting was so familiar to her that she ', 'his signature, which, of course, inferred that his handwriting was so familiar to her that she would', 'ignature, which, of course, inferred that his handwriting was so familiar to her that she would reco', 'ure, which, of course, inferred that his handwriting was so familiar to her that she would recognise', 'which, of course, inferred that his handwriting was so familiar to her that she would recognise even', ', of course, inferred that his handwriting was so familiar to her that she would recognise even the ', 'course, inferred that his handwriting was so familiar to her that she would recognise even the small', 'e, inferred that his handwriting was so familiar to her that she would recognise even the smallest s', 'ferred that his handwriting was so familiar to her that she would recognise even the smallest sample', 'd that his handwriting was so familiar to her that she would recognise even the smallest sample of i', 't his handwriting was so familiar to her that she would recognise even the smallest sample of it. yo', ' handwriting was so familiar to her that she would recognise even the smallest sample of it. you see', 'writing was so familiar to her that she would recognise even the smallest sample of it. you see all ', 'ng was so familiar to her that she would recognise even the smallest sample of it. you see all these', 's so familiar to her that she would recognise even the smallest sample of it. you see all these isol', 'familiar to her that she would recognise even the smallest sample of it. you see all these isolated ', 'iar to her that she would recognise even the smallest sample of it. you see all these isolated facts', 'o her that she would recognise even the smallest sample of it. you see all these isolated facts, tog', ' that she would recognise even the smallest sample of it. you see all these isolated facts, together', ' she would recognise even the smallest sample of it. you see all these isolated facts, together with', 'would recognise even the smallest sample of it. you see all these isolated facts, together with many', ' recognise even the smallest sample of it. you see all these isolated facts, together with many mino', 'gnise even the smallest sample of it. you see all these isolated facts, together with many minor one', ' even the smallest sample of it. you see all these isolated facts, together with many minor ones, al', ' the smallest sample of it. you see all these isolated facts, together with many minor ones, all poi', 'smallest sample of it. you see all these isolated facts, together with many minor ones, all pointed ', 'est sample of it. you see all these isolated facts, together with many minor ones, all pointed in th', 'ample of it. you see all these isolated facts, together with many minor ones, all pointed in the sam', ' of it. you see all these isolated facts, together with many minor ones, all pointed in the same dir', 't. you see all these isolated facts, together with many minor ones, all pointed in the same directio', 'u see all these isolated facts, together with many minor ones, all pointed in the same direction." "', ' all these isolated facts, together with many minor ones, all pointed in the same direction." "and h', 'these isolated facts, together with many minor ones, all pointed in the same direction." "and how di', ' isolated facts, together with many minor ones, all pointed in the same direction." "and how did you', 'ated facts, together with many minor ones, all pointed in the same direction." "and how did you veri', 'facts, together with many minor ones, all pointed in the same direction." "and how did you verify th', ', together with many minor ones, all pointed in the same direction." "and how did you verify them?" ', 'ether with many minor ones, all pointed in the same direction." "and how did you verify them?" "havi', ' with many minor ones, all pointed in the same direction." "and how did you verify them?" "having on', ' many minor ones, all pointed in the same direction." "and how did you verify them?" "having once sp', ' minor ones, all pointed in the same direction." "and how did you verify them?" "having once spotted', 'r ones, all pointed in the same direction." "and how did you verify them?" "having once spotted my m', 's, all pointed in the same direction." "and how did you verify them?" "having once spotted my man, i', 'l pointed in the same direction." "and how did you verify them?" "having once spotted my man, it was', 'nted in the same direction." "and how did you verify them?" "having once spotted my man, it was easy', 'in the same direction." "and how did you verify them?" "having once spotted my man, it was easy to g', 'e same direction." "and how did you verify them?" "having once spotted my man, it was easy to get co', 'e direction." "and how did you verify them?" "having once spotted my man, it was easy to get corrobo', 'ection." "and how did you verify them?" "having once spotted my man, it was easy to get corroboratio', 'n." "and how did you verify them?" "having once spotted my man, it was easy to get corroboration. i ', 'and how did you verify them?" "having once spotted my man, it was easy to get corroboration. i knew ', 'ow did you verify them?" "having once spotted my man, it was easy to get corroboration. i knew the f', 'd you verify them?" "having once spotted my man, it was easy to get corroboration. i knew the firm f', ' verify them?" "having once spotted my man, it was easy to get corroboration. i knew the firm for wh', 'fy them?" "having once spotted my man, it was easy to get corroboration. i knew the firm for which t', 'em?" "having once spotted my man, it was easy to get corroboration. i knew the firm for which this m', '"having once spotted my man, it was easy to get corroboration. i knew the firm for which this man wo', 'ng once spotted my man, it was easy to get corroboration. i knew the firm for which this man worked.', 'ce spotted my man, it was easy to get corroboration. i knew the firm for which this man worked. havi', 'otted my man, it was easy to get corroboration. i knew the firm for which this man worked. having ta', ' my man, it was easy to get corroboration. i knew the firm for which this man worked. having taken t', 'an, it was easy to get corroboration. i knew the firm for which this man worked. having taken the pr', 't was easy to get corroboration. i knew the firm for which this man worked. having taken the printed', ' easy to get corroboration. i knew the firm for which this man worked. having taken the printed desc', ' to get corroboration. i knew the firm for which this man worked. having taken the printed descripti', 'et corroboration. i knew the firm for which this man worked. having taken the printed description. i', 'rroboration. i knew the firm for which this man worked. having taken the printed description. i elim', 'ration. i knew the firm for which this man worked. having taken the printed description. i eliminate', 'n. i knew the firm for which this man worked. having taken the printed description. i eliminated eve', 'knew the firm for which this man worked. having taken the printed description. i eliminated everythi', 'the firm for which this man worked. having taken the printed description. i eliminated everything fr', 'irm for which this man worked. having taken the printed description. i eliminated everything from it', 'or which this man worked. having taken the printed description. i eliminated everything from it whic', 'ich this man worked. having taken the printed description. i eliminated everything from it which cou', 'his man worked. having taken the printed description. i eliminated everything from it which could be', 'an worked. having taken the printed description. i eliminated everything from it which could be the ', 'rked. having taken the printed description. i eliminated everything from it which could be the resul', ' having taken the printed description. i eliminated everything from it which could be the result of ', 'ng taken the printed description. i eliminated everything from it which could be the result of a dis', 'ken the printed description. i eliminated everything from it which could be the result of a disguise', 'he printed description. i eliminated everything from it which could be the result of a disguisethe w', 'inted description. i eliminated everything from it which could be the result of a disguisethe whiske', ' description. i eliminated everything from it which could be the result of a disguisethe whiskers, t', 'ription. i eliminated everything from it which could be the result of a disguisethe whiskers, the gl', 'on. i eliminated everything from it which could be the result of a disguisethe whiskers, the glasses', ' eliminated everything from it which could be the result of a disguisethe whiskers, the glasses, the', 'inated everything from it which could be the result of a disguisethe whiskers, the glasses, the voic', 'd everything from it which could be the result of a disguisethe whiskers, the glasses, the voice, an', 'rything from it which could be the result of a disguisethe whiskers, the glasses, the voice, and i s', 'ng from it which could be the result of a disguisethe whiskers, the glasses, the voice, and i sent i', 'om it which could be the result of a disguisethe whiskers, the glasses, the voice, and i sent it to ', ' which could be the result of a disguisethe whiskers, the glasses, the voice, and i sent it to the f', 'h could be the result of a disguisethe whiskers, the glasses, the voice, and i sent it to the firm, ', 'ld be the result of a disguisethe whiskers, the glasses, the voice, and i sent it to the firm, with ', ' the result of a disguisethe whiskers, the glasses, the voice, and i sent it to the firm, with a req', 'result of a disguisethe whiskers, the glasses, the voice, and i sent it to the firm, with a request ', 't of a disguisethe whiskers, the glasses, the voice, and i sent it to the firm, with a request that ', 'a disguisethe whiskers, the glasses, the voice, and i sent it to the firm, with a request that they ', 'guisethe whiskers, the glasses, the voice, and i sent it to the firm, with a request that they would', 'the whiskers, the glasses, the voice, and i sent it to the firm, with a request that they would info', 'hiskers, the glasses, the voice, and i sent it to the firm, with a request that they would inform me', 'rs, the glasses, the voice, and i sent it to the firm, with a request that they would inform me whet', 'he glasses, the voice, and i sent it to the firm, with a request that they would inform me whether i', 'asses, the voice, and i sent it to the firm, with a request that they would inform me whether it ans', ', the voice, and i sent it to the firm, with a request that they would inform me whether it answered', ' voice, and i sent it to the firm, with a request that they would inform me whether it answered to t', 'e, and i sent it to the firm, with a request that they would inform me whether it answered to the de', 'd i sent it to the firm, with a request that they would inform me whether it answered to the descrip', 'ent it to the firm, with a request that they would inform me whether it answered to the description ', 't to the firm, with a request that they would inform me whether it answered to the description of an', 'the firm, with a request that they would inform me whether it answered to the description of any of ', 'irm, with a request that they would inform me whether it answered to the description of any of their', 'with a request that they would inform me whether it answered to the description of any of their trav', 'a request that they would inform me whether it answered to the description of any of their traveller', 'uest that they would inform me whether it answered to the description of any of their travellers. i ', 'that they would inform me whether it answered to the description of any of their travellers. i had a', 'they would inform me whether it answered to the description of any of their travellers. i had alread', 'would inform me whether it answered to the description of any of their travellers. i had already not', ' inform me whether it answered to the description of any of their travellers. i had already noticed ', 'rm me whether it answered to the description of any of their travellers. i had already noticed the p', ' whether it answered to the description of any of their travellers. i had already noticed the peculi', 'her it answered to the description of any of their travellers. i had already noticed the peculiariti', 't answered to the description of any of their travellers. i had already noticed the peculiarities of', 'wered to the description of any of their travellers. i had already noticed the peculiarities of the ', ' to the description of any of their travellers. i had already noticed the peculiarities of the typew', 'he description of any of their travellers. i had already noticed the peculiarities of the typewriter', 'scription of any of their travellers. i had already noticed the peculiarities of the typewriter, and', 'tion of any of their travellers. i had already noticed the peculiarities of the typewriter, and i wr', 'of any of their travellers. i had already noticed the peculiarities of the typewriter, and i wrote t', 'y of their travellers. i had already noticed the peculiarities of the typewriter, and i wrote to the', 'their travellers. i had already noticed the peculiarities of the typewriter, and i wrote to the man ', ' travellers. i had already noticed the peculiarities of the typewriter, and i wrote to the man himse', 'ellers. i had already noticed the peculiarities of the typewriter, and i wrote to the man himself at', 's. i had already noticed the peculiarities of the typewriter, and i wrote to the man himself at his ', 'had already noticed the peculiarities of the typewriter, and i wrote to the man himself at his busin', 'lready noticed the peculiarities of the typewriter, and i wrote to the man himself at his business a', 'y noticed the peculiarities of the typewriter, and i wrote to the man himself at his business addres', 'iced the peculiarities of the typewriter, and i wrote to the man himself at his business address ask', 'the peculiarities of the typewriter, and i wrote to the man himself at his business address asking h', 'eculiarities of the typewriter, and i wrote to the man himself at his business address asking him if', 'arities of the typewriter, and i wrote to the man himself at his business address asking him if he w', 'es of the typewriter, and i wrote to the man himself at his business address asking him if he would ', ' the typewriter, and i wrote to the man himself at his business address asking him if he would come ', 'typewriter, and i wrote to the man himself at his business address asking him if he would come here.', 'riter, and i wrote to the man himself at his business address asking him if he would come here. as i', ', and i wrote to the man himself at his business address asking him if he would come here. as i expe', ' i wrote to the man himself at his business address asking him if he would come here. as i expected,', 'ote to the man himself at his business address asking him if he would come here. as i expected, his ', 'o the man himself at his business address asking him if he would come here. as i expected, his reply', ' man himself at his business address asking him if he would come here. as i expected, his reply was ', 'himself at his business address asking him if he would come here. as i expected, his reply was typew', 'lf at his business address asking him if he would come here. as i expected, his reply was typewritte', ' his business address asking him if he would come here. as i expected, his reply was typewritten and', 'business address asking him if he would come here. as i expected, his reply was typewritten and reve', 'ess address asking him if he would come here. as i expected, his reply was typewritten and revealed ', 'ddress asking him if he would come here. as i expected, his reply was typewritten and revealed the s', 's asking him if he would come here. as i expected, his reply was typewritten and revealed the same t', 'ing him if he would come here. as i expected, his reply was typewritten and revealed the same trivia', 'im if he would come here. as i expected, his reply was typewritten and revealed the same trivial but', ' he would come here. as i expected, his reply was typewritten and revealed the same trivial but char', 'ould come here. as i expected, his reply was typewritten and revealed the same trivial but character', 'come here. as i expected, his reply was typewritten and revealed the same trivial but characteristic', 'here. as i expected, his reply was typewritten and revealed the same trivial but characteristic defe', ' as i expected, his reply was typewritten and revealed the same trivial but characteristic defects. ', ' expected, his reply was typewritten and revealed the same trivial but characteristic defects. the s', 'cted, his reply was typewritten and revealed the same trivial but characteristic defects. the same p', ' his reply was typewritten and revealed the same trivial but characteristic defects. the same post b', 'reply was typewritten and revealed the same trivial but characteristic defects. the same post brough', ' was typewritten and revealed the same trivial but characteristic defects. the same post brought me ', 'typewritten and revealed the same trivial but characteristic defects. the same post brought me a let', 'ritten and revealed the same trivial but characteristic defects. the same post brought me a letter f', 'n and revealed the same trivial but characteristic defects. the same post brought me a letter from w', ' revealed the same trivial but characteristic defects. the same post brought me a letter from westho', 'aled the same trivial but characteristic defects. the same post brought me a letter from westhouse ', 'the same trivial but characteristic defects. the same post brought me a letter from westhouse marba', 'ame trivial but characteristic defects. the same post brought me a letter from westhouse marbank, o', 'rivial but characteristic defects. the same post brought me a letter from westhouse marbank, of fen', 'l but characteristic defects. the same post brought me a letter from westhouse marbank, of fenchurc', ' characteristic defects. the same post brought me a letter from westhouse marbank, of fenchurch str', 'acteristic defects. the same post brought me a letter from westhouse marbank, of fenchurch street, ', 'istic defects. the same post brought me a letter from westhouse marbank, of fenchurch street, to sa', ' defects. the same post brought me a letter from westhouse marbank, of fenchurch street, to say tha', 'cts. the same post brought me a letter from westhouse marbank, of fenchurch street, to say that the', 'the same post brought me a letter from westhouse marbank, of fenchurch street, to say that the desc', 'ame post brought me a letter from westhouse marbank, of fenchurch street, to say that the descripti', 'ost brought me a letter from westhouse marbank, of fenchurch street, to say that the description ta', 'rought me a letter from westhouse marbank, of fenchurch street, to say that the description tallied', 't me a letter from westhouse marbank, of fenchurch street, to say that the description tallied in e', 'a letter from westhouse marbank, of fenchurch street, to say that the description tallied in every ', 'ter from westhouse marbank, of fenchurch street, to say that the description tallied in every respe', 'rom westhouse marbank, of fenchurch street, to say that the description tallied in every respect wi', 'esthouse marbank, of fenchurch street, to say that the description tallied in every respect with th', 'use marbank, of fenchurch street, to say that the description tallied in every respect with that of', 'marbank, of fenchurch street, to say that the description tallied in every respect with that of thei', 'nk, of fenchurch street, to say that the description tallied in every respect with that of their emp', 'f fenchurch street, to say that the description tallied in every respect with that of their employ ,', 'church street, to say that the description tallied in every respect with that of their employ , jame', 'h street, to say that the description tallied in every respect with that of their employ , james win', 'eet, to say that the description tallied in every respect with that of their employ , james windiban', 'to say that the description tallied in every respect with that of their employ , james windibank. vo', 'y that the description tallied in every respect with that of their employ , james windibank. voil to', 't the description tallied in every respect with that of their employ , james windibank. voil tout "', ' description tallied in every respect with that of their employ , james windibank. voil tout "and m', 'ription tallied in every respect with that of their employ , james windibank. voil tout "and miss s', 'on tallied in every respect with that of their employ , james windibank. voil tout "and miss suther', 'llied in every respect with that of their employ , james windibank. voil tout "and miss sutherland?', ' in every respect with that of their employ , james windibank. voil tout "and miss sutherland?" "if', 'very respect with that of their employ , james windibank. voil tout "and miss sutherland?" "if i te', 'respect with that of their employ , james windibank. voil tout "and miss sutherland?" "if i tell he', 'ct with that of their employ , james windibank. voil tout "and miss sutherland?" "if i tell her she', 'th that of their employ , james windibank. voil tout "and miss sutherland?" "if i tell her she will', 'at of their employ , james windibank. voil tout "and miss sutherland?" "if i tell her she will not ', ' their employ , james windibank. voil tout "and miss sutherland?" "if i tell her she will not belie', 'r employ , james windibank. voil tout "and miss sutherland?" "if i tell her she will not believe me', 'loy , james windibank. voil tout "and miss sutherland?" "if i tell her she will not believe me. you', ' james windibank. voil tout "and miss sutherland?" "if i tell her she will not believe me. you may ', 's windibank. voil tout "and miss sutherland?" "if i tell her she will not believe me. you may remem', 'dibank. voil tout "and miss sutherland?" "if i tell her she will not believe me. you may remember t', 'k. voil tout "and miss sutherland?" "if i tell her she will not believe me. you may remember the ol', 'il tout "and miss sutherland?" "if i tell her she will not believe me. you may remember the old per', 'ut "and miss sutherland?" "if i tell her she will not believe me. you may remember the old persian ', 'and miss sutherland?" "if i tell her she will not believe me. you may remember the old persian sayin', 'iss sutherland?" "if i tell her she will not believe me. you may remember the old persian saying, \'t', 'utherland?" "if i tell her she will not believe me. you may remember the old persian saying, \'there ', 'land?" "if i tell her she will not believe me. you may remember the old persian saying, \'there is da', '" "if i tell her she will not believe me. you may remember the old persian saying, \'there is danger ', " i tell her she will not believe me. you may remember the old persian saying, 'there is danger for h", "ll her she will not believe me. you may remember the old persian saying, 'there is danger for him wh", "r she will not believe me. you may remember the old persian saying, 'there is danger for him who tak", " will not believe me. you may remember the old persian saying, 'there is danger for him who taketh t", " not believe me. you may remember the old persian saying, 'there is danger for him who taketh the ti", "believe me. you may remember the old persian saying, 'there is danger for him who taketh the tiger c", "ve me. you may remember the old persian saying, 'there is danger for him who taketh the tiger cub, a", ". you may remember the old persian saying, 'there is danger for him who taketh the tiger cub, and da", " may remember the old persian saying, 'there is danger for him who taketh the tiger cub, and danger ", "remember the old persian saying, 'there is danger for him who taketh the tiger cub, and danger also ", "ber the old persian saying, 'there is danger for him who taketh the tiger cub, and danger also for w", "he old persian saying, 'there is danger for him who taketh the tiger cub, and danger also for whoso ", "d persian saying, 'there is danger for him who taketh the tiger cub, and danger also for whoso snatc", "sian saying, 'there is danger for him who taketh the tiger cub, and danger also for whoso snatches a", "saying, 'there is danger for him who taketh the tiger cub, and danger also for whoso snatches a delu", "g, 'there is danger for him who taketh the tiger cub, and danger also for whoso snatches a delusion ", 'here is danger for him who taketh the tiger cub, and danger also for whoso snatches a delusion from ', 'is danger for him who taketh the tiger cub, and danger also for whoso snatches a delusion from a wom', "nger for him who taketh the tiger cub, and danger also for whoso snatches a delusion from a woman.' ", "for him who taketh the tiger cub, and danger also for whoso snatches a delusion from a woman.' there", "im who taketh the tiger cub, and danger also for whoso snatches a delusion from a woman.' there is a", "o taketh the tiger cub, and danger also for whoso snatches a delusion from a woman.' there is as muc", "eth the tiger cub, and danger also for whoso snatches a delusion from a woman.' there is as much sen", "he tiger cub, and danger also for whoso snatches a delusion from a woman.' there is as much sense in", "ger cub, and danger also for whoso snatches a delusion from a woman.' there is as much sense in hafi", "ub, and danger also for whoso snatches a delusion from a woman.' there is as much sense in hafiz as ", "nd danger also for whoso snatches a delusion from a woman.' there is as much sense in hafiz as in ho", "nger also for whoso snatches a delusion from a woman.' there is as much sense in hafiz as in horace,", "also for whoso snatches a delusion from a woman.' there is as much sense in hafiz as in horace, and ", "for whoso snatches a delusion from a woman.' there is as much sense in hafiz as in horace, and as mu", "hoso snatches a delusion from a woman.' there is as much sense in hafiz as in horace, and as much kn", "snatches a delusion from a woman.' there is as much sense in hafiz as in horace, and as much knowled", "hes a delusion from a woman.' there is as much sense in hafiz as in horace, and as much knowledge of", " delusion from a woman.' there is as much sense in hafiz as in horace, and as much knowledge of the ", "sion from a woman.' there is as much sense in hafiz as in horace, and as much knowledge of the world", 'from a woman.\' there is as much sense in hafiz as in horace, and as much knowledge of the world." a', 'a woman.\' there is as much sense in hafiz as in horace, and as much knowledge of the world." advent', 'an.\' there is as much sense in hafiz as in horace, and as much knowledge of the world." adventure i', 'there is as much sense in hafiz as in horace, and as much knowledge of the world." adventure iv. th', ' is as much sense in hafiz as in horace, and as much knowledge of the world." adventure iv. the bos', 's much sense in hafiz as in horace, and as much knowledge of the world." adventure iv. the boscombe', 'h sense in hafiz as in horace, and as much knowledge of the world." adventure iv. the boscombe vall', 'se in hafiz as in horace, and as much knowledge of the world." adventure iv. the boscombe valley my', ' hafiz as in horace, and as much knowledge of the world." adventure iv. the boscombe valley mystery', 'z as in horace, and as much knowledge of the world." adventure iv. the boscombe valley mystery we w', 'in horace, and as much knowledge of the world." adventure iv. the boscombe valley mystery we were s', 'race, and as much knowledge of the world." adventure iv. the boscombe valley mystery we were seated', ' and as much knowledge of the world." adventure iv. the boscombe valley mystery we were seated at b', 'as much knowledge of the world." adventure iv. the boscombe valley mystery we were seated at breakf', 'ch knowledge of the world." adventure iv. the boscombe valley mystery we were seated at breakfast o', 'owledge of the world." adventure iv. the boscombe valley mystery we were seated at breakfast one mo', 'ge of the world." adventure iv. the boscombe valley mystery we were seated at breakfast one morning', ' the world." adventure iv. the boscombe valley mystery we were seated at breakfast one morning, my ', 'world." adventure iv. the boscombe valley mystery we were seated at breakfast one morning, my wife ', '." adventure iv. the boscombe valley mystery we were seated at breakfast one morning, my wife and i', 'dventure iv. the boscombe valley mystery we were seated at breakfast one morning, my wife and i, whe', 'ure iv. the boscombe valley mystery we were seated at breakfast one morning, my wife and i, when the', 'v. the boscombe valley mystery we were seated at breakfast one morning, my wife and i, when the maid', 'e boscombe valley mystery we were seated at breakfast one morning, my wife and i, when the maid brou', 'combe valley mystery we were seated at breakfast one morning, my wife and i, when the maid brought i', ' valley mystery we were seated at breakfast one morning, my wife and i, when the maid brought in a t', 'ey mystery we were seated at breakfast one morning, my wife and i, when the maid brought in a telegr', 'stery we were seated at breakfast one morning, my wife and i, when the maid brought in a telegram. i', ' we were seated at breakfast one morning, my wife and i, when the maid brought in a telegram. it was', 'ere seated at breakfast one morning, my wife and i, when the maid brought in a telegram. it was from', 'eated at breakfast one morning, my wife and i, when the maid brought in a telegram. it was from sher', ' at breakfast one morning, my wife and i, when the maid brought in a telegram. it was from sherlock ', 'reakfast one morning, my wife and i, when the maid brought in a telegram. it was from sherlock holme', 'ast one morning, my wife and i, when the maid brought in a telegram. it was from sherlock holmes and', 'ne morning, my wife and i, when the maid brought in a telegram. it was from sherlock holmes and ran ', 'rning, my wife and i, when the maid brought in a telegram. it was from sherlock holmes and ran in th', ', my wife and i, when the maid brought in a telegram. it was from sherlock holmes and ran in this wa', 'wife and i, when the maid brought in a telegram. it was from sherlock holmes and ran in this way: "h', 'and i, when the maid brought in a telegram. it was from sherlock holmes and ran in this way: "have y', ', when the maid brought in a telegram. it was from sherlock holmes and ran in this way: "have you a ', 'n the maid brought in a telegram. it was from sherlock holmes and ran in this way: "have you a coupl', ' maid brought in a telegram. it was from sherlock holmes and ran in this way: "have you a couple of ', ' brought in a telegram. it was from sherlock holmes and ran in this way: "have you a couple of days ', 'ght in a telegram. it was from sherlock holmes and ran in this way: "have you a couple of days to sp', 'n a telegram. it was from sherlock holmes and ran in this way: "have you a couple of days to spare? ', 'elegram. it was from sherlock holmes and ran in this way: "have you a couple of days to spare? have ', 'am. it was from sherlock holmes and ran in this way: "have you a couple of days to spare? have just ', 't was from sherlock holmes and ran in this way: "have you a couple of days to spare? have just been ', ' from sherlock holmes and ran in this way: "have you a couple of days to spare? have just been wired', ' sherlock holmes and ran in this way: "have you a couple of days to spare? have just been wired for ', 'lock holmes and ran in this way: "have you a couple of days to spare? have just been wired for from ', 'holmes and ran in this way: "have you a couple of days to spare? have just been wired for from the w', 's and ran in this way: "have you a couple of days to spare? have just been wired for from the west o', ' ran in this way: "have you a couple of days to spare? have just been wired for from the west of eng', 'in this way: "have you a couple of days to spare? have just been wired for from the west of england ', 'is way: "have you a couple of days to spare? have just been wired for from the west of england in co', 'y: "have you a couple of days to spare? have just been wired for from the west of england in connect', 'ave you a couple of days to spare? have just been wired for from the west of england in connection w', 'ou a couple of days to spare? have just been wired for from the west of england in connection with b', 'couple of days to spare? have just been wired for from the west of england in connection with boscom', 'e of days to spare? have just been wired for from the west of england in connection with boscombe va', 'days to spare? have just been wired for from the west of england in connection with boscombe valley ', 'to spare? have just been wired for from the west of england in connection with boscombe valley trage', 'are? have just been wired for from the west of england in connection with boscombe valley tragedy. s', 'have just been wired for from the west of england in connection with boscombe valley tragedy. shall ', 'just been wired for from the west of england in connection with boscombe valley tragedy. shall be gl', 'been wired for from the west of england in connection with boscombe valley tragedy. shall be glad if', 'wired for from the west of england in connection with boscombe valley tragedy. shall be glad if you ', ' for from the west of england in connection with boscombe valley tragedy. shall be glad if you will ', 'from the west of england in connection with boscombe valley tragedy. shall be glad if you will come ', 'the west of england in connection with boscombe valley tragedy. shall be glad if you will come with ', 'est of england in connection with boscombe valley tragedy. shall be glad if you will come with me. a', 'f england in connection with boscombe valley tragedy. shall be glad if you will come with me. air an', 'land in connection with boscombe valley tragedy. shall be glad if you will come with me. air and sce', 'in connection with boscombe valley tragedy. shall be glad if you will come with me. air and scenery ', 'nnection with boscombe valley tragedy. shall be glad if you will come with me. air and scenery perfe', 'ion with boscombe valley tragedy. shall be glad if you will come with me. air and scenery perfect. l', 'ith boscombe valley tragedy. shall be glad if you will come with me. air and scenery perfect. leave ', 'oscombe valley tragedy. shall be glad if you will come with me. air and scenery perfect. leave paddi', 'be valley tragedy. shall be glad if you will come with me. air and scenery perfect. leave paddington', 'lley tragedy. shall be glad if you will come with me. air and scenery perfect. leave paddington by t', 'tragedy. shall be glad if you will come with me. air and scenery perfect. leave paddington by the :', 'dy. shall be glad if you will come with me. air and scenery perfect. leave paddington by the : ." "', 'hall be glad if you will come with me. air and scenery perfect. leave paddington by the : ." "what ', 'be glad if you will come with me. air and scenery perfect. leave paddington by the : ." "what do yo', 'ad if you will come with me. air and scenery perfect. leave paddington by the : ." "what do you say', ' you will come with me. air and scenery perfect. leave paddington by the : ." "what do you say, dea', 'will come with me. air and scenery perfect. leave paddington by the : ." "what do you say, dear?" s', 'come with me. air and scenery perfect. leave paddington by the : ." "what do you say, dear?" said m', 'with me. air and scenery perfect. leave paddington by the : ." "what do you say, dear?" said my wif', 'me. air and scenery perfect. leave paddington by the : ." "what do you say, dear?" said my wife, lo', 'ir and scenery perfect. leave paddington by the : ." "what do you say, dear?" said my wife, looking', 'd scenery perfect. leave paddington by the : ." "what do you say, dear?" said my wife, looking acro', 'nery perfect. leave paddington by the : ." "what do you say, dear?" said my wife, looking across at', 'perfect. leave paddington by the : ." "what do you say, dear?" said my wife, looking across at me. ', 'ct. leave paddington by the : ." "what do you say, dear?" said my wife, looking across at me. "will', 'eave paddington by the : ." "what do you say, dear?" said my wife, looking across at me. "will you ', 'paddington by the : ." "what do you say, dear?" said my wife, looking across at me. "will you go?" ', 'ngton by the : ." "what do you say, dear?" said my wife, looking across at me. "will you go?" "i re', ' by the : ." "what do you say, dear?" said my wife, looking across at me. "will you go?" "i really ', 'he : ." "what do you say, dear?" said my wife, looking across at me. "will you go?" "i really don\'t', ' ." "what do you say, dear?" said my wife, looking across at me. "will you go?" "i really don\'t know', 'what do you say, dear?" said my wife, looking across at me. "will you go?" "i really don\'t know what', 'do you say, dear?" said my wife, looking across at me. "will you go?" "i really don\'t know what to s', 'u say, dear?" said my wife, looking across at me. "will you go?" "i really don\'t know what to say. i', ', dear?" said my wife, looking across at me. "will you go?" "i really don\'t know what to say. i have', 'r?" said my wife, looking across at me. "will you go?" "i really don\'t know what to say. i have a fa', 'aid my wife, looking across at me. "will you go?" "i really don\'t know what to say. i have a fairly ', 'y wife, looking across at me. "will you go?" "i really don\'t know what to say. i have a fairly long ', 'e, looking across at me. "will you go?" "i really don\'t know what to say. i have a fairly long list ', 'oking across at me. "will you go?" "i really don\'t know what to say. i have a fairly long list at pr', ' across at me. "will you go?" "i really don\'t know what to say. i have a fairly long list at present', 'ss at me. "will you go?" "i really don\'t know what to say. i have a fairly long list at present." "o', ' me. "will you go?" "i really don\'t know what to say. i have a fairly long list at present." "oh, an', '"will you go?" "i really don\'t know what to say. i have a fairly long list at present." "oh, anstrut', ' you go?" "i really don\'t know what to say. i have a fairly long list at present." "oh, anstruther w', 'go?" "i really don\'t know what to say. i have a fairly long list at present." "oh, anstruther would ', '"i really don\'t know what to say. i have a fairly long list at present." "oh, anstruther would do yo', 'ally don\'t know what to say. i have a fairly long list at present." "oh, anstruther would do your wo', 'don\'t know what to say. i have a fairly long list at present." "oh, anstruther would do your work fo', ' know what to say. i have a fairly long list at present." "oh, anstruther would do your work for you', ' what to say. i have a fairly long list at present." "oh, anstruther would do your work for you. you', ' to say. i have a fairly long list at present." "oh, anstruther would do your work for you. you have', 'ay. i have a fairly long list at present." "oh, anstruther would do your work for you. you have been', ' have a fairly long list at present." "oh, anstruther would do your work for you. you have been look', ' a fairly long list at present." "oh, anstruther would do your work for you. you have been looking a', 'irly long list at present." "oh, anstruther would do your work for you. you have been looking a litt', 'long list at present." "oh, anstruther would do your work for you. you have been looking a little pa', 'list at present." "oh, anstruther would do your work for you. you have been looking a little pale la', 'at present." "oh, anstruther would do your work for you. you have been looking a little pale lately.', 'esent." "oh, anstruther would do your work for you. you have been looking a little pale lately. i th', '." "oh, anstruther would do your work for you. you have been looking a little pale lately. i think t', 'h, anstruther would do your work for you. you have been looking a little pale lately. i think that t', 'struther would do your work for you. you have been looking a little pale lately. i think that the ch', 'her would do your work for you. you have been looking a little pale lately. i think that the change ', 'ould do your work for you. you have been looking a little pale lately. i think that the change would', 'do your work for you. you have been looking a little pale lately. i think that the change would do y', 'ur work for you. you have been looking a little pale lately. i think that the change would do you go', 'rk for you. you have been looking a little pale lately. i think that the change would do you good, a', 'r you. you have been looking a little pale lately. i think that the change would do you good, and yo', '. you have been looking a little pale lately. i think that the change would do you good, and you are', ' have been looking a little pale lately. i think that the change would do you good, and you are alwa', ' been looking a little pale lately. i think that the change would do you good, and you are always so', ' looking a little pale lately. i think that the change would do you good, and you are always so inte', 'ing a little pale lately. i think that the change would do you good, and you are always so intereste', ' little pale lately. i think that the change would do you good, and you are always so interested in ', 'le pale lately. i think that the change would do you good, and you are always so interested in mr. s', 'le lately. i think that the change would do you good, and you are always so interested in mr. sherlo', 'tely. i think that the change would do you good, and you are always so interested in mr. sherlock ho', " i think that the change would do you good, and you are always so interested in mr. sherlock holmes'", "ink that the change would do you good, and you are always so interested in mr. sherlock holmes' case", 'hat the change would do you good, and you are always so interested in mr. sherlock holmes\' cases." "', 'he change would do you good, and you are always so interested in mr. sherlock holmes\' cases." "i sho', 'ange would do you good, and you are always so interested in mr. sherlock holmes\' cases." "i should b', 'would do you good, and you are always so interested in mr. sherlock holmes\' cases." "i should be ung', ' do you good, and you are always so interested in mr. sherlock holmes\' cases." "i should be ungratef', 'ou good, and you are always so interested in mr. sherlock holmes\' cases." "i should be ungrateful if', 'od, and you are always so interested in mr. sherlock holmes\' cases." "i should be ungrateful if i we', 'nd you are always so interested in mr. sherlock holmes\' cases." "i should be ungrateful if i were no', 'u are always so interested in mr. sherlock holmes\' cases." "i should be ungrateful if i were not, se', ' always so interested in mr. sherlock holmes\' cases." "i should be ungrateful if i were not, seeing ', 'ys so interested in mr. sherlock holmes\' cases." "i should be ungrateful if i were not, seeing what ', ' interested in mr. sherlock holmes\' cases." "i should be ungrateful if i were not, seeing what i gai', 'rested in mr. sherlock holmes\' cases." "i should be ungrateful if i were not, seeing what i gained t', 'd in mr. sherlock holmes\' cases." "i should be ungrateful if i were not, seeing what i gained throug', 'mr. sherlock holmes\' cases." "i should be ungrateful if i were not, seeing what i gained through one', 'herlock holmes\' cases." "i should be ungrateful if i were not, seeing what i gained through one of t', 'ck holmes\' cases." "i should be ungrateful if i were not, seeing what i gained through one of them,"', 'lmes\' cases." "i should be ungrateful if i were not, seeing what i gained through one of them," i an', ' cases." "i should be ungrateful if i were not, seeing what i gained through one of them," i answere', 's." "i should be ungrateful if i were not, seeing what i gained through one of them," i answered. "b', 'i should be ungrateful if i were not, seeing what i gained through one of them," i answered. "but if', 'uld be ungrateful if i were not, seeing what i gained through one of them," i answered. "but if i am', 'e ungrateful if i were not, seeing what i gained through one of them," i answered. "but if i am to g', 'rateful if i were not, seeing what i gained through one of them," i answered. "but if i am to go, i ', 'ul if i were not, seeing what i gained through one of them," i answered. "but if i am to go, i must ', ' i were not, seeing what i gained through one of them," i answered. "but if i am to go, i must pack ', 're not, seeing what i gained through one of them," i answered. "but if i am to go, i must pack at on', 't, seeing what i gained through one of them," i answered. "but if i am to go, i must pack at once, f', 'eing what i gained through one of them," i answered. "but if i am to go, i must pack at once, for i ', 'what i gained through one of them," i answered. "but if i am to go, i must pack at once, for i have ', 'i gained through one of them," i answered. "but if i am to go, i must pack at once, for i have only ', 'ned through one of them," i answered. "but if i am to go, i must pack at once, for i have only half ', 'hrough one of them," i answered. "but if i am to go, i must pack at once, for i have only half an ho', 'h one of them," i answered. "but if i am to go, i must pack at once, for i have only half an hour." ', ' of them," i answered. "but if i am to go, i must pack at once, for i have only half an hour." my ex', 'hem," i answered. "but if i am to go, i must pack at once, for i have only half an hour." my experie', ' i answered. "but if i am to go, i must pack at once, for i have only half an hour." my experience o', 'swered. "but if i am to go, i must pack at once, for i have only half an hour." my experience of cam', 'd. "but if i am to go, i must pack at once, for i have only half an hour." my experience of camp lif', 'ut if i am to go, i must pack at once, for i have only half an hour." my experience of camp life in ', ' i am to go, i must pack at once, for i have only half an hour." my experience of camp life in afgha', ' to go, i must pack at once, for i have only half an hour." my experience of camp life in afghanista', 'o, i must pack at once, for i have only half an hour." my experience of camp life in afghanistan had', 'must pack at once, for i have only half an hour." my experience of camp life in afghanistan had at l', 'pack at once, for i have only half an hour." my experience of camp life in afghanistan had at least ', 'at once, for i have only half an hour." my experience of camp life in afghanistan had at least had t', 'ce, for i have only half an hour." my experience of camp life in afghanistan had at least had the ef', 'or i have only half an hour." my experience of camp life in afghanistan had at least had the effect ', 'have only half an hour." my experience of camp life in afghanistan had at least had the effect of ma', 'only half an hour." my experience of camp life in afghanistan had at least had the effect of making ', 'half an hour." my experience of camp life in afghanistan had at least had the effect of making me a ', 'an hour." my experience of camp life in afghanistan had at least had the effect of making me a promp', 'ur." my experience of camp life in afghanistan had at least had the effect of making me a prompt and', 'my experience of camp life in afghanistan had at least had the effect of making me a prompt and read', 'perience of camp life in afghanistan had at least had the effect of making me a prompt and ready tra', 'nce of camp life in afghanistan had at least had the effect of making me a prompt and ready travelle', 'f camp life in afghanistan had at least had the effect of making me a prompt and ready traveller. my', 'p life in afghanistan had at least had the effect of making me a prompt and ready traveller. my want', 'e in afghanistan had at least had the effect of making me a prompt and ready traveller. my wants wer', 'afghanistan had at least had the effect of making me a prompt and ready traveller. my wants were few', 'nistan had at least had the effect of making me a prompt and ready traveller. my wants were few and ', 'n had at least had the effect of making me a prompt and ready traveller. my wants were few and simpl', ' at least had the effect of making me a prompt and ready traveller. my wants were few and simple, so', 'east had the effect of making me a prompt and ready traveller. my wants were few and simple, so that', 'had the effect of making me a prompt and ready traveller. my wants were few and simple, so that in l', 'he effect of making me a prompt and ready traveller. my wants were few and simple, so that in less t', 'fect of making me a prompt and ready traveller. my wants were few and simple, so that in less than t', 'of making me a prompt and ready traveller. my wants were few and simple, so that in less than the ti', 'king me a prompt and ready traveller. my wants were few and simple, so that in less than the time st', 'me a prompt and ready traveller. my wants were few and simple, so that in less than the time stated ', 'prompt and ready traveller. my wants were few and simple, so that in less than the time stated i was', 't and ready traveller. my wants were few and simple, so that in less than the time stated i was in a', ' ready traveller. my wants were few and simple, so that in less than the time stated i was in a cab ', 'y traveller. my wants were few and simple, so that in less than the time stated i was in a cab with ', 'veller. my wants were few and simple, so that in less than the time stated i was in a cab with my va', 'r. my wants were few and simple, so that in less than the time stated i was in a cab with my valise,', ' wants were few and simple, so that in less than the time stated i was in a cab with my valise, ratt', 's were few and simple, so that in less than the time stated i was in a cab with my valise, rattling ', 'e few and simple, so that in less than the time stated i was in a cab with my valise, rattling away ', ' and simple, so that in less than the time stated i was in a cab with my valise, rattling away to pa', 'simple, so that in less than the time stated i was in a cab with my valise, rattling away to padding', 'e, so that in less than the time stated i was in a cab with my valise, rattling away to paddington s', ' that in less than the time stated i was in a cab with my valise, rattling away to paddington statio', ' in less than the time stated i was in a cab with my valise, rattling away to paddington station. sh', 'ess than the time stated i was in a cab with my valise, rattling away to paddington station. sherloc', 'han the time stated i was in a cab with my valise, rattling away to paddington station. sherlock hol', 'he time stated i was in a cab with my valise, rattling away to paddington station. sherlock holmes w', 'me stated i was in a cab with my valise, rattling away to paddington station. sherlock holmes was pa', 'ated i was in a cab with my valise, rattling away to paddington station. sherlock holmes was pacing ', 'i was in a cab with my valise, rattling away to paddington station. sherlock holmes was pacing up an', ' in a cab with my valise, rattling away to paddington station. sherlock holmes was pacing up and dow', ' cab with my valise, rattling away to paddington station. sherlock holmes was pacing up and down the', 'with my valise, rattling away to paddington station. sherlock holmes was pacing up and down the plat', 'my valise, rattling away to paddington station. sherlock holmes was pacing up and down the platform,', 'lise, rattling away to paddington station. sherlock holmes was pacing up and down the platform, his ', ' rattling away to paddington station. sherlock holmes was pacing up and down the platform, his tall,', 'ling away to paddington station. sherlock holmes was pacing up and down the platform, his tall, gaun', 'away to paddington station. sherlock holmes was pacing up and down the platform, his tall, gaunt fig', 'to paddington station. sherlock holmes was pacing up and down the platform, his tall, gaunt figure m', 'ddington station. sherlock holmes was pacing up and down the platform, his tall, gaunt figure made e', 'ton station. sherlock holmes was pacing up and down the platform, his tall, gaunt figure made even g', 'tation. sherlock holmes was pacing up and down the platform, his tall, gaunt figure made even gaunte', 'n. sherlock holmes was pacing up and down the platform, his tall, gaunt figure made even gaunter and', 'erlock holmes was pacing up and down the platform, his tall, gaunt figure made even gaunter and tall', 'k holmes was pacing up and down the platform, his tall, gaunt figure made even gaunter and taller by', 'mes was pacing up and down the platform, his tall, gaunt figure made even gaunter and taller by his ', 'as pacing up and down the platform, his tall, gaunt figure made even gaunter and taller by his long ', 'cing up and down the platform, his tall, gaunt figure made even gaunter and taller by his long grey ', 'up and down the platform, his tall, gaunt figure made even gaunter and taller by his long grey trave', 'd down the platform, his tall, gaunt figure made even gaunter and taller by his long grey travelling', 'n the platform, his tall, gaunt figure made even gaunter and taller by his long grey travelling-cloa', ' platform, his tall, gaunt figure made even gaunter and taller by his long grey travelling-cloak and', 'form, his tall, gaunt figure made even gaunter and taller by his long grey travelling-cloak and clos', ' his tall, gaunt figure made even gaunter and taller by his long grey travelling-cloak and close-fit', 'tall, gaunt figure made even gaunter and taller by his long grey travelling-cloak and close-fitting ', ' gaunt figure made even gaunter and taller by his long grey travelling-cloak and close-fitting cloth', 't figure made even gaunter and taller by his long grey travelling-cloak and close-fitting cloth cap.', 'ure made even gaunter and taller by his long grey travelling-cloak and close-fitting cloth cap. "it ', 'ade even gaunter and taller by his long grey travelling-cloak and close-fitting cloth cap. "it is re', 'ven gaunter and taller by his long grey travelling-cloak and close-fitting cloth cap. "it is really ', 'aunter and taller by his long grey travelling-cloak and close-fitting cloth cap. "it is really very ', 'r and taller by his long grey travelling-cloak and close-fitting cloth cap. "it is really very good ', ' taller by his long grey travelling-cloak and close-fitting cloth cap. "it is really very good of yo', 'er by his long grey travelling-cloak and close-fitting cloth cap. "it is really very good of you to ', ' his long grey travelling-cloak and close-fitting cloth cap. "it is really very good of you to come,', 'long grey travelling-cloak and close-fitting cloth cap. "it is really very good of you to come, wats', 'grey travelling-cloak and close-fitting cloth cap. "it is really very good of you to come, watson," ', 'travelling-cloak and close-fitting cloth cap. "it is really very good of you to come, watson," said ', 'lling-cloak and close-fitting cloth cap. "it is really very good of you to come, watson," said he. "', '-cloak and close-fitting cloth cap. "it is really very good of you to come, watson," said he. "it ma', 'k and close-fitting cloth cap. "it is really very good of you to come, watson," said he. "it makes a', ' close-fitting cloth cap. "it is really very good of you to come, watson," said he. "it makes a cons', 'e-fitting cloth cap. "it is really very good of you to come, watson," said he. "it makes a considera', 'ting cloth cap. "it is really very good of you to come, watson," said he. "it makes a considerable d', 'cloth cap. "it is really very good of you to come, watson," said he. "it makes a considerable differ', ' cap. "it is really very good of you to come, watson," said he. "it makes a considerable difference ', ' "it is really very good of you to come, watson," said he. "it makes a considerable difference to me', 'is really very good of you to come, watson," said he. "it makes a considerable difference to me, hav', 'ally very good of you to come, watson," said he. "it makes a considerable difference to me, having s', 'very good of you to come, watson," said he. "it makes a considerable difference to me, having someon', 'good of you to come, watson," said he. "it makes a considerable difference to me, having someone wit', 'of you to come, watson," said he. "it makes a considerable difference to me, having someone with me ', 'u to come, watson," said he. "it makes a considerable difference to me, having someone with me on wh', 'come, watson," said he. "it makes a considerable difference to me, having someone with me on whom i ', ' watson," said he. "it makes a considerable difference to me, having someone with me on whom i can t', 'on," said he. "it makes a considerable difference to me, having someone with me on whom i can thorou', 'said he. "it makes a considerable difference to me, having someone with me on whom i can thoroughly ', 'he. "it makes a considerable difference to me, having someone with me on whom i can thoroughly rely.', 'it makes a considerable difference to me, having someone with me on whom i can thoroughly rely. loca', 'kes a considerable difference to me, having someone with me on whom i can thoroughly rely. local aid', ' considerable difference to me, having someone with me on whom i can thoroughly rely. local aid is a', 'iderable difference to me, having someone with me on whom i can thoroughly rely. local aid is always', 'ble difference to me, having someone with me on whom i can thoroughly rely. local aid is always eith', 'ifference to me, having someone with me on whom i can thoroughly rely. local aid is always either wo', 'ence to me, having someone with me on whom i can thoroughly rely. local aid is always either worthle', 'to me, having someone with me on whom i can thoroughly rely. local aid is always either worthless or', ', having someone with me on whom i can thoroughly rely. local aid is always either worthless or else', 'ing someone with me on whom i can thoroughly rely. local aid is always either worthless or else bias', 'omeone with me on whom i can thoroughly rely. local aid is always either worthless or else biassed. ', 'e with me on whom i can thoroughly rely. local aid is always either worthless or else biassed. if yo', 'h me on whom i can thoroughly rely. local aid is always either worthless or else biassed. if you wil', 'on whom i can thoroughly rely. local aid is always either worthless or else biassed. if you will kee', 'om i can thoroughly rely. local aid is always either worthless or else biassed. if you will keep the', 'can thoroughly rely. local aid is always either worthless or else biassed. if you will keep the two ', 'horoughly rely. local aid is always either worthless or else biassed. if you will keep the two corne', 'ghly rely. local aid is always either worthless or else biassed. if you will keep the two corner sea', 'rely. local aid is always either worthless or else biassed. if you will keep the two corner seats i ', ' local aid is always either worthless or else biassed. if you will keep the two corner seats i shall', 'l aid is always either worthless or else biassed. if you will keep the two corner seats i shall get ', ' is always either worthless or else biassed. if you will keep the two corner seats i shall get the t', 'lways either worthless or else biassed. if you will keep the two corner seats i shall get the ticket', ' either worthless or else biassed. if you will keep the two corner seats i shall get the tickets." w', 'er worthless or else biassed. if you will keep the two corner seats i shall get the tickets." we had', 'rthless or else biassed. if you will keep the two corner seats i shall get the tickets." we had the ', 'ss or else biassed. if you will keep the two corner seats i shall get the tickets." we had the carri', ' else biassed. if you will keep the two corner seats i shall get the tickets." we had the carriage t', ' biassed. if you will keep the two corner seats i shall get the tickets." we had the carriage to our', 'sed. if you will keep the two corner seats i shall get the tickets." we had the carriage to ourselve', 'if you will keep the two corner seats i shall get the tickets." we had the carriage to ourselves sav', 'u will keep the two corner seats i shall get the tickets." we had the carriage to ourselves save for', 'l keep the two corner seats i shall get the tickets." we had the carriage to ourselves save for an i', 'p the two corner seats i shall get the tickets." we had the carriage to ourselves save for an immens', ' two corner seats i shall get the tickets." we had the carriage to ourselves save for an immense lit', 'corner seats i shall get the tickets." we had the carriage to ourselves save for an immense litter o', 'r seats i shall get the tickets." we had the carriage to ourselves save for an immense litter of pap', 'ts i shall get the tickets." we had the carriage to ourselves save for an immense litter of papers w', 'shall get the tickets." we had the carriage to ourselves save for an immense litter of papers which ', ' get the tickets." we had the carriage to ourselves save for an immense litter of papers which holme', 'the tickets." we had the carriage to ourselves save for an immense litter of papers which holmes had', 'ickets." we had the carriage to ourselves save for an immense litter of papers which holmes had brou', 's." we had the carriage to ourselves save for an immense litter of papers which holmes had brought w', 'e had the carriage to ourselves save for an immense litter of papers which holmes had brought with h', ' the carriage to ourselves save for an immense litter of papers which holmes had brought with him. a', 'carriage to ourselves save for an immense litter of papers which holmes had brought with him. among ', 'age to ourselves save for an immense litter of papers which holmes had brought with him. among these', 'o ourselves save for an immense litter of papers which holmes had brought with him. among these he r', 'selves save for an immense litter of papers which holmes had brought with him. among these he rummag', 's save for an immense litter of papers which holmes had brought with him. among these he rummaged an', 'e for an immense litter of papers which holmes had brought with him. among these he rummaged and rea', ' an immense litter of papers which holmes had brought with him. among these he rummaged and read, wi', 'mmense litter of papers which holmes had brought with him. among these he rummaged and read, with in', 'e litter of papers which holmes had brought with him. among these he rummaged and read, with interva', 'ter of papers which holmes had brought with him. among these he rummaged and read, with intervals of', 'f papers which holmes had brought with him. among these he rummaged and read, with intervals of note', 'ers which holmes had brought with him. among these he rummaged and read, with intervals of note-taki', 'hich holmes had brought with him. among these he rummaged and read, with intervals of note-taking an', 'holmes had brought with him. among these he rummaged and read, with intervals of note-taking and of ', 's had brought with him. among these he rummaged and read, with intervals of note-taking and of medit', ' brought with him. among these he rummaged and read, with intervals of note-taking and of meditation', 'ght with him. among these he rummaged and read, with intervals of note-taking and of meditation, unt', 'ith him. among these he rummaged and read, with intervals of note-taking and of meditation, until we', 'im. among these he rummaged and read, with intervals of note-taking and of meditation, until we were', 'mong these he rummaged and read, with intervals of note-taking and of meditation, until we were past', 'these he rummaged and read, with intervals of note-taking and of meditation, until we were past read', ' he rummaged and read, with intervals of note-taking and of meditation, until we were past reading. ', 'ummaged and read, with intervals of note-taking and of meditation, until we were past reading. then ', 'ed and read, with intervals of note-taking and of meditation, until we were past reading. then he su', 'd read, with intervals of note-taking and of meditation, until we were past reading. then he suddenl', 'd, with intervals of note-taking and of meditation, until we were past reading. then he suddenly rol', 'th intervals of note-taking and of meditation, until we were past reading. then he suddenly rolled t', 'tervals of note-taking and of meditation, until we were past reading. then he suddenly rolled them a', 'ls of note-taking and of meditation, until we were past reading. then he suddenly rolled them all in', ' note-taking and of meditation, until we were past reading. then he suddenly rolled them all into a ', '-taking and of meditation, until we were past reading. then he suddenly rolled them all into a gigan', 'ng and of meditation, until we were past reading. then he suddenly rolled them all into a gigantic b', 'd of meditation, until we were past reading. then he suddenly rolled them all into a gigantic ball a', 'meditation, until we were past reading. then he suddenly rolled them all into a gigantic ball and to', 'ation, until we were past reading. then he suddenly rolled them all into a gigantic ball and tossed ', ', until we were past reading. then he suddenly rolled them all into a gigantic ball and tossed them ', 'il we were past reading. then he suddenly rolled them all into a gigantic ball and tossed them up on', ' were past reading. then he suddenly rolled them all into a gigantic ball and tossed them up onto th', ' past reading. then he suddenly rolled them all into a gigantic ball and tossed them up onto the rac', ' reading. then he suddenly rolled them all into a gigantic ball and tossed them up onto the rack. "h', 'ing. then he suddenly rolled them all into a gigantic ball and tossed them up onto the rack. "have y', 'then he suddenly rolled them all into a gigantic ball and tossed them up onto the rack. "have you he', 'he suddenly rolled them all into a gigantic ball and tossed them up onto the rack. "have you heard a', 'ddenly rolled them all into a gigantic ball and tossed them up onto the rack. "have you heard anythi', 'y rolled them all into a gigantic ball and tossed them up onto the rack. "have you heard anything of', 'led them all into a gigantic ball and tossed them up onto the rack. "have you heard anything of the ', 'hem all into a gigantic ball and tossed them up onto the rack. "have you heard anything of the case?', 'll into a gigantic ball and tossed them up onto the rack. "have you heard anything of the case?" he ', 'to a gigantic ball and tossed them up onto the rack. "have you heard anything of the case?" he asked', 'gigantic ball and tossed them up onto the rack. "have you heard anything of the case?" he asked. "no', 'tic ball and tossed them up onto the rack. "have you heard anything of the case?" he asked. "not a w', 'all and tossed them up onto the rack. "have you heard anything of the case?" he asked. "not a word. ', 'nd tossed them up onto the rack. "have you heard anything of the case?" he asked. "not a word. i hav', 'ssed them up onto the rack. "have you heard anything of the case?" he asked. "not a word. i have not', 'them up onto the rack. "have you heard anything of the case?" he asked. "not a word. i have not seen', 'up onto the rack. "have you heard anything of the case?" he asked. "not a word. i have not seen a pa', 'to the rack. "have you heard anything of the case?" he asked. "not a word. i have not seen a paper f', 'e rack. "have you heard anything of the case?" he asked. "not a word. i have not seen a paper for so', 'k. "have you heard anything of the case?" he asked. "not a word. i have not seen a paper for some da', 'ave you heard anything of the case?" he asked. "not a word. i have not seen a paper for some days." ', 'ou heard anything of the case?" he asked. "not a word. i have not seen a paper for some days." "the ', 'ard anything of the case?" he asked. "not a word. i have not seen a paper for some days." "the londo', 'nything of the case?" he asked. "not a word. i have not seen a paper for some days." "the london pre', 'ng of the case?" he asked. "not a word. i have not seen a paper for some days." "the london press ha', ' the case?" he asked. "not a word. i have not seen a paper for some days." "the london press has not', 'case?" he asked. "not a word. i have not seen a paper for some days." "the london press has not had ', '" he asked. "not a word. i have not seen a paper for some days." "the london press has not had very ', 'asked. "not a word. i have not seen a paper for some days." "the london press has not had very full ', '. "not a word. i have not seen a paper for some days." "the london press has not had very full accou', 't a word. i have not seen a paper for some days." "the london press has not had very full accounts. ', 'ord. i have not seen a paper for some days." "the london press has not had very full accounts. i hav', 'i have not seen a paper for some days." "the london press has not had very full accounts. i have jus', 'e not seen a paper for some days." "the london press has not had very full accounts. i have just bee', ' seen a paper for some days." "the london press has not had very full accounts. i have just been loo', ' a paper for some days." "the london press has not had very full accounts. i have just been looking ', 'per for some days." "the london press has not had very full accounts. i have just been looking throu', 'or some days." "the london press has not had very full accounts. i have just been looking through al', 'me days." "the london press has not had very full accounts. i have just been looking through all the', 'ys." "the london press has not had very full accounts. i have just been looking through all the rece', '"the london press has not had very full accounts. i have just been looking through all the recent pa', 'london press has not had very full accounts. i have just been looking through all the recent papers ', 'n press has not had very full accounts. i have just been looking through all the recent papers in or', 'ss has not had very full accounts. i have just been looking through all the recent papers in order t', 's not had very full accounts. i have just been looking through all the recent papers in order to mas', ' had very full accounts. i have just been looking through all the recent papers in order to master t', 'very full accounts. i have just been looking through all the recent papers in order to master the pa', 'full accounts. i have just been looking through all the recent papers in order to master the particu', 'accounts. i have just been looking through all the recent papers in order to master the particulars.', 'nts. i have just been looking through all the recent papers in order to master the particulars. it s', 'i have just been looking through all the recent papers in order to master the particulars. it seems,', 'e just been looking through all the recent papers in order to master the particulars. it seems, from', 't been looking through all the recent papers in order to master the particulars. it seems, from what', 'n looking through all the recent papers in order to master the particulars. it seems, from what i ga', 'king through all the recent papers in order to master the particulars. it seems, from what i gather,', 'through all the recent papers in order to master the particulars. it seems, from what i gather, to b', 'gh all the recent papers in order to master the particulars. it seems, from what i gather, to be one', 'l the recent papers in order to master the particulars. it seems, from what i gather, to be one of t', ' recent papers in order to master the particulars. it seems, from what i gather, to be one of those ', 'nt papers in order to master the particulars. it seems, from what i gather, to be one of those simpl', 'pers in order to master the particulars. it seems, from what i gather, to be one of those simple cas', 'in order to master the particulars. it seems, from what i gather, to be one of those simple cases wh', 'der to master the particulars. it seems, from what i gather, to be one of those simple cases which a', 'o master the particulars. it seems, from what i gather, to be one of those simple cases which are so', 'ter the particulars. it seems, from what i gather, to be one of those simple cases which are so extr', 'he particulars. it seems, from what i gather, to be one of those simple cases which are so extremely', 'rticulars. it seems, from what i gather, to be one of those simple cases which are so extremely diff', 'lars. it seems, from what i gather, to be one of those simple cases which are so extremely difficult', ' it seems, from what i gather, to be one of those simple cases which are so extremely difficult." "t', 'eems, from what i gather, to be one of those simple cases which are so extremely difficult." "that s', ' from what i gather, to be one of those simple cases which are so extremely difficult." "that sounds', ' what i gather, to be one of those simple cases which are so extremely difficult." "that sounds a li', ' i gather, to be one of those simple cases which are so extremely difficult." "that sounds a little ', 'ther, to be one of those simple cases which are so extremely difficult." "that sounds a little parad', ' to be one of those simple cases which are so extremely difficult." "that sounds a little paradoxica', 'e one of those simple cases which are so extremely difficult." "that sounds a little paradoxical." "', ' of those simple cases which are so extremely difficult." "that sounds a little paradoxical." "but i', 'hose simple cases which are so extremely difficult." "that sounds a little paradoxical." "but it is ', 'simple cases which are so extremely difficult." "that sounds a little paradoxical." "but it is profo', 'e cases which are so extremely difficult." "that sounds a little paradoxical." "but it is profoundly', 'es which are so extremely difficult." "that sounds a little paradoxical." "but it is profoundly true', 'ich are so extremely difficult." "that sounds a little paradoxical." "but it is profoundly true. sin', 're so extremely difficult." "that sounds a little paradoxical." "but it is profoundly true. singular', ' extremely difficult." "that sounds a little paradoxical." "but it is profoundly true. singularity i', 'emely difficult." "that sounds a little paradoxical." "but it is profoundly true. singularity is alm', ' difficult." "that sounds a little paradoxical." "but it is profoundly true. singularity is almost i', 'icult." "that sounds a little paradoxical." "but it is profoundly true. singularity is almost invari', '." "that sounds a little paradoxical." "but it is profoundly true. singularity is almost invariably ', 'hat sounds a little paradoxical." "but it is profoundly true. singularity is almost invariably a clu', 'ounds a little paradoxical." "but it is profoundly true. singularity is almost invariably a clue. th', ' a little paradoxical." "but it is profoundly true. singularity is almost invariably a clue. the mor', 'ttle paradoxical." "but it is profoundly true. singularity is almost invariably a clue. the more fea', 'paradoxical." "but it is profoundly true. singularity is almost invariably a clue. the more featurel', 'oxical." "but it is profoundly true. singularity is almost invariably a clue. the more featureless a', 'l." "but it is profoundly true. singularity is almost invariably a clue. the more featureless and co', 'but it is profoundly true. singularity is almost invariably a clue. the more featureless and commonp', 't is profoundly true. singularity is almost invariably a clue. the more featureless and commonplace ', 'profoundly true. singularity is almost invariably a clue. the more featureless and commonplace a cri', 'undly true. singularity is almost invariably a clue. the more featureless and commonplace a crime is', ' true. singularity is almost invariably a clue. the more featureless and commonplace a crime is, the', '. singularity is almost invariably a clue. the more featureless and commonplace a crime is, the more', 'gularity is almost invariably a clue. the more featureless and commonplace a crime is, the more diff', 'ity is almost invariably a clue. the more featureless and commonplace a crime is, the more difficult', 's almost invariably a clue. the more featureless and commonplace a crime is, the more difficult it i', 'ost invariably a clue. the more featureless and commonplace a crime is, the more difficult it is to ', 'nvariably a clue. the more featureless and commonplace a crime is, the more difficult it is to bring', 'ably a clue. the more featureless and commonplace a crime is, the more difficult it is to bring it h', 'a clue. the more featureless and commonplace a crime is, the more difficult it is to bring it home. ', 'e. the more featureless and commonplace a crime is, the more difficult it is to bring it home. in th', 'e more featureless and commonplace a crime is, the more difficult it is to bring it home. in this ca', 'e featureless and commonplace a crime is, the more difficult it is to bring it home. in this case, h', 'tureless and commonplace a crime is, the more difficult it is to bring it home. in this case, howeve', 'ess and commonplace a crime is, the more difficult it is to bring it home. in this case, however, th', 'nd commonplace a crime is, the more difficult it is to bring it home. in this case, however, they ha', 'mmonplace a crime is, the more difficult it is to bring it home. in this case, however, they have es', 'lace a crime is, the more difficult it is to bring it home. in this case, however, they have establi', 'a crime is, the more difficult it is to bring it home. in this case, however, they have established ', 'me is, the more difficult it is to bring it home. in this case, however, they have established a ver', ', the more difficult it is to bring it home. in this case, however, they have established a very ser', ' more difficult it is to bring it home. in this case, however, they have established a very serious ', ' difficult it is to bring it home. in this case, however, they have established a very serious case ', 'icult it is to bring it home. in this case, however, they have established a very serious case again', ' it is to bring it home. in this case, however, they have established a very serious case against th', 's to bring it home. in this case, however, they have established a very serious case against the son', 'bring it home. in this case, however, they have established a very serious case against the son of t', ' it home. in this case, however, they have established a very serious case against the son of the mu', 'ome. in this case, however, they have established a very serious case against the son of the murdere', 'in this case, however, they have established a very serious case against the son of the murdered man', 'is case, however, they have established a very serious case against the son of the murdered man." "i', 'se, however, they have established a very serious case against the son of the murdered man." "it is ', 'owever, they have established a very serious case against the son of the murdered man." "it is a mur', 'r, they have established a very serious case against the son of the murdered man." "it is a murder, ', 'ey have established a very serious case against the son of the murdered man." "it is a murder, then?', 've established a very serious case against the son of the murdered man." "it is a murder, then?" "we', 'tablished a very serious case against the son of the murdered man." "it is a murder, then?" "well, i', 'shed a very serious case against the son of the murdered man." "it is a murder, then?" "well, it is ', 'a very serious case against the son of the murdered man." "it is a murder, then?" "well, it is conje', 'y serious case against the son of the murdered man." "it is a murder, then?" "well, it is conjecture', 'ious case against the son of the murdered man." "it is a murder, then?" "well, it is conjectured to ', 'case against the son of the murdered man." "it is a murder, then?" "well, it is conjectured to be so', 'against the son of the murdered man." "it is a murder, then?" "well, it is conjectured to be so. i s', 'st the son of the murdered man." "it is a murder, then?" "well, it is conjectured to be so. i shall ', 'e son of the murdered man." "it is a murder, then?" "well, it is conjectured to be so. i shall take ', ' of the murdered man." "it is a murder, then?" "well, it is conjectured to be so. i shall take nothi', 'he murdered man." "it is a murder, then?" "well, it is conjectured to be so. i shall take nothing fo', 'rdered man." "it is a murder, then?" "well, it is conjectured to be so. i shall take nothing for gra', 'd man." "it is a murder, then?" "well, it is conjectured to be so. i shall take nothing for granted ', '." "it is a murder, then?" "well, it is conjectured to be so. i shall take nothing for granted until', 't is a murder, then?" "well, it is conjectured to be so. i shall take nothing for granted until i ha', 'a murder, then?" "well, it is conjectured to be so. i shall take nothing for granted until i have th', 'der, then?" "well, it is conjectured to be so. i shall take nothing for granted until i have the opp', 'then?" "well, it is conjectured to be so. i shall take nothing for granted until i have the opportun', '" "well, it is conjectured to be so. i shall take nothing for granted until i have the opportunity o', 'll, it is conjectured to be so. i shall take nothing for granted until i have the opportunity of loo', 't is conjectured to be so. i shall take nothing for granted until i have the opportunity of looking ', 'conjectured to be so. i shall take nothing for granted until i have the opportunity of looking perso', 'ctured to be so. i shall take nothing for granted until i have the opportunity of looking personally', 'd to be so. i shall take nothing for granted until i have the opportunity of looking personally into', 'be so. i shall take nothing for granted until i have the opportunity of looking personally into it. ', '. i shall take nothing for granted until i have the opportunity of looking personally into it. i wil', 'hall take nothing for granted until i have the opportunity of looking personally into it. i will exp', 'take nothing for granted until i have the opportunity of looking personally into it. i will explain ', 'nothing for granted until i have the opportunity of looking personally into it. i will explain the s', 'ng for granted until i have the opportunity of looking personally into it. i will explain the state ', 'r granted until i have the opportunity of looking personally into it. i will explain the state of th', 'nted until i have the opportunity of looking personally into it. i will explain the state of things ', 'until i have the opportunity of looking personally into it. i will explain the state of things to yo', ' i have the opportunity of looking personally into it. i will explain the state of things to you, as', 've the opportunity of looking personally into it. i will explain the state of things to you, as far ', 'e opportunity of looking personally into it. i will explain the state of things to you, as far as i ', 'ortunity of looking personally into it. i will explain the state of things to you, as far as i have ', 'ity of looking personally into it. i will explain the state of things to you, as far as i have been ', 'f looking personally into it. i will explain the state of things to you, as far as i have been able ', 'king personally into it. i will explain the state of things to you, as far as i have been able to un', 'personally into it. i will explain the state of things to you, as far as i have been able to underst', 'nally into it. i will explain the state of things to you, as far as i have been able to understand i', ' into it. i will explain the state of things to you, as far as i have been able to understand it, in', ' it. i will explain the state of things to you, as far as i have been able to understand it, in a ve', 'i will explain the state of things to you, as far as i have been able to understand it, in a very fe', 'l explain the state of things to you, as far as i have been able to understand it, in a very few wor', 'lain the state of things to you, as far as i have been able to understand it, in a very few words. "', 'the state of things to you, as far as i have been able to understand it, in a very few words. "bosco', 'tate of things to you, as far as i have been able to understand it, in a very few words. "boscombe v', 'of things to you, as far as i have been able to understand it, in a very few words. "boscombe valley', 'ings to you, as far as i have been able to understand it, in a very few words. "boscombe valley is a', 'to you, as far as i have been able to understand it, in a very few words. "boscombe valley is a coun', 'u, as far as i have been able to understand it, in a very few words. "boscombe valley is a country d', ' far as i have been able to understand it, in a very few words. "boscombe valley is a country distri', 'as i have been able to understand it, in a very few words. "boscombe valley is a country district no', 'have been able to understand it, in a very few words. "boscombe valley is a country district not ver', 'been able to understand it, in a very few words. "boscombe valley is a country district not very far', 'able to understand it, in a very few words. "boscombe valley is a country district not very far from', 'to understand it, in a very few words. "boscombe valley is a country district not very far from ross', 'derstand it, in a very few words. "boscombe valley is a country district not very far from ross, in ', 'and it, in a very few words. "boscombe valley is a country district not very far from ross, in heref', 't, in a very few words. "boscombe valley is a country district not very far from ross, in herefordsh', ' a very few words. "boscombe valley is a country district not very far from ross, in herefordshire. ', 'ry few words. "boscombe valley is a country district not very far from ross, in herefordshire. the l', 'w words. "boscombe valley is a country district not very far from ross, in herefordshire. the larges', 'ds. "boscombe valley is a country district not very far from ross, in herefordshire. the largest lan', 'boscombe valley is a country district not very far from ross, in herefordshire. the largest landed p', 'mbe valley is a country district not very far from ross, in herefordshire. the largest landed propri', 'alley is a country district not very far from ross, in herefordshire. the largest landed proprietor ', ' is a country district not very far from ross, in herefordshire. the largest landed proprietor in th', ' country district not very far from ross, in herefordshire. the largest landed proprietor in that pa', 'try district not very far from ross, in herefordshire. the largest landed proprietor in that part is', 'istrict not very far from ross, in herefordshire. the largest landed proprietor in that part is a mr', 'ct not very far from ross, in herefordshire. the largest landed proprietor in that part is a mr. joh', 't very far from ross, in herefordshire. the largest landed proprietor in that part is a mr. john tur', 'y far from ross, in herefordshire. the largest landed proprietor in that part is a mr. john turner, ', ' from ross, in herefordshire. the largest landed proprietor in that part is a mr. john turner, who m', ' ross, in herefordshire. the largest landed proprietor in that part is a mr. john turner, who made h', ', in herefordshire. the largest landed proprietor in that part is a mr. john turner, who made his mo', 'herefordshire. the largest landed proprietor in that part is a mr. john turner, who made his money i', 'ordshire. the largest landed proprietor in that part is a mr. john turner, who made his money in aus', 'ire. the largest landed proprietor in that part is a mr. john turner, who made his money in australi', 'the largest landed proprietor in that part is a mr. john turner, who made his money in australia and', 'argest landed proprietor in that part is a mr. john turner, who made his money in australia and retu', 't landed proprietor in that part is a mr. john turner, who made his money in australia and returned ', 'ded proprietor in that part is a mr. john turner, who made his money in australia and returned some ', 'roprietor in that part is a mr. john turner, who made his money in australia and returned some years', 'etor in that part is a mr. john turner, who made his money in australia and returned some years ago ', 'in that part is a mr. john turner, who made his money in australia and returned some years ago to th', 'at part is a mr. john turner, who made his money in australia and returned some years ago to the old', 'rt is a mr. john turner, who made his money in australia and returned some years ago to the old coun', ' a mr. john turner, who made his money in australia and returned some years ago to the old country. ', '. john turner, who made his money in australia and returned some years ago to the old country. one o', 'n turner, who made his money in australia and returned some years ago to the old country. one of the', 'ner, who made his money in australia and returned some years ago to the old country. one of the farm', 'who made his money in australia and returned some years ago to the old country. one of the farms whi', 'ade his money in australia and returned some years ago to the old country. one of the farms which he', 'is money in australia and returned some years ago to the old country. one of the farms which he held', 'ney in australia and returned some years ago to the old country. one of the farms which he held, tha', 'n australia and returned some years ago to the old country. one of the farms which he held, that of ', 'tralia and returned some years ago to the old country. one of the farms which he held, that of hathe', 'a and returned some years ago to the old country. one of the farms which he held, that of hatherley,', ' returned some years ago to the old country. one of the farms which he held, that of hatherley, was ', 'rned some years ago to the old country. one of the farms which he held, that of hatherley, was let t', 'some years ago to the old country. one of the farms which he held, that of hatherley, was let to mr.', 'years ago to the old country. one of the farms which he held, that of hatherley, was let to mr. char', ' ago to the old country. one of the farms which he held, that of hatherley, was let to mr. charles m', 'to the old country. one of the farms which he held, that of hatherley, was let to mr. charles mccart', 'e old country. one of the farms which he held, that of hatherley, was let to mr. charles mccarthy, w', ' country. one of the farms which he held, that of hatherley, was let to mr. charles mccarthy, who wa', 'try. one of the farms which he held, that of hatherley, was let to mr. charles mccarthy, who was als', 'one of the farms which he held, that of hatherley, was let to mr. charles mccarthy, who was also an ', 'f the farms which he held, that of hatherley, was let to mr. charles mccarthy, who was also an ex-au', ' farms which he held, that of hatherley, was let to mr. charles mccarthy, who was also an ex-austral', 's which he held, that of hatherley, was let to mr. charles mccarthy, who was also an ex-australian. ', 'ch he held, that of hatherley, was let to mr. charles mccarthy, who was also an ex-australian. the m', ' held, that of hatherley, was let to mr. charles mccarthy, who was also an ex-australian. the men ha', ', that of hatherley, was let to mr. charles mccarthy, who was also an ex-australian. the men had kno', 't of hatherley, was let to mr. charles mccarthy, who was also an ex-australian. the men had known ea', 'hatherley, was let to mr. charles mccarthy, who was also an ex-australian. the men had known each ot', 'rley, was let to mr. charles mccarthy, who was also an ex-australian. the men had known each other i', ' was let to mr. charles mccarthy, who was also an ex-australian. the men had known each other in the', 'let to mr. charles mccarthy, who was also an ex-australian. the men had known each other in the colo', 'o mr. charles mccarthy, who was also an ex-australian. the men had known each other in the colonies,', ' charles mccarthy, who was also an ex-australian. the men had known each other in the colonies, so t', 'les mccarthy, who was also an ex-australian. the men had known each other in the colonies, so that i', 'ccarthy, who was also an ex-australian. the men had known each other in the colonies, so that it was', 'hy, who was also an ex-australian. the men had known each other in the colonies, so that it was not ', 'ho was also an ex-australian. the men had known each other in the colonies, so that it was not unnat', 's also an ex-australian. the men had known each other in the colonies, so that it was not unnatural ', 'o an ex-australian. the men had known each other in the colonies, so that it was not unnatural that ', 'ex-australian. the men had known each other in the colonies, so that it was not unnatural that when ', 'stralian. the men had known each other in the colonies, so that it was not unnatural that when they ', 'ian. the men had known each other in the colonies, so that it was not unnatural that when they came ', 'the men had known each other in the colonies, so that it was not unnatural that when they came to se', 'en had known each other in the colonies, so that it was not unnatural that when they came to settle ', 'd known each other in the colonies, so that it was not unnatural that when they came to settle down ', 'wn each other in the colonies, so that it was not unnatural that when they came to settle down they ', 'ch other in the colonies, so that it was not unnatural that when they came to settle down they shoul', 'her in the colonies, so that it was not unnatural that when they came to settle down they should do ', 'n the colonies, so that it was not unnatural that when they came to settle down they should do so as', ' colonies, so that it was not unnatural that when they came to settle down they should do so as near', 'nies, so that it was not unnatural that when they came to settle down they should do so as near each', ' so that it was not unnatural that when they came to settle down they should do so as near each othe', 'hat it was not unnatural that when they came to settle down they should do so as near each other as ', 't was not unnatural that when they came to settle down they should do so as near each other as possi', ' not unnatural that when they came to settle down they should do so as near each other as possible. ', 'unnatural that when they came to settle down they should do so as near each other as possible. turne', 'ural that when they came to settle down they should do so as near each other as possible. turner was', 'that when they came to settle down they should do so as near each other as possible. turner was appa', 'when they came to settle down they should do so as near each other as possible. turner was apparentl', 'they came to settle down they should do so as near each other as possible. turner was apparently the', 'came to settle down they should do so as near each other as possible. turner was apparently the rich', 'to settle down they should do so as near each other as possible. turner was apparently the richer ma', 'ttle down they should do so as near each other as possible. turner was apparently the richer man, so', 'down they should do so as near each other as possible. turner was apparently the richer man, so mcca', 'they should do so as near each other as possible. turner was apparently the richer man, so mccarthy ', 'should do so as near each other as possible. turner was apparently the richer man, so mccarthy becam', 'd do so as near each other as possible. turner was apparently the richer man, so mccarthy became his', 'so as near each other as possible. turner was apparently the richer man, so mccarthy became his tena', ' near each other as possible. turner was apparently the richer man, so mccarthy became his tenant bu', ' each other as possible. turner was apparently the richer man, so mccarthy became his tenant but sti', ' other as possible. turner was apparently the richer man, so mccarthy became his tenant but still re', 'r as possible. turner was apparently the richer man, so mccarthy became his tenant but still remaine', 'possible. turner was apparently the richer man, so mccarthy became his tenant but still remained, it', 'ble. turner was apparently the richer man, so mccarthy became his tenant but still remained, it seem', 'turner was apparently the richer man, so mccarthy became his tenant but still remained, it seems, up', 'r was apparently the richer man, so mccarthy became his tenant but still remained, it seems, upon te', ' apparently the richer man, so mccarthy became his tenant but still remained, it seems, upon terms o', 'rently the richer man, so mccarthy became his tenant but still remained, it seems, upon terms of per', 'y the richer man, so mccarthy became his tenant but still remained, it seems, upon terms of perfect ', ' richer man, so mccarthy became his tenant but still remained, it seems, upon terms of perfect equal', 'er man, so mccarthy became his tenant but still remained, it seems, upon terms of perfect equality, ', 'n, so mccarthy became his tenant but still remained, it seems, upon terms of perfect equality, as th', ' mccarthy became his tenant but still remained, it seems, upon terms of perfect equality, as they we', 'rthy became his tenant but still remained, it seems, upon terms of perfect equality, as they were fr', 'became his tenant but still remained, it seems, upon terms of perfect equality, as they were frequen', 'e his tenant but still remained, it seems, upon terms of perfect equality, as they were frequently t', ' tenant but still remained, it seems, upon terms of perfect equality, as they were frequently togeth', 'nt but still remained, it seems, upon terms of perfect equality, as they were frequently together. m', 't still remained, it seems, upon terms of perfect equality, as they were frequently together. mccart', 'll remained, it seems, upon terms of perfect equality, as they were frequently together. mccarthy ha', 'mained, it seems, upon terms of perfect equality, as they were frequently together. mccarthy had one', 'd, it seems, upon terms of perfect equality, as they were frequently together. mccarthy had one son,', ' seems, upon terms of perfect equality, as they were frequently together. mccarthy had one son, a la', 's, upon terms of perfect equality, as they were frequently together. mccarthy had one son, a lad of ', 'on terms of perfect equality, as they were frequently together. mccarthy had one son, a lad of eight', 'rms of perfect equality, as they were frequently together. mccarthy had one son, a lad of eighteen, ', 'f perfect equality, as they were frequently together. mccarthy had one son, a lad of eighteen, and t', 'fect equality, as they were frequently together. mccarthy had one son, a lad of eighteen, and turner', 'equality, as they were frequently together. mccarthy had one son, a lad of eighteen, and turner had ', 'ity, as they were frequently together. mccarthy had one son, a lad of eighteen, and turner had an on', 'as they were frequently together. mccarthy had one son, a lad of eighteen, and turner had an only da', 'ey were frequently together. mccarthy had one son, a lad of eighteen, and turner had an only daughte', 're frequently together. mccarthy had one son, a lad of eighteen, and turner had an only daughter of ', 'equently together. mccarthy had one son, a lad of eighteen, and turner had an only daughter of the s', 'tly together. mccarthy had one son, a lad of eighteen, and turner had an only daughter of the same a', 'ogether. mccarthy had one son, a lad of eighteen, and turner had an only daughter of the same age, b', 'er. mccarthy had one son, a lad of eighteen, and turner had an only daughter of the same age, but ne', 'ccarthy had one son, a lad of eighteen, and turner had an only daughter of the same age, but neither', 'hy had one son, a lad of eighteen, and turner had an only daughter of the same age, but neither of t', 'd one son, a lad of eighteen, and turner had an only daughter of the same age, but neither of them h', ' son, a lad of eighteen, and turner had an only daughter of the same age, but neither of them had wi', ' a lad of eighteen, and turner had an only daughter of the same age, but neither of them had wives l', 'd of eighteen, and turner had an only daughter of the same age, but neither of them had wives living', 'eighteen, and turner had an only daughter of the same age, but neither of them had wives living. the', 'een, and turner had an only daughter of the same age, but neither of them had wives living. they app', 'and turner had an only daughter of the same age, but neither of them had wives living. they appear t', 'urner had an only daughter of the same age, but neither of them had wives living. they appear to hav', ' had an only daughter of the same age, but neither of them had wives living. they appear to have avo', 'an only daughter of the same age, but neither of them had wives living. they appear to have avoided ', 'ly daughter of the same age, but neither of them had wives living. they appear to have avoided the s', 'ughter of the same age, but neither of them had wives living. they appear to have avoided the societ', 'r of the same age, but neither of them had wives living. they appear to have avoided the society of ', 'the same age, but neither of them had wives living. they appear to have avoided the society of the n', 'ame age, but neither of them had wives living. they appear to have avoided the society of the neighb', 'ge, but neither of them had wives living. they appear to have avoided the society of the neighbourin', 'ut neither of them had wives living. they appear to have avoided the society of the neighbouring eng', 'ither of them had wives living. they appear to have avoided the society of the neighbouring english ', ' of them had wives living. they appear to have avoided the society of the neighbouring english famil', 'hem had wives living. they appear to have avoided the society of the neighbouring english families a', 'ad wives living. they appear to have avoided the society of the neighbouring english families and to', 'ves living. they appear to have avoided the society of the neighbouring english families and to have', 'iving. they appear to have avoided the society of the neighbouring english families and to have led ', '. they appear to have avoided the society of the neighbouring english families and to have led retir', 'y appear to have avoided the society of the neighbouring english families and to have led retired li', 'ear to have avoided the society of the neighbouring english families and to have led retired lives, ', 'o have avoided the society of the neighbouring english families and to have led retired lives, thoug', 'e avoided the society of the neighbouring english families and to have led retired lives, though bot', 'ided the society of the neighbouring english families and to have led retired lives, though both the', 'the society of the neighbouring english families and to have led retired lives, though both the mcca', 'ociety of the neighbouring english families and to have led retired lives, though both the mccarthys', 'y of the neighbouring english families and to have led retired lives, though both the mccarthys were', 'the neighbouring english families and to have led retired lives, though both the mccarthys were fond', 'eighbouring english families and to have led retired lives, though both the mccarthys were fond of s', 'ouring english families and to have led retired lives, though both the mccarthys were fond of sport ', 'g english families and to have led retired lives, though both the mccarthys were fond of sport and w', 'lish families and to have led retired lives, though both the mccarthys were fond of sport and were f', 'families and to have led retired lives, though both the mccarthys were fond of sport and were freque', 'ies and to have led retired lives, though both the mccarthys were fond of sport and were frequently ', 'nd to have led retired lives, though both the mccarthys were fond of sport and were frequently seen ', ' have led retired lives, though both the mccarthys were fond of sport and were frequently seen at th', ' led retired lives, though both the mccarthys were fond of sport and were frequently seen at the rac', 'retired lives, though both the mccarthys were fond of sport and were frequently seen at the race-mee', 'ed lives, though both the mccarthys were fond of sport and were frequently seen at the race-meetings', 'ves, though both the mccarthys were fond of sport and were frequently seen at the race-meetings of t', 'though both the mccarthys were fond of sport and were frequently seen at the race-meetings of the ne', 'h both the mccarthys were fond of sport and were frequently seen at the race-meetings of the neighbo', 'h the mccarthys were fond of sport and were frequently seen at the race-meetings of the neighbourhoo', ' mccarthys were fond of sport and were frequently seen at the race-meetings of the neighbourhood. mc', 'rthys were fond of sport and were frequently seen at the race-meetings of the neighbourhood. mccarth', ' were fond of sport and were frequently seen at the race-meetings of the neighbourhood. mccarthy kep', ' fond of sport and were frequently seen at the race-meetings of the neighbourhood. mccarthy kept two', ' of sport and were frequently seen at the race-meetings of the neighbourhood. mccarthy kept two serv', 'port and were frequently seen at the race-meetings of the neighbourhood. mccarthy kept two servantsa', 'and were frequently seen at the race-meetings of the neighbourhood. mccarthy kept two servantsa man ', 'ere frequently seen at the race-meetings of the neighbourhood. mccarthy kept two servantsa man and a', 'requently seen at the race-meetings of the neighbourhood. mccarthy kept two servantsa man and a girl', 'ntly seen at the race-meetings of the neighbourhood. mccarthy kept two servantsa man and a girl. tur', 'seen at the race-meetings of the neighbourhood. mccarthy kept two servantsa man and a girl. turner h', 'at the race-meetings of the neighbourhood. mccarthy kept two servantsa man and a girl. turner had a ', 'e race-meetings of the neighbourhood. mccarthy kept two servantsa man and a girl. turner had a consi', 'e-meetings of the neighbourhood. mccarthy kept two servantsa man and a girl. turner had a considerab', 'tings of the neighbourhood. mccarthy kept two servantsa man and a girl. turner had a considerable ho', ' of the neighbourhood. mccarthy kept two servantsa man and a girl. turner had a considerable househo', 'he neighbourhood. mccarthy kept two servantsa man and a girl. turner had a considerable household, s', 'ighbourhood. mccarthy kept two servantsa man and a girl. turner had a considerable household, some h', 'urhood. mccarthy kept two servantsa man and a girl. turner had a considerable household, some half-d', 'd. mccarthy kept two servantsa man and a girl. turner had a considerable household, some half-dozen ', 'carthy kept two servantsa man and a girl. turner had a considerable household, some half-dozen at th', 'y kept two servantsa man and a girl. turner had a considerable household, some half-dozen at the lea', 't two servantsa man and a girl. turner had a considerable household, some half-dozen at the least. t', ' servantsa man and a girl. turner had a considerable household, some half-dozen at the least. that i', 'antsa man and a girl. turner had a considerable household, some half-dozen at the least. that is as ', ' man and a girl. turner had a considerable household, some half-dozen at the least. that is as much ', 'and a girl. turner had a considerable household, some half-dozen at the least. that is as much as i ', ' girl. turner had a considerable household, some half-dozen at the least. that is as much as i have ', '. turner had a considerable household, some half-dozen at the least. that is as much as i have been ', 'ner had a considerable household, some half-dozen at the least. that is as much as i have been able ', 'ad a considerable household, some half-dozen at the least. that is as much as i have been able to ga', 'considerable household, some half-dozen at the least. that is as much as i have been able to gather ', 'derable household, some half-dozen at the least. that is as much as i have been able to gather about', 'le household, some half-dozen at the least. that is as much as i have been able to gather about the ', 'usehold, some half-dozen at the least. that is as much as i have been able to gather about the famil', 'ld, some half-dozen at the least. that is as much as i have been able to gather about the families. ', 'ome half-dozen at the least. that is as much as i have been able to gather about the families. now f', 'alf-dozen at the least. that is as much as i have been able to gather about the families. now for th', 'ozen at the least. that is as much as i have been able to gather about the families. now for the fac', 'at the least. that is as much as i have been able to gather about the families. now for the facts. "', 'e least. that is as much as i have been able to gather about the families. now for the facts. "on ju', 'st. that is as much as i have been able to gather about the families. now for the facts. "on june rd', 'hat is as much as i have been able to gather about the families. now for the facts. "on june rd, tha', 's as much as i have been able to gather about the families. now for the facts. "on june rd, that is,', 'much as i have been able to gather about the families. now for the facts. "on june rd, that is, on m', 'as i have been able to gather about the families. now for the facts. "on june rd, that is, on monday', 'have been able to gather about the families. now for the facts. "on june rd, that is, on monday last', 'been able to gather about the families. now for the facts. "on june rd, that is, on monday last, mcc', 'able to gather about the families. now for the facts. "on june rd, that is, on monday last, mccarthy', 'to gather about the families. now for the facts. "on june rd, that is, on monday last, mccarthy left', 'ther about the families. now for the facts. "on june rd, that is, on monday last, mccarthy left his ', 'about the families. now for the facts. "on june rd, that is, on monday last, mccarthy left his house', ' the families. now for the facts. "on june rd, that is, on monday last, mccarthy left his house at h', 'families. now for the facts. "on june rd, that is, on monday last, mccarthy left his house at hather', 'ies. now for the facts. "on june rd, that is, on monday last, mccarthy left his house at hatherley a', 'now for the facts. "on june rd, that is, on monday last, mccarthy left his house at hatherley about ', 'or the facts. "on june rd, that is, on monday last, mccarthy left his house at hatherley about three', 'e facts. "on june rd, that is, on monday last, mccarthy left his house at hatherley about three in t', 'ts. "on june rd, that is, on monday last, mccarthy left his house at hatherley about three in the af', 'on june rd, that is, on monday last, mccarthy left his house at hatherley about three in the afterno', 'ne rd, that is, on monday last, mccarthy left his house at hatherley about three in the afternoon an', ', that is, on monday last, mccarthy left his house at hatherley about three in the afternoon and wal', 't is, on monday last, mccarthy left his house at hatherley about three in the afternoon and walked d', ' on monday last, mccarthy left his house at hatherley about three in the afternoon and walked down t', 'onday last, mccarthy left his house at hatherley about three in the afternoon and walked down to the', ' last, mccarthy left his house at hatherley about three in the afternoon and walked down to the bosc', ', mccarthy left his house at hatherley about three in the afternoon and walked down to the boscombe ', 'arthy left his house at hatherley about three in the afternoon and walked down to the boscombe pool,', ' left his house at hatherley about three in the afternoon and walked down to the boscombe pool, whic', ' his house at hatherley about three in the afternoon and walked down to the boscombe pool, which is ', 'house at hatherley about three in the afternoon and walked down to the boscombe pool, which is a sma', ' at hatherley about three in the afternoon and walked down to the boscombe pool, which is a small la', 'atherley about three in the afternoon and walked down to the boscombe pool, which is a small lake fo', 'ley about three in the afternoon and walked down to the boscombe pool, which is a small lake formed ', 'bout three in the afternoon and walked down to the boscombe pool, which is a small lake formed by th', 'three in the afternoon and walked down to the boscombe pool, which is a small lake formed by the spr', ' in the afternoon and walked down to the boscombe pool, which is a small lake formed by the spreadin', 'he afternoon and walked down to the boscombe pool, which is a small lake formed by the spreading out', 'ternoon and walked down to the boscombe pool, which is a small lake formed by the spreading out of t', 'on and walked down to the boscombe pool, which is a small lake formed by the spreading out of the st', 'd walked down to the boscombe pool, which is a small lake formed by the spreading out of the stream ', 'ked down to the boscombe pool, which is a small lake formed by the spreading out of the stream which', 'own to the boscombe pool, which is a small lake formed by the spreading out of the stream which runs', 'o the boscombe pool, which is a small lake formed by the spreading out of the stream which runs down', ' boscombe pool, which is a small lake formed by the spreading out of the stream which runs down the ', 'ombe pool, which is a small lake formed by the spreading out of the stream which runs down the bosco', 'pool, which is a small lake formed by the spreading out of the stream which runs down the boscombe v', ' which is a small lake formed by the spreading out of the stream which runs down the boscombe valley', 'h is a small lake formed by the spreading out of the stream which runs down the boscombe valley. he ', 'a small lake formed by the spreading out of the stream which runs down the boscombe valley. he had b', 'll lake formed by the spreading out of the stream which runs down the boscombe valley. he had been o', 'ke formed by the spreading out of the stream which runs down the boscombe valley. he had been out wi', 'rmed by the spreading out of the stream which runs down the boscombe valley. he had been out with hi', 'by the spreading out of the stream which runs down the boscombe valley. he had been out with his ser', 'e spreading out of the stream which runs down the boscombe valley. he had been out with his serving-', 'eading out of the stream which runs down the boscombe valley. he had been out with his serving-man i', 'g out of the stream which runs down the boscombe valley. he had been out with his serving-man in the', ' of the stream which runs down the boscombe valley. he had been out with his serving-man in the morn', 'he stream which runs down the boscombe valley. he had been out with his serving-man in the morning a', 'ream which runs down the boscombe valley. he had been out with his serving-man in the morning at ros', 'which runs down the boscombe valley. he had been out with his serving-man in the morning at ross, an', ' runs down the boscombe valley. he had been out with his serving-man in the morning at ross, and he ', ' down the boscombe valley. he had been out with his serving-man in the morning at ross, and he had t', ' the boscombe valley. he had been out with his serving-man in the morning at ross, and he had told t', 'boscombe valley. he had been out with his serving-man in the morning at ross, and he had told the ma', 'mbe valley. he had been out with his serving-man in the morning at ross, and he had told the man tha', 'alley. he had been out with his serving-man in the morning at ross, and he had told the man that he ', '. he had been out with his serving-man in the morning at ross, and he had told the man that he must ', 'had been out with his serving-man in the morning at ross, and he had told the man that he must hurry', 'een out with his serving-man in the morning at ross, and he had told the man that he must hurry, as ', 'ut with his serving-man in the morning at ross, and he had told the man that he must hurry, as he ha', 'th his serving-man in the morning at ross, and he had told the man that he must hurry, as he had an ', 's serving-man in the morning at ross, and he had told the man that he must hurry, as he had an appoi', 'ving-man in the morning at ross, and he had told the man that he must hurry, as he had an appointmen', 'man in the morning at ross, and he had told the man that he must hurry, as he had an appointment of ', 'n the morning at ross, and he had told the man that he must hurry, as he had an appointment of impor', ' morning at ross, and he had told the man that he must hurry, as he had an appointment of importance', 'ing at ross, and he had told the man that he must hurry, as he had an appointment of importance to k', 't ross, and he had told the man that he must hurry, as he had an appointment of importance to keep a', 's, and he had told the man that he must hurry, as he had an appointment of importance to keep at thr', 'd he had told the man that he must hurry, as he had an appointment of importance to keep at three. f', 'had told the man that he must hurry, as he had an appointment of importance to keep at three. from t', 'old the man that he must hurry, as he had an appointment of importance to keep at three. from that a', 'he man that he must hurry, as he had an appointment of importance to keep at three. from that appoin', 'n that he must hurry, as he had an appointment of importance to keep at three. from that appointment', 't he must hurry, as he had an appointment of importance to keep at three. from that appointment he n', 'must hurry, as he had an appointment of importance to keep at three. from that appointment he never ', 'hurry, as he had an appointment of importance to keep at three. from that appointment he never came ', ', as he had an appointment of importance to keep at three. from that appointment he never came back ', 'he had an appointment of importance to keep at three. from that appointment he never came back alive', 'd an appointment of importance to keep at three. from that appointment he never came back alive. "fr', 'appointment of importance to keep at three. from that appointment he never came back alive. "from ha', 'ntment of importance to keep at three. from that appointment he never came back alive. "from hatherl', 't of importance to keep at three. from that appointment he never came back alive. "from hatherley fa', 'importance to keep at three. from that appointment he never came back alive. "from hatherley farm-ho', 'tance to keep at three. from that appointment he never came back alive. "from hatherley farm-house t', ' to keep at three. from that appointment he never came back alive. "from hatherley farm-house to the', 'eep at three. from that appointment he never came back alive. "from hatherley farm-house to the bosc', 't three. from that appointment he never came back alive. "from hatherley farm-house to the boscombe ', 'ee. from that appointment he never came back alive. "from hatherley farm-house to the boscombe pool ', 'rom that appointment he never came back alive. "from hatherley farm-house to the boscombe pool is a ', 'hat appointment he never came back alive. "from hatherley farm-house to the boscombe pool is a quart', 'ppointment he never came back alive. "from hatherley farm-house to the boscombe pool is a quarter of', 'tment he never came back alive. "from hatherley farm-house to the boscombe pool is a quarter of a mi', ' he never came back alive. "from hatherley farm-house to the boscombe pool is a quarter of a mile, a', 'ever came back alive. "from hatherley farm-house to the boscombe pool is a quarter of a mile, and tw', 'came back alive. "from hatherley farm-house to the boscombe pool is a quarter of a mile, and two peo', 'back alive. "from hatherley farm-house to the boscombe pool is a quarter of a mile, and two people s', 'alive. "from hatherley farm-house to the boscombe pool is a quarter of a mile, and two people saw hi', '. "from hatherley farm-house to the boscombe pool is a quarter of a mile, and two people saw him as ', 'om hatherley farm-house to the boscombe pool is a quarter of a mile, and two people saw him as he pa', 'therley farm-house to the boscombe pool is a quarter of a mile, and two people saw him as he passed ', 'ey farm-house to the boscombe pool is a quarter of a mile, and two people saw him as he passed over ', 'rm-house to the boscombe pool is a quarter of a mile, and two people saw him as he passed over this ', 'use to the boscombe pool is a quarter of a mile, and two people saw him as he passed over this groun', 'o the boscombe pool is a quarter of a mile, and two people saw him as he passed over this ground. on', ' boscombe pool is a quarter of a mile, and two people saw him as he passed over this ground. one was', 'ombe pool is a quarter of a mile, and two people saw him as he passed over this ground. one was an o', 'pool is a quarter of a mile, and two people saw him as he passed over this ground. one was an old wo', 'is a quarter of a mile, and two people saw him as he passed over this ground. one was an old woman, ', 'quarter of a mile, and two people saw him as he passed over this ground. one was an old woman, whose', 'er of a mile, and two people saw him as he passed over this ground. one was an old woman, whose name', ' a mile, and two people saw him as he passed over this ground. one was an old woman, whose name is n', 'le, and two people saw him as he passed over this ground. one was an old woman, whose name is not me', 'nd two people saw him as he passed over this ground. one was an old woman, whose name is not mention', 'o people saw him as he passed over this ground. one was an old woman, whose name is not mentioned, a', 'ple saw him as he passed over this ground. one was an old woman, whose name is not mentioned, and th', 'aw him as he passed over this ground. one was an old woman, whose name is not mentioned, and the oth', 'm as he passed over this ground. one was an old woman, whose name is not mentioned, and the other wa', 'he passed over this ground. one was an old woman, whose name is not mentioned, and the other was wil', 'ssed over this ground. one was an old woman, whose name is not mentioned, and the other was william ', 'over this ground. one was an old woman, whose name is not mentioned, and the other was william crowd', 'this ground. one was an old woman, whose name is not mentioned, and the other was william crowder, a', 'ground. one was an old woman, whose name is not mentioned, and the other was william crowder, a game', 'd. one was an old woman, whose name is not mentioned, and the other was william crowder, a game-keep', 'e was an old woman, whose name is not mentioned, and the other was william crowder, a game-keeper in', ' an old woman, whose name is not mentioned, and the other was william crowder, a game-keeper in the ', 'ld woman, whose name is not mentioned, and the other was william crowder, a game-keeper in the emplo', 'man, whose name is not mentioned, and the other was william crowder, a game-keeper in the employ of ', 'whose name is not mentioned, and the other was william crowder, a game-keeper in the employ of mr. t', ' name is not mentioned, and the other was william crowder, a game-keeper in the employ of mr. turner', ' is not mentioned, and the other was william crowder, a game-keeper in the employ of mr. turner. bot', 'ot mentioned, and the other was william crowder, a game-keeper in the employ of mr. turner. both the', 'ntioned, and the other was william crowder, a game-keeper in the employ of mr. turner. both these wi', 'ed, and the other was william crowder, a game-keeper in the employ of mr. turner. both these witness', 'nd the other was william crowder, a game-keeper in the employ of mr. turner. both these witnesses de', 'e other was william crowder, a game-keeper in the employ of mr. turner. both these witnesses depose ', 'er was william crowder, a game-keeper in the employ of mr. turner. both these witnesses depose that ', 's william crowder, a game-keeper in the employ of mr. turner. both these witnesses depose that mr. m', 'liam crowder, a game-keeper in the employ of mr. turner. both these witnesses depose that mr. mccart', 'crowder, a game-keeper in the employ of mr. turner. both these witnesses depose that mr. mccarthy wa', 'er, a game-keeper in the employ of mr. turner. both these witnesses depose that mr. mccarthy was wal', ' game-keeper in the employ of mr. turner. both these witnesses depose that mr. mccarthy was walking ', '-keeper in the employ of mr. turner. both these witnesses depose that mr. mccarthy was walking alone', 'er in the employ of mr. turner. both these witnesses depose that mr. mccarthy was walking alone. the', ' the employ of mr. turner. both these witnesses depose that mr. mccarthy was walking alone. the game', 'employ of mr. turner. both these witnesses depose that mr. mccarthy was walking alone. the game-keep', 'y of mr. turner. both these witnesses depose that mr. mccarthy was walking alone. the game-keeper ad', 'mr. turner. both these witnesses depose that mr. mccarthy was walking alone. the game-keeper adds th', 'urner. both these witnesses depose that mr. mccarthy was walking alone. the game-keeper adds that wi', '. both these witnesses depose that mr. mccarthy was walking alone. the game-keeper adds that within ', 'h these witnesses depose that mr. mccarthy was walking alone. the game-keeper adds that within a few', 'se witnesses depose that mr. mccarthy was walking alone. the game-keeper adds that within a few minu', 'tnesses depose that mr. mccarthy was walking alone. the game-keeper adds that within a few minutes o', 'es depose that mr. mccarthy was walking alone. the game-keeper adds that within a few minutes of his', 'pose that mr. mccarthy was walking alone. the game-keeper adds that within a few minutes of his seei', 'that mr. mccarthy was walking alone. the game-keeper adds that within a few minutes of his seeing mr', 'mr. mccarthy was walking alone. the game-keeper adds that within a few minutes of his seeing mr. mcc', 'ccarthy was walking alone. the game-keeper adds that within a few minutes of his seeing mr. mccarthy', 'hy was walking alone. the game-keeper adds that within a few minutes of his seeing mr. mccarthy pass', 's walking alone. the game-keeper adds that within a few minutes of his seeing mr. mccarthy pass he h', 'king alone. the game-keeper adds that within a few minutes of his seeing mr. mccarthy pass he had se', 'alone. the game-keeper adds that within a few minutes of his seeing mr. mccarthy pass he had seen hi', '. the game-keeper adds that within a few minutes of his seeing mr. mccarthy pass he had seen his son', ' game-keeper adds that within a few minutes of his seeing mr. mccarthy pass he had seen his son, mr.', '-keeper adds that within a few minutes of his seeing mr. mccarthy pass he had seen his son, mr. jame', 'er adds that within a few minutes of his seeing mr. mccarthy pass he had seen his son, mr. james mcc', 'ds that within a few minutes of his seeing mr. mccarthy pass he had seen his son, mr. james mccarthy', 'at within a few minutes of his seeing mr. mccarthy pass he had seen his son, mr. james mccarthy, goi', 'thin a few minutes of his seeing mr. mccarthy pass he had seen his son, mr. james mccarthy, going th', 'a few minutes of his seeing mr. mccarthy pass he had seen his son, mr. james mccarthy, going the sam', ' minutes of his seeing mr. mccarthy pass he had seen his son, mr. james mccarthy, going the same way', 'tes of his seeing mr. mccarthy pass he had seen his son, mr. james mccarthy, going the same way with', 'f his seeing mr. mccarthy pass he had seen his son, mr. james mccarthy, going the same way with a gu', ' seeing mr. mccarthy pass he had seen his son, mr. james mccarthy, going the same way with a gun und', 'ng mr. mccarthy pass he had seen his son, mr. james mccarthy, going the same way with a gun under hi', '. mccarthy pass he had seen his son, mr. james mccarthy, going the same way with a gun under his arm', 'arthy pass he had seen his son, mr. james mccarthy, going the same way with a gun under his arm. to ', ' pass he had seen his son, mr. james mccarthy, going the same way with a gun under his arm. to the b', ' he had seen his son, mr. james mccarthy, going the same way with a gun under his arm. to the best o', 'ad seen his son, mr. james mccarthy, going the same way with a gun under his arm. to the best of his', 'en his son, mr. james mccarthy, going the same way with a gun under his arm. to the best of his beli', 's son, mr. james mccarthy, going the same way with a gun under his arm. to the best of his belief, t', ', mr. james mccarthy, going the same way with a gun under his arm. to the best of his belief, the fa', ' james mccarthy, going the same way with a gun under his arm. to the best of his belief, the father ', 's mccarthy, going the same way with a gun under his arm. to the best of his belief, the father was a', 'arthy, going the same way with a gun under his arm. to the best of his belief, the father was actual', ', going the same way with a gun under his arm. to the best of his belief, the father was actually in', 'ng the same way with a gun under his arm. to the best of his belief, the father was actually in sigh', 'e same way with a gun under his arm. to the best of his belief, the father was actually in sight at ', 'e way with a gun under his arm. to the best of his belief, the father was actually in sight at the t', ' with a gun under his arm. to the best of his belief, the father was actually in sight at the time, ', ' a gun under his arm. to the best of his belief, the father was actually in sight at the time, and t', 'n under his arm. to the best of his belief, the father was actually in sight at the time, and the so', 'er his arm. to the best of his belief, the father was actually in sight at the time, and the son was', 's arm. to the best of his belief, the father was actually in sight at the time, and the son was foll', '. to the best of his belief, the father was actually in sight at the time, and the son was following', 'the best of his belief, the father was actually in sight at the time, and the son was following him.', 'est of his belief, the father was actually in sight at the time, and the son was following him. he t', 'f his belief, the father was actually in sight at the time, and the son was following him. he though', ' belief, the father was actually in sight at the time, and the son was following him. he thought no ', 'ef, the father was actually in sight at the time, and the son was following him. he thought no more ', 'he father was actually in sight at the time, and the son was following him. he thought no more of th', 'ther was actually in sight at the time, and the son was following him. he thought no more of the mat', 'was actually in sight at the time, and the son was following him. he thought no more of the matter u', 'ctually in sight at the time, and the son was following him. he thought no more of the matter until ', 'ly in sight at the time, and the son was following him. he thought no more of the matter until he he', ' sight at the time, and the son was following him. he thought no more of the matter until he heard i', 't at the time, and the son was following him. he thought no more of the matter until he heard in the', 'the time, and the son was following him. he thought no more of the matter until he heard in the even', 'ime, and the son was following him. he thought no more of the matter until he heard in the evening o', 'and the son was following him. he thought no more of the matter until he heard in the evening of the', 'he son was following him. he thought no more of the matter until he heard in the evening of the trag', 'n was following him. he thought no more of the matter until he heard in the evening of the tragedy t', ' following him. he thought no more of the matter until he heard in the evening of the tragedy that h', 'owing him. he thought no more of the matter until he heard in the evening of the tragedy that had oc', ' him. he thought no more of the matter until he heard in the evening of the tragedy that had occurre', ' he thought no more of the matter until he heard in the evening of the tragedy that had occurred. "t', 'hought no more of the matter until he heard in the evening of the tragedy that had occurred. "the tw', 't no more of the matter until he heard in the evening of the tragedy that had occurred. "the two mcc', 'more of the matter until he heard in the evening of the tragedy that had occurred. "the two mccarthy', 'of the matter until he heard in the evening of the tragedy that had occurred. "the two mccarthys wer', 'e matter until he heard in the evening of the tragedy that had occurred. "the two mccarthys were see', 'ter until he heard in the evening of the tragedy that had occurred. "the two mccarthys were seen aft', 'ntil he heard in the evening of the tragedy that had occurred. "the two mccarthys were seen after th', 'he heard in the evening of the tragedy that had occurred. "the two mccarthys were seen after the tim', 'ard in the evening of the tragedy that had occurred. "the two mccarthys were seen after the time whe', 'n the evening of the tragedy that had occurred. "the two mccarthys were seen after the time when wil', ' evening of the tragedy that had occurred. "the two mccarthys were seen after the time when william ', 'ing of the tragedy that had occurred. "the two mccarthys were seen after the time when william crowd', 'f the tragedy that had occurred. "the two mccarthys were seen after the time when william crowder, t', ' tragedy that had occurred. "the two mccarthys were seen after the time when william crowder, the ga', 'edy that had occurred. "the two mccarthys were seen after the time when william crowder, the game-ke', 'hat had occurred. "the two mccarthys were seen after the time when william crowder, the game-keeper,', 'ad occurred. "the two mccarthys were seen after the time when william crowder, the game-keeper, lost', 'curred. "the two mccarthys were seen after the time when william crowder, the game-keeper, lost sigh', 'd. "the two mccarthys were seen after the time when william crowder, the game-keeper, lost sight of ', 'he two mccarthys were seen after the time when william crowder, the game-keeper, lost sight of them.', 'o mccarthys were seen after the time when william crowder, the game-keeper, lost sight of them. the ', 'arthys were seen after the time when william crowder, the game-keeper, lost sight of them. the bosco', 's were seen after the time when william crowder, the game-keeper, lost sight of them. the boscombe p', 'e seen after the time when william crowder, the game-keeper, lost sight of them. the boscombe pool i', 'n after the time when william crowder, the game-keeper, lost sight of them. the boscombe pool is thi', 'er the time when william crowder, the game-keeper, lost sight of them. the boscombe pool is thickly ', 'e time when william crowder, the game-keeper, lost sight of them. the boscombe pool is thickly woode', 'e when william crowder, the game-keeper, lost sight of them. the boscombe pool is thickly wooded rou', 'n william crowder, the game-keeper, lost sight of them. the boscombe pool is thickly wooded round, w', 'liam crowder, the game-keeper, lost sight of them. the boscombe pool is thickly wooded round, with j', 'crowder, the game-keeper, lost sight of them. the boscombe pool is thickly wooded round, with just a', 'er, the game-keeper, lost sight of them. the boscombe pool is thickly wooded round, with just a frin', 'he game-keeper, lost sight of them. the boscombe pool is thickly wooded round, with just a fringe of', 'me-keeper, lost sight of them. the boscombe pool is thickly wooded round, with just a fringe of gras', 'eper, lost sight of them. the boscombe pool is thickly wooded round, with just a fringe of grass and', ' lost sight of them. the boscombe pool is thickly wooded round, with just a fringe of grass and of r', ' sight of them. the boscombe pool is thickly wooded round, with just a fringe of grass and of reeds ', 't of them. the boscombe pool is thickly wooded round, with just a fringe of grass and of reeds round', 'them. the boscombe pool is thickly wooded round, with just a fringe of grass and of reeds round the ', ' the boscombe pool is thickly wooded round, with just a fringe of grass and of reeds round the edge.', 'boscombe pool is thickly wooded round, with just a fringe of grass and of reeds round the edge. a gi', 'mbe pool is thickly wooded round, with just a fringe of grass and of reeds round the edge. a girl of', 'ool is thickly wooded round, with just a fringe of grass and of reeds round the edge. a girl of four', 's thickly wooded round, with just a fringe of grass and of reeds round the edge. a girl of fourteen,', 'ckly wooded round, with just a fringe of grass and of reeds round the edge. a girl of fourteen, pati', 'wooded round, with just a fringe of grass and of reeds round the edge. a girl of fourteen, patience ', 'd round, with just a fringe of grass and of reeds round the edge. a girl of fourteen, patience moran', 'nd, with just a fringe of grass and of reeds round the edge. a girl of fourteen, patience moran, who', 'ith just a fringe of grass and of reeds round the edge. a girl of fourteen, patience moran, who is t', 'ust a fringe of grass and of reeds round the edge. a girl of fourteen, patience moran, who is the da', ' fringe of grass and of reeds round the edge. a girl of fourteen, patience moran, who is the daughte', 'ge of grass and of reeds round the edge. a girl of fourteen, patience moran, who is the daughter of ', ' grass and of reeds round the edge. a girl of fourteen, patience moran, who is the daughter of the l', 's and of reeds round the edge. a girl of fourteen, patience moran, who is the daughter of the lodge-', ' of reeds round the edge. a girl of fourteen, patience moran, who is the daughter of the lodge-keepe', 'eeds round the edge. a girl of fourteen, patience moran, who is the daughter of the lodge-keeper of ', 'round the edge. a girl of fourteen, patience moran, who is the daughter of the lodge-keeper of the b', ' the edge. a girl of fourteen, patience moran, who is the daughter of the lodge-keeper of the boscom', 'edge. a girl of fourteen, patience moran, who is the daughter of the lodge-keeper of the boscombe va', ' a girl of fourteen, patience moran, who is the daughter of the lodge-keeper of the boscombe valley ', 'rl of fourteen, patience moran, who is the daughter of the lodge-keeper of the boscombe valley estat', ' fourteen, patience moran, who is the daughter of the lodge-keeper of the boscombe valley estate, wa', 'teen, patience moran, who is the daughter of the lodge-keeper of the boscombe valley estate, was in ', ' patience moran, who is the daughter of the lodge-keeper of the boscombe valley estate, was in one o', 'ence moran, who is the daughter of the lodge-keeper of the boscombe valley estate, was in one of the', 'moran, who is the daughter of the lodge-keeper of the boscombe valley estate, was in one of the wood', ', who is the daughter of the lodge-keeper of the boscombe valley estate, was in one of the woods pic', ' is the daughter of the lodge-keeper of the boscombe valley estate, was in one of the woods picking ', 'he daughter of the lodge-keeper of the boscombe valley estate, was in one of the woods picking flowe', 'ughter of the lodge-keeper of the boscombe valley estate, was in one of the woods picking flowers. s', 'r of the lodge-keeper of the boscombe valley estate, was in one of the woods picking flowers. she st', 'the lodge-keeper of the boscombe valley estate, was in one of the woods picking flowers. she states ', 'odge-keeper of the boscombe valley estate, was in one of the woods picking flowers. she states that ', 'keeper of the boscombe valley estate, was in one of the woods picking flowers. she states that while', 'r of the boscombe valley estate, was in one of the woods picking flowers. she states that while she ', 'the boscombe valley estate, was in one of the woods picking flowers. she states that while she was t', 'oscombe valley estate, was in one of the woods picking flowers. she states that while she was there ', 'be valley estate, was in one of the woods picking flowers. she states that while she was there she s', 'lley estate, was in one of the woods picking flowers. she states that while she was there she saw, a', 'estate, was in one of the woods picking flowers. she states that while she was there she saw, at the', 'e, was in one of the woods picking flowers. she states that while she was there she saw, at the bord', 's in one of the woods picking flowers. she states that while she was there she saw, at the border of', 'one of the woods picking flowers. she states that while she was there she saw, at the border of the ', 'f the woods picking flowers. she states that while she was there she saw, at the border of the wood ', ' woods picking flowers. she states that while she was there she saw, at the border of the wood and c', 's picking flowers. she states that while she was there she saw, at the border of the wood and close ', 'king flowers. she states that while she was there she saw, at the border of the wood and close by th', 'flowers. she states that while she was there she saw, at the border of the wood and close by the lak', 'rs. she states that while she was there she saw, at the border of the wood and close by the lake, mr', 'he states that while she was there she saw, at the border of the wood and close by the lake, mr. mcc', 'ates that while she was there she saw, at the border of the wood and close by the lake, mr. mccarthy', 'that while she was there she saw, at the border of the wood and close by the lake, mr. mccarthy and ', 'while she was there she saw, at the border of the wood and close by the lake, mr. mccarthy and his s', ' she was there she saw, at the border of the wood and close by the lake, mr. mccarthy and his son, a', 'was there she saw, at the border of the wood and close by the lake, mr. mccarthy and his son, and th', 'here she saw, at the border of the wood and close by the lake, mr. mccarthy and his son, and that th', 'she saw, at the border of the wood and close by the lake, mr. mccarthy and his son, and that they ap', 'aw, at the border of the wood and close by the lake, mr. mccarthy and his son, and that they appeare', 't the border of the wood and close by the lake, mr. mccarthy and his son, and that they appeared to ', ' border of the wood and close by the lake, mr. mccarthy and his son, and that they appeared to be ha', 'er of the wood and close by the lake, mr. mccarthy and his son, and that they appeared to be having ', ' the wood and close by the lake, mr. mccarthy and his son, and that they appeared to be having a vio', 'wood and close by the lake, mr. mccarthy and his son, and that they appeared to be having a violent ', 'and close by the lake, mr. mccarthy and his son, and that they appeared to be having a violent quarr', 'lose by the lake, mr. mccarthy and his son, and that they appeared to be having a violent quarrel. s', 'by the lake, mr. mccarthy and his son, and that they appeared to be having a violent quarrel. she he', 'e lake, mr. mccarthy and his son, and that they appeared to be having a violent quarrel. she heard m', 'e, mr. mccarthy and his son, and that they appeared to be having a violent quarrel. she heard mr. mc', '. mccarthy and his son, and that they appeared to be having a violent quarrel. she heard mr. mccarth', 'arthy and his son, and that they appeared to be having a violent quarrel. she heard mr. mccarthy the', ' and his son, and that they appeared to be having a violent quarrel. she heard mr. mccarthy the elde', 'his son, and that they appeared to be having a violent quarrel. she heard mr. mccarthy the elder usi', 'on, and that they appeared to be having a violent quarrel. she heard mr. mccarthy the elder using ve', 'nd that they appeared to be having a violent quarrel. she heard mr. mccarthy the elder using very st', 'at they appeared to be having a violent quarrel. she heard mr. mccarthy the elder using very strong ', 'ey appeared to be having a violent quarrel. she heard mr. mccarthy the elder using very strong langu', 'peared to be having a violent quarrel. she heard mr. mccarthy the elder using very strong language t', 'd to be having a violent quarrel. she heard mr. mccarthy the elder using very strong language to his', 'be having a violent quarrel. she heard mr. mccarthy the elder using very strong language to his son,', 'ving a violent quarrel. she heard mr. mccarthy the elder using very strong language to his son, and ', 'a violent quarrel. she heard mr. mccarthy the elder using very strong language to his son, and she s', 'lent quarrel. she heard mr. mccarthy the elder using very strong language to his son, and she saw th', 'quarrel. she heard mr. mccarthy the elder using very strong language to his son, and she saw the lat', 'el. she heard mr. mccarthy the elder using very strong language to his son, and she saw the latter r', 'he heard mr. mccarthy the elder using very strong language to his son, and she saw the latter raise ', 'ard mr. mccarthy the elder using very strong language to his son, and she saw the latter raise up hi', 'r. mccarthy the elder using very strong language to his son, and she saw the latter raise up his han', 'carthy the elder using very strong language to his son, and she saw the latter raise up his hand as ', 'y the elder using very strong language to his son, and she saw the latter raise up his hand as if to', ' elder using very strong language to his son, and she saw the latter raise up his hand as if to stri', 'r using very strong language to his son, and she saw the latter raise up his hand as if to strike hi', 'ng very strong language to his son, and she saw the latter raise up his hand as if to strike his fat', 'ry strong language to his son, and she saw the latter raise up his hand as if to strike his father. ', 'rong language to his son, and she saw the latter raise up his hand as if to strike his father. she w', 'language to his son, and she saw the latter raise up his hand as if to strike his father. she was so', 'age to his son, and she saw the latter raise up his hand as if to strike his father. she was so frig', 'o his son, and she saw the latter raise up his hand as if to strike his father. she was so frightene', ' son, and she saw the latter raise up his hand as if to strike his father. she was so frightened by ', ' and she saw the latter raise up his hand as if to strike his father. she was so frightened by their', 'she saw the latter raise up his hand as if to strike his father. she was so frightened by their viol', 'aw the latter raise up his hand as if to strike his father. she was so frightened by their violence ', 'e latter raise up his hand as if to strike his father. she was so frightened by their violence that ', 'ter raise up his hand as if to strike his father. she was so frightened by their violence that she r', 'aise up his hand as if to strike his father. she was so frightened by their violence that she ran aw', 'up his hand as if to strike his father. she was so frightened by their violence that she ran away an', 's hand as if to strike his father. she was so frightened by their violence that she ran away and tol', 'd as if to strike his father. she was so frightened by their violence that she ran away and told her', 'if to strike his father. she was so frightened by their violence that she ran away and told her moth', ' strike his father. she was so frightened by their violence that she ran away and told her mother wh', 'ke his father. she was so frightened by their violence that she ran away and told her mother when sh', 's father. she was so frightened by their violence that she ran away and told her mother when she rea', 'her. she was so frightened by their violence that she ran away and told her mother when she reached ', 'she was so frightened by their violence that she ran away and told her mother when she reached home ', 'as so frightened by their violence that she ran away and told her mother when she reached home that ', ' frightened by their violence that she ran away and told her mother when she reached home that she h', 'htened by their violence that she ran away and told her mother when she reached home that she had le', 'd by their violence that she ran away and told her mother when she reached home that she had left th', 'their violence that she ran away and told her mother when she reached home that she had left the two', ' violence that she ran away and told her mother when she reached home that she had left the two mcca', 'ence that she ran away and told her mother when she reached home that she had left the two mccarthys', 'that she ran away and told her mother when she reached home that she had left the two mccarthys quar', 'she ran away and told her mother when she reached home that she had left the two mccarthys quarrelli', 'an away and told her mother when she reached home that she had left the two mccarthys quarrelling ne', 'ay and told her mother when she reached home that she had left the two mccarthys quarrelling near bo', 'd told her mother when she reached home that she had left the two mccarthys quarrelling near boscomb', 'd her mother when she reached home that she had left the two mccarthys quarrelling near boscombe poo', ' mother when she reached home that she had left the two mccarthys quarrelling near boscombe pool, an', 'er when she reached home that she had left the two mccarthys quarrelling near boscombe pool, and tha', 'en she reached home that she had left the two mccarthys quarrelling near boscombe pool, and that she', 'e reached home that she had left the two mccarthys quarrelling near boscombe pool, and that she was ', 'ched home that she had left the two mccarthys quarrelling near boscombe pool, and that she was afrai', 'home that she had left the two mccarthys quarrelling near boscombe pool, and that she was afraid tha', 'that she had left the two mccarthys quarrelling near boscombe pool, and that she was afraid that the', 'she had left the two mccarthys quarrelling near boscombe pool, and that she was afraid that they wer', 'ad left the two mccarthys quarrelling near boscombe pool, and that she was afraid that they were goi', 'ft the two mccarthys quarrelling near boscombe pool, and that she was afraid that they were going to', 'e two mccarthys quarrelling near boscombe pool, and that she was afraid that they were going to figh', ' mccarthys quarrelling near boscombe pool, and that she was afraid that they were going to fight. sh', 'rthys quarrelling near boscombe pool, and that she was afraid that they were going to fight. she had', ' quarrelling near boscombe pool, and that she was afraid that they were going to fight. she had hard', 'relling near boscombe pool, and that she was afraid that they were going to fight. she had hardly sa', 'ng near boscombe pool, and that she was afraid that they were going to fight. she had hardly said th', 'ar boscombe pool, and that she was afraid that they were going to fight. she had hardly said the wor', 'scombe pool, and that she was afraid that they were going to fight. she had hardly said the words wh', 'e pool, and that she was afraid that they were going to fight. she had hardly said the words when yo', 'l, and that she was afraid that they were going to fight. she had hardly said the words when young m', 'd that she was afraid that they were going to fight. she had hardly said the words when young mr. mc', 't she was afraid that they were going to fight. she had hardly said the words when young mr. mccarth', ' was afraid that they were going to fight. she had hardly said the words when young mr. mccarthy cam', 'afraid that they were going to fight. she had hardly said the words when young mr. mccarthy came run', 'd that they were going to fight. she had hardly said the words when young mr. mccarthy came running ', 't they were going to fight. she had hardly said the words when young mr. mccarthy came running up to', 'y were going to fight. she had hardly said the words when young mr. mccarthy came running up to the ', 'e going to fight. she had hardly said the words when young mr. mccarthy came running up to the lodge', 'ng to fight. she had hardly said the words when young mr. mccarthy came running up to the lodge to s', ' fight. she had hardly said the words when young mr. mccarthy came running up to the lodge to say th', 't. she had hardly said the words when young mr. mccarthy came running up to the lodge to say that he', 'e had hardly said the words when young mr. mccarthy came running up to the lodge to say that he had ', ' hardly said the words when young mr. mccarthy came running up to the lodge to say that he had found', 'ly said the words when young mr. mccarthy came running up to the lodge to say that he had found his ', 'id the words when young mr. mccarthy came running up to the lodge to say that he had found his fathe', 'e words when young mr. mccarthy came running up to the lodge to say that he had found his father dea', 'ds when young mr. mccarthy came running up to the lodge to say that he had found his father dead in ', 'en young mr. mccarthy came running up to the lodge to say that he had found his father dead in the w', 'ung mr. mccarthy came running up to the lodge to say that he had found his father dead in the wood, ', 'r. mccarthy came running up to the lodge to say that he had found his father dead in the wood, and t', 'carthy came running up to the lodge to say that he had found his father dead in the wood, and to ask', 'y came running up to the lodge to say that he had found his father dead in the wood, and to ask for ', 'e running up to the lodge to say that he had found his father dead in the wood, and to ask for the h', 'ning up to the lodge to say that he had found his father dead in the wood, and to ask for the help o', 'up to the lodge to say that he had found his father dead in the wood, and to ask for the help of the', ' the lodge to say that he had found his father dead in the wood, and to ask for the help of the lodg', 'lodge to say that he had found his father dead in the wood, and to ask for the help of the lodge-kee', ' to say that he had found his father dead in the wood, and to ask for the help of the lodge-keeper. ', 'ay that he had found his father dead in the wood, and to ask for the help of the lodge-keeper. he wa', 'at he had found his father dead in the wood, and to ask for the help of the lodge-keeper. he was muc', ' had found his father dead in the wood, and to ask for the help of the lodge-keeper. he was much exc', 'found his father dead in the wood, and to ask for the help of the lodge-keeper. he was much excited,', ' his father dead in the wood, and to ask for the help of the lodge-keeper. he was much excited, with', 'father dead in the wood, and to ask for the help of the lodge-keeper. he was much excited, without e', 'r dead in the wood, and to ask for the help of the lodge-keeper. he was much excited, without either', 'd in the wood, and to ask for the help of the lodge-keeper. he was much excited, without either his ', 'the wood, and to ask for the help of the lodge-keeper. he was much excited, without either his gun o', 'ood, and to ask for the help of the lodge-keeper. he was much excited, without either his gun or his', 'and to ask for the help of the lodge-keeper. he was much excited, without either his gun or his hat,', 'o ask for the help of the lodge-keeper. he was much excited, without either his gun or his hat, and ', ' for the help of the lodge-keeper. he was much excited, without either his gun or his hat, and his r', 'the help of the lodge-keeper. he was much excited, without either his gun or his hat, and his right ', 'elp of the lodge-keeper. he was much excited, without either his gun or his hat, and his right hand ', 'f the lodge-keeper. he was much excited, without either his gun or his hat, and his right hand and s', ' lodge-keeper. he was much excited, without either his gun or his hat, and his right hand and sleeve', 'e-keeper. he was much excited, without either his gun or his hat, and his right hand and sleeve were', 'per. he was much excited, without either his gun or his hat, and his right hand and sleeve were obse', 'he was much excited, without either his gun or his hat, and his right hand and sleeve were observed ', 's much excited, without either his gun or his hat, and his right hand and sleeve were observed to be', 'h excited, without either his gun or his hat, and his right hand and sleeve were observed to be stai', 'ited, without either his gun or his hat, and his right hand and sleeve were observed to be stained w', ' without either his gun or his hat, and his right hand and sleeve were observed to be stained with f', 'out either his gun or his hat, and his right hand and sleeve were observed to be stained with fresh ', 'ither his gun or his hat, and his right hand and sleeve were observed to be stained with fresh blood', ' his gun or his hat, and his right hand and sleeve were observed to be stained with fresh blood. on ', 'gun or his hat, and his right hand and sleeve were observed to be stained with fresh blood. on follo', 'r his hat, and his right hand and sleeve were observed to be stained with fresh blood. on following ', ' hat, and his right hand and sleeve were observed to be stained with fresh blood. on following him t', ' and his right hand and sleeve were observed to be stained with fresh blood. on following him they f', 'his right hand and sleeve were observed to be stained with fresh blood. on following him they found ', 'ight hand and sleeve were observed to be stained with fresh blood. on following him they found the d', 'hand and sleeve were observed to be stained with fresh blood. on following him they found the dead b', 'and sleeve were observed to be stained with fresh blood. on following him they found the dead body s', 'leeve were observed to be stained with fresh blood. on following him they found the dead body stretc', ' were observed to be stained with fresh blood. on following him they found the dead body stretched o', ' observed to be stained with fresh blood. on following him they found the dead body stretched out up', 'rved to be stained with fresh blood. on following him they found the dead body stretched out upon th', 'to be stained with fresh blood. on following him they found the dead body stretched out upon the gra', ' stained with fresh blood. on following him they found the dead body stretched out upon the grass be', 'ned with fresh blood. on following him they found the dead body stretched out upon the grass beside ', 'ith fresh blood. on following him they found the dead body stretched out upon the grass beside the p', 'resh blood. on following him they found the dead body stretched out upon the grass beside the pool. ', 'blood. on following him they found the dead body stretched out upon the grass beside the pool. the h', '. on following him they found the dead body stretched out upon the grass beside the pool. the head h', 'following him they found the dead body stretched out upon the grass beside the pool. the head had be', 'wing him they found the dead body stretched out upon the grass beside the pool. the head had been be', 'him they found the dead body stretched out upon the grass beside the pool. the head had been beaten ', 'hey found the dead body stretched out upon the grass beside the pool. the head had been beaten in by', 'ound the dead body stretched out upon the grass beside the pool. the head had been beaten in by repe', 'the dead body stretched out upon the grass beside the pool. the head had been beaten in by repeated ', 'ead body stretched out upon the grass beside the pool. the head had been beaten in by repeated blows', 'ody stretched out upon the grass beside the pool. the head had been beaten in by repeated blows of s', 'tretched out upon the grass beside the pool. the head had been beaten in by repeated blows of some h', 'hed out upon the grass beside the pool. the head had been beaten in by repeated blows of some heavy ', 'ut upon the grass beside the pool. the head had been beaten in by repeated blows of some heavy and b', 'on the grass beside the pool. the head had been beaten in by repeated blows of some heavy and blunt ', 'e grass beside the pool. the head had been beaten in by repeated blows of some heavy and blunt weapo', 'ss beside the pool. the head had been beaten in by repeated blows of some heavy and blunt weapon. th', 'side the pool. the head had been beaten in by repeated blows of some heavy and blunt weapon. the inj', 'the pool. the head had been beaten in by repeated blows of some heavy and blunt weapon. the injuries', 'ool. the head had been beaten in by repeated blows of some heavy and blunt weapon. the injuries were', 'the head had been beaten in by repeated blows of some heavy and blunt weapon. the injuries were such', 'ead had been beaten in by repeated blows of some heavy and blunt weapon. the injuries were such as m', 'ad been beaten in by repeated blows of some heavy and blunt weapon. the injuries were such as might ', 'en beaten in by repeated blows of some heavy and blunt weapon. the injuries were such as might very ', 'aten in by repeated blows of some heavy and blunt weapon. the injuries were such as might very well ', 'in by repeated blows of some heavy and blunt weapon. the injuries were such as might very well have ', ' repeated blows of some heavy and blunt weapon. the injuries were such as might very well have been ', 'ated blows of some heavy and blunt weapon. the injuries were such as might very well have been infli', 'blows of some heavy and blunt weapon. the injuries were such as might very well have been inflicted ', ' of some heavy and blunt weapon. the injuries were such as might very well have been inflicted by th', 'ome heavy and blunt weapon. the injuries were such as might very well have been inflicted by the but', 'eavy and blunt weapon. the injuries were such as might very well have been inflicted by the butt-end', 'and blunt weapon. the injuries were such as might very well have been inflicted by the butt-end of h', 'lunt weapon. the injuries were such as might very well have been inflicted by the butt-end of his so', "weapon. the injuries were such as might very well have been inflicted by the butt-end of his son's g", "n. the injuries were such as might very well have been inflicted by the butt-end of his son's gun, w", "e injuries were such as might very well have been inflicted by the butt-end of his son's gun, which ", "uries were such as might very well have been inflicted by the butt-end of his son's gun, which was f", " were such as might very well have been inflicted by the butt-end of his son's gun, which was found ", " such as might very well have been inflicted by the butt-end of his son's gun, which was found lying", " as might very well have been inflicted by the butt-end of his son's gun, which was found lying on t", "ight very well have been inflicted by the butt-end of his son's gun, which was found lying on the gr", "very well have been inflicted by the butt-end of his son's gun, which was found lying on the grass w", "well have been inflicted by the butt-end of his son's gun, which was found lying on the grass within", "have been inflicted by the butt-end of his son's gun, which was found lying on the grass within a fe", "been inflicted by the butt-end of his son's gun, which was found lying on the grass within a few pac", "inflicted by the butt-end of his son's gun, which was found lying on the grass within a few paces of", "cted by the butt-end of his son's gun, which was found lying on the grass within a few paces of the ", "by the butt-end of his son's gun, which was found lying on the grass within a few paces of the body.", "e butt-end of his son's gun, which was found lying on the grass within a few paces of the body. unde", "t-end of his son's gun, which was found lying on the grass within a few paces of the body. under the", " of his son's gun, which was found lying on the grass within a few paces of the body. under these ci", "is son's gun, which was found lying on the grass within a few paces of the body. under these circums", "n's gun, which was found lying on the grass within a few paces of the body. under these circumstance", 'un, which was found lying on the grass within a few paces of the body. under these circumstances the', 'hich was found lying on the grass within a few paces of the body. under these circumstances the youn', 'was found lying on the grass within a few paces of the body. under these circumstances the young man', 'ound lying on the grass within a few paces of the body. under these circumstances the young man was ', 'lying on the grass within a few paces of the body. under these circumstances the young man was insta', ' on the grass within a few paces of the body. under these circumstances the young man was instantly ', 'he grass within a few paces of the body. under these circumstances the young man was instantly arres', 'ass within a few paces of the body. under these circumstances the young man was instantly arrested, ', 'ithin a few paces of the body. under these circumstances the young man was instantly arrested, and a', ' a few paces of the body. under these circumstances the young man was instantly arrested, and a verd', 'w paces of the body. under these circumstances the young man was instantly arrested, and a verdict o', "es of the body. under these circumstances the young man was instantly arrested, and a verdict of 'wi", " the body. under these circumstances the young man was instantly arrested, and a verdict of 'wilful ", "body. under these circumstances the young man was instantly arrested, and a verdict of 'wilful murde", " under these circumstances the young man was instantly arrested, and a verdict of 'wilful murder' ha", "r these circumstances the young man was instantly arrested, and a verdict of 'wilful murder' having ", "se circumstances the young man was instantly arrested, and a verdict of 'wilful murder' having been ", "rcumstances the young man was instantly arrested, and a verdict of 'wilful murder' having been retur", "tances the young man was instantly arrested, and a verdict of 'wilful murder' having been returned a", "s the young man was instantly arrested, and a verdict of 'wilful murder' having been returned at the", " young man was instantly arrested, and a verdict of 'wilful murder' having been returned at the inqu", "g man was instantly arrested, and a verdict of 'wilful murder' having been returned at the inquest o", " was instantly arrested, and a verdict of 'wilful murder' having been returned at the inquest on tue", "instantly arrested, and a verdict of 'wilful murder' having been returned at the inquest on tuesday,", "ntly arrested, and a verdict of 'wilful murder' having been returned at the inquest on tuesday, he w", "arrested, and a verdict of 'wilful murder' having been returned at the inquest on tuesday, he was on", "ted, and a verdict of 'wilful murder' having been returned at the inquest on tuesday, he was on wedn", "and a verdict of 'wilful murder' having been returned at the inquest on tuesday, he was on wednesday", " verdict of 'wilful murder' having been returned at the inquest on tuesday, he was on wednesday brou", "ict of 'wilful murder' having been returned at the inquest on tuesday, he was on wednesday brought b", "f 'wilful murder' having been returned at the inquest on tuesday, he was on wednesday brought before", "lful murder' having been returned at the inquest on tuesday, he was on wednesday brought before the ", "murder' having been returned at the inquest on tuesday, he was on wednesday brought before the magis", "r' having been returned at the inquest on tuesday, he was on wednesday brought before the magistrate", 'ving been returned at the inquest on tuesday, he was on wednesday brought before the magistrates at ', 'been returned at the inquest on tuesday, he was on wednesday brought before the magistrates at ross,', 'returned at the inquest on tuesday, he was on wednesday brought before the magistrates at ross, who ', 'ned at the inquest on tuesday, he was on wednesday brought before the magistrates at ross, who have ', 't the inquest on tuesday, he was on wednesday brought before the magistrates at ross, who have refer', ' inquest on tuesday, he was on wednesday brought before the magistrates at ross, who have referred t', 'est on tuesday, he was on wednesday brought before the magistrates at ross, who have referred the ca', 'n tuesday, he was on wednesday brought before the magistrates at ross, who have referred the case to', 'sday, he was on wednesday brought before the magistrates at ross, who have referred the case to the ', ' he was on wednesday brought before the magistrates at ross, who have referred the case to the next ', 'as on wednesday brought before the magistrates at ross, who have referred the case to the next assiz', ' wednesday brought before the magistrates at ross, who have referred the case to the next assizes. t', 'esday brought before the magistrates at ross, who have referred the case to the next assizes. those ', ' brought before the magistrates at ross, who have referred the case to the next assizes. those are t', 'ght before the magistrates at ross, who have referred the case to the next assizes. those are the ma', 'efore the magistrates at ross, who have referred the case to the next assizes. those are the main fa', ' the magistrates at ross, who have referred the case to the next assizes. those are the main facts o', 'magistrates at ross, who have referred the case to the next assizes. those are the main facts of the', 'trates at ross, who have referred the case to the next assizes. those are the main facts of the case', 's at ross, who have referred the case to the next assizes. those are the main facts of the case as t', 'ross, who have referred the case to the next assizes. those are the main facts of the case as they c', ' who have referred the case to the next assizes. those are the main facts of the case as they came o', 'have referred the case to the next assizes. those are the main facts of the case as they came out be', 'referred the case to the next assizes. those are the main facts of the case as they came out before ', 'red the case to the next assizes. those are the main facts of the case as they came out before the c', 'he case to the next assizes. those are the main facts of the case as they came out before the corone', 'se to the next assizes. those are the main facts of the case as they came out before the coroner and', ' the next assizes. those are the main facts of the case as they came out before the coroner and the ', 'next assizes. those are the main facts of the case as they came out before the coroner and the polic', 'assizes. those are the main facts of the case as they came out before the coroner and the police-cou', 'es. those are the main facts of the case as they came out before the coroner and the police-court." ', 'hose are the main facts of the case as they came out before the coroner and the police-court." "i co', 'are the main facts of the case as they came out before the coroner and the police-court." "i could h', 'he main facts of the case as they came out before the coroner and the police-court." "i could hardly', 'in facts of the case as they came out before the coroner and the police-court." "i could hardly imag', 'cts of the case as they came out before the coroner and the police-court." "i could hardly imagine a', 'f the case as they came out before the coroner and the police-court." "i could hardly imagine a more', ' case as they came out before the coroner and the police-court." "i could hardly imagine a more damn', ' as they came out before the coroner and the police-court." "i could hardly imagine a more damning c', 'hey came out before the coroner and the police-court." "i could hardly imagine a more damning case,"', 'ame out before the coroner and the police-court." "i could hardly imagine a more damning case," i re', 'ut before the coroner and the police-court." "i could hardly imagine a more damning case," i remarke', 'fore the coroner and the police-court." "i could hardly imagine a more damning case," i remarked. "i', 'the coroner and the police-court." "i could hardly imagine a more damning case," i remarked. "if eve', 'oroner and the police-court." "i could hardly imagine a more damning case," i remarked. "if ever cir', 'r and the police-court." "i could hardly imagine a more damning case," i remarked. "if ever circumst', ' the police-court." "i could hardly imagine a more damning case," i remarked. "if ever circumstantia', 'police-court." "i could hardly imagine a more damning case," i remarked. "if ever circumstantial evi', 'e-court." "i could hardly imagine a more damning case," i remarked. "if ever circumstantial evidence', 'rt." "i could hardly imagine a more damning case," i remarked. "if ever circumstantial evidence poin', '"i could hardly imagine a more damning case," i remarked. "if ever circumstantial evidence pointed t', 'uld hardly imagine a more damning case," i remarked. "if ever circumstantial evidence pointed to a c', 'ardly imagine a more damning case," i remarked. "if ever circumstantial evidence pointed to a crimin', ' imagine a more damning case," i remarked. "if ever circumstantial evidence pointed to a criminal it', 'ine a more damning case," i remarked. "if ever circumstantial evidence pointed to a criminal it does', ' more damning case," i remarked. "if ever circumstantial evidence pointed to a criminal it does so h', ' damning case," i remarked. "if ever circumstantial evidence pointed to a criminal it does so here."', 'ing case," i remarked. "if ever circumstantial evidence pointed to a criminal it does so here." "cir', 'ase," i remarked. "if ever circumstantial evidence pointed to a criminal it does so here." "circumst', ' i remarked. "if ever circumstantial evidence pointed to a criminal it does so here." "circumstantia', 'marked. "if ever circumstantial evidence pointed to a criminal it does so here." "circumstantial evi', 'd. "if ever circumstantial evidence pointed to a criminal it does so here." "circumstantial evidence', 'f ever circumstantial evidence pointed to a criminal it does so here." "circumstantial evidence is a', 'r circumstantial evidence pointed to a criminal it does so here." "circumstantial evidence is a very', 'cumstantial evidence pointed to a criminal it does so here." "circumstantial evidence is a very tric', 'antial evidence pointed to a criminal it does so here." "circumstantial evidence is a very tricky th', 'l evidence pointed to a criminal it does so here." "circumstantial evidence is a very tricky thing,"', 'dence pointed to a criminal it does so here." "circumstantial evidence is a very tricky thing," answ', ' pointed to a criminal it does so here." "circumstantial evidence is a very tricky thing," answered ', 'ted to a criminal it does so here." "circumstantial evidence is a very tricky thing," answered holme', 'o a criminal it does so here." "circumstantial evidence is a very tricky thing," answered holmes tho', 'riminal it does so here." "circumstantial evidence is a very tricky thing," answered holmes thoughtf', 'al it does so here." "circumstantial evidence is a very tricky thing," answered holmes thoughtfully.', ' does so here." "circumstantial evidence is a very tricky thing," answered holmes thoughtfully. "it ', ' so here." "circumstantial evidence is a very tricky thing," answered holmes thoughtfully. "it may s', 'ere." "circumstantial evidence is a very tricky thing," answered holmes thoughtfully. "it may seem t', ' "circumstantial evidence is a very tricky thing," answered holmes thoughtfully. "it may seem to poi', 'cumstantial evidence is a very tricky thing," answered holmes thoughtfully. "it may seem to point ve', 'antial evidence is a very tricky thing," answered holmes thoughtfully. "it may seem to point very st', 'l evidence is a very tricky thing," answered holmes thoughtfully. "it may seem to point very straigh', 'dence is a very tricky thing," answered holmes thoughtfully. "it may seem to point very straight to ', ' is a very tricky thing," answered holmes thoughtfully. "it may seem to point very straight to one t', ' very tricky thing," answered holmes thoughtfully. "it may seem to point very straight to one thing,', ' tricky thing," answered holmes thoughtfully. "it may seem to point very straight to one thing, but ', 'ky thing," answered holmes thoughtfully. "it may seem to point very straight to one thing, but if yo', 'ing," answered holmes thoughtfully. "it may seem to point very straight to one thing, but if you shi', ' answered holmes thoughtfully. "it may seem to point very straight to one thing, but if you shift yo', 'ered holmes thoughtfully. "it may seem to point very straight to one thing, but if you shift your ow', 'holmes thoughtfully. "it may seem to point very straight to one thing, but if you shift your own poi', 's thoughtfully. "it may seem to point very straight to one thing, but if you shift your own point of', 'ughtfully. "it may seem to point very straight to one thing, but if you shift your own point of view', 'ully. "it may seem to point very straight to one thing, but if you shift your own point of view a li', ' "it may seem to point very straight to one thing, but if you shift your own point of view a little,', 'may seem to point very straight to one thing, but if you shift your own point of view a little, you ', 'eem to point very straight to one thing, but if you shift your own point of view a little, you may f', 'o point very straight to one thing, but if you shift your own point of view a little, you may find i', 'nt very straight to one thing, but if you shift your own point of view a little, you may find it poi', 'ry straight to one thing, but if you shift your own point of view a little, you may find it pointing', 'raight to one thing, but if you shift your own point of view a little, you may find it pointing in a', 't to one thing, but if you shift your own point of view a little, you may find it pointing in an equ', 'one thing, but if you shift your own point of view a little, you may find it pointing in an equally ', 'hing, but if you shift your own point of view a little, you may find it pointing in an equally uncom', ' but if you shift your own point of view a little, you may find it pointing in an equally uncompromi', 'if you shift your own point of view a little, you may find it pointing in an equally uncompromising ', 'u shift your own point of view a little, you may find it pointing in an equally uncompromising manne', 'ft your own point of view a little, you may find it pointing in an equally uncompromising manner to ', 'ur own point of view a little, you may find it pointing in an equally uncompromising manner to somet', 'n point of view a little, you may find it pointing in an equally uncompromising manner to something ', 'nt of view a little, you may find it pointing in an equally uncompromising manner to something entir', ' view a little, you may find it pointing in an equally uncompromising manner to something entirely d', ' a little, you may find it pointing in an equally uncompromising manner to something entirely differ', 'ttle, you may find it pointing in an equally uncompromising manner to something entirely different. ', ' you may find it pointing in an equally uncompromising manner to something entirely different. it mu', 'may find it pointing in an equally uncompromising manner to something entirely different. it must be', 'ind it pointing in an equally uncompromising manner to something entirely different. it must be conf', 't pointing in an equally uncompromising manner to something entirely different. it must be confessed', 'nting in an equally uncompromising manner to something entirely different. it must be confessed, how', ' in an equally uncompromising manner to something entirely different. it must be confessed, however,', 'n equally uncompromising manner to something entirely different. it must be confessed, however, that', 'ally uncompromising manner to something entirely different. it must be confessed, however, that the ', 'uncompromising manner to something entirely different. it must be confessed, however, that the case ', 'promising manner to something entirely different. it must be confessed, however, that the case looks', 'sing manner to something entirely different. it must be confessed, however, that the case looks exce', 'manner to something entirely different. it must be confessed, however, that the case looks exceeding', 'r to something entirely different. it must be confessed, however, that the case looks exceedingly gr', 'something entirely different. it must be confessed, however, that the case looks exceedingly grave a', 'hing entirely different. it must be confessed, however, that the case looks exceedingly grave agains', 'entirely different. it must be confessed, however, that the case looks exceedingly grave against the', 'ely different. it must be confessed, however, that the case looks exceedingly grave against the youn', 'ifferent. it must be confessed, however, that the case looks exceedingly grave against the young man', 'ent. it must be confessed, however, that the case looks exceedingly grave against the young man, and', 'it must be confessed, however, that the case looks exceedingly grave against the young man, and it i', 'st be confessed, however, that the case looks exceedingly grave against the young man, and it is ver', ' confessed, however, that the case looks exceedingly grave against the young man, and it is very pos', 'essed, however, that the case looks exceedingly grave against the young man, and it is very possible', ', however, that the case looks exceedingly grave against the young man, and it is very possible that', 'ever, that the case looks exceedingly grave against the young man, and it is very possible that he i', ' that the case looks exceedingly grave against the young man, and it is very possible that he is ind', ' the case looks exceedingly grave against the young man, and it is very possible that he is indeed t', 'case looks exceedingly grave against the young man, and it is very possible that he is indeed the cu', 'looks exceedingly grave against the young man, and it is very possible that he is indeed the culprit', ' exceedingly grave against the young man, and it is very possible that he is indeed the culprit. the', 'edingly grave against the young man, and it is very possible that he is indeed the culprit. there ar', 'ly grave against the young man, and it is very possible that he is indeed the culprit. there are sev', 'ave against the young man, and it is very possible that he is indeed the culprit. there are several ', 'gainst the young man, and it is very possible that he is indeed the culprit. there are several peopl', 't the young man, and it is very possible that he is indeed the culprit. there are several people in ', ' young man, and it is very possible that he is indeed the culprit. there are several people in the n', 'g man, and it is very possible that he is indeed the culprit. there are several people in the neighb', ', and it is very possible that he is indeed the culprit. there are several people in the neighbourho', ' it is very possible that he is indeed the culprit. there are several people in the neighbourhood, h', 's very possible that he is indeed the culprit. there are several people in the neighbourhood, howeve', 'y possible that he is indeed the culprit. there are several people in the neighbourhood, however, an', 'sible that he is indeed the culprit. there are several people in the neighbourhood, however, and amo', ' that he is indeed the culprit. there are several people in the neighbourhood, however, and among th', ' he is indeed the culprit. there are several people in the neighbourhood, however, and among them mi', 's indeed the culprit. there are several people in the neighbourhood, however, and among them miss tu', 'eed the culprit. there are several people in the neighbourhood, however, and among them miss turner,', 'he culprit. there are several people in the neighbourhood, however, and among them miss turner, the ', 'lprit. there are several people in the neighbourhood, however, and among them miss turner, the daugh', '. there are several people in the neighbourhood, however, and among them miss turner, the daughter o', 're are several people in the neighbourhood, however, and among them miss turner, the daughter of the', 'e several people in the neighbourhood, however, and among them miss turner, the daughter of the neig', 'eral people in the neighbourhood, however, and among them miss turner, the daughter of the neighbour', 'people in the neighbourhood, however, and among them miss turner, the daughter of the neighbouring l', 'e in the neighbourhood, however, and among them miss turner, the daughter of the neighbouring landow', 'the neighbourhood, however, and among them miss turner, the daughter of the neighbouring landowner, ', 'eighbourhood, however, and among them miss turner, the daughter of the neighbouring landowner, who b', 'ourhood, however, and among them miss turner, the daughter of the neighbouring landowner, who believ', 'od, however, and among them miss turner, the daughter of the neighbouring landowner, who believe in ', 'owever, and among them miss turner, the daughter of the neighbouring landowner, who believe in his i', 'r, and among them miss turner, the daughter of the neighbouring landowner, who believe in his innoce', 'd among them miss turner, the daughter of the neighbouring landowner, who believe in his innocence, ', 'ng them miss turner, the daughter of the neighbouring landowner, who believe in his innocence, and w', 'em miss turner, the daughter of the neighbouring landowner, who believe in his innocence, and who ha', 'ss turner, the daughter of the neighbouring landowner, who believe in his innocence, and who have re', 'rner, the daughter of the neighbouring landowner, who believe in his innocence, and who have retaine', ' the daughter of the neighbouring landowner, who believe in his innocence, and who have retained les', 'daughter of the neighbouring landowner, who believe in his innocence, and who have retained lestrade', 'ter of the neighbouring landowner, who believe in his innocence, and who have retained lestrade, who', 'f the neighbouring landowner, who believe in his innocence, and who have retained lestrade, whom you', ' neighbouring landowner, who believe in his innocence, and who have retained lestrade, whom you may ', 'hbouring landowner, who believe in his innocence, and who have retained lestrade, whom you may recol', 'ing landowner, who believe in his innocence, and who have retained lestrade, whom you may recollect ', 'andowner, who believe in his innocence, and who have retained lestrade, whom you may recollect in co', 'ner, who believe in his innocence, and who have retained lestrade, whom you may recollect in connect', 'who believe in his innocence, and who have retained lestrade, whom you may recollect in connection w', 'elieve in his innocence, and who have retained lestrade, whom you may recollect in connection with t', 'e in his innocence, and who have retained lestrade, whom you may recollect in connection with the st', 'his innocence, and who have retained lestrade, whom you may recollect in connection with the study i', 'nnocence, and who have retained lestrade, whom you may recollect in connection with the study in sca', 'nce, and who have retained lestrade, whom you may recollect in connection with the study in scarlet,', 'and who have retained lestrade, whom you may recollect in connection with the study in scarlet, to w', 'ho have retained lestrade, whom you may recollect in connection with the study in scarlet, to work o', 've retained lestrade, whom you may recollect in connection with the study in scarlet, to work out th', 'tained lestrade, whom you may recollect in connection with the study in scarlet, to work out the cas', 'd lestrade, whom you may recollect in connection with the study in scarlet, to work out the case in ', 'trade, whom you may recollect in connection with the study in scarlet, to work out the case in his i', ', whom you may recollect in connection with the study in scarlet, to work out the case in his intere', 'm you may recollect in connection with the study in scarlet, to work out the case in his interest. l', ' may recollect in connection with the study in scarlet, to work out the case in his interest. lestra', 'recollect in connection with the study in scarlet, to work out the case in his interest. lestrade, b', 'lect in connection with the study in scarlet, to work out the case in his interest. lestrade, being ', 'in connection with the study in scarlet, to work out the case in his interest. lestrade, being rathe', 'nnection with the study in scarlet, to work out the case in his interest. lestrade, being rather puz', 'ion with the study in scarlet, to work out the case in his interest. lestrade, being rather puzzled,', 'ith the study in scarlet, to work out the case in his interest. lestrade, being rather puzzled, has ', 'he study in scarlet, to work out the case in his interest. lestrade, being rather puzzled, has refer', 'udy in scarlet, to work out the case in his interest. lestrade, being rather puzzled, has referred t', 'n scarlet, to work out the case in his interest. lestrade, being rather puzzled, has referred the ca', 'rlet, to work out the case in his interest. lestrade, being rather puzzled, has referred the case to', ' to work out the case in his interest. lestrade, being rather puzzled, has referred the case to me, ', 'ork out the case in his interest. lestrade, being rather puzzled, has referred the case to me, and h', 'ut the case in his interest. lestrade, being rather puzzled, has referred the case to me, and hence ', 'e case in his interest. lestrade, being rather puzzled, has referred the case to me, and hence it is', 'e in his interest. lestrade, being rather puzzled, has referred the case to me, and hence it is that', 'his interest. lestrade, being rather puzzled, has referred the case to me, and hence it is that two ', 'nterest. lestrade, being rather puzzled, has referred the case to me, and hence it is that two middl', 'st. lestrade, being rather puzzled, has referred the case to me, and hence it is that two middle-age', 'estrade, being rather puzzled, has referred the case to me, and hence it is that two middle-aged gen', 'de, being rather puzzled, has referred the case to me, and hence it is that two middle-aged gentleme', 'eing rather puzzled, has referred the case to me, and hence it is that two middle-aged gentlemen are', 'rather puzzled, has referred the case to me, and hence it is that two middle-aged gentlemen are flyi', 'r puzzled, has referred the case to me, and hence it is that two middle-aged gentlemen are flying we', 'zled, has referred the case to me, and hence it is that two middle-aged gentlemen are flying westwar', ' has referred the case to me, and hence it is that two middle-aged gentlemen are flying westward at ', 'referred the case to me, and hence it is that two middle-aged gentlemen are flying westward at fifty', 'red the case to me, and hence it is that two middle-aged gentlemen are flying westward at fifty mile', 'he case to me, and hence it is that two middle-aged gentlemen are flying westward at fifty miles an ', 'se to me, and hence it is that two middle-aged gentlemen are flying westward at fifty miles an hour ', ' me, and hence it is that two middle-aged gentlemen are flying westward at fifty miles an hour inste', 'and hence it is that two middle-aged gentlemen are flying westward at fifty miles an hour instead of', 'ence it is that two middle-aged gentlemen are flying westward at fifty miles an hour instead of quie', 'it is that two middle-aged gentlemen are flying westward at fifty miles an hour instead of quietly d', ' that two middle-aged gentlemen are flying westward at fifty miles an hour instead of quietly digest', ' two middle-aged gentlemen are flying westward at fifty miles an hour instead of quietly digesting t', 'middle-aged gentlemen are flying westward at fifty miles an hour instead of quietly digesting their ', 'e-aged gentlemen are flying westward at fifty miles an hour instead of quietly digesting their break', 'd gentlemen are flying westward at fifty miles an hour instead of quietly digesting their breakfasts', 'tlemen are flying westward at fifty miles an hour instead of quietly digesting their breakfasts at h', 'n are flying westward at fifty miles an hour instead of quietly digesting their breakfasts at home."', ' flying westward at fifty miles an hour instead of quietly digesting their breakfasts at home." "i a', 'ng westward at fifty miles an hour instead of quietly digesting their breakfasts at home." "i am afr', 'stward at fifty miles an hour instead of quietly digesting their breakfasts at home." "i am afraid,"', 'd at fifty miles an hour instead of quietly digesting their breakfasts at home." "i am afraid," said', 'fifty miles an hour instead of quietly digesting their breakfasts at home." "i am afraid," said i, "', ' miles an hour instead of quietly digesting their breakfasts at home." "i am afraid," said i, "that ', 's an hour instead of quietly digesting their breakfasts at home." "i am afraid," said i, "that the f', 'hour instead of quietly digesting their breakfasts at home." "i am afraid," said i, "that the facts ', 'instead of quietly digesting their breakfasts at home." "i am afraid," said i, "that the facts are s', 'ad of quietly digesting their breakfasts at home." "i am afraid," said i, "that the facts are so obv', ' quietly digesting their breakfasts at home." "i am afraid," said i, "that the facts are so obvious ', 'tly digesting their breakfasts at home." "i am afraid," said i, "that the facts are so obvious that ', 'igesting their breakfasts at home." "i am afraid," said i, "that the facts are so obvious that you w', 'ing their breakfasts at home." "i am afraid," said i, "that the facts are so obvious that you will f', 'heir breakfasts at home." "i am afraid," said i, "that the facts are so obvious that you will find l', 'breakfasts at home." "i am afraid," said i, "that the facts are so obvious that you will find little', 'fasts at home." "i am afraid," said i, "that the facts are so obvious that you will find little cred', ' at home." "i am afraid," said i, "that the facts are so obvious that you will find little credit to', 'ome." "i am afraid," said i, "that the facts are so obvious that you will find little credit to be g', ' "i am afraid," said i, "that the facts are so obvious that you will find little credit to be gained', 'm afraid," said i, "that the facts are so obvious that you will find little credit to be gained out ', 'aid," said i, "that the facts are so obvious that you will find little credit to be gained out of th', ' said i, "that the facts are so obvious that you will find little credit to be gained out of this ca', ' i, "that the facts are so obvious that you will find little credit to be gained out of this case." ', 'that the facts are so obvious that you will find little credit to be gained out of this case." "ther', 'the facts are so obvious that you will find little credit to be gained out of this case." "there is ', 'acts are so obvious that you will find little credit to be gained out of this case." "there is nothi', 'are so obvious that you will find little credit to be gained out of this case." "there is nothing mo', 'o obvious that you will find little credit to be gained out of this case." "there is nothing more de', 'ious that you will find little credit to be gained out of this case." "there is nothing more decepti', 'that you will find little credit to be gained out of this case." "there is nothing more deceptive th', 'you will find little credit to be gained out of this case." "there is nothing more deceptive than an', 'ill find little credit to be gained out of this case." "there is nothing more deceptive than an obvi', 'ind little credit to be gained out of this case." "there is nothing more deceptive than an obvious f', 'ittle credit to be gained out of this case." "there is nothing more deceptive than an obvious fact,"', ' credit to be gained out of this case." "there is nothing more deceptive than an obvious fact," he a', 'it to be gained out of this case." "there is nothing more deceptive than an obvious fact," he answer', ' be gained out of this case." "there is nothing more deceptive than an obvious fact," he answered, l', 'ained out of this case." "there is nothing more deceptive than an obvious fact," he answered, laughi', ' out of this case." "there is nothing more deceptive than an obvious fact," he answered, laughing. "', 'of this case." "there is nothing more deceptive than an obvious fact," he answered, laughing. "besid', 'is case." "there is nothing more deceptive than an obvious fact," he answered, laughing. "besides, w', 'se." "there is nothing more deceptive than an obvious fact," he answered, laughing. "besides, we may', '"there is nothing more deceptive than an obvious fact," he answered, laughing. "besides, we may chan', 'e is nothing more deceptive than an obvious fact," he answered, laughing. "besides, we may chance to', 'nothing more deceptive than an obvious fact," he answered, laughing. "besides, we may chance to hit ', 'ng more deceptive than an obvious fact," he answered, laughing. "besides, we may chance to hit upon ', 're deceptive than an obvious fact," he answered, laughing. "besides, we may chance to hit upon some ', 'ceptive than an obvious fact," he answered, laughing. "besides, we may chance to hit upon some other', 've than an obvious fact," he answered, laughing. "besides, we may chance to hit upon some other obvi', 'an an obvious fact," he answered, laughing. "besides, we may chance to hit upon some other obvious f', ' obvious fact," he answered, laughing. "besides, we may chance to hit upon some other obvious facts ', 'ous fact," he answered, laughing. "besides, we may chance to hit upon some other obvious facts which', 'act," he answered, laughing. "besides, we may chance to hit upon some other obvious facts which may ', ' he answered, laughing. "besides, we may chance to hit upon some other obvious facts which may have ', 'nswered, laughing. "besides, we may chance to hit upon some other obvious facts which may have been ', 'ed, laughing. "besides, we may chance to hit upon some other obvious facts which may have been by no', 'aughing. "besides, we may chance to hit upon some other obvious facts which may have been by no mean', 'ng. "besides, we may chance to hit upon some other obvious facts which may have been by no means obv', 'besides, we may chance to hit upon some other obvious facts which may have been by no means obvious ', 'es, we may chance to hit upon some other obvious facts which may have been by no means obvious to mr', 'e may chance to hit upon some other obvious facts which may have been by no means obvious to mr. les', ' chance to hit upon some other obvious facts which may have been by no means obvious to mr. lestrade', 'ce to hit upon some other obvious facts which may have been by no means obvious to mr. lestrade. you', ' hit upon some other obvious facts which may have been by no means obvious to mr. lestrade. you know', 'upon some other obvious facts which may have been by no means obvious to mr. lestrade. you know me t', 'some other obvious facts which may have been by no means obvious to mr. lestrade. you know me too we', 'other obvious facts which may have been by no means obvious to mr. lestrade. you know me too well to', ' obvious facts which may have been by no means obvious to mr. lestrade. you know me too well to thin', 'ous facts which may have been by no means obvious to mr. lestrade. you know me too well to think tha', 'acts which may have been by no means obvious to mr. lestrade. you know me too well to think that i a', 'which may have been by no means obvious to mr. lestrade. you know me too well to think that i am boa', ' may have been by no means obvious to mr. lestrade. you know me too well to think that i am boasting', 'have been by no means obvious to mr. lestrade. you know me too well to think that i am boasting when', 'been by no means obvious to mr. lestrade. you know me too well to think that i am boasting when i sa', 'by no means obvious to mr. lestrade. you know me too well to think that i am boasting when i say tha', ' means obvious to mr. lestrade. you know me too well to think that i am boasting when i say that i s', 's obvious to mr. lestrade. you know me too well to think that i am boasting when i say that i shall ', 'ious to mr. lestrade. you know me too well to think that i am boasting when i say that i shall eithe', 'to mr. lestrade. you know me too well to think that i am boasting when i say that i shall either con', '. lestrade. you know me too well to think that i am boasting when i say that i shall either confirm ', 'trade. you know me too well to think that i am boasting when i say that i shall either confirm or de', '. you know me too well to think that i am boasting when i say that i shall either confirm or destroy', ' know me too well to think that i am boasting when i say that i shall either confirm or destroy his ', ' me too well to think that i am boasting when i say that i shall either confirm or destroy his theor', 'oo well to think that i am boasting when i say that i shall either confirm or destroy his theory by ', 'll to think that i am boasting when i say that i shall either confirm or destroy his theory by means', ' think that i am boasting when i say that i shall either confirm or destroy his theory by means whic', 'k that i am boasting when i say that i shall either confirm or destroy his theory by means which he ', 't i am boasting when i say that i shall either confirm or destroy his theory by means which he is qu', 'm boasting when i say that i shall either confirm or destroy his theory by means which he is quite i', 'sting when i say that i shall either confirm or destroy his theory by means which he is quite incapa', ' when i say that i shall either confirm or destroy his theory by means which he is quite incapable o', ' i say that i shall either confirm or destroy his theory by means which he is quite incapable of emp', 'y that i shall either confirm or destroy his theory by means which he is quite incapable of employin', 't i shall either confirm or destroy his theory by means which he is quite incapable of employing, or', 'hall either confirm or destroy his theory by means which he is quite incapable of employing, or even', 'either confirm or destroy his theory by means which he is quite incapable of employing, or even of u', 'r confirm or destroy his theory by means which he is quite incapable of employing, or even of unders', 'firm or destroy his theory by means which he is quite incapable of employing, or even of understandi', 'or destroy his theory by means which he is quite incapable of employing, or even of understanding. t', 'stroy his theory by means which he is quite incapable of employing, or even of understanding. to tak', ' his theory by means which he is quite incapable of employing, or even of understanding. to take the', 'theory by means which he is quite incapable of employing, or even of understanding. to take the firs', 'y by means which he is quite incapable of employing, or even of understanding. to take the first exa', 'means which he is quite incapable of employing, or even of understanding. to take the first example ', ' which he is quite incapable of employing, or even of understanding. to take the first example to ha', 'h he is quite incapable of employing, or even of understanding. to take the first example to hand, i', 'is quite incapable of employing, or even of understanding. to take the first example to hand, i very', 'ite incapable of employing, or even of understanding. to take the first example to hand, i very clea', 'ncapable of employing, or even of understanding. to take the first example to hand, i very clearly p', 'ble of employing, or even of understanding. to take the first example to hand, i very clearly percei', 'f employing, or even of understanding. to take the first example to hand, i very clearly perceive th', 'loying, or even of understanding. to take the first example to hand, i very clearly perceive that in', 'g, or even of understanding. to take the first example to hand, i very clearly perceive that in your', ' even of understanding. to take the first example to hand, i very clearly perceive that in your bedr', ' of understanding. to take the first example to hand, i very clearly perceive that in your bedroom t', 'nderstanding. to take the first example to hand, i very clearly perceive that in your bedroom the wi', 'tanding. to take the first example to hand, i very clearly perceive that in your bedroom the window ', 'ng. to take the first example to hand, i very clearly perceive that in your bedroom the window is up', 'o take the first example to hand, i very clearly perceive that in your bedroom the window is upon th', 'e the first example to hand, i very clearly perceive that in your bedroom the window is upon the rig', ' first example to hand, i very clearly perceive that in your bedroom the window is upon the right-ha', 't example to hand, i very clearly perceive that in your bedroom the window is upon the right-hand si', 'mple to hand, i very clearly perceive that in your bedroom the window is upon the right-hand side, a', 'to hand, i very clearly perceive that in your bedroom the window is upon the right-hand side, and ye', 'nd, i very clearly perceive that in your bedroom the window is upon the right-hand side, and yet i q', ' very clearly perceive that in your bedroom the window is upon the right-hand side, and yet i questi', ' clearly perceive that in your bedroom the window is upon the right-hand side, and yet i question wh', 'rly perceive that in your bedroom the window is upon the right-hand side, and yet i question whether', 'erceive that in your bedroom the window is upon the right-hand side, and yet i question whether mr. ', 've that in your bedroom the window is upon the right-hand side, and yet i question whether mr. lestr', 'at in your bedroom the window is upon the right-hand side, and yet i question whether mr. lestrade w', ' your bedroom the window is upon the right-hand side, and yet i question whether mr. lestrade would ', ' bedroom the window is upon the right-hand side, and yet i question whether mr. lestrade would have ', 'oom the window is upon the right-hand side, and yet i question whether mr. lestrade would have noted', 'he window is upon the right-hand side, and yet i question whether mr. lestrade would have noted even', 'ndow is upon the right-hand side, and yet i question whether mr. lestrade would have noted even so s', 'is upon the right-hand side, and yet i question whether mr. lestrade would have noted even so self-e', 'on the right-hand side, and yet i question whether mr. lestrade would have noted even so self-eviden', 'e right-hand side, and yet i question whether mr. lestrade would have noted even so self-evident a t', 'ht-hand side, and yet i question whether mr. lestrade would have noted even so self-evident a thing ', 'nd side, and yet i question whether mr. lestrade would have noted even so self-evident a thing as th', 'de, and yet i question whether mr. lestrade would have noted even so self-evident a thing as that." ', 'nd yet i question whether mr. lestrade would have noted even so self-evident a thing as that." "how ', 't i question whether mr. lestrade would have noted even so self-evident a thing as that." "how on ea', 'uestion whether mr. lestrade would have noted even so self-evident a thing as that." "how on earth" ', 'on whether mr. lestrade would have noted even so self-evident a thing as that." "how on earth" "my d', 'ether mr. lestrade would have noted even so self-evident a thing as that." "how on earth" "my dear f', ' mr. lestrade would have noted even so self-evident a thing as that." "how on earth" "my dear fellow', 'lestrade would have noted even so self-evident a thing as that." "how on earth" "my dear fellow, i k', 'ade would have noted even so self-evident a thing as that." "how on earth" "my dear fellow, i know y', 'ould have noted even so self-evident a thing as that." "how on earth" "my dear fellow, i know you we', 'have noted even so self-evident a thing as that." "how on earth" "my dear fellow, i know you well. i', 'noted even so self-evident a thing as that." "how on earth" "my dear fellow, i know you well. i know', ' even so self-evident a thing as that." "how on earth" "my dear fellow, i know you well. i know the ', ' so self-evident a thing as that." "how on earth" "my dear fellow, i know you well. i know the milit', 'elf-evident a thing as that." "how on earth" "my dear fellow, i know you well. i know the military n', 'vident a thing as that." "how on earth" "my dear fellow, i know you well. i know the military neatne', 't a thing as that." "how on earth" "my dear fellow, i know you well. i know the military neatness wh', 'hing as that." "how on earth" "my dear fellow, i know you well. i know the military neatness which c', 'as that." "how on earth" "my dear fellow, i know you well. i know the military neatness which charac', 'at." "how on earth" "my dear fellow, i know you well. i know the military neatness which characteris', '"how on earth" "my dear fellow, i know you well. i know the military neatness which characterises yo', 'on earth" "my dear fellow, i know you well. i know the military neatness which characterises you. yo', 'rth" "my dear fellow, i know you well. i know the military neatness which characterises you. you sha', '"my dear fellow, i know you well. i know the military neatness which characterises you. you shave ev', 'ear fellow, i know you well. i know the military neatness which characterises you. you shave every m', 'ellow, i know you well. i know the military neatness which characterises you. you shave every mornin', ', i know you well. i know the military neatness which characterises you. you shave every morning, an', 'now you well. i know the military neatness which characterises you. you shave every morning, and in ', 'ou well. i know the military neatness which characterises you. you shave every morning, and in this ', 'll. i know the military neatness which characterises you. you shave every morning, and in this seaso', ' know the military neatness which characterises you. you shave every morning, and in this season you', ' the military neatness which characterises you. you shave every morning, and in this season you shav', 'military neatness which characterises you. you shave every morning, and in this season you shave by ', 'ary neatness which characterises you. you shave every morning, and in this season you shave by the s', 'eatness which characterises you. you shave every morning, and in this season you shave by the sunlig', 'ss which characterises you. you shave every morning, and in this season you shave by the sunlight; b', 'ich characterises you. you shave every morning, and in this season you shave by the sunlight; but si', 'haracterises you. you shave every morning, and in this season you shave by the sunlight; but since y', 'terises you. you shave every morning, and in this season you shave by the sunlight; but since your s', 'es you. you shave every morning, and in this season you shave by the sunlight; but since your shavin', 'u. you shave every morning, and in this season you shave by the sunlight; but since your shaving is ', 'u shave every morning, and in this season you shave by the sunlight; but since your shaving is less ', 've every morning, and in this season you shave by the sunlight; but since your shaving is less and l', 'ery morning, and in this season you shave by the sunlight; but since your shaving is less and less c', 'orning, and in this season you shave by the sunlight; but since your shaving is less and less comple', 'g, and in this season you shave by the sunlight; but since your shaving is less and less complete as', 'd in this season you shave by the sunlight; but since your shaving is less and less complete as we g', 'this season you shave by the sunlight; but since your shaving is less and less complete as we get fa', 'season you shave by the sunlight; but since your shaving is less and less complete as we get farther', 'n you shave by the sunlight; but since your shaving is less and less complete as we get farther back', ' shave by the sunlight; but since your shaving is less and less complete as we get farther back on t', 'e by the sunlight; but since your shaving is less and less complete as we get farther back on the le', 'the sunlight; but since your shaving is less and less complete as we get farther back on the left si', 'unlight; but since your shaving is less and less complete as we get farther back on the left side, u', 'ht; but since your shaving is less and less complete as we get farther back on the left side, until ', 'ut since your shaving is less and less complete as we get farther back on the left side, until it be', 'nce your shaving is less and less complete as we get farther back on the left side, until it becomes', 'our shaving is less and less complete as we get farther back on the left side, until it becomes posi', 'having is less and less complete as we get farther back on the left side, until it becomes positivel', 'g is less and less complete as we get farther back on the left side, until it becomes positively slo', 'less and less complete as we get farther back on the left side, until it becomes positively slovenly', 'and less complete as we get farther back on the left side, until it becomes positively slovenly as w', 'ess complete as we get farther back on the left side, until it becomes positively slovenly as we get', 'omplete as we get farther back on the left side, until it becomes positively slovenly as we get roun', 'te as we get farther back on the left side, until it becomes positively slovenly as we get round the', ' we get farther back on the left side, until it becomes positively slovenly as we get round the angl', 'et farther back on the left side, until it becomes positively slovenly as we get round the angle of ', 'rther back on the left side, until it becomes positively slovenly as we get round the angle of the j', ' back on the left side, until it becomes positively slovenly as we get round the angle of the jaw, i', ' on the left side, until it becomes positively slovenly as we get round the angle of the jaw, it is ', 'he left side, until it becomes positively slovenly as we get round the angle of the jaw, it is surel', 'ft side, until it becomes positively slovenly as we get round the angle of the jaw, it is surely ver', 'de, until it becomes positively slovenly as we get round the angle of the jaw, it is surely very cle', 'ntil it becomes positively slovenly as we get round the angle of the jaw, it is surely very clear th', 'it becomes positively slovenly as we get round the angle of the jaw, it is surely very clear that th', 'comes positively slovenly as we get round the angle of the jaw, it is surely very clear that that si', ' positively slovenly as we get round the angle of the jaw, it is surely very clear that that side is', 'tively slovenly as we get round the angle of the jaw, it is surely very clear that that side is less', 'y slovenly as we get round the angle of the jaw, it is surely very clear that that side is less illu', 'venly as we get round the angle of the jaw, it is surely very clear that that side is less illuminat', ' as we get round the angle of the jaw, it is surely very clear that that side is less illuminated th', 'e get round the angle of the jaw, it is surely very clear that that side is less illuminated than th', ' round the angle of the jaw, it is surely very clear that that side is less illuminated than the oth', 'd the angle of the jaw, it is surely very clear that that side is less illuminated than the other. i', ' angle of the jaw, it is surely very clear that that side is less illuminated than the other. i coul', 'e of the jaw, it is surely very clear that that side is less illuminated than the other. i could not', 'the jaw, it is surely very clear that that side is less illuminated than the other. i could not imag', 'aw, it is surely very clear that that side is less illuminated than the other. i could not imagine a', 't is surely very clear that that side is less illuminated than the other. i could not imagine a man ', 'surely very clear that that side is less illuminated than the other. i could not imagine a man of yo', 'y very clear that that side is less illuminated than the other. i could not imagine a man of your ha', 'y clear that that side is less illuminated than the other. i could not imagine a man of your habits ', 'ar that that side is less illuminated than the other. i could not imagine a man of your habits looki', 'at that side is less illuminated than the other. i could not imagine a man of your habits looking at', 'at side is less illuminated than the other. i could not imagine a man of your habits looking at hims', 'de is less illuminated than the other. i could not imagine a man of your habits looking at himself i', ' less illuminated than the other. i could not imagine a man of your habits looking at himself in an ', ' illuminated than the other. i could not imagine a man of your habits looking at himself in an equal', 'minated than the other. i could not imagine a man of your habits looking at himself in an equal ligh', 'ed than the other. i could not imagine a man of your habits looking at himself in an equal light and', 'an the other. i could not imagine a man of your habits looking at himself in an equal light and bein', 'e other. i could not imagine a man of your habits looking at himself in an equal light and being sat', 'er. i could not imagine a man of your habits looking at himself in an equal light and being satisfie', ' could not imagine a man of your habits looking at himself in an equal light and being satisfied wit', 'd not imagine a man of your habits looking at himself in an equal light and being satisfied with suc', ' imagine a man of your habits looking at himself in an equal light and being satisfied with such a r', 'ine a man of your habits looking at himself in an equal light and being satisfied with such a result', ' man of your habits looking at himself in an equal light and being satisfied with such a result. i o', 'of your habits looking at himself in an equal light and being satisfied with such a result. i only q', 'ur habits looking at himself in an equal light and being satisfied with such a result. i only quote ', 'bits looking at himself in an equal light and being satisfied with such a result. i only quote this ', 'looking at himself in an equal light and being satisfied with such a result. i only quote this as a ', 'ng at himself in an equal light and being satisfied with such a result. i only quote this as a trivi', ' himself in an equal light and being satisfied with such a result. i only quote this as a trivial ex', 'elf in an equal light and being satisfied with such a result. i only quote this as a trivial example', 'n an equal light and being satisfied with such a result. i only quote this as a trivial example of o', 'equal light and being satisfied with such a result. i only quote this as a trivial example of observ', ' light and being satisfied with such a result. i only quote this as a trivial example of observation', 't and being satisfied with such a result. i only quote this as a trivial example of observation and ', ' being satisfied with such a result. i only quote this as a trivial example of observation and infer', 'g satisfied with such a result. i only quote this as a trivial example of observation and inference.', 'isfied with such a result. i only quote this as a trivial example of observation and inference. ther', 'd with such a result. i only quote this as a trivial example of observation and inference. therein l', 'h such a result. i only quote this as a trivial example of observation and inference. therein lies m', 'h a result. i only quote this as a trivial example of observation and inference. therein lies my m t', 'esult. i only quote this as a trivial example of observation and inference. therein lies my m tier, ', '. i only quote this as a trivial example of observation and inference. therein lies my m tier, and i', 'nly quote this as a trivial example of observation and inference. therein lies my m tier, and it is ', 'uote this as a trivial example of observation and inference. therein lies my m tier, and it is just ', 'this as a trivial example of observation and inference. therein lies my m tier, and it is just possi', 'as a trivial example of observation and inference. therein lies my m tier, and it is just possible t', 'trivial example of observation and inference. therein lies my m tier, and it is just possible that i', 'al example of observation and inference. therein lies my m tier, and it is just possible that it may', 'ample of observation and inference. therein lies my m tier, and it is just possible that it may be o', ' of observation and inference. therein lies my m tier, and it is just possible that it may be of som', 'bservation and inference. therein lies my m tier, and it is just possible that it may be of some ser', 'ation and inference. therein lies my m tier, and it is just possible that it may be of some service ', ' and inference. therein lies my m tier, and it is just possible that it may be of some service in th', 'inference. therein lies my m tier, and it is just possible that it may be of some service in the inv', 'ence. therein lies my m tier, and it is just possible that it may be of some service in the investig', ' therein lies my m tier, and it is just possible that it may be of some service in the investigation', 'ein lies my m tier, and it is just possible that it may be of some service in the investigation whic', 'ies my m tier, and it is just possible that it may be of some service in the investigation which lie', 'y m tier, and it is just possible that it may be of some service in the investigation which lies bef', 'ier, and it is just possible that it may be of some service in the investigation which lies before u', 'and it is just possible that it may be of some service in the investigation which lies before us. th', 't is just possible that it may be of some service in the investigation which lies before us. there a', 'just possible that it may be of some service in the investigation which lies before us. there are on', 'possible that it may be of some service in the investigation which lies before us. there are one or ', 'ble that it may be of some service in the investigation which lies before us. there are one or two m', 'hat it may be of some service in the investigation which lies before us. there are one or two minor ', 't may be of some service in the investigation which lies before us. there are one or two minor point', ' be of some service in the investigation which lies before us. there are one or two minor points whi', 'f some service in the investigation which lies before us. there are one or two minor points which we', 'e service in the investigation which lies before us. there are one or two minor points which were br', 'vice in the investigation which lies before us. there are one or two minor points which were brought', 'in the investigation which lies before us. there are one or two minor points which were brought out ', 'e investigation which lies before us. there are one or two minor points which were brought out in th', 'estigation which lies before us. there are one or two minor points which were brought out in the inq', 'ation which lies before us. there are one or two minor points which were brought out in the inquest,', ' which lies before us. there are one or two minor points which were brought out in the inquest, and ', 'h lies before us. there are one or two minor points which were brought out in the inquest, and which', 's before us. there are one or two minor points which were brought out in the inquest, and which are ', 'ore us. there are one or two minor points which were brought out in the inquest, and which are worth', 's. there are one or two minor points which were brought out in the inquest, and which are worth cons', 'ere are one or two minor points which were brought out in the inquest, and which are worth consideri', 're one or two minor points which were brought out in the inquest, and which are worth considering." ', 'e or two minor points which were brought out in the inquest, and which are worth considering." "what', 'two minor points which were brought out in the inquest, and which are worth considering." "what are ', 'inor points which were brought out in the inquest, and which are worth considering." "what are they?', 'points which were brought out in the inquest, and which are worth considering." "what are they?" "it', 's which were brought out in the inquest, and which are worth considering." "what are they?" "it appe', 'ch were brought out in the inquest, and which are worth considering." "what are they?" "it appears t', 're brought out in the inquest, and which are worth considering." "what are they?" "it appears that h', 'ought out in the inquest, and which are worth considering." "what are they?" "it appears that his ar', ' out in the inquest, and which are worth considering." "what are they?" "it appears that his arrest ', 'in the inquest, and which are worth considering." "what are they?" "it appears that his arrest did n', 'e inquest, and which are worth considering." "what are they?" "it appears that his arrest did not ta', 'uest, and which are worth considering." "what are they?" "it appears that his arrest did not take pl', ' and which are worth considering." "what are they?" "it appears that his arrest did not take place a', 'which are worth considering." "what are they?" "it appears that his arrest did not take place at onc', ' are worth considering." "what are they?" "it appears that his arrest did not take place at once, bu', 'worth considering." "what are they?" "it appears that his arrest did not take place at once, but aft', ' considering." "what are they?" "it appears that his arrest did not take place at once, but after th', 'idering." "what are they?" "it appears that his arrest did not take place at once, but after the ret', 'ng." "what are they?" "it appears that his arrest did not take place at once, but after the return t', '"what are they?" "it appears that his arrest did not take place at once, but after the return to hat', ' are they?" "it appears that his arrest did not take place at once, but after the return to hatherle', 'they?" "it appears that his arrest did not take place at once, but after the return to hatherley far', '" "it appears that his arrest did not take place at once, but after the return to hatherley farm. on', ' appears that his arrest did not take place at once, but after the return to hatherley farm. on the ', 'ars that his arrest did not take place at once, but after the return to hatherley farm. on the inspe', 'hat his arrest did not take place at once, but after the return to hatherley farm. on the inspector ', 'is arrest did not take place at once, but after the return to hatherley farm. on the inspector of co', 'rest did not take place at once, but after the return to hatherley farm. on the inspector of constab', 'did not take place at once, but after the return to hatherley farm. on the inspector of constabulary', 'ot take place at once, but after the return to hatherley farm. on the inspector of constabulary info', 'ke place at once, but after the return to hatherley farm. on the inspector of constabulary informing', 'ace at once, but after the return to hatherley farm. on the inspector of constabulary informing him ', 't once, but after the return to hatherley farm. on the inspector of constabulary informing him that ', 'e, but after the return to hatherley farm. on the inspector of constabulary informing him that he wa', 't after the return to hatherley farm. on the inspector of constabulary informing him that he was a p', 'er the return to hatherley farm. on the inspector of constabulary informing him that he was a prison', 'e return to hatherley farm. on the inspector of constabulary informing him that he was a prisoner, h', 'urn to hatherley farm. on the inspector of constabulary informing him that he was a prisoner, he rem', 'o hatherley farm. on the inspector of constabulary informing him that he was a prisoner, he remarked', 'herley farm. on the inspector of constabulary informing him that he was a prisoner, he remarked that', 'y farm. on the inspector of constabulary informing him that he was a prisoner, he remarked that he w', 'm. on the inspector of constabulary informing him that he was a prisoner, he remarked that he was no', ' the inspector of constabulary informing him that he was a prisoner, he remarked that he was not sur', 'inspector of constabulary informing him that he was a prisoner, he remarked that he was not surprise', 'ctor of constabulary informing him that he was a prisoner, he remarked that he was not surprised to ', 'of constabulary informing him that he was a prisoner, he remarked that he was not surprised to hear ', 'nstabulary informing him that he was a prisoner, he remarked that he was not surprised to hear it, a', 'ulary informing him that he was a prisoner, he remarked that he was not surprised to hear it, and th', ' informing him that he was a prisoner, he remarked that he was not surprised to hear it, and that it', 'rming him that he was a prisoner, he remarked that he was not surprised to hear it, and that it was ', ' him that he was a prisoner, he remarked that he was not surprised to hear it, and that it was no mo', 'that he was a prisoner, he remarked that he was not surprised to hear it, and that it was no more th', 'he was a prisoner, he remarked that he was not surprised to hear it, and that it was no more than hi', 's a prisoner, he remarked that he was not surprised to hear it, and that it was no more than his des', 'risoner, he remarked that he was not surprised to hear it, and that it was no more than his deserts.', 'er, he remarked that he was not surprised to hear it, and that it was no more than his deserts. this', 'e remarked that he was not surprised to hear it, and that it was no more than his deserts. this obse', 'arked that he was not surprised to hear it, and that it was no more than his deserts. this observati', ' that he was not surprised to hear it, and that it was no more than his deserts. this observation of', ' he was not surprised to hear it, and that it was no more than his deserts. this observation of his ', 'as not surprised to hear it, and that it was no more than his deserts. this observation of his had t', 't surprised to hear it, and that it was no more than his deserts. this observation of his had the na', 'prised to hear it, and that it was no more than his deserts. this observation of his had the natural', 'd to hear it, and that it was no more than his deserts. this observation of his had the natural effe', 'hear it, and that it was no more than his deserts. this observation of his had the natural effect of', 'it, and that it was no more than his deserts. this observation of his had the natural effect of remo', 'nd that it was no more than his deserts. this observation of his had the natural effect of removing ', 'at it was no more than his deserts. this observation of his had the natural effect of removing any t', ' was no more than his deserts. this observation of his had the natural effect of removing any traces', 'no more than his deserts. this observation of his had the natural effect of removing any traces of d', 're than his deserts. this observation of his had the natural effect of removing any traces of doubt ', 'an his deserts. this observation of his had the natural effect of removing any traces of doubt which', 's deserts. this observation of his had the natural effect of removing any traces of doubt which migh', 'erts. this observation of his had the natural effect of removing any traces of doubt which might hav', ' this observation of his had the natural effect of removing any traces of doubt which might have rem', ' observation of his had the natural effect of removing any traces of doubt which might have remained', 'rvation of his had the natural effect of removing any traces of doubt which might have remained in t', 'on of his had the natural effect of removing any traces of doubt which might have remained in the mi', ' his had the natural effect of removing any traces of doubt which might have remained in the minds o', 'had the natural effect of removing any traces of doubt which might have remained in the minds of the', 'he natural effect of removing any traces of doubt which might have remained in the minds of the coro', "tural effect of removing any traces of doubt which might have remained in the minds of the coroner's", " effect of removing any traces of doubt which might have remained in the minds of the coroner's jury", 'ct of removing any traces of doubt which might have remained in the minds of the coroner\'s jury." "i', ' removing any traces of doubt which might have remained in the minds of the coroner\'s jury." "it was', 'ving any traces of doubt which might have remained in the minds of the coroner\'s jury." "it was a co', 'any traces of doubt which might have remained in the minds of the coroner\'s jury." "it was a confess', 'races of doubt which might have remained in the minds of the coroner\'s jury." "it was a confession,"', ' of doubt which might have remained in the minds of the coroner\'s jury." "it was a confession," i ej', 'oubt which might have remained in the minds of the coroner\'s jury." "it was a confession," i ejacula', 'which might have remained in the minds of the coroner\'s jury." "it was a confession," i ejaculated. ', ' might have remained in the minds of the coroner\'s jury." "it was a confession," i ejaculated. "no, ', 't have remained in the minds of the coroner\'s jury." "it was a confession," i ejaculated. "no, for i', 'e remained in the minds of the coroner\'s jury." "it was a confession," i ejaculated. "no, for it was', 'ained in the minds of the coroner\'s jury." "it was a confession," i ejaculated. "no, for it was foll', ' in the minds of the coroner\'s jury." "it was a confession," i ejaculated. "no, for it was followed ', 'he minds of the coroner\'s jury." "it was a confession," i ejaculated. "no, for it was followed by a ', 'nds of the coroner\'s jury." "it was a confession," i ejaculated. "no, for it was followed by a prote', 'f the coroner\'s jury." "it was a confession," i ejaculated. "no, for it was followed by a protestati', ' coroner\'s jury." "it was a confession," i ejaculated. "no, for it was followed by a protestation of', 'ner\'s jury." "it was a confession," i ejaculated. "no, for it was followed by a protestation of inno', ' jury." "it was a confession," i ejaculated. "no, for it was followed by a protestation of innocence', '." "it was a confession," i ejaculated. "no, for it was followed by a protestation of innocence." "c', 't was a confession," i ejaculated. "no, for it was followed by a protestation of innocence." "coming', ' a confession," i ejaculated. "no, for it was followed by a protestation of innocence." "coming on t', 'nfession," i ejaculated. "no, for it was followed by a protestation of innocence." "coming on the to', 'ion," i ejaculated. "no, for it was followed by a protestation of innocence." "coming on the top of ', ' i ejaculated. "no, for it was followed by a protestation of innocence." "coming on the top of such ', 'aculated. "no, for it was followed by a protestation of innocence." "coming on the top of such a dam', 'ted. "no, for it was followed by a protestation of innocence." "coming on the top of such a damning ', '"no, for it was followed by a protestation of innocence." "coming on the top of such a damning serie', 'for it was followed by a protestation of innocence." "coming on the top of such a damning series of ', 't was followed by a protestation of innocence." "coming on the top of such a damning series of event', ' followed by a protestation of innocence." "coming on the top of such a damning series of events, it', 'owed by a protestation of innocence." "coming on the top of such a damning series of events, it was ', 'by a protestation of innocence." "coming on the top of such a damning series of events, it was at le', 'protestation of innocence." "coming on the top of such a damning series of events, it was at least a', 'station of innocence." "coming on the top of such a damning series of events, it was at least a most', 'on of innocence." "coming on the top of such a damning series of events, it was at least a most susp', ' innocence." "coming on the top of such a damning series of events, it was at least a most suspiciou', 'cence." "coming on the top of such a damning series of events, it was at least a most suspicious rem', '." "coming on the top of such a damning series of events, it was at least a most suspicious remark."', 'oming on the top of such a damning series of events, it was at least a most suspicious remark." "on ', ' on the top of such a damning series of events, it was at least a most suspicious remark." "on the c', 'he top of such a damning series of events, it was at least a most suspicious remark." "on the contra', 'p of such a damning series of events, it was at least a most suspicious remark." "on the contrary," ', 'such a damning series of events, it was at least a most suspicious remark." "on the contrary," said ', 'a damning series of events, it was at least a most suspicious remark." "on the contrary," said holme', 'ning series of events, it was at least a most suspicious remark." "on the contrary," said holmes, "i', 'series of events, it was at least a most suspicious remark." "on the contrary," said holmes, "it is ', 's of events, it was at least a most suspicious remark." "on the contrary," said holmes, "it is the b', 'events, it was at least a most suspicious remark." "on the contrary," said holmes, "it is the bright', 's, it was at least a most suspicious remark." "on the contrary," said holmes, "it is the brightest r', ' was at least a most suspicious remark." "on the contrary," said holmes, "it is the brightest rift w', 'at least a most suspicious remark." "on the contrary," said holmes, "it is the brightest rift which ', 'ast a most suspicious remark." "on the contrary," said holmes, "it is the brightest rift which i can', ' most suspicious remark." "on the contrary," said holmes, "it is the brightest rift which i can at p', ' suspicious remark." "on the contrary," said holmes, "it is the brightest rift which i can at presen', 'icious remark." "on the contrary," said holmes, "it is the brightest rift which i can at present see', 's remark." "on the contrary," said holmes, "it is the brightest rift which i can at present see in t', 'ark." "on the contrary," said holmes, "it is the brightest rift which i can at present see in the cl', ' "on the contrary," said holmes, "it is the brightest rift which i can at present see in the clouds.', 'the contrary," said holmes, "it is the brightest rift which i can at present see in the clouds. howe', 'ontrary," said holmes, "it is the brightest rift which i can at present see in the clouds. however i', 'ry," said holmes, "it is the brightest rift which i can at present see in the clouds. however innoce', 'said holmes, "it is the brightest rift which i can at present see in the clouds. however innocent he', 'holmes, "it is the brightest rift which i can at present see in the clouds. however innocent he migh', 's, "it is the brightest rift which i can at present see in the clouds. however innocent he might be,', 't is the brightest rift which i can at present see in the clouds. however innocent he might be, he c', 'the brightest rift which i can at present see in the clouds. however innocent he might be, he could ', 'rightest rift which i can at present see in the clouds. however innocent he might be, he could not b', 'est rift which i can at present see in the clouds. however innocent he might be, he could not be suc', 'ift which i can at present see in the clouds. however innocent he might be, he could not be such an ', 'hich i can at present see in the clouds. however innocent he might be, he could not be such an absol', 'i can at present see in the clouds. however innocent he might be, he could not be such an absolute i', ' at present see in the clouds. however innocent he might be, he could not be such an absolute imbeci', 'resent see in the clouds. however innocent he might be, he could not be such an absolute imbecile as', 't see in the clouds. however innocent he might be, he could not be such an absolute imbecile as not ', ' in the clouds. however innocent he might be, he could not be such an absolute imbecile as not to se', 'he clouds. however innocent he might be, he could not be such an absolute imbecile as not to see tha', 'ouds. however innocent he might be, he could not be such an absolute imbecile as not to see that the', ' however innocent he might be, he could not be such an absolute imbecile as not to see that the circ', 'ver innocent he might be, he could not be such an absolute imbecile as not to see that the circumsta', 'nnocent he might be, he could not be such an absolute imbecile as not to see that the circumstances ', 'nt he might be, he could not be such an absolute imbecile as not to see that the circumstances were ', ' might be, he could not be such an absolute imbecile as not to see that the circumstances were very ', 't be, he could not be such an absolute imbecile as not to see that the circumstances were very black', ' he could not be such an absolute imbecile as not to see that the circumstances were very black agai', 'ould not be such an absolute imbecile as not to see that the circumstances were very black against h', 'not be such an absolute imbecile as not to see that the circumstances were very black against him. h', 'e such an absolute imbecile as not to see that the circumstances were very black against him. had he', 'h an absolute imbecile as not to see that the circumstances were very black against him. had he appe', 'absolute imbecile as not to see that the circumstances were very black against him. had he appeared ', 'ute imbecile as not to see that the circumstances were very black against him. had he appeared surpr', 'mbecile as not to see that the circumstances were very black against him. had he appeared surprised ', 'le as not to see that the circumstances were very black against him. had he appeared surprised at hi', ' not to see that the circumstances were very black against him. had he appeared surprised at his own', 'to see that the circumstances were very black against him. had he appeared surprised at his own arre', 'e that the circumstances were very black against him. had he appeared surprised at his own arrest, o', 't the circumstances were very black against him. had he appeared surprised at his own arrest, or fei', ' circumstances were very black against him. had he appeared surprised at his own arrest, or feigned ', 'umstances were very black against him. had he appeared surprised at his own arrest, or feigned indig', 'nces were very black against him. had he appeared surprised at his own arrest, or feigned indignatio', 'were very black against him. had he appeared surprised at his own arrest, or feigned indignation at ', 'very black against him. had he appeared surprised at his own arrest, or feigned indignation at it, i', 'black against him. had he appeared surprised at his own arrest, or feigned indignation at it, i shou', ' against him. had he appeared surprised at his own arrest, or feigned indignation at it, i should ha', 'nst him. had he appeared surprised at his own arrest, or feigned indignation at it, i should have lo', 'im. had he appeared surprised at his own arrest, or feigned indignation at it, i should have looked ', 'ad he appeared surprised at his own arrest, or feigned indignation at it, i should have looked upon ', ' appeared surprised at his own arrest, or feigned indignation at it, i should have looked upon it as', 'ared surprised at his own arrest, or feigned indignation at it, i should have looked upon it as high', 'surprised at his own arrest, or feigned indignation at it, i should have looked upon it as highly su', 'ised at his own arrest, or feigned indignation at it, i should have looked upon it as highly suspici', 'at his own arrest, or feigned indignation at it, i should have looked upon it as highly suspicious, ', 's own arrest, or feigned indignation at it, i should have looked upon it as highly suspicious, becau', ' arrest, or feigned indignation at it, i should have looked upon it as highly suspicious, because su', 'st, or feigned indignation at it, i should have looked upon it as highly suspicious, because such su', 'r feigned indignation at it, i should have looked upon it as highly suspicious, because such surpris', 'gned indignation at it, i should have looked upon it as highly suspicious, because such surprise or ', 'indignation at it, i should have looked upon it as highly suspicious, because such surprise or anger', 'nation at it, i should have looked upon it as highly suspicious, because such surprise or anger woul', 'n at it, i should have looked upon it as highly suspicious, because such surprise or anger would not', 'it, i should have looked upon it as highly suspicious, because such surprise or anger would not be n', ' should have looked upon it as highly suspicious, because such surprise or anger would not be natura', 'ld have looked upon it as highly suspicious, because such surprise or anger would not be natural und', 've looked upon it as highly suspicious, because such surprise or anger would not be natural under th', 'oked upon it as highly suspicious, because such surprise or anger would not be natural under the cir', 'upon it as highly suspicious, because such surprise or anger would not be natural under the circumst', 'it as highly suspicious, because such surprise or anger would not be natural under the circumstances', ' highly suspicious, because such surprise or anger would not be natural under the circumstances, and', 'ly suspicious, because such surprise or anger would not be natural under the circumstances, and yet ', 'spicious, because such surprise or anger would not be natural under the circumstances, and yet might', 'ous, because such surprise or anger would not be natural under the circumstances, and yet might appe', 'because such surprise or anger would not be natural under the circumstances, and yet might appear to', 'se such surprise or anger would not be natural under the circumstances, and yet might appear to be t', 'ch surprise or anger would not be natural under the circumstances, and yet might appear to be the be', 'rprise or anger would not be natural under the circumstances, and yet might appear to be the best po', 'e or anger would not be natural under the circumstances, and yet might appear to be the best policy ', 'anger would not be natural under the circumstances, and yet might appear to be the best policy to a ', ' would not be natural under the circumstances, and yet might appear to be the best policy to a schem', 'd not be natural under the circumstances, and yet might appear to be the best policy to a scheming m', ' be natural under the circumstances, and yet might appear to be the best policy to a scheming man. h', 'atural under the circumstances, and yet might appear to be the best policy to a scheming man. his fr', 'l under the circumstances, and yet might appear to be the best policy to a scheming man. his frank a', 'er the circumstances, and yet might appear to be the best policy to a scheming man. his frank accept', 'e circumstances, and yet might appear to be the best policy to a scheming man. his frank acceptance ', 'cumstances, and yet might appear to be the best policy to a scheming man. his frank acceptance of th', 'ances, and yet might appear to be the best policy to a scheming man. his frank acceptance of the sit', ', and yet might appear to be the best policy to a scheming man. his frank acceptance of the situatio', ' yet might appear to be the best policy to a scheming man. his frank acceptance of the situation mar', 'might appear to be the best policy to a scheming man. his frank acceptance of the situation marks hi', ' appear to be the best policy to a scheming man. his frank acceptance of the situation marks him as ', 'ar to be the best policy to a scheming man. his frank acceptance of the situation marks him as eithe', ' be the best policy to a scheming man. his frank acceptance of the situation marks him as either an ', 'he best policy to a scheming man. his frank acceptance of the situation marks him as either an innoc', 'st policy to a scheming man. his frank acceptance of the situation marks him as either an innocent m', 'licy to a scheming man. his frank acceptance of the situation marks him as either an innocent man, o', 'to a scheming man. his frank acceptance of the situation marks him as either an innocent man, or els', 'scheming man. his frank acceptance of the situation marks him as either an innocent man, or else as ', 'ing man. his frank acceptance of the situation marks him as either an innocent man, or else as a man', 'an. his frank acceptance of the situation marks him as either an innocent man, or else as a man of c', 'is frank acceptance of the situation marks him as either an innocent man, or else as a man of consid', 'ank acceptance of the situation marks him as either an innocent man, or else as a man of considerabl', 'cceptance of the situation marks him as either an innocent man, or else as a man of considerable sel', 'ance of the situation marks him as either an innocent man, or else as a man of considerable self-res', 'of the situation marks him as either an innocent man, or else as a man of considerable self-restrain', 'e situation marks him as either an innocent man, or else as a man of considerable self-restraint and', 'uation marks him as either an innocent man, or else as a man of considerable self-restraint and firm', 'n marks him as either an innocent man, or else as a man of considerable self-restraint and firmness.', 'ks him as either an innocent man, or else as a man of considerable self-restraint and firmness. as t', 'm as either an innocent man, or else as a man of considerable self-restraint and firmness. as to his', 'either an innocent man, or else as a man of considerable self-restraint and firmness. as to his rema', 'r an innocent man, or else as a man of considerable self-restraint and firmness. as to his remark ab', 'innocent man, or else as a man of considerable self-restraint and firmness. as to his remark about h', 'ent man, or else as a man of considerable self-restraint and firmness. as to his remark about his de', 'an, or else as a man of considerable self-restraint and firmness. as to his remark about his deserts', 'r else as a man of considerable self-restraint and firmness. as to his remark about his deserts, it ', 'e as a man of considerable self-restraint and firmness. as to his remark about his deserts, it was a', 'a man of considerable self-restraint and firmness. as to his remark about his deserts, it was also n', ' of considerable self-restraint and firmness. as to his remark about his deserts, it was also not un', 'onsiderable self-restraint and firmness. as to his remark about his deserts, it was also not unnatur', 'erable self-restraint and firmness. as to his remark about his deserts, it was also not unnatural if', 'e self-restraint and firmness. as to his remark about his deserts, it was also not unnatural if you ', 'f-restraint and firmness. as to his remark about his deserts, it was also not unnatural if you consi', 'traint and firmness. as to his remark about his deserts, it was also not unnatural if you consider t', 't and firmness. as to his remark about his deserts, it was also not unnatural if you consider that h', ' firmness. as to his remark about his deserts, it was also not unnatural if you consider that he sto', 'ness. as to his remark about his deserts, it was also not unnatural if you consider that he stood be', ' as to his remark about his deserts, it was also not unnatural if you consider that he stood beside ', 'o his remark about his deserts, it was also not unnatural if you consider that he stood beside the d', ' remark about his deserts, it was also not unnatural if you consider that he stood beside the dead b', 'rk about his deserts, it was also not unnatural if you consider that he stood beside the dead body o', 'out his deserts, it was also not unnatural if you consider that he stood beside the dead body of his', 'is deserts, it was also not unnatural if you consider that he stood beside the dead body of his fath', 'serts, it was also not unnatural if you consider that he stood beside the dead body of his father, a', ', it was also not unnatural if you consider that he stood beside the dead body of his father, and th', 'was also not unnatural if you consider that he stood beside the dead body of his father, and that th', 'lso not unnatural if you consider that he stood beside the dead body of his father, and that there i', 'ot unnatural if you consider that he stood beside the dead body of his father, and that there is no ', 'natural if you consider that he stood beside the dead body of his father, and that there is no doubt', 'al if you consider that he stood beside the dead body of his father, and that there is no doubt that', ' you consider that he stood beside the dead body of his father, and that there is no doubt that he h', 'consider that he stood beside the dead body of his father, and that there is no doubt that he had th', 'der that he stood beside the dead body of his father, and that there is no doubt that he had that ve', 'hat he stood beside the dead body of his father, and that there is no doubt that he had that very da', 'e stood beside the dead body of his father, and that there is no doubt that he had that very day so ', 'od beside the dead body of his father, and that there is no doubt that he had that very day so far f', 'side the dead body of his father, and that there is no doubt that he had that very day so far forgot', 'the dead body of his father, and that there is no doubt that he had that very day so far forgotten h', 'ead body of his father, and that there is no doubt that he had that very day so far forgotten his fi', 'ody of his father, and that there is no doubt that he had that very day so far forgotten his filial ', 'f his father, and that there is no doubt that he had that very day so far forgotten his filial duty ', ' father, and that there is no doubt that he had that very day so far forgotten his filial duty as to', 'er, and that there is no doubt that he had that very day so far forgotten his filial duty as to band', 'nd that there is no doubt that he had that very day so far forgotten his filial duty as to bandy wor', 'at there is no doubt that he had that very day so far forgotten his filial duty as to bandy words wi', 'ere is no doubt that he had that very day so far forgotten his filial duty as to bandy words with hi', 's no doubt that he had that very day so far forgotten his filial duty as to bandy words with him, an', 'doubt that he had that very day so far forgotten his filial duty as to bandy words with him, and eve', ' that he had that very day so far forgotten his filial duty as to bandy words with him, and even, ac', ' he had that very day so far forgotten his filial duty as to bandy words with him, and even, accordi', 'ad that very day so far forgotten his filial duty as to bandy words with him, and even, according to', 'at very day so far forgotten his filial duty as to bandy words with him, and even, according to the ', 'ry day so far forgotten his filial duty as to bandy words with him, and even, according to the littl', 'y so far forgotten his filial duty as to bandy words with him, and even, according to the little gir', 'far forgotten his filial duty as to bandy words with him, and even, according to the little girl who', 'orgotten his filial duty as to bandy words with him, and even, according to the little girl whose ev', 'ten his filial duty as to bandy words with him, and even, according to the little girl whose evidenc', 'is filial duty as to bandy words with him, and even, according to the little girl whose evidence is ', 'lial duty as to bandy words with him, and even, according to the little girl whose evidence is so im', 'duty as to bandy words with him, and even, according to the little girl whose evidence is so importa', 'as to bandy words with him, and even, according to the little girl whose evidence is so important, t', ' bandy words with him, and even, according to the little girl whose evidence is so important, to rai', 'y words with him, and even, according to the little girl whose evidence is so important, to raise hi', 'ds with him, and even, according to the little girl whose evidence is so important, to raise his han', 'th him, and even, according to the little girl whose evidence is so important, to raise his hand as ', 'm, and even, according to the little girl whose evidence is so important, to raise his hand as if to', 'd even, according to the little girl whose evidence is so important, to raise his hand as if to stri', 'n, according to the little girl whose evidence is so important, to raise his hand as if to strike hi', 'cording to the little girl whose evidence is so important, to raise his hand as if to strike him. th', 'ng to the little girl whose evidence is so important, to raise his hand as if to strike him. the sel', ' the little girl whose evidence is so important, to raise his hand as if to strike him. the self-rep', 'little girl whose evidence is so important, to raise his hand as if to strike him. the self-reproach', 'e girl whose evidence is so important, to raise his hand as if to strike him. the self-reproach and ', 'l whose evidence is so important, to raise his hand as if to strike him. the self-reproach and contr', 'se evidence is so important, to raise his hand as if to strike him. the self-reproach and contrition', 'idence is so important, to raise his hand as if to strike him. the self-reproach and contrition whic', 'e is so important, to raise his hand as if to strike him. the self-reproach and contrition which are', 'so important, to raise his hand as if to strike him. the self-reproach and contrition which are disp', 'portant, to raise his hand as if to strike him. the self-reproach and contrition which are displayed', 'nt, to raise his hand as if to strike him. the self-reproach and contrition which are displayed in h', 'o raise his hand as if to strike him. the self-reproach and contrition which are displayed in his re', 'se his hand as if to strike him. the self-reproach and contrition which are displayed in his remark ', 's hand as if to strike him. the self-reproach and contrition which are displayed in his remark appea', 'd as if to strike him. the self-reproach and contrition which are displayed in his remark appear to ', 'if to strike him. the self-reproach and contrition which are displayed in his remark appear to me to', ' strike him. the self-reproach and contrition which are displayed in his remark appear to me to be t', 'ke him. the self-reproach and contrition which are displayed in his remark appear to me to be the si', 'm. the self-reproach and contrition which are displayed in his remark appear to me to be the signs o', 'e self-reproach and contrition which are displayed in his remark appear to me to be the signs of a h', 'f-reproach and contrition which are displayed in his remark appear to me to be the signs of a health', 'roach and contrition which are displayed in his remark appear to me to be the signs of a healthy min', ' and contrition which are displayed in his remark appear to me to be the signs of a healthy mind rat', 'contrition which are displayed in his remark appear to me to be the signs of a healthy mind rather t', 'ition which are displayed in his remark appear to me to be the signs of a healthy mind rather than o', ' which are displayed in his remark appear to me to be the signs of a healthy mind rather than of a g', 'h are displayed in his remark appear to me to be the signs of a healthy mind rather than of a guilty', ' displayed in his remark appear to me to be the signs of a healthy mind rather than of a guilty one.', 'layed in his remark appear to me to be the signs of a healthy mind rather than of a guilty one." i s', ' in his remark appear to me to be the signs of a healthy mind rather than of a guilty one." i shook ', 'is remark appear to me to be the signs of a healthy mind rather than of a guilty one." i shook my he', 'mark appear to me to be the signs of a healthy mind rather than of a guilty one." i shook my head. "', 'appear to me to be the signs of a healthy mind rather than of a guilty one." i shook my head. "many ', 'r to me to be the signs of a healthy mind rather than of a guilty one." i shook my head. "many men h', 'me to be the signs of a healthy mind rather than of a guilty one." i shook my head. "many men have b', ' be the signs of a healthy mind rather than of a guilty one." i shook my head. "many men have been h', 'he signs of a healthy mind rather than of a guilty one." i shook my head. "many men have been hanged', 'gns of a healthy mind rather than of a guilty one." i shook my head. "many men have been hanged on f', 'f a healthy mind rather than of a guilty one." i shook my head. "many men have been hanged on far sl', 'ealthy mind rather than of a guilty one." i shook my head. "many men have been hanged on far slighte', 'y mind rather than of a guilty one." i shook my head. "many men have been hanged on far slighter evi', 'd rather than of a guilty one." i shook my head. "many men have been hanged on far slighter evidence', 'her than of a guilty one." i shook my head. "many men have been hanged on far slighter evidence," i ', 'han of a guilty one." i shook my head. "many men have been hanged on far slighter evidence," i remar', 'f a guilty one." i shook my head. "many men have been hanged on far slighter evidence," i remarked. ', 'uilty one." i shook my head. "many men have been hanged on far slighter evidence," i remarked. "so t', ' one." i shook my head. "many men have been hanged on far slighter evidence," i remarked. "so they h', '" i shook my head. "many men have been hanged on far slighter evidence," i remarked. "so they have. ', 'hook my head. "many men have been hanged on far slighter evidence," i remarked. "so they have. and m', 'my head. "many men have been hanged on far slighter evidence," i remarked. "so they have. and many m', 'ad. "many men have been hanged on far slighter evidence," i remarked. "so they have. and many men ha', 'many men have been hanged on far slighter evidence," i remarked. "so they have. and many men have be', 'men have been hanged on far slighter evidence," i remarked. "so they have. and many men have been wr', 'ave been hanged on far slighter evidence," i remarked. "so they have. and many men have been wrongfu', 'een hanged on far slighter evidence," i remarked. "so they have. and many men have been wrongfully h', 'anged on far slighter evidence," i remarked. "so they have. and many men have been wrongfully hanged', ' on far slighter evidence," i remarked. "so they have. and many men have been wrongfully hanged." "w', 'ar slighter evidence," i remarked. "so they have. and many men have been wrongfully hanged." "what i', 'ighter evidence," i remarked. "so they have. and many men have been wrongfully hanged." "what is the', 'r evidence," i remarked. "so they have. and many men have been wrongfully hanged." "what is the youn', 'dence," i remarked. "so they have. and many men have been wrongfully hanged." "what is the young man', '," i remarked. "so they have. and many men have been wrongfully hanged." "what is the young man\'s ow', 'remarked. "so they have. and many men have been wrongfully hanged." "what is the young man\'s own acc', 'ked. "so they have. and many men have been wrongfully hanged." "what is the young man\'s own account ', '"so they have. and many men have been wrongfully hanged." "what is the young man\'s own account of th', 'hey have. and many men have been wrongfully hanged." "what is the young man\'s own account of the mat', 'ave. and many men have been wrongfully hanged." "what is the young man\'s own account of the matter?"', 'and many men have been wrongfully hanged." "what is the young man\'s own account of the matter?" "it ', 'any men have been wrongfully hanged." "what is the young man\'s own account of the matter?" "it is, i', 'en have been wrongfully hanged." "what is the young man\'s own account of the matter?" "it is, i am a', 've been wrongfully hanged." "what is the young man\'s own account of the matter?" "it is, i am afraid', 'en wrongfully hanged." "what is the young man\'s own account of the matter?" "it is, i am afraid, not', 'ongfully hanged." "what is the young man\'s own account of the matter?" "it is, i am afraid, not very', 'lly hanged." "what is the young man\'s own account of the matter?" "it is, i am afraid, not very enco', 'anged." "what is the young man\'s own account of the matter?" "it is, i am afraid, not very encouragi', '." "what is the young man\'s own account of the matter?" "it is, i am afraid, not very encouraging to', 'hat is the young man\'s own account of the matter?" "it is, i am afraid, not very encouraging to his ', 's the young man\'s own account of the matter?" "it is, i am afraid, not very encouraging to his suppo', ' young man\'s own account of the matter?" "it is, i am afraid, not very encouraging to his supporters', 'g man\'s own account of the matter?" "it is, i am afraid, not very encouraging to his supporters, tho', '\'s own account of the matter?" "it is, i am afraid, not very encouraging to his supporters, though t', 'n account of the matter?" "it is, i am afraid, not very encouraging to his supporters, though there ', 'ount of the matter?" "it is, i am afraid, not very encouraging to his supporters, though there are o', 'of the matter?" "it is, i am afraid, not very encouraging to his supporters, though there are one or', 'e matter?" "it is, i am afraid, not very encouraging to his supporters, though there are one or two ', 'ter?" "it is, i am afraid, not very encouraging to his supporters, though there are one or two point', ' "it is, i am afraid, not very encouraging to his supporters, though there are one or two points in ', 'is, i am afraid, not very encouraging to his supporters, though there are one or two points in it wh', ' am afraid, not very encouraging to his supporters, though there are one or two points in it which a', 'fraid, not very encouraging to his supporters, though there are one or two points in it which are su', ', not very encouraging to his supporters, though there are one or two points in it which are suggest', ' very encouraging to his supporters, though there are one or two points in it which are suggestive. ', ' encouraging to his supporters, though there are one or two points in it which are suggestive. you w', 'uraging to his supporters, though there are one or two points in it which are suggestive. you will f', 'ng to his supporters, though there are one or two points in it which are suggestive. you will find i', ' his supporters, though there are one or two points in it which are suggestive. you will find it her', 'supporters, though there are one or two points in it which are suggestive. you will find it here, an', 'rters, though there are one or two points in it which are suggestive. you will find it here, and may', ', though there are one or two points in it which are suggestive. you will find it here, and may read', 'ugh there are one or two points in it which are suggestive. you will find it here, and may read it f', 'here are one or two points in it which are suggestive. you will find it here, and may read it for yo', 'are one or two points in it which are suggestive. you will find it here, and may read it for yoursel', 'ne or two points in it which are suggestive. you will find it here, and may read it for yourself." h', ' two points in it which are suggestive. you will find it here, and may read it for yourself." he pic', 'points in it which are suggestive. you will find it here, and may read it for yourself." he picked o', 's in it which are suggestive. you will find it here, and may read it for yourself." he picked out fr', 'it which are suggestive. you will find it here, and may read it for yourself." he picked out from hi', 'ich are suggestive. you will find it here, and may read it for yourself." he picked out from his bun', 're suggestive. you will find it here, and may read it for yourself." he picked out from his bundle a', 'ggestive. you will find it here, and may read it for yourself." he picked out from his bundle a copy', 'ive. you will find it here, and may read it for yourself." he picked out from his bundle a copy of t', 'you will find it here, and may read it for yourself." he picked out from his bundle a copy of the lo', 'ill find it here, and may read it for yourself." he picked out from his bundle a copy of the local h', 'ind it here, and may read it for yourself." he picked out from his bundle a copy of the local herefo', 't here, and may read it for yourself." he picked out from his bundle a copy of the local herefordshi', 'e, and may read it for yourself." he picked out from his bundle a copy of the local herefordshire pa', 'd may read it for yourself." he picked out from his bundle a copy of the local herefordshire paper, ', ' read it for yourself." he picked out from his bundle a copy of the local herefordshire paper, and h', ' it for yourself." he picked out from his bundle a copy of the local herefordshire paper, and having', 'or yourself." he picked out from his bundle a copy of the local herefordshire paper, and having turn', 'urself." he picked out from his bundle a copy of the local herefordshire paper, and having turned do', 'f." he picked out from his bundle a copy of the local herefordshire paper, and having turned down th', 'e picked out from his bundle a copy of the local herefordshire paper, and having turned down the she', 'ked out from his bundle a copy of the local herefordshire paper, and having turned down the sheet he', 'ut from his bundle a copy of the local herefordshire paper, and having turned down the sheet he poin', 'om his bundle a copy of the local herefordshire paper, and having turned down the sheet he pointed o', 's bundle a copy of the local herefordshire paper, and having turned down the sheet he pointed out th', 'dle a copy of the local herefordshire paper, and having turned down the sheet he pointed out the par', ' copy of the local herefordshire paper, and having turned down the sheet he pointed out the paragrap', ' of the local herefordshire paper, and having turned down the sheet he pointed out the paragraph in ', 'he local herefordshire paper, and having turned down the sheet he pointed out the paragraph in which', 'cal herefordshire paper, and having turned down the sheet he pointed out the paragraph in which the ', 'erefordshire paper, and having turned down the sheet he pointed out the paragraph in which the unfor', 'rdshire paper, and having turned down the sheet he pointed out the paragraph in which the unfortunat', 're paper, and having turned down the sheet he pointed out the paragraph in which the unfortunate you', 'per, and having turned down the sheet he pointed out the paragraph in which the unfortunate young ma', 'and having turned down the sheet he pointed out the paragraph in which the unfortunate young man had', 'aving turned down the sheet he pointed out the paragraph in which the unfortunate young man had give', ' turned down the sheet he pointed out the paragraph in which the unfortunate young man had given his', 'ed down the sheet he pointed out the paragraph in which the unfortunate young man had given his own ', 'wn the sheet he pointed out the paragraph in which the unfortunate young man had given his own state', 'e sheet he pointed out the paragraph in which the unfortunate young man had given his own statement ', 'et he pointed out the paragraph in which the unfortunate young man had given his own statement of wh', ' pointed out the paragraph in which the unfortunate young man had given his own statement of what ha', 'ted out the paragraph in which the unfortunate young man had given his own statement of what had occ', 'ut the paragraph in which the unfortunate young man had given his own statement of what had occurred', 'e paragraph in which the unfortunate young man had given his own statement of what had occurred. i s', 'agraph in which the unfortunate young man had given his own statement of what had occurred. i settle', 'h in which the unfortunate young man had given his own statement of what had occurred. i settled mys', 'which the unfortunate young man had given his own statement of what had occurred. i settled myself d', ' the unfortunate young man had given his own statement of what had occurred. i settled myself down i', 'unfortunate young man had given his own statement of what had occurred. i settled myself down in the', 'tunate young man had given his own statement of what had occurred. i settled myself down in the corn', 'e young man had given his own statement of what had occurred. i settled myself down in the corner of', 'ng man had given his own statement of what had occurred. i settled myself down in the corner of the ', 'n had given his own statement of what had occurred. i settled myself down in the corner of the carri', ' given his own statement of what had occurred. i settled myself down in the corner of the carriage a', 'n his own statement of what had occurred. i settled myself down in the corner of the carriage and re', ' own statement of what had occurred. i settled myself down in the corner of the carriage and read it', 'statement of what had occurred. i settled myself down in the corner of the carriage and read it very', 'ment of what had occurred. i settled myself down in the corner of the carriage and read it very care', 'of what had occurred. i settled myself down in the corner of the carriage and read it very carefully', 'at had occurred. i settled myself down in the corner of the carriage and read it very carefully. it ', 'd occurred. i settled myself down in the corner of the carriage and read it very carefully. it ran i', 'urred. i settled myself down in the corner of the carriage and read it very carefully. it ran in thi', '. i settled myself down in the corner of the carriage and read it very carefully. it ran in this way', 'ettled myself down in the corner of the carriage and read it very carefully. it ran in this way: "mr', 'd myself down in the corner of the carriage and read it very carefully. it ran in this way: "mr. jam', 'elf down in the corner of the carriage and read it very carefully. it ran in this way: "mr. james mc', 'own in the corner of the carriage and read it very carefully. it ran in this way: "mr. james mccarth', 'n the corner of the carriage and read it very carefully. it ran in this way: "mr. james mccarthy, th', ' corner of the carriage and read it very carefully. it ran in this way: "mr. james mccarthy, the onl', 'er of the carriage and read it very carefully. it ran in this way: "mr. james mccarthy, the only son', ' the carriage and read it very carefully. it ran in this way: "mr. james mccarthy, the only son of t', 'carriage and read it very carefully. it ran in this way: "mr. james mccarthy, the only son of the de', 'age and read it very carefully. it ran in this way: "mr. james mccarthy, the only son of the decease', 'nd read it very carefully. it ran in this way: "mr. james mccarthy, the only son of the deceased, wa', 'ad it very carefully. it ran in this way: "mr. james mccarthy, the only son of the deceased, was the', ' very carefully. it ran in this way: "mr. james mccarthy, the only son of the deceased, was then cal', ' carefully. it ran in this way: "mr. james mccarthy, the only son of the deceased, was then called a', 'fully. it ran in this way: "mr. james mccarthy, the only son of the deceased, was then called and ga', '. it ran in this way: "mr. james mccarthy, the only son of the deceased, was then called and gave ev', 'ran in this way: "mr. james mccarthy, the only son of the deceased, was then called and gave evidenc', 'n this way: "mr. james mccarthy, the only son of the deceased, was then called and gave evidence as ', 's way: "mr. james mccarthy, the only son of the deceased, was then called and gave evidence as follo', ': "mr. james mccarthy, the only son of the deceased, was then called and gave evidence as follows: \'', ". james mccarthy, the only son of the deceased, was then called and gave evidence as follows: 'i had", "es mccarthy, the only son of the deceased, was then called and gave evidence as follows: 'i had been", "carthy, the only son of the deceased, was then called and gave evidence as follows: 'i had been away", "y, the only son of the deceased, was then called and gave evidence as follows: 'i had been away from", "e only son of the deceased, was then called and gave evidence as follows: 'i had been away from home", "y son of the deceased, was then called and gave evidence as follows: 'i had been away from home for ", " of the deceased, was then called and gave evidence as follows: 'i had been away from home for three", "he deceased, was then called and gave evidence as follows: 'i had been away from home for three days", "ceased, was then called and gave evidence as follows: 'i had been away from home for three days at b", "d, was then called and gave evidence as follows: 'i had been away from home for three days at bristo", "s then called and gave evidence as follows: 'i had been away from home for three days at bristol, an", "n called and gave evidence as follows: 'i had been away from home for three days at bristol, and had", "led and gave evidence as follows: 'i had been away from home for three days at bristol, and had only", "nd gave evidence as follows: 'i had been away from home for three days at bristol, and had only just", "ve evidence as follows: 'i had been away from home for three days at bristol, and had only just retu", "idence as follows: 'i had been away from home for three days at bristol, and had only just returned ", "e as follows: 'i had been away from home for three days at bristol, and had only just returned upon ", "follows: 'i had been away from home for three days at bristol, and had only just returned upon the m", "ws: 'i had been away from home for three days at bristol, and had only just returned upon the mornin", 'i had been away from home for three days at bristol, and had only just returned upon the morning of ', ' been away from home for three days at bristol, and had only just returned upon the morning of last ', ' away from home for three days at bristol, and had only just returned upon the morning of last monda', ' from home for three days at bristol, and had only just returned upon the morning of last monday, th', ' home for three days at bristol, and had only just returned upon the morning of last monday, the rd.', ' for three days at bristol, and had only just returned upon the morning of last monday, the rd. my f', 'three days at bristol, and had only just returned upon the morning of last monday, the rd. my father', ' days at bristol, and had only just returned upon the morning of last monday, the rd. my father was ', ' at bristol, and had only just returned upon the morning of last monday, the rd. my father was absen', 'ristol, and had only just returned upon the morning of last monday, the rd. my father was absent fro', 'l, and had only just returned upon the morning of last monday, the rd. my father was absent from hom', 'd had only just returned upon the morning of last monday, the rd. my father was absent from home at ', ' only just returned upon the morning of last monday, the rd. my father was absent from home at the t', ' just returned upon the morning of last monday, the rd. my father was absent from home at the time o', ' returned upon the morning of last monday, the rd. my father was absent from home at the time of my ', 'rned upon the morning of last monday, the rd. my father was absent from home at the time of my arriv', 'upon the morning of last monday, the rd. my father was absent from home at the time of my arrival, a', 'the morning of last monday, the rd. my father was absent from home at the time of my arrival, and i ', 'orning of last monday, the rd. my father was absent from home at the time of my arrival, and i was i', 'g of last monday, the rd. my father was absent from home at the time of my arrival, and i was inform', 'last monday, the rd. my father was absent from home at the time of my arrival, and i was informed by', 'monday, the rd. my father was absent from home at the time of my arrival, and i was informed by the ', 'y, the rd. my father was absent from home at the time of my arrival, and i was informed by the maid ', 'e rd. my father was absent from home at the time of my arrival, and i was informed by the maid that ', ' my father was absent from home at the time of my arrival, and i was informed by the maid that he ha', 'ather was absent from home at the time of my arrival, and i was informed by the maid that he had dri', ' was absent from home at the time of my arrival, and i was informed by the maid that he had driven o', 'absent from home at the time of my arrival, and i was informed by the maid that he had driven over t', 't from home at the time of my arrival, and i was informed by the maid that he had driven over to ros', 'm home at the time of my arrival, and i was informed by the maid that he had driven over to ross wit', 'e at the time of my arrival, and i was informed by the maid that he had driven over to ross with joh', 'the time of my arrival, and i was informed by the maid that he had driven over to ross with john cob', 'ime of my arrival, and i was informed by the maid that he had driven over to ross with john cobb, th', 'f my arrival, and i was informed by the maid that he had driven over to ross with john cobb, the gro', 'arrival, and i was informed by the maid that he had driven over to ross with john cobb, the groom. s', 'al, and i was informed by the maid that he had driven over to ross with john cobb, the groom. shortl', 'nd i was informed by the maid that he had driven over to ross with john cobb, the groom. shortly aft', 'was informed by the maid that he had driven over to ross with john cobb, the groom. shortly after my', 'nformed by the maid that he had driven over to ross with john cobb, the groom. shortly after my retu', 'ed by the maid that he had driven over to ross with john cobb, the groom. shortly after my return i ', ' the maid that he had driven over to ross with john cobb, the groom. shortly after my return i heard', 'maid that he had driven over to ross with john cobb, the groom. shortly after my return i heard the ', 'that he had driven over to ross with john cobb, the groom. shortly after my return i heard the wheel', 'he had driven over to ross with john cobb, the groom. shortly after my return i heard the wheels of ', 'd driven over to ross with john cobb, the groom. shortly after my return i heard the wheels of his t', 'ven over to ross with john cobb, the groom. shortly after my return i heard the wheels of his trap i', 'ver to ross with john cobb, the groom. shortly after my return i heard the wheels of his trap in the', 'o ross with john cobb, the groom. shortly after my return i heard the wheels of his trap in the yard', 's with john cobb, the groom. shortly after my return i heard the wheels of his trap in the yard, and', 'h john cobb, the groom. shortly after my return i heard the wheels of his trap in the yard, and, loo', 'n cobb, the groom. shortly after my return i heard the wheels of his trap in the yard, and, looking ', 'b, the groom. shortly after my return i heard the wheels of his trap in the yard, and, looking out o', 'e groom. shortly after my return i heard the wheels of his trap in the yard, and, looking out of my ', 'om. shortly after my return i heard the wheels of his trap in the yard, and, looking out of my windo', 'hortly after my return i heard the wheels of his trap in the yard, and, looking out of my window, i ', 'y after my return i heard the wheels of his trap in the yard, and, looking out of my window, i saw h', 'er my return i heard the wheels of his trap in the yard, and, looking out of my window, i saw him ge', ' return i heard the wheels of his trap in the yard, and, looking out of my window, i saw him get out', 'rn i heard the wheels of his trap in the yard, and, looking out of my window, i saw him get out and ', 'heard the wheels of his trap in the yard, and, looking out of my window, i saw him get out and walk ', ' the wheels of his trap in the yard, and, looking out of my window, i saw him get out and walk rapid', 'wheels of his trap in the yard, and, looking out of my window, i saw him get out and walk rapidly ou', 's of his trap in the yard, and, looking out of my window, i saw him get out and walk rapidly out of ', 'his trap in the yard, and, looking out of my window, i saw him get out and walk rapidly out of the y', 'rap in the yard, and, looking out of my window, i saw him get out and walk rapidly out of the yard, ', 'n the yard, and, looking out of my window, i saw him get out and walk rapidly out of the yard, thoug', ' yard, and, looking out of my window, i saw him get out and walk rapidly out of the yard, though i w', ', and, looking out of my window, i saw him get out and walk rapidly out of the yard, though i was no', ', looking out of my window, i saw him get out and walk rapidly out of the yard, though i was not awa', 'king out of my window, i saw him get out and walk rapidly out of the yard, though i was not aware in', 'out of my window, i saw him get out and walk rapidly out of the yard, though i was not aware in whic', 'f my window, i saw him get out and walk rapidly out of the yard, though i was not aware in which dir', 'window, i saw him get out and walk rapidly out of the yard, though i was not aware in which directio', 'w, i saw him get out and walk rapidly out of the yard, though i was not aware in which direction he ', 'saw him get out and walk rapidly out of the yard, though i was not aware in which direction he was g', 'im get out and walk rapidly out of the yard, though i was not aware in which direction he was going.', 't out and walk rapidly out of the yard, though i was not aware in which direction he was going. i th', ' and walk rapidly out of the yard, though i was not aware in which direction he was going. i then to', 'walk rapidly out of the yard, though i was not aware in which direction he was going. i then took my', 'rapidly out of the yard, though i was not aware in which direction he was going. i then took my gun ', 'ly out of the yard, though i was not aware in which direction he was going. i then took my gun and s', 't of the yard, though i was not aware in which direction he was going. i then took my gun and stroll', 'the yard, though i was not aware in which direction he was going. i then took my gun and strolled ou', 'ard, though i was not aware in which direction he was going. i then took my gun and strolled out in ', 'though i was not aware in which direction he was going. i then took my gun and strolled out in the d', 'h i was not aware in which direction he was going. i then took my gun and strolled out in the direct', 'as not aware in which direction he was going. i then took my gun and strolled out in the direction o', 't aware in which direction he was going. i then took my gun and strolled out in the direction of the', 're in which direction he was going. i then took my gun and strolled out in the direction of the bosc', ' which direction he was going. i then took my gun and strolled out in the direction of the boscombe ', 'h direction he was going. i then took my gun and strolled out in the direction of the boscombe pool,', 'ection he was going. i then took my gun and strolled out in the direction of the boscombe pool, with', 'n he was going. i then took my gun and strolled out in the direction of the boscombe pool, with the ', 'was going. i then took my gun and strolled out in the direction of the boscombe pool, with the inten', 'oing. i then took my gun and strolled out in the direction of the boscombe pool, with the intention ', ' i then took my gun and strolled out in the direction of the boscombe pool, with the intention of vi', 'en took my gun and strolled out in the direction of the boscombe pool, with the intention of visitin', 'ok my gun and strolled out in the direction of the boscombe pool, with the intention of visiting the', ' gun and strolled out in the direction of the boscombe pool, with the intention of visiting the rabb', 'and strolled out in the direction of the boscombe pool, with the intention of visiting the rabbit wa', 'trolled out in the direction of the boscombe pool, with the intention of visiting the rabbit warren ', 'ed out in the direction of the boscombe pool, with the intention of visiting the rabbit warren which', 't in the direction of the boscombe pool, with the intention of visiting the rabbit warren which is u', 'the direction of the boscombe pool, with the intention of visiting the rabbit warren which is upon t', 'irection of the boscombe pool, with the intention of visiting the rabbit warren which is upon the ot', 'ion of the boscombe pool, with the intention of visiting the rabbit warren which is upon the other s', 'f the boscombe pool, with the intention of visiting the rabbit warren which is upon the other side. ', ' boscombe pool, with the intention of visiting the rabbit warren which is upon the other side. on my', 'ombe pool, with the intention of visiting the rabbit warren which is upon the other side. on my way ', 'pool, with the intention of visiting the rabbit warren which is upon the other side. on my way i saw', ' with the intention of visiting the rabbit warren which is upon the other side. on my way i saw will', ' the intention of visiting the rabbit warren which is upon the other side. on my way i saw william c', 'intention of visiting the rabbit warren which is upon the other side. on my way i saw william crowde', 'tion of visiting the rabbit warren which is upon the other side. on my way i saw william crowder, th', 'of visiting the rabbit warren which is upon the other side. on my way i saw william crowder, the gam', 'siting the rabbit warren which is upon the other side. on my way i saw william crowder, the game-kee', 'g the rabbit warren which is upon the other side. on my way i saw william crowder, the game-keeper, ', ' rabbit warren which is upon the other side. on my way i saw william crowder, the game-keeper, as he', 'it warren which is upon the other side. on my way i saw william crowder, the game-keeper, as he had ', 'rren which is upon the other side. on my way i saw william crowder, the game-keeper, as he had state', 'which is upon the other side. on my way i saw william crowder, the game-keeper, as he had stated in ', ' is upon the other side. on my way i saw william crowder, the game-keeper, as he had stated in his e', 'pon the other side. on my way i saw william crowder, the game-keeper, as he had stated in his eviden', 'he other side. on my way i saw william crowder, the game-keeper, as he had stated in his evidence; b', 'her side. on my way i saw william crowder, the game-keeper, as he had stated in his evidence; but he', 'ide. on my way i saw william crowder, the game-keeper, as he had stated in his evidence; but he is m', 'on my way i saw william crowder, the game-keeper, as he had stated in his evidence; but he is mistak', ' way i saw william crowder, the game-keeper, as he had stated in his evidence; but he is mistaken in', 'i saw william crowder, the game-keeper, as he had stated in his evidence; but he is mistaken in thin', ' william crowder, the game-keeper, as he had stated in his evidence; but he is mistaken in thinking ', 'iam crowder, the game-keeper, as he had stated in his evidence; but he is mistaken in thinking that ', 'rowder, the game-keeper, as he had stated in his evidence; but he is mistaken in thinking that i was', 'r, the game-keeper, as he had stated in his evidence; but he is mistaken in thinking that i was foll', 'e game-keeper, as he had stated in his evidence; but he is mistaken in thinking that i was following', 'e-keeper, as he had stated in his evidence; but he is mistaken in thinking that i was following my f', 'per, as he had stated in his evidence; but he is mistaken in thinking that i was following my father', 'as he had stated in his evidence; but he is mistaken in thinking that i was following my father. i h', ' had stated in his evidence; but he is mistaken in thinking that i was following my father. i had no', 'stated in his evidence; but he is mistaken in thinking that i was following my father. i had no idea', 'd in his evidence; but he is mistaken in thinking that i was following my father. i had no idea that', 'his evidence; but he is mistaken in thinking that i was following my father. i had no idea that he w', 'vidence; but he is mistaken in thinking that i was following my father. i had no idea that he was in', 'ce; but he is mistaken in thinking that i was following my father. i had no idea that he was in fron', 'ut he is mistaken in thinking that i was following my father. i had no idea that he was in front of ', ' is mistaken in thinking that i was following my father. i had no idea that he was in front of me. w', 'istaken in thinking that i was following my father. i had no idea that he was in front of me. when a', 'en in thinking that i was following my father. i had no idea that he was in front of me. when about ', ' thinking that i was following my father. i had no idea that he was in front of me. when about a hun', 'king that i was following my father. i had no idea that he was in front of me. when about a hundred ', 'that i was following my father. i had no idea that he was in front of me. when about a hundred yards', 'i was following my father. i had no idea that he was in front of me. when about a hundred yards from', ' following my father. i had no idea that he was in front of me. when about a hundred yards from the ', 'owing my father. i had no idea that he was in front of me. when about a hundred yards from the pool ', ' my father. i had no idea that he was in front of me. when about a hundred yards from the pool i hea', 'ather. i had no idea that he was in front of me. when about a hundred yards from the pool i heard a ', '. i had no idea that he was in front of me. when about a hundred yards from the pool i heard a cry o', 'ad no idea that he was in front of me. when about a hundred yards from the pool i heard a cry of "co', ' idea that he was in front of me. when about a hundred yards from the pool i heard a cry of "cooee w', ' that he was in front of me. when about a hundred yards from the pool i heard a cry of "cooee which ', ' he was in front of me. when about a hundred yards from the pool i heard a cry of "cooee which was a', 'as in front of me. when about a hundred yards from the pool i heard a cry of "cooee which was a usua', ' front of me. when about a hundred yards from the pool i heard a cry of "cooee which was a usual sig', 't of me. when about a hundred yards from the pool i heard a cry of "cooee which was a usual signal b', 'me. when about a hundred yards from the pool i heard a cry of "cooee which was a usual signal betwee', 'hen about a hundred yards from the pool i heard a cry of "cooee which was a usual signal between my ', 'bout a hundred yards from the pool i heard a cry of "cooee which was a usual signal between my fathe', 'a hundred yards from the pool i heard a cry of "cooee which was a usual signal between my father and', 'dred yards from the pool i heard a cry of "cooee which was a usual signal between my father and myse', 'yards from the pool i heard a cry of "cooee which was a usual signal between my father and myself. i', ' from the pool i heard a cry of "cooee which was a usual signal between my father and myself. i then', ' the pool i heard a cry of "cooee which was a usual signal between my father and myself. i then hurr', 'pool i heard a cry of "cooee which was a usual signal between my father and myself. i then hurried f', 'i heard a cry of "cooee which was a usual signal between my father and myself. i then hurried forwar', 'rd a cry of "cooee which was a usual signal between my father and myself. i then hurried forward, an', 'cry of "cooee which was a usual signal between my father and myself. i then hurried forward, and fou', 'f "cooee which was a usual signal between my father and myself. i then hurried forward, and found hi', 'oee which was a usual signal between my father and myself. i then hurried forward, and found him sta', 'hich was a usual signal between my father and myself. i then hurried forward, and found him standing', 'was a usual signal between my father and myself. i then hurried forward, and found him standing by t', ' usual signal between my father and myself. i then hurried forward, and found him standing by the po', 'l signal between my father and myself. i then hurried forward, and found him standing by the pool. h', 'nal between my father and myself. i then hurried forward, and found him standing by the pool. he app', 'etween my father and myself. i then hurried forward, and found him standing by the pool. he appeared', 'n my father and myself. i then hurried forward, and found him standing by the pool. he appeared to b', 'father and myself. i then hurried forward, and found him standing by the pool. he appeared to be muc', 'r and myself. i then hurried forward, and found him standing by the pool. he appeared to be much sur', ' myself. i then hurried forward, and found him standing by the pool. he appeared to be much surprise', 'lf. i then hurried forward, and found him standing by the pool. he appeared to be much surprised at ', ' then hurried forward, and found him standing by the pool. he appeared to be much surprised at seein', ' hurried forward, and found him standing by the pool. he appeared to be much surprised at seeing me ', 'ied forward, and found him standing by the pool. he appeared to be much surprised at seeing me and a', 'orward, and found him standing by the pool. he appeared to be much surprised at seeing me and asked ', 'd, and found him standing by the pool. he appeared to be much surprised at seeing me and asked me ra', 'd found him standing by the pool. he appeared to be much surprised at seeing me and asked me rather ', 'nd him standing by the pool. he appeared to be much surprised at seeing me and asked me rather rough', 'm standing by the pool. he appeared to be much surprised at seeing me and asked me rather roughly wh', 'nding by the pool. he appeared to be much surprised at seeing me and asked me rather roughly what i ', ' by the pool. he appeared to be much surprised at seeing me and asked me rather roughly what i was d', 'he pool. he appeared to be much surprised at seeing me and asked me rather roughly what i was doing ', 'ol. he appeared to be much surprised at seeing me and asked me rather roughly what i was doing there', 'e appeared to be much surprised at seeing me and asked me rather roughly what i was doing there. a c', 'eared to be much surprised at seeing me and asked me rather roughly what i was doing there. a conver', ' to be much surprised at seeing me and asked me rather roughly what i was doing there. a conversatio', 'e much surprised at seeing me and asked me rather roughly what i was doing there. a conversation ens', 'h surprised at seeing me and asked me rather roughly what i was doing there. a conversation ensued w', 'prised at seeing me and asked me rather roughly what i was doing there. a conversation ensued which ', 'd at seeing me and asked me rather roughly what i was doing there. a conversation ensued which led t', 'seeing me and asked me rather roughly what i was doing there. a conversation ensued which led to hig', 'g me and asked me rather roughly what i was doing there. a conversation ensued which led to high wor', 'and asked me rather roughly what i was doing there. a conversation ensued which led to high words an', 'sked me rather roughly what i was doing there. a conversation ensued which led to high words and alm', 'me rather roughly what i was doing there. a conversation ensued which led to high words and almost t', 'ther roughly what i was doing there. a conversation ensued which led to high words and almost to blo', 'roughly what i was doing there. a conversation ensued which led to high words and almost to blows, f', 'ly what i was doing there. a conversation ensued which led to high words and almost to blows, for my', 'at i was doing there. a conversation ensued which led to high words and almost to blows, for my fath', 'was doing there. a conversation ensued which led to high words and almost to blows, for my father wa', 'oing there. a conversation ensued which led to high words and almost to blows, for my father was a m', 'there. a conversation ensued which led to high words and almost to blows, for my father was a man of', '. a conversation ensued which led to high words and almost to blows, for my father was a man of a ve', 'onversation ensued which led to high words and almost to blows, for my father was a man of a very vi', 'sation ensued which led to high words and almost to blows, for my father was a man of a very violent', 'n ensued which led to high words and almost to blows, for my father was a man of a very violent temp', 'ued which led to high words and almost to blows, for my father was a man of a very violent temper. s', 'hich led to high words and almost to blows, for my father was a man of a very violent temper. seeing', 'led to high words and almost to blows, for my father was a man of a very violent temper. seeing that', 'o high words and almost to blows, for my father was a man of a very violent temper. seeing that his ', 'h words and almost to blows, for my father was a man of a very violent temper. seeing that his passi', 'ds and almost to blows, for my father was a man of a very violent temper. seeing that his passion wa', 'd almost to blows, for my father was a man of a very violent temper. seeing that his passion was bec', 'ost to blows, for my father was a man of a very violent temper. seeing that his passion was becoming', 'o blows, for my father was a man of a very violent temper. seeing that his passion was becoming ungo', 'ws, for my father was a man of a very violent temper. seeing that his passion was becoming ungoverna', 'or my father was a man of a very violent temper. seeing that his passion was becoming ungovernable, ', ' father was a man of a very violent temper. seeing that his passion was becoming ungovernable, i lef', 'er was a man of a very violent temper. seeing that his passion was becoming ungovernable, i left him', 's a man of a very violent temper. seeing that his passion was becoming ungovernable, i left him and ', 'an of a very violent temper. seeing that his passion was becoming ungovernable, i left him and retur', ' a very violent temper. seeing that his passion was becoming ungovernable, i left him and returned t', 'ry violent temper. seeing that his passion was becoming ungovernable, i left him and returned toward', 'olent temper. seeing that his passion was becoming ungovernable, i left him and returned towards hat', ' temper. seeing that his passion was becoming ungovernable, i left him and returned towards hatherle', 'er. seeing that his passion was becoming ungovernable, i left him and returned towards hatherley far', 'eeing that his passion was becoming ungovernable, i left him and returned towards hatherley farm. i ', ' that his passion was becoming ungovernable, i left him and returned towards hatherley farm. i had n', ' his passion was becoming ungovernable, i left him and returned towards hatherley farm. i had not go', 'passion was becoming ungovernable, i left him and returned towards hatherley farm. i had not gone mo', 'on was becoming ungovernable, i left him and returned towards hatherley farm. i had not gone more th', 's becoming ungovernable, i left him and returned towards hatherley farm. i had not gone more than ', 'oming ungovernable, i left him and returned towards hatherley farm. i had not gone more than yards', ' ungovernable, i left him and returned towards hatherley farm. i had not gone more than yards, how', 'vernable, i left him and returned towards hatherley farm. i had not gone more than yards, however,', 'ble, i left him and returned towards hatherley farm. i had not gone more than yards, however, when', 'i left him and returned towards hatherley farm. i had not gone more than yards, however, when i he', 't him and returned towards hatherley farm. i had not gone more than yards, however, when i heard a', ' and returned towards hatherley farm. i had not gone more than yards, however, when i heard a hide', 'returned towards hatherley farm. i had not gone more than yards, however, when i heard a hideous o', 'ned towards hatherley farm. i had not gone more than yards, however, when i heard a hideous outcry', 'owards hatherley farm. i had not gone more than yards, however, when i heard a hideous outcry behi', 's hatherley farm. i had not gone more than yards, however, when i heard a hideous outcry behind me', 'herley farm. i had not gone more than yards, however, when i heard a hideous outcry behind me, whi', 'y farm. i had not gone more than yards, however, when i heard a hideous outcry behind me, which ca', 'm. i had not gone more than yards, however, when i heard a hideous outcry behind me, which caused ', 'had not gone more than yards, however, when i heard a hideous outcry behind me, which caused me to', 'ot gone more than yards, however, when i heard a hideous outcry behind me, which caused me to run ', 'ne more than yards, however, when i heard a hideous outcry behind me, which caused me to run back ', 're than yards, however, when i heard a hideous outcry behind me, which caused me to run back again', 'an yards, however, when i heard a hideous outcry behind me, which caused me to run back again. i f', 'yards, however, when i heard a hideous outcry behind me, which caused me to run back again. i found ', ', however, when i heard a hideous outcry behind me, which caused me to run back again. i found my fa', 'ever, when i heard a hideous outcry behind me, which caused me to run back again. i found my father ', ' when i heard a hideous outcry behind me, which caused me to run back again. i found my father expir', ' i heard a hideous outcry behind me, which caused me to run back again. i found my father expiring u', 'ard a hideous outcry behind me, which caused me to run back again. i found my father expiring upon t', ' hideous outcry behind me, which caused me to run back again. i found my father expiring upon the gr', 'ous outcry behind me, which caused me to run back again. i found my father expiring upon the ground,', 'utcry behind me, which caused me to run back again. i found my father expiring upon the ground, with', ' behind me, which caused me to run back again. i found my father expiring upon the ground, with his ', 'nd me, which caused me to run back again. i found my father expiring upon the ground, with his head ', ', which caused me to run back again. i found my father expiring upon the ground, with his head terri', 'ch caused me to run back again. i found my father expiring upon the ground, with his head terribly i', 'used me to run back again. i found my father expiring upon the ground, with his head terribly injure', 'me to run back again. i found my father expiring upon the ground, with his head terribly injured. i ', ' run back again. i found my father expiring upon the ground, with his head terribly injured. i dropp', 'back again. i found my father expiring upon the ground, with his head terribly injured. i dropped my', 'again. i found my father expiring upon the ground, with his head terribly injured. i dropped my gun ', '. i found my father expiring upon the ground, with his head terribly injured. i dropped my gun and h', 'ound my father expiring upon the ground, with his head terribly injured. i dropped my gun and held h', 'my father expiring upon the ground, with his head terribly injured. i dropped my gun and held him in', 'ther expiring upon the ground, with his head terribly injured. i dropped my gun and held him in my a', 'expiring upon the ground, with his head terribly injured. i dropped my gun and held him in my arms, ', 'ing upon the ground, with his head terribly injured. i dropped my gun and held him in my arms, but h', 'pon the ground, with his head terribly injured. i dropped my gun and held him in my arms, but he alm', 'he ground, with his head terribly injured. i dropped my gun and held him in my arms, but he almost i', 'ound, with his head terribly injured. i dropped my gun and held him in my arms, but he almost instan', ' with his head terribly injured. i dropped my gun and held him in my arms, but he almost instantly e', ' his head terribly injured. i dropped my gun and held him in my arms, but he almost instantly expire', 'head terribly injured. i dropped my gun and held him in my arms, but he almost instantly expired. i ', 'terribly injured. i dropped my gun and held him in my arms, but he almost instantly expired. i knelt', 'bly injured. i dropped my gun and held him in my arms, but he almost instantly expired. i knelt besi', 'njured. i dropped my gun and held him in my arms, but he almost instantly expired. i knelt beside hi', 'd. i dropped my gun and held him in my arms, but he almost instantly expired. i knelt beside him for', 'dropped my gun and held him in my arms, but he almost instantly expired. i knelt beside him for some', 'ed my gun and held him in my arms, but he almost instantly expired. i knelt beside him for some minu', ' gun and held him in my arms, but he almost instantly expired. i knelt beside him for some minutes, ', 'and held him in my arms, but he almost instantly expired. i knelt beside him for some minutes, and t', 'eld him in my arms, but he almost instantly expired. i knelt beside him for some minutes, and then m', 'im in my arms, but he almost instantly expired. i knelt beside him for some minutes, and then made m', ' my arms, but he almost instantly expired. i knelt beside him for some minutes, and then made my way', 'rms, but he almost instantly expired. i knelt beside him for some minutes, and then made my way to m', 'but he almost instantly expired. i knelt beside him for some minutes, and then made my way to mr. tu', "e almost instantly expired. i knelt beside him for some minutes, and then made my way to mr. turner'", "ost instantly expired. i knelt beside him for some minutes, and then made my way to mr. turner's lod", "nstantly expired. i knelt beside him for some minutes, and then made my way to mr. turner's lodge-ke", "tly expired. i knelt beside him for some minutes, and then made my way to mr. turner's lodge-keeper,", "xpired. i knelt beside him for some minutes, and then made my way to mr. turner's lodge-keeper, his ", "d. i knelt beside him for some minutes, and then made my way to mr. turner's lodge-keeper, his house", "knelt beside him for some minutes, and then made my way to mr. turner's lodge-keeper, his house bein", " beside him for some minutes, and then made my way to mr. turner's lodge-keeper, his house being the", "de him for some minutes, and then made my way to mr. turner's lodge-keeper, his house being the near", "m for some minutes, and then made my way to mr. turner's lodge-keeper, his house being the nearest, ", " some minutes, and then made my way to mr. turner's lodge-keeper, his house being the nearest, to as", " minutes, and then made my way to mr. turner's lodge-keeper, his house being the nearest, to ask for", "tes, and then made my way to mr. turner's lodge-keeper, his house being the nearest, to ask for assi", "and then made my way to mr. turner's lodge-keeper, his house being the nearest, to ask for assistanc", "hen made my way to mr. turner's lodge-keeper, his house being the nearest, to ask for assistance. i ", "ade my way to mr. turner's lodge-keeper, his house being the nearest, to ask for assistance. i saw n", "y way to mr. turner's lodge-keeper, his house being the nearest, to ask for assistance. i saw no one", " to mr. turner's lodge-keeper, his house being the nearest, to ask for assistance. i saw no one near", "r. turner's lodge-keeper, his house being the nearest, to ask for assistance. i saw no one near my f", "rner's lodge-keeper, his house being the nearest, to ask for assistance. i saw no one near my father", 's lodge-keeper, his house being the nearest, to ask for assistance. i saw no one near my father when', 'ge-keeper, his house being the nearest, to ask for assistance. i saw no one near my father when i re', 'eper, his house being the nearest, to ask for assistance. i saw no one near my father when i returne', ' his house being the nearest, to ask for assistance. i saw no one near my father when i returned, an', 'house being the nearest, to ask for assistance. i saw no one near my father when i returned, and i h', ' being the nearest, to ask for assistance. i saw no one near my father when i returned, and i have n', 'g the nearest, to ask for assistance. i saw no one near my father when i returned, and i have no ide', ' nearest, to ask for assistance. i saw no one near my father when i returned, and i have no idea how', 'est, to ask for assistance. i saw no one near my father when i returned, and i have no idea how he c', 'to ask for assistance. i saw no one near my father when i returned, and i have no idea how he came b', 'k for assistance. i saw no one near my father when i returned, and i have no idea how he came by his', ' assistance. i saw no one near my father when i returned, and i have no idea how he came by his inju', 'stance. i saw no one near my father when i returned, and i have no idea how he came by his injuries.', 'e. i saw no one near my father when i returned, and i have no idea how he came by his injuries. he w', 'saw no one near my father when i returned, and i have no idea how he came by his injuries. he was no', 'o one near my father when i returned, and i have no idea how he came by his injuries. he was not a p', ' near my father when i returned, and i have no idea how he came by his injuries. he was not a popula', ' my father when i returned, and i have no idea how he came by his injuries. he was not a popular man', 'ather when i returned, and i have no idea how he came by his injuries. he was not a popular man, bei', ' when i returned, and i have no idea how he came by his injuries. he was not a popular man, being so', ' i returned, and i have no idea how he came by his injuries. he was not a popular man, being somewha', 'turned, and i have no idea how he came by his injuries. he was not a popular man, being somewhat col', 'd, and i have no idea how he came by his injuries. he was not a popular man, being somewhat cold and', 'd i have no idea how he came by his injuries. he was not a popular man, being somewhat cold and forb', 'ave no idea how he came by his injuries. he was not a popular man, being somewhat cold and forbiddin', 'o idea how he came by his injuries. he was not a popular man, being somewhat cold and forbidding in ', 'a how he came by his injuries. he was not a popular man, being somewhat cold and forbidding in his m', ' he came by his injuries. he was not a popular man, being somewhat cold and forbidding in his manner', 'ame by his injuries. he was not a popular man, being somewhat cold and forbidding in his manners, bu', 'y his injuries. he was not a popular man, being somewhat cold and forbidding in his manners, but he ', ' injuries. he was not a popular man, being somewhat cold and forbidding in his manners, but he had, ', 'ries. he was not a popular man, being somewhat cold and forbidding in his manners, but he had, as fa', ' he was not a popular man, being somewhat cold and forbidding in his manners, but he had, as far as ', 'as not a popular man, being somewhat cold and forbidding in his manners, but he had, as far as i kno', 't a popular man, being somewhat cold and forbidding in his manners, but he had, as far as i know, no', 'opular man, being somewhat cold and forbidding in his manners, but he had, as far as i know, no acti', 'r man, being somewhat cold and forbidding in his manners, but he had, as far as i know, no active en', ', being somewhat cold and forbidding in his manners, but he had, as far as i know, no active enemies', 'ng somewhat cold and forbidding in his manners, but he had, as far as i know, no active enemies. i k', 'mewhat cold and forbidding in his manners, but he had, as far as i know, no active enemies. i know n', 't cold and forbidding in his manners, but he had, as far as i know, no active enemies. i know nothin', 'd and forbidding in his manners, but he had, as far as i know, no active enemies. i know nothing fur', ' forbidding in his manners, but he had, as far as i know, no active enemies. i know nothing further ', 'idding in his manners, but he had, as far as i know, no active enemies. i know nothing further of th', 'g in his manners, but he had, as far as i know, no active enemies. i know nothing further of the mat', "his manners, but he had, as far as i know, no active enemies. i know nothing further of the matter.'", 'anners, but he had, as far as i know, no active enemies. i know nothing further of the matter.\' "the', 's, but he had, as far as i know, no active enemies. i know nothing further of the matter.\' "the coro', 't he had, as far as i know, no active enemies. i know nothing further of the matter.\' "the coroner: ', 'had, as far as i know, no active enemies. i know nothing further of the matter.\' "the coroner: did y', 'as far as i know, no active enemies. i know nothing further of the matter.\' "the coroner: did your f', 'r as i know, no active enemies. i know nothing further of the matter.\' "the coroner: did your father', 'i know, no active enemies. i know nothing further of the matter.\' "the coroner: did your father make', 'w, no active enemies. i know nothing further of the matter.\' "the coroner: did your father make any ', ' active enemies. i know nothing further of the matter.\' "the coroner: did your father make any state', 've enemies. i know nothing further of the matter.\' "the coroner: did your father make any statement ', 'emies. i know nothing further of the matter.\' "the coroner: did your father make any statement to yo', '. i know nothing further of the matter.\' "the coroner: did your father make any statement to you bef', 'now nothing further of the matter.\' "the coroner: did your father make any statement to you before h', 'othing further of the matter.\' "the coroner: did your father make any statement to you before he die', 'g further of the matter.\' "the coroner: did your father make any statement to you before he died? "w', 'ther of the matter.\' "the coroner: did your father make any statement to you before he died? "witnes', 'of the matter.\' "the coroner: did your father make any statement to you before he died? "witness: he', 'e matter.\' "the coroner: did your father make any statement to you before he died? "witness: he mumb', 'ter.\' "the coroner: did your father make any statement to you before he died? "witness: he mumbled a', ' "the coroner: did your father make any statement to you before he died? "witness: he mumbled a few ', ' coroner: did your father make any statement to you before he died? "witness: he mumbled a few words', 'ner: did your father make any statement to you before he died? "witness: he mumbled a few words, but', 'did your father make any statement to you before he died? "witness: he mumbled a few words, but i co', 'our father make any statement to you before he died? "witness: he mumbled a few words, but i could o', 'ather make any statement to you before he died? "witness: he mumbled a few words, but i could only c', ' make any statement to you before he died? "witness: he mumbled a few words, but i could only catch ', ' any statement to you before he died? "witness: he mumbled a few words, but i could only catch some ', 'statement to you before he died? "witness: he mumbled a few words, but i could only catch some allus', 'ment to you before he died? "witness: he mumbled a few words, but i could only catch some allusion t', 'to you before he died? "witness: he mumbled a few words, but i could only catch some allusion to a r', 'u before he died? "witness: he mumbled a few words, but i could only catch some allusion to a rat. "', 'ore he died? "witness: he mumbled a few words, but i could only catch some allusion to a rat. "the c', 'e died? "witness: he mumbled a few words, but i could only catch some allusion to a rat. "the corone', 'd? "witness: he mumbled a few words, but i could only catch some allusion to a rat. "the coroner: wh', 'itness: he mumbled a few words, but i could only catch some allusion to a rat. "the coroner: what di', 's: he mumbled a few words, but i could only catch some allusion to a rat. "the coroner: what did you', ' mumbled a few words, but i could only catch some allusion to a rat. "the coroner: what did you unde', 'led a few words, but i could only catch some allusion to a rat. "the coroner: what did you understan', ' few words, but i could only catch some allusion to a rat. "the coroner: what did you understand by ', 'words, but i could only catch some allusion to a rat. "the coroner: what did you understand by that?', ', but i could only catch some allusion to a rat. "the coroner: what did you understand by that? "wit', ' i could only catch some allusion to a rat. "the coroner: what did you understand by that? "witness:', 'uld only catch some allusion to a rat. "the coroner: what did you understand by that? "witness: it c', 'nly catch some allusion to a rat. "the coroner: what did you understand by that? "witness: it convey', 'atch some allusion to a rat. "the coroner: what did you understand by that? "witness: it conveyed no', 'some allusion to a rat. "the coroner: what did you understand by that? "witness: it conveyed no mean', 'allusion to a rat. "the coroner: what did you understand by that? "witness: it conveyed no meaning t', 'ion to a rat. "the coroner: what did you understand by that? "witness: it conveyed no meaning to me.', 'o a rat. "the coroner: what did you understand by that? "witness: it conveyed no meaning to me. i th', 'at. "the coroner: what did you understand by that? "witness: it conveyed no meaning to me. i thought', 'the coroner: what did you understand by that? "witness: it conveyed no meaning to me. i thought that', 'oroner: what did you understand by that? "witness: it conveyed no meaning to me. i thought that he w', 'r: what did you understand by that? "witness: it conveyed no meaning to me. i thought that he was de', 'at did you understand by that? "witness: it conveyed no meaning to me. i thought that he was delirio', 'd you understand by that? "witness: it conveyed no meaning to me. i thought that he was delirious. "', ' understand by that? "witness: it conveyed no meaning to me. i thought that he was delirious. "the c', 'rstand by that? "witness: it conveyed no meaning to me. i thought that he was delirious. "the corone', 'd by that? "witness: it conveyed no meaning to me. i thought that he was delirious. "the coroner: wh', 'that? "witness: it conveyed no meaning to me. i thought that he was delirious. "the coroner: what wa', ' "witness: it conveyed no meaning to me. i thought that he was delirious. "the coroner: what was the', 'ness: it conveyed no meaning to me. i thought that he was delirious. "the coroner: what was the poin', ' it conveyed no meaning to me. i thought that he was delirious. "the coroner: what was the point upo', 'onveyed no meaning to me. i thought that he was delirious. "the coroner: what was the point upon whi', 'ed no meaning to me. i thought that he was delirious. "the coroner: what was the point upon which yo', ' meaning to me. i thought that he was delirious. "the coroner: what was the point upon which you and', 'ing to me. i thought that he was delirious. "the coroner: what was the point upon which you and your', 'o me. i thought that he was delirious. "the coroner: what was the point upon which you and your fath', ' i thought that he was delirious. "the coroner: what was the point upon which you and your father ha', 'ought that he was delirious. "the coroner: what was the point upon which you and your father had thi', ' that he was delirious. "the coroner: what was the point upon which you and your father had this fin', ' he was delirious. "the coroner: what was the point upon which you and your father had this final qu', 'as delirious. "the coroner: what was the point upon which you and your father had this final quarrel', 'lirious. "the coroner: what was the point upon which you and your father had this final quarrel? "wi', 'us. "the coroner: what was the point upon which you and your father had this final quarrel? "witness', 'the coroner: what was the point upon which you and your father had this final quarrel? "witness: i s', 'oroner: what was the point upon which you and your father had this final quarrel? "witness: i should', 'r: what was the point upon which you and your father had this final quarrel? "witness: i should pref', 'at was the point upon which you and your father had this final quarrel? "witness: i should prefer no', 's the point upon which you and your father had this final quarrel? "witness: i should prefer not to ', ' point upon which you and your father had this final quarrel? "witness: i should prefer not to answe', 't upon which you and your father had this final quarrel? "witness: i should prefer not to answer. "t', 'n which you and your father had this final quarrel? "witness: i should prefer not to answer. "the co', 'ch you and your father had this final quarrel? "witness: i should prefer not to answer. "the coroner', 'u and your father had this final quarrel? "witness: i should prefer not to answer. "the coroner: i a', ' your father had this final quarrel? "witness: i should prefer not to answer. "the coroner: i am afr', ' father had this final quarrel? "witness: i should prefer not to answer. "the coroner: i am afraid t', 'er had this final quarrel? "witness: i should prefer not to answer. "the coroner: i am afraid that i', 'd this final quarrel? "witness: i should prefer not to answer. "the coroner: i am afraid that i must', 's final quarrel? "witness: i should prefer not to answer. "the coroner: i am afraid that i must pres', 'al quarrel? "witness: i should prefer not to answer. "the coroner: i am afraid that i must press it.', 'arrel? "witness: i should prefer not to answer. "the coroner: i am afraid that i must press it. "wit', '? "witness: i should prefer not to answer. "the coroner: i am afraid that i must press it. "witness:', 'tness: i should prefer not to answer. "the coroner: i am afraid that i must press it. "witness: it i', ': i should prefer not to answer. "the coroner: i am afraid that i must press it. "witness: it is rea', 'hould prefer not to answer. "the coroner: i am afraid that i must press it. "witness: it is really i', ' prefer not to answer. "the coroner: i am afraid that i must press it. "witness: it is really imposs', 'er not to answer. "the coroner: i am afraid that i must press it. "witness: it is really impossible ', 't to answer. "the coroner: i am afraid that i must press it. "witness: it is really impossible for m', 'answer. "the coroner: i am afraid that i must press it. "witness: it is really impossible for me to ', 'r. "the coroner: i am afraid that i must press it. "witness: it is really impossible for me to tell ', 'he coroner: i am afraid that i must press it. "witness: it is really impossible for me to tell you. ', 'roner: i am afraid that i must press it. "witness: it is really impossible for me to tell you. i can', ': i am afraid that i must press it. "witness: it is really impossible for me to tell you. i can assu', 'm afraid that i must press it. "witness: it is really impossible for me to tell you. i can assure yo', 'aid that i must press it. "witness: it is really impossible for me to tell you. i can assure you tha', 'hat i must press it. "witness: it is really impossible for me to tell you. i can assure you that it ', ' must press it. "witness: it is really impossible for me to tell you. i can assure you that it has n', ' press it. "witness: it is really impossible for me to tell you. i can assure you that it has nothin', 's it. "witness: it is really impossible for me to tell you. i can assure you that it has nothing to ', ' "witness: it is really impossible for me to tell you. i can assure you that it has nothing to do wi', 'ness: it is really impossible for me to tell you. i can assure you that it has nothing to do with th', ' it is really impossible for me to tell you. i can assure you that it has nothing to do with the sad', 's really impossible for me to tell you. i can assure you that it has nothing to do with the sad trag', 'lly impossible for me to tell you. i can assure you that it has nothing to do with the sad tragedy w', 'mpossible for me to tell you. i can assure you that it has nothing to do with the sad tragedy which ', 'ible for me to tell you. i can assure you that it has nothing to do with the sad tragedy which follo', 'for me to tell you. i can assure you that it has nothing to do with the sad tragedy which followed. ', 'e to tell you. i can assure you that it has nothing to do with the sad tragedy which followed. "the ', 'tell you. i can assure you that it has nothing to do with the sad tragedy which followed. "the coron', 'you. i can assure you that it has nothing to do with the sad tragedy which followed. "the coroner: t', 'i can assure you that it has nothing to do with the sad tragedy which followed. "the coroner: that i', ' assure you that it has nothing to do with the sad tragedy which followed. "the coroner: that is for', 're you that it has nothing to do with the sad tragedy which followed. "the coroner: that is for the ', 'u that it has nothing to do with the sad tragedy which followed. "the coroner: that is for the court', 't it has nothing to do with the sad tragedy which followed. "the coroner: that is for the court to d', 'has nothing to do with the sad tragedy which followed. "the coroner: that is for the court to decide', 'othing to do with the sad tragedy which followed. "the coroner: that is for the court to decide. i n', 'g to do with the sad tragedy which followed. "the coroner: that is for the court to decide. i need n', 'do with the sad tragedy which followed. "the coroner: that is for the court to decide. i need not po', 'th the sad tragedy which followed. "the coroner: that is for the court to decide. i need not point o', 'e sad tragedy which followed. "the coroner: that is for the court to decide. i need not point out to', ' tragedy which followed. "the coroner: that is for the court to decide. i need not point out to you ', 'edy which followed. "the coroner: that is for the court to decide. i need not point out to you that ', 'hich followed. "the coroner: that is for the court to decide. i need not point out to you that your ', 'followed. "the coroner: that is for the court to decide. i need not point out to you that your refus', 'wed. "the coroner: that is for the court to decide. i need not point out to you that your refusal to', '"the coroner: that is for the court to decide. i need not point out to you that your refusal to answ', 'coroner: that is for the court to decide. i need not point out to you that your refusal to answer wi', 'er: that is for the court to decide. i need not point out to you that your refusal to answer will pr', 'hat is for the court to decide. i need not point out to you that your refusal to answer will prejudi', 's for the court to decide. i need not point out to you that your refusal to answer will prejudice yo', ' the court to decide. i need not point out to you that your refusal to answer will prejudice your ca', 'court to decide. i need not point out to you that your refusal to answer will prejudice your case co', ' to decide. i need not point out to you that your refusal to answer will prejudice your case conside', 'ecide. i need not point out to you that your refusal to answer will prejudice your case considerably', '. i need not point out to you that your refusal to answer will prejudice your case considerably in a', 'eed not point out to you that your refusal to answer will prejudice your case considerably in any fu', 'ot point out to you that your refusal to answer will prejudice your case considerably in any future ', 'int out to you that your refusal to answer will prejudice your case considerably in any future proce', 'ut to you that your refusal to answer will prejudice your case considerably in any future proceeding', ' you that your refusal to answer will prejudice your case considerably in any future proceedings whi', 'that your refusal to answer will prejudice your case considerably in any future proceedings which ma', 'your refusal to answer will prejudice your case considerably in any future proceedings which may ari', 'refusal to answer will prejudice your case considerably in any future proceedings which may arise. "', 'al to answer will prejudice your case considerably in any future proceedings which may arise. "witne', ' answer will prejudice your case considerably in any future proceedings which may arise. "witness: i', 'er will prejudice your case considerably in any future proceedings which may arise. "witness: i must', 'll prejudice your case considerably in any future proceedings which may arise. "witness: i must stil', 'ejudice your case considerably in any future proceedings which may arise. "witness: i must still ref', 'ce your case considerably in any future proceedings which may arise. "witness: i must still refuse. ', 'ur case considerably in any future proceedings which may arise. "witness: i must still refuse. "the ', 'se considerably in any future proceedings which may arise. "witness: i must still refuse. "the coron', 'nsiderably in any future proceedings which may arise. "witness: i must still refuse. "the coroner: i', 'rably in any future proceedings which may arise. "witness: i must still refuse. "the coroner: i unde', ' in any future proceedings which may arise. "witness: i must still refuse. "the coroner: i understan', 'ny future proceedings which may arise. "witness: i must still refuse. "the coroner: i understand tha', 'ture proceedings which may arise. "witness: i must still refuse. "the coroner: i understand that the', 'proceedings which may arise. "witness: i must still refuse. "the coroner: i understand that the cry ', 'edings which may arise. "witness: i must still refuse. "the coroner: i understand that the cry of \'c', 's which may arise. "witness: i must still refuse. "the coroner: i understand that the cry of \'cooee\'', 'ch may arise. "witness: i must still refuse. "the coroner: i understand that the cry of \'cooee\' was ', 'y arise. "witness: i must still refuse. "the coroner: i understand that the cry of \'cooee\' was a com', 'se. "witness: i must still refuse. "the coroner: i understand that the cry of \'cooee\' was a common s', 'witness: i must still refuse. "the coroner: i understand that the cry of \'cooee\' was a common signal', 'ss: i must still refuse. "the coroner: i understand that the cry of \'cooee\' was a common signal betw', ' must still refuse. "the coroner: i understand that the cry of \'cooee\' was a common signal between y', ' still refuse. "the coroner: i understand that the cry of \'cooee\' was a common signal between you an', 'l refuse. "the coroner: i understand that the cry of \'cooee\' was a common signal between you and you', 'use. "the coroner: i understand that the cry of \'cooee\' was a common signal between you and your fat', '"the coroner: i understand that the cry of \'cooee\' was a common signal between you and your father? ', 'coroner: i understand that the cry of \'cooee\' was a common signal between you and your father? "witn', 'er: i understand that the cry of \'cooee\' was a common signal between you and your father? "witness: ', ' understand that the cry of \'cooee\' was a common signal between you and your father? "witness: it wa', 'rstand that the cry of \'cooee\' was a common signal between you and your father? "witness: it was. "t', 'd that the cry of \'cooee\' was a common signal between you and your father? "witness: it was. "the co', 't the cry of \'cooee\' was a common signal between you and your father? "witness: it was. "the coroner', ' cry of \'cooee\' was a common signal between you and your father? "witness: it was. "the coroner: how', 'of \'cooee\' was a common signal between you and your father? "witness: it was. "the coroner: how was ', 'ooee\' was a common signal between you and your father? "witness: it was. "the coroner: how was it, t', ' was a common signal between you and your father? "witness: it was. "the coroner: how was it, then, ', 'a common signal between you and your father? "witness: it was. "the coroner: how was it, then, that ', 'mon signal between you and your father? "witness: it was. "the coroner: how was it, then, that he ut', 'ignal between you and your father? "witness: it was. "the coroner: how was it, then, that he uttered', ' between you and your father? "witness: it was. "the coroner: how was it, then, that he uttered it b', 'een you and your father? "witness: it was. "the coroner: how was it, then, that he uttered it before', 'ou and your father? "witness: it was. "the coroner: how was it, then, that he uttered it before he s', 'd your father? "witness: it was. "the coroner: how was it, then, that he uttered it before he saw yo', 'r father? "witness: it was. "the coroner: how was it, then, that he uttered it before he saw you, an', 'her? "witness: it was. "the coroner: how was it, then, that he uttered it before he saw you, and bef', '"witness: it was. "the coroner: how was it, then, that he uttered it before he saw you, and before h', 'ess: it was. "the coroner: how was it, then, that he uttered it before he saw you, and before he eve', 'it was. "the coroner: how was it, then, that he uttered it before he saw you, and before he even kne', 's. "the coroner: how was it, then, that he uttered it before he saw you, and before he even knew tha', 'he coroner: how was it, then, that he uttered it before he saw you, and before he even knew that you', 'roner: how was it, then, that he uttered it before he saw you, and before he even knew that you had ', ': how was it, then, that he uttered it before he saw you, and before he even knew that you had retur', ' was it, then, that he uttered it before he saw you, and before he even knew that you had returned f', 'it, then, that he uttered it before he saw you, and before he even knew that you had returned from b', 'hen, that he uttered it before he saw you, and before he even knew that you had returned from bristo', 'that he uttered it before he saw you, and before he even knew that you had returned from bristol? "w', 'he uttered it before he saw you, and before he even knew that you had returned from bristol? "witnes', 'tered it before he saw you, and before he even knew that you had returned from bristol? "witness wit', ' it before he saw you, and before he even knew that you had returned from bristol? "witness with con', 'efore he saw you, and before he even knew that you had returned from bristol? "witness with consider', ' he saw you, and before he even knew that you had returned from bristol? "witness with considerable ', 'aw you, and before he even knew that you had returned from bristol? "witness with considerable confu', 'u, and before he even knew that you had returned from bristol? "witness with considerable confusion ', 'd before he even knew that you had returned from bristol? "witness with considerable confusion : i d', 'ore he even knew that you had returned from bristol? "witness with considerable confusion : i do not', 'e even knew that you had returned from bristol? "witness with considerable confusion : i do not know', 'n knew that you had returned from bristol? "witness with considerable confusion : i do not know. "a ', 'w that you had returned from bristol? "witness with considerable confusion : i do not know. "a jurym', 't you had returned from bristol? "witness with considerable confusion : i do not know. "a juryman: d', ' had returned from bristol? "witness with considerable confusion : i do not know. "a juryman: did yo', 'returned from bristol? "witness with considerable confusion : i do not know. "a juryman: did you see', 'ned from bristol? "witness with considerable confusion : i do not know. "a juryman: did you see noth', 'rom bristol? "witness with considerable confusion : i do not know. "a juryman: did you see nothing w', 'ristol? "witness with considerable confusion : i do not know. "a juryman: did you see nothing which ', 'l? "witness with considerable confusion : i do not know. "a juryman: did you see nothing which arous', 'itness with considerable confusion : i do not know. "a juryman: did you see nothing which aroused yo', 's with considerable confusion : i do not know. "a juryman: did you see nothing which aroused your su', 'h considerable confusion : i do not know. "a juryman: did you see nothing which aroused your suspici', 'siderable confusion : i do not know. "a juryman: did you see nothing which aroused your suspicions w', 'able confusion : i do not know. "a juryman: did you see nothing which aroused your suspicions when y', 'confusion : i do not know. "a juryman: did you see nothing which aroused your suspicions when you re', 'sion : i do not know. "a juryman: did you see nothing which aroused your suspicions when you returne', ': i do not know. "a juryman: did you see nothing which aroused your suspicions when you returned on ', 'o not know. "a juryman: did you see nothing which aroused your suspicions when you returned on heari', ' know. "a juryman: did you see nothing which aroused your suspicions when you returned on hearing th', '. "a juryman: did you see nothing which aroused your suspicions when you returned on hearing the cry', 'juryman: did you see nothing which aroused your suspicions when you returned on hearing the cry and ', 'an: did you see nothing which aroused your suspicions when you returned on hearing the cry and found', 'id you see nothing which aroused your suspicions when you returned on hearing the cry and found your', 'u see nothing which aroused your suspicions when you returned on hearing the cry and found your fath', ' nothing which aroused your suspicions when you returned on hearing the cry and found your father fa', 'ing which aroused your suspicions when you returned on hearing the cry and found your father fatally', 'hich aroused your suspicions when you returned on hearing the cry and found your father fatally inju', 'aroused your suspicions when you returned on hearing the cry and found your father fatally injured? ', 'ed your suspicions when you returned on hearing the cry and found your father fatally injured? "witn', 'ur suspicions when you returned on hearing the cry and found your father fatally injured? "witness: ', 'spicions when you returned on hearing the cry and found your father fatally injured? "witness: nothi', 'ons when you returned on hearing the cry and found your father fatally injured? "witness: nothing de', 'hen you returned on hearing the cry and found your father fatally injured? "witness: nothing definit', 'ou returned on hearing the cry and found your father fatally injured? "witness: nothing definite. "t', 'turned on hearing the cry and found your father fatally injured? "witness: nothing definite. "the co', 'd on hearing the cry and found your father fatally injured? "witness: nothing definite. "the coroner', 'hearing the cry and found your father fatally injured? "witness: nothing definite. "the coroner: wha', 'ng the cry and found your father fatally injured? "witness: nothing definite. "the coroner: what do ', 'e cry and found your father fatally injured? "witness: nothing definite. "the coroner: what do you m', ' and found your father fatally injured? "witness: nothing definite. "the coroner: what do you mean? ', 'found your father fatally injured? "witness: nothing definite. "the coroner: what do you mean? "witn', ' your father fatally injured? "witness: nothing definite. "the coroner: what do you mean? "witness: ', ' father fatally injured? "witness: nothing definite. "the coroner: what do you mean? "witness: i was', 'er fatally injured? "witness: nothing definite. "the coroner: what do you mean? "witness: i was so d', 'tally injured? "witness: nothing definite. "the coroner: what do you mean? "witness: i was so distur', ' injured? "witness: nothing definite. "the coroner: what do you mean? "witness: i was so disturbed a', 'red? "witness: nothing definite. "the coroner: what do you mean? "witness: i was so disturbed and ex', '"witness: nothing definite. "the coroner: what do you mean? "witness: i was so disturbed and excited', 'ess: nothing definite. "the coroner: what do you mean? "witness: i was so disturbed and excited as i', 'nothing definite. "the coroner: what do you mean? "witness: i was so disturbed and excited as i rush', 'ng definite. "the coroner: what do you mean? "witness: i was so disturbed and excited as i rushed ou', 'finite. "the coroner: what do you mean? "witness: i was so disturbed and excited as i rushed out int', 'e. "the coroner: what do you mean? "witness: i was so disturbed and excited as i rushed out into the', 'he coroner: what do you mean? "witness: i was so disturbed and excited as i rushed out into the open', 'roner: what do you mean? "witness: i was so disturbed and excited as i rushed out into the open, tha', ': what do you mean? "witness: i was so disturbed and excited as i rushed out into the open, that i c', 't do you mean? "witness: i was so disturbed and excited as i rushed out into the open, that i could ', 'you mean? "witness: i was so disturbed and excited as i rushed out into the open, that i could think', 'ean? "witness: i was so disturbed and excited as i rushed out into the open, that i could think of n', '"witness: i was so disturbed and excited as i rushed out into the open, that i could think of nothin', 'ess: i was so disturbed and excited as i rushed out into the open, that i could think of nothing exc', 'i was so disturbed and excited as i rushed out into the open, that i could think of nothing except o', ' so disturbed and excited as i rushed out into the open, that i could think of nothing except of my ', 'isturbed and excited as i rushed out into the open, that i could think of nothing except of my fathe', 'bed and excited as i rushed out into the open, that i could think of nothing except of my father. ye', 'nd excited as i rushed out into the open, that i could think of nothing except of my father. yet i h', 'cited as i rushed out into the open, that i could think of nothing except of my father. yet i have a', ' as i rushed out into the open, that i could think of nothing except of my father. yet i have a vagu', ' rushed out into the open, that i could think of nothing except of my father. yet i have a vague imp', 'ed out into the open, that i could think of nothing except of my father. yet i have a vague impressi', 't into the open, that i could think of nothing except of my father. yet i have a vague impression th', 'o the open, that i could think of nothing except of my father. yet i have a vague impression that as', ' open, that i could think of nothing except of my father. yet i have a vague impression that as i ra', ', that i could think of nothing except of my father. yet i have a vague impression that as i ran for', 't i could think of nothing except of my father. yet i have a vague impression that as i ran forward ', 'ould think of nothing except of my father. yet i have a vague impression that as i ran forward somet', 'think of nothing except of my father. yet i have a vague impression that as i ran forward something ', ' of nothing except of my father. yet i have a vague impression that as i ran forward something lay u', 'othing except of my father. yet i have a vague impression that as i ran forward something lay upon t', 'g except of my father. yet i have a vague impression that as i ran forward something lay upon the gr', 'ept of my father. yet i have a vague impression that as i ran forward something lay upon the ground ', 'f my father. yet i have a vague impression that as i ran forward something lay upon the ground to th', 'father. yet i have a vague impression that as i ran forward something lay upon the ground to the lef', 'r. yet i have a vague impression that as i ran forward something lay upon the ground to the left of ', 't i have a vague impression that as i ran forward something lay upon the ground to the left of me. i', 'ave a vague impression that as i ran forward something lay upon the ground to the left of me. it see', ' vague impression that as i ran forward something lay upon the ground to the left of me. it seemed t', 'e impression that as i ran forward something lay upon the ground to the left of me. it seemed to me ', 'ression that as i ran forward something lay upon the ground to the left of me. it seemed to me to be', 'on that as i ran forward something lay upon the ground to the left of me. it seemed to me to be some', 'at as i ran forward something lay upon the ground to the left of me. it seemed to me to be something', ' i ran forward something lay upon the ground to the left of me. it seemed to me to be something grey', 'n forward something lay upon the ground to the left of me. it seemed to me to be something grey in c', 'ward something lay upon the ground to the left of me. it seemed to me to be something grey in colour', 'something lay upon the ground to the left of me. it seemed to me to be something grey in colour, a c', 'hing lay upon the ground to the left of me. it seemed to me to be something grey in colour, a coat o', 'lay upon the ground to the left of me. it seemed to me to be something grey in colour, a coat of som', 'pon the ground to the left of me. it seemed to me to be something grey in colour, a coat of some sor', 'he ground to the left of me. it seemed to me to be something grey in colour, a coat of some sort, or', 'ound to the left of me. it seemed to me to be something grey in colour, a coat of some sort, or a pl', 'to the left of me. it seemed to me to be something grey in colour, a coat of some sort, or a plaid p', 'e left of me. it seemed to me to be something grey in colour, a coat of some sort, or a plaid perhap', 't of me. it seemed to me to be something grey in colour, a coat of some sort, or a plaid perhaps. wh', 'me. it seemed to me to be something grey in colour, a coat of some sort, or a plaid perhaps. when i ', 't seemed to me to be something grey in colour, a coat of some sort, or a plaid perhaps. when i rose ', 'med to me to be something grey in colour, a coat of some sort, or a plaid perhaps. when i rose from ', 'o me to be something grey in colour, a coat of some sort, or a plaid perhaps. when i rose from my fa', 'to be something grey in colour, a coat of some sort, or a plaid perhaps. when i rose from my father ', ' something grey in colour, a coat of some sort, or a plaid perhaps. when i rose from my father i loo', 'thing grey in colour, a coat of some sort, or a plaid perhaps. when i rose from my father i looked r', ' grey in colour, a coat of some sort, or a plaid perhaps. when i rose from my father i looked round ', ' in colour, a coat of some sort, or a plaid perhaps. when i rose from my father i looked round for i', 'olour, a coat of some sort, or a plaid perhaps. when i rose from my father i looked round for it, bu', ', a coat of some sort, or a plaid perhaps. when i rose from my father i looked round for it, but it ', 'oat of some sort, or a plaid perhaps. when i rose from my father i looked round for it, but it was g', 'f some sort, or a plaid perhaps. when i rose from my father i looked round for it, but it was gone. ', 'e sort, or a plaid perhaps. when i rose from my father i looked round for it, but it was gone. "\'do ', 't, or a plaid perhaps. when i rose from my father i looked round for it, but it was gone. "\'do you m', ' a plaid perhaps. when i rose from my father i looked round for it, but it was gone. "\'do you mean t', 'aid perhaps. when i rose from my father i looked round for it, but it was gone. "\'do you mean that i', 'erhaps. when i rose from my father i looked round for it, but it was gone. "\'do you mean that it dis', 's. when i rose from my father i looked round for it, but it was gone. "\'do you mean that it disappea', 'en i rose from my father i looked round for it, but it was gone. "\'do you mean that it disappeared b', 'rose from my father i looked round for it, but it was gone. "\'do you mean that it disappeared before', 'from my father i looked round for it, but it was gone. "\'do you mean that it disappeared before you ', 'my father i looked round for it, but it was gone. "\'do you mean that it disappeared before you went ', 'ther i looked round for it, but it was gone. "\'do you mean that it disappeared before you went for h', 'i looked round for it, but it was gone. "\'do you mean that it disappeared before you went for help?\'', 'ked round for it, but it was gone. "\'do you mean that it disappeared before you went for help?\' "\'ye', 'ound for it, but it was gone. "\'do you mean that it disappeared before you went for help?\' "\'yes, it', 'for it, but it was gone. "\'do you mean that it disappeared before you went for help?\' "\'yes, it was ', 't, but it was gone. "\'do you mean that it disappeared before you went for help?\' "\'yes, it was gone.', 't it was gone. "\'do you mean that it disappeared before you went for help?\' "\'yes, it was gone.\' "\'y', 'was gone. "\'do you mean that it disappeared before you went for help?\' "\'yes, it was gone.\' "\'you ca', 'one. "\'do you mean that it disappeared before you went for help?\' "\'yes, it was gone.\' "\'you cannot ', '"\'do you mean that it disappeared before you went for help?\' "\'yes, it was gone.\' "\'you cannot say w', 'you mean that it disappeared before you went for help?\' "\'yes, it was gone.\' "\'you cannot say what i', 'ean that it disappeared before you went for help?\' "\'yes, it was gone.\' "\'you cannot say what it was', 'hat it disappeared before you went for help?\' "\'yes, it was gone.\' "\'you cannot say what it was?\' "\'', 't disappeared before you went for help?\' "\'yes, it was gone.\' "\'you cannot say what it was?\' "\'no, i', 'appeared before you went for help?\' "\'yes, it was gone.\' "\'you cannot say what it was?\' "\'no, i had ', 'red before you went for help?\' "\'yes, it was gone.\' "\'you cannot say what it was?\' "\'no, i had a fee', 'efore you went for help?\' "\'yes, it was gone.\' "\'you cannot say what it was?\' "\'no, i had a feeling ', ' you went for help?\' "\'yes, it was gone.\' "\'you cannot say what it was?\' "\'no, i had a feeling somet', 'went for help?\' "\'yes, it was gone.\' "\'you cannot say what it was?\' "\'no, i had a feeling something ', 'for help?\' "\'yes, it was gone.\' "\'you cannot say what it was?\' "\'no, i had a feeling something was t', 'elp?\' "\'yes, it was gone.\' "\'you cannot say what it was?\' "\'no, i had a feeling something was there.', ' "\'yes, it was gone.\' "\'you cannot say what it was?\' "\'no, i had a feeling something was there.\' "\'h', 's, it was gone.\' "\'you cannot say what it was?\' "\'no, i had a feeling something was there.\' "\'how fa', ' was gone.\' "\'you cannot say what it was?\' "\'no, i had a feeling something was there.\' "\'how far fro', 'gone.\' "\'you cannot say what it was?\' "\'no, i had a feeling something was there.\' "\'how far from the', '\' "\'you cannot say what it was?\' "\'no, i had a feeling something was there.\' "\'how far from the body', 'ou cannot say what it was?\' "\'no, i had a feeling something was there.\' "\'how far from the body?\' "\'', 'nnot say what it was?\' "\'no, i had a feeling something was there.\' "\'how far from the body?\' "\'a doz', 'say what it was?\' "\'no, i had a feeling something was there.\' "\'how far from the body?\' "\'a dozen ya', 'hat it was?\' "\'no, i had a feeling something was there.\' "\'how far from the body?\' "\'a dozen yards o', 't was?\' "\'no, i had a feeling something was there.\' "\'how far from the body?\' "\'a dozen yards or so.', '?\' "\'no, i had a feeling something was there.\' "\'how far from the body?\' "\'a dozen yards or so.\' "\'a', 'no, i had a feeling something was there.\' "\'how far from the body?\' "\'a dozen yards or so.\' "\'and ho', ' had a feeling something was there.\' "\'how far from the body?\' "\'a dozen yards or so.\' "\'and how far', 'a feeling something was there.\' "\'how far from the body?\' "\'a dozen yards or so.\' "\'and how far from', 'ling something was there.\' "\'how far from the body?\' "\'a dozen yards or so.\' "\'and how far from the ', 'something was there.\' "\'how far from the body?\' "\'a dozen yards or so.\' "\'and how far from the edge ', 'hing was there.\' "\'how far from the body?\' "\'a dozen yards or so.\' "\'and how far from the edge of th', 'was there.\' "\'how far from the body?\' "\'a dozen yards or so.\' "\'and how far from the edge of the woo', 'here.\' "\'how far from the body?\' "\'a dozen yards or so.\' "\'and how far from the edge of the wood?\' "', '\' "\'how far from the body?\' "\'a dozen yards or so.\' "\'and how far from the edge of the wood?\' "\'abou', 'ow far from the body?\' "\'a dozen yards or so.\' "\'and how far from the edge of the wood?\' "\'about the', 'r from the body?\' "\'a dozen yards or so.\' "\'and how far from the edge of the wood?\' "\'about the same', 'm the body?\' "\'a dozen yards or so.\' "\'and how far from the edge of the wood?\' "\'about the same.\' "\'', ' body?\' "\'a dozen yards or so.\' "\'and how far from the edge of the wood?\' "\'about the same.\' "\'then ', '?\' "\'a dozen yards or so.\' "\'and how far from the edge of the wood?\' "\'about the same.\' "\'then if it', 'a dozen yards or so.\' "\'and how far from the edge of the wood?\' "\'about the same.\' "\'then if it was ', 'en yards or so.\' "\'and how far from the edge of the wood?\' "\'about the same.\' "\'then if it was remov', 'rds or so.\' "\'and how far from the edge of the wood?\' "\'about the same.\' "\'then if it was removed it', 'r so.\' "\'and how far from the edge of the wood?\' "\'about the same.\' "\'then if it was removed it was ', '\' "\'and how far from the edge of the wood?\' "\'about the same.\' "\'then if it was removed it was while', 'nd how far from the edge of the wood?\' "\'about the same.\' "\'then if it was removed it was while you ', 'w far from the edge of the wood?\' "\'about the same.\' "\'then if it was removed it was while you were ', ' from the edge of the wood?\' "\'about the same.\' "\'then if it was removed it was while you were withi', ' the edge of the wood?\' "\'about the same.\' "\'then if it was removed it was while you were within a d', 'edge of the wood?\' "\'about the same.\' "\'then if it was removed it was while you were within a dozen ', 'of the wood?\' "\'about the same.\' "\'then if it was removed it was while you were within a dozen yards', 'e wood?\' "\'about the same.\' "\'then if it was removed it was while you were within a dozen yards of i', 'd?\' "\'about the same.\' "\'then if it was removed it was while you were within a dozen yards of it?\' "', '\'about the same.\' "\'then if it was removed it was while you were within a dozen yards of it?\' "\'yes,', 't the same.\' "\'then if it was removed it was while you were within a dozen yards of it?\' "\'yes, but ', ' same.\' "\'then if it was removed it was while you were within a dozen yards of it?\' "\'yes, but with ', '.\' "\'then if it was removed it was while you were within a dozen yards of it?\' "\'yes, but with my ba', 'then if it was removed it was while you were within a dozen yards of it?\' "\'yes, but with my back to', 'if it was removed it was while you were within a dozen yards of it?\' "\'yes, but with my back towards', ' was removed it was while you were within a dozen yards of it?\' "\'yes, but with my back towards it.\'', 'removed it was while you were within a dozen yards of it?\' "\'yes, but with my back towards it.\' "thi', 'ed it was while you were within a dozen yards of it?\' "\'yes, but with my back towards it.\' "this con', ' was while you were within a dozen yards of it?\' "\'yes, but with my back towards it.\' "this conclude', 'while you were within a dozen yards of it?\' "\'yes, but with my back towards it.\' "this concluded the', ' you were within a dozen yards of it?\' "\'yes, but with my back towards it.\' "this concluded the exam', 'were within a dozen yards of it?\' "\'yes, but with my back towards it.\' "this concluded the examinati', 'within a dozen yards of it?\' "\'yes, but with my back towards it.\' "this concluded the examination of', 'n a dozen yards of it?\' "\'yes, but with my back towards it.\' "this concluded the examination of the ', 'ozen yards of it?\' "\'yes, but with my back towards it.\' "this concluded the examination of the witne', 'yards of it?\' "\'yes, but with my back towards it.\' "this concluded the examination of the witness." ', ' of it?\' "\'yes, but with my back towards it.\' "this concluded the examination of the witness." "i se', 't?\' "\'yes, but with my back towards it.\' "this concluded the examination of the witness." "i see," s', '\'yes, but with my back towards it.\' "this concluded the examination of the witness." "i see," said i', ' but with my back towards it.\' "this concluded the examination of the witness." "i see," said i as i', 'with my back towards it.\' "this concluded the examination of the witness." "i see," said i as i glan', 'my back towards it.\' "this concluded the examination of the witness." "i see," said i as i glanced d', 'ck towards it.\' "this concluded the examination of the witness." "i see," said i as i glanced down t', 'wards it.\' "this concluded the examination of the witness." "i see," said i as i glanced down the co', ' it.\' "this concluded the examination of the witness." "i see," said i as i glanced down the column,', ' "this concluded the examination of the witness." "i see," said i as i glanced down the column, "tha', 's concluded the examination of the witness." "i see," said i as i glanced down the column, "that the', 'cluded the examination of the witness." "i see," said i as i glanced down the column, "that the coro', 'd the examination of the witness." "i see," said i as i glanced down the column, "that the coroner i', ' examination of the witness." "i see," said i as i glanced down the column, "that the coroner in his', 'ination of the witness." "i see," said i as i glanced down the column, "that the coroner in his conc', 'on of the witness." "i see," said i as i glanced down the column, "that the coroner in his concludin', ' the witness." "i see," said i as i glanced down the column, "that the coroner in his concluding rem', 'witness." "i see," said i as i glanced down the column, "that the coroner in his concluding remarks ', 'ss." "i see," said i as i glanced down the column, "that the coroner in his concluding remarks was r', '"i see," said i as i glanced down the column, "that the coroner in his concluding remarks was rather', 'e," said i as i glanced down the column, "that the coroner in his concluding remarks was rather seve', 'aid i as i glanced down the column, "that the coroner in his concluding remarks was rather severe up', ' as i glanced down the column, "that the coroner in his concluding remarks was rather severe upon yo', ' glanced down the column, "that the coroner in his concluding remarks was rather severe upon young m', 'ced down the column, "that the coroner in his concluding remarks was rather severe upon young mccart', 'own the column, "that the coroner in his concluding remarks was rather severe upon young mccarthy. h', 'he column, "that the coroner in his concluding remarks was rather severe upon young mccarthy. he cal', 'lumn, "that the coroner in his concluding remarks was rather severe upon young mccarthy. he calls at', ' "that the coroner in his concluding remarks was rather severe upon young mccarthy. he calls attenti', 't the coroner in his concluding remarks was rather severe upon young mccarthy. he calls attention, a', ' coroner in his concluding remarks was rather severe upon young mccarthy. he calls attention, and wi', 'ner in his concluding remarks was rather severe upon young mccarthy. he calls attention, and with re', 'n his concluding remarks was rather severe upon young mccarthy. he calls attention, and with reason,', ' concluding remarks was rather severe upon young mccarthy. he calls attention, and with reason, to t', 'luding remarks was rather severe upon young mccarthy. he calls attention, and with reason, to the di', 'g remarks was rather severe upon young mccarthy. he calls attention, and with reason, to the discrep', 'arks was rather severe upon young mccarthy. he calls attention, and with reason, to the discrepancy ', 'was rather severe upon young mccarthy. he calls attention, and with reason, to the discrepancy about', 'ather severe upon young mccarthy. he calls attention, and with reason, to the discrepancy about his ', ' severe upon young mccarthy. he calls attention, and with reason, to the discrepancy about his fathe', 're upon young mccarthy. he calls attention, and with reason, to the discrepancy about his father hav', 'on young mccarthy. he calls attention, and with reason, to the discrepancy about his father having s', 'ung mccarthy. he calls attention, and with reason, to the discrepancy about his father having signal', 'ccarthy. he calls attention, and with reason, to the discrepancy about his father having signalled t', 'hy. he calls attention, and with reason, to the discrepancy about his father having signalled to him', 'e calls attention, and with reason, to the discrepancy about his father having signalled to him befo', 'ls attention, and with reason, to the discrepancy about his father having signalled to him before se', 'tention, and with reason, to the discrepancy about his father having signalled to him before seeing ', 'on, and with reason, to the discrepancy about his father having signalled to him before seeing him, ', 'nd with reason, to the discrepancy about his father having signalled to him before seeing him, also ', 'th reason, to the discrepancy about his father having signalled to him before seeing him, also to hi', 'ason, to the discrepancy about his father having signalled to him before seeing him, also to his ref', ' to the discrepancy about his father having signalled to him before seeing him, also to his refusal ', 'he discrepancy about his father having signalled to him before seeing him, also to his refusal to gi', 'screpancy about his father having signalled to him before seeing him, also to his refusal to give de', 'ancy about his father having signalled to him before seeing him, also to his refusal to give details', 'about his father having signalled to him before seeing him, also to his refusal to give details of h', ' his father having signalled to him before seeing him, also to his refusal to give details of his co', 'father having signalled to him before seeing him, also to his refusal to give details of his convers', 'r having signalled to him before seeing him, also to his refusal to give details of his conversation', 'ing signalled to him before seeing him, also to his refusal to give details of his conversation with', 'ignalled to him before seeing him, also to his refusal to give details of his conversation with his ', 'led to him before seeing him, also to his refusal to give details of his conversation with his fathe', 'o him before seeing him, also to his refusal to give details of his conversation with his father, an', ' before seeing him, also to his refusal to give details of his conversation with his father, and his', 're seeing him, also to his refusal to give details of his conversation with his father, and his sing', 'eing him, also to his refusal to give details of his conversation with his father, and his singular ', 'him, also to his refusal to give details of his conversation with his father, and his singular accou', 'also to his refusal to give details of his conversation with his father, and his singular account of', 'to his refusal to give details of his conversation with his father, and his singular account of his ', 's refusal to give details of his conversation with his father, and his singular account of his fathe', "usal to give details of his conversation with his father, and his singular account of his father's d", "to give details of his conversation with his father, and his singular account of his father's dying ", "ve details of his conversation with his father, and his singular account of his father's dying words", "tails of his conversation with his father, and his singular account of his father's dying words. the", " of his conversation with his father, and his singular account of his father's dying words. they are", "is conversation with his father, and his singular account of his father's dying words. they are all,", "nversation with his father, and his singular account of his father's dying words. they are all, as h", "ation with his father, and his singular account of his father's dying words. they are all, as he rem", " with his father, and his singular account of his father's dying words. they are all, as he remarks,", " his father, and his singular account of his father's dying words. they are all, as he remarks, very", "father, and his singular account of his father's dying words. they are all, as he remarks, very much", "r, and his singular account of his father's dying words. they are all, as he remarks, very much agai", "d his singular account of his father's dying words. they are all, as he remarks, very much against t", " singular account of his father's dying words. they are all, as he remarks, very much against the so", 'ular account of his father\'s dying words. they are all, as he remarks, very much against the son." h', 'account of his father\'s dying words. they are all, as he remarks, very much against the son." holmes', 'nt of his father\'s dying words. they are all, as he remarks, very much against the son." holmes laug', ' his father\'s dying words. they are all, as he remarks, very much against the son." holmes laughed s', 'father\'s dying words. they are all, as he remarks, very much against the son." holmes laughed softly', 'r\'s dying words. they are all, as he remarks, very much against the son." holmes laughed softly to h', 'ying words. they are all, as he remarks, very much against the son." holmes laughed softly to himsel', 'words. they are all, as he remarks, very much against the son." holmes laughed softly to himself and', '. they are all, as he remarks, very much against the son." holmes laughed softly to himself and stre', 'y are all, as he remarks, very much against the son." holmes laughed softly to himself and stretched', ' all, as he remarks, very much against the son." holmes laughed softly to himself and stretched hims', ' as he remarks, very much against the son." holmes laughed softly to himself and stretched himself o', 'e remarks, very much against the son." holmes laughed softly to himself and stretched himself out up', 'arks, very much against the son." holmes laughed softly to himself and stretched himself out upon th', ' very much against the son." holmes laughed softly to himself and stretched himself out upon the cus', ' much against the son." holmes laughed softly to himself and stretched himself out upon the cushione', ' against the son." holmes laughed softly to himself and stretched himself out upon the cushioned sea', 'nst the son." holmes laughed softly to himself and stretched himself out upon the cushioned seat. "b', 'he son." holmes laughed softly to himself and stretched himself out upon the cushioned seat. "both y', 'n." holmes laughed softly to himself and stretched himself out upon the cushioned seat. "both you an', 'olmes laughed softly to himself and stretched himself out upon the cushioned seat. "both you and the', ' laughed softly to himself and stretched himself out upon the cushioned seat. "both you and the coro', 'hed softly to himself and stretched himself out upon the cushioned seat. "both you and the coroner h', 'oftly to himself and stretched himself out upon the cushioned seat. "both you and the coroner have b', ' to himself and stretched himself out upon the cushioned seat. "both you and the coroner have been a', 'imself and stretched himself out upon the cushioned seat. "both you and the coroner have been at som', 'f and stretched himself out upon the cushioned seat. "both you and the coroner have been at some pai', ' stretched himself out upon the cushioned seat. "both you and the coroner have been at some pains," ', 'tched himself out upon the cushioned seat. "both you and the coroner have been at some pains," said ', ' himself out upon the cushioned seat. "both you and the coroner have been at some pains," said he, "', 'elf out upon the cushioned seat. "both you and the coroner have been at some pains," said he, "to si', 'ut upon the cushioned seat. "both you and the coroner have been at some pains," said he, "to single ', 'on the cushioned seat. "both you and the coroner have been at some pains," said he, "to single out t', 'e cushioned seat. "both you and the coroner have been at some pains," said he, "to single out the ve', 'hioned seat. "both you and the coroner have been at some pains," said he, "to single out the very st', 'd seat. "both you and the coroner have been at some pains," said he, "to single out the very stronge', 't. "both you and the coroner have been at some pains," said he, "to single out the very strongest po', 'oth you and the coroner have been at some pains," said he, "to single out the very strongest points ', 'ou and the coroner have been at some pains," said he, "to single out the very strongest points in th', 'd the coroner have been at some pains," said he, "to single out the very strongest points in the you', ' coroner have been at some pains," said he, "to single out the very strongest points in the young ma', 'ner have been at some pains," said he, "to single out the very strongest points in the young man\'s f', 'ave been at some pains," said he, "to single out the very strongest points in the young man\'s favour', 'een at some pains," said he, "to single out the very strongest points in the young man\'s favour. don', 't some pains," said he, "to single out the very strongest points in the young man\'s favour. don\'t yo', 'e pains," said he, "to single out the very strongest points in the young man\'s favour. don\'t you see', 'ns," said he, "to single out the very strongest points in the young man\'s favour. don\'t you see that', 'said he, "to single out the very strongest points in the young man\'s favour. don\'t you see that you ', 'he, "to single out the very strongest points in the young man\'s favour. don\'t you see that you alter', "to single out the very strongest points in the young man's favour. don't you see that you alternatel", "ngle out the very strongest points in the young man's favour. don't you see that you alternately giv", "out the very strongest points in the young man's favour. don't you see that you alternately give him", "he very strongest points in the young man's favour. don't you see that you alternately give him cred", "ry strongest points in the young man's favour. don't you see that you alternately give him credit fo", "rongest points in the young man's favour. don't you see that you alternately give him credit for hav", "st points in the young man's favour. don't you see that you alternately give him credit for having t", "ints in the young man's favour. don't you see that you alternately give him credit for having too mu", "in the young man's favour. don't you see that you alternately give him credit for having too much im", "e young man's favour. don't you see that you alternately give him credit for having too much imagina", "ng man's favour. don't you see that you alternately give him credit for having too much imagination ", "n's favour. don't you see that you alternately give him credit for having too much imagination and t", "avour. don't you see that you alternately give him credit for having too much imagination and too li", ". don't you see that you alternately give him credit for having too much imagination and too little?", "'t you see that you alternately give him credit for having too much imagination and too little? too ", 'u see that you alternately give him credit for having too much imagination and too little? too littl', ' that you alternately give him credit for having too much imagination and too little? too little, if', ' you alternately give him credit for having too much imagination and too little? too little, if he c', 'alternately give him credit for having too much imagination and too little? too little, if he could ', 'nately give him credit for having too much imagination and too little? too little, if he could not i', 'y give him credit for having too much imagination and too little? too little, if he could not invent', 'e him credit for having too much imagination and too little? too little, if he could not invent a ca', ' credit for having too much imagination and too little? too little, if he could not invent a cause o', 'it for having too much imagination and too little? too little, if he could not invent a cause of qua', 'r having too much imagination and too little? too little, if he could not invent a cause of quarrel ', 'ing too much imagination and too little? too little, if he could not invent a cause of quarrel which', 'oo much imagination and too little? too little, if he could not invent a cause of quarrel which woul', 'ch imagination and too little? too little, if he could not invent a cause of quarrel which would giv', 'agination and too little? too little, if he could not invent a cause of quarrel which would give him', 'tion and too little? too little, if he could not invent a cause of quarrel which would give him the ', 'and too little? too little, if he could not invent a cause of quarrel which would give him the sympa', 'oo little? too little, if he could not invent a cause of quarrel which would give him the sympathy o', 'ttle? too little, if he could not invent a cause of quarrel which would give him the sympathy of the', ' too little, if he could not invent a cause of quarrel which would give him the sympathy of the jury', 'little, if he could not invent a cause of quarrel which would give him the sympathy of the jury; too', 'e, if he could not invent a cause of quarrel which would give him the sympathy of the jury; too much', ' he could not invent a cause of quarrel which would give him the sympathy of the jury; too much, if ', 'ould not invent a cause of quarrel which would give him the sympathy of the jury; too much, if he ev', 'not invent a cause of quarrel which would give him the sympathy of the jury; too much, if he evolved', 'nvent a cause of quarrel which would give him the sympathy of the jury; too much, if he evolved from', ' a cause of quarrel which would give him the sympathy of the jury; too much, if he evolved from his ', 'use of quarrel which would give him the sympathy of the jury; too much, if he evolved from his own i', 'f quarrel which would give him the sympathy of the jury; too much, if he evolved from his own inner ', 'rrel which would give him the sympathy of the jury; too much, if he evolved from his own inner consc', 'which would give him the sympathy of the jury; too much, if he evolved from his own inner consciousn', ' would give him the sympathy of the jury; too much, if he evolved from his own inner consciousness a', 'd give him the sympathy of the jury; too much, if he evolved from his own inner consciousness anythi', 'e him the sympathy of the jury; too much, if he evolved from his own inner consciousness anything so', ' the sympathy of the jury; too much, if he evolved from his own inner consciousness anything so outr', 'sympathy of the jury; too much, if he evolved from his own inner consciousness anything so outr as a', 'thy of the jury; too much, if he evolved from his own inner consciousness anything so outr as a dyin', 'f the jury; too much, if he evolved from his own inner consciousness anything so outr as a dying ref', ' jury; too much, if he evolved from his own inner consciousness anything so outr as a dying referenc', '; too much, if he evolved from his own inner consciousness anything so outr as a dying reference to ', ' much, if he evolved from his own inner consciousness anything so outr as a dying reference to a rat', ', if he evolved from his own inner consciousness anything so outr as a dying reference to a rat, and', 'he evolved from his own inner consciousness anything so outr as a dying reference to a rat, and the ', 'olved from his own inner consciousness anything so outr as a dying reference to a rat, and the incid', ' from his own inner consciousness anything so outr as a dying reference to a rat, and the incident o', ' his own inner consciousness anything so outr as a dying reference to a rat, and the incident of the', 'own inner consciousness anything so outr as a dying reference to a rat, and the incident of the vani', 'nner consciousness anything so outr as a dying reference to a rat, and the incident of the vanishing', 'consciousness anything so outr as a dying reference to a rat, and the incident of the vanishing clot', 'iousness anything so outr as a dying reference to a rat, and the incident of the vanishing cloth. no', 'ess anything so outr as a dying reference to a rat, and the incident of the vanishing cloth. no, sir', 'nything so outr as a dying reference to a rat, and the incident of the vanishing cloth. no, sir, i s', 'ng so outr as a dying reference to a rat, and the incident of the vanishing cloth. no, sir, i shall ', ' outr as a dying reference to a rat, and the incident of the vanishing cloth. no, sir, i shall appro', ' as a dying reference to a rat, and the incident of the vanishing cloth. no, sir, i shall approach t', ' dying reference to a rat, and the incident of the vanishing cloth. no, sir, i shall approach this c', 'g reference to a rat, and the incident of the vanishing cloth. no, sir, i shall approach this case f', 'erence to a rat, and the incident of the vanishing cloth. no, sir, i shall approach this case from t', 'e to a rat, and the incident of the vanishing cloth. no, sir, i shall approach this case from the po', 'a rat, and the incident of the vanishing cloth. no, sir, i shall approach this case from the point o', ', and the incident of the vanishing cloth. no, sir, i shall approach this case from the point of vie', ' the incident of the vanishing cloth. no, sir, i shall approach this case from the point of view tha', 'incident of the vanishing cloth. no, sir, i shall approach this case from the point of view that wha', 'ent of the vanishing cloth. no, sir, i shall approach this case from the point of view that what thi', 'f the vanishing cloth. no, sir, i shall approach this case from the point of view that what this you', ' vanishing cloth. no, sir, i shall approach this case from the point of view that what this young ma', 'shing cloth. no, sir, i shall approach this case from the point of view that what this young man say', ' cloth. no, sir, i shall approach this case from the point of view that what this young man says is ', 'h. no, sir, i shall approach this case from the point of view that what this young man says is true,', ', sir, i shall approach this case from the point of view that what this young man says is true, and ', ', i shall approach this case from the point of view that what this young man says is true, and we sh', 'hall approach this case from the point of view that what this young man says is true, and we shall s', 'approach this case from the point of view that what this young man says is true, and we shall see wh', 'ach this case from the point of view that what this young man says is true, and we shall see whither', 'his case from the point of view that what this young man says is true, and we shall see whither that', 'ase from the point of view that what this young man says is true, and we shall see whither that hypo', 'rom the point of view that what this young man says is true, and we shall see whither that hypothesi', 'he point of view that what this young man says is true, and we shall see whither that hypothesis wil', 'int of view that what this young man says is true, and we shall see whither that hypothesis will lea', 'f view that what this young man says is true, and we shall see whither that hypothesis will lead us.', 'w that what this young man says is true, and we shall see whither that hypothesis will lead us. and ', 't what this young man says is true, and we shall see whither that hypothesis will lead us. and now h', 't this young man says is true, and we shall see whither that hypothesis will lead us. and now here i', 's young man says is true, and we shall see whither that hypothesis will lead us. and now here is my ', 'ng man says is true, and we shall see whither that hypothesis will lead us. and now here is my pocke', 'n says is true, and we shall see whither that hypothesis will lead us. and now here is my pocket pet', 's is true, and we shall see whither that hypothesis will lead us. and now here is my pocket petrarch', 'true, and we shall see whither that hypothesis will lead us. and now here is my pocket petrarch, and', ' and we shall see whither that hypothesis will lead us. and now here is my pocket petrarch, and not ', 'we shall see whither that hypothesis will lead us. and now here is my pocket petrarch, and not anoth', 'all see whither that hypothesis will lead us. and now here is my pocket petrarch, and not another wo', 'ee whither that hypothesis will lead us. and now here is my pocket petrarch, and not another word sh', 'ither that hypothesis will lead us. and now here is my pocket petrarch, and not another word shall i', ' that hypothesis will lead us. and now here is my pocket petrarch, and not another word shall i say ', ' hypothesis will lead us. and now here is my pocket petrarch, and not another word shall i say of th', 'thesis will lead us. and now here is my pocket petrarch, and not another word shall i say of this ca', 's will lead us. and now here is my pocket petrarch, and not another word shall i say of this case un', 'l lead us. and now here is my pocket petrarch, and not another word shall i say of this case until w', 'd us. and now here is my pocket petrarch, and not another word shall i say of this case until we are', ' and now here is my pocket petrarch, and not another word shall i say of this case until we are on t', 'now here is my pocket petrarch, and not another word shall i say of this case until we are on the sc', 'ere is my pocket petrarch, and not another word shall i say of this case until we are on the scene o', 's my pocket petrarch, and not another word shall i say of this case until we are on the scene of act', 'pocket petrarch, and not another word shall i say of this case until we are on the scene of action. ', 't petrarch, and not another word shall i say of this case until we are on the scene of action. we lu', 'rarch, and not another word shall i say of this case until we are on the scene of action. we lunch a', ', and not another word shall i say of this case until we are on the scene of action. we lunch at swi', ' not another word shall i say of this case until we are on the scene of action. we lunch at swindon,', 'another word shall i say of this case until we are on the scene of action. we lunch at swindon, and ', 'er word shall i say of this case until we are on the scene of action. we lunch at swindon, and i see', 'rd shall i say of this case until we are on the scene of action. we lunch at swindon, and i see that', 'all i say of this case until we are on the scene of action. we lunch at swindon, and i see that we s', ' say of this case until we are on the scene of action. we lunch at swindon, and i see that we shall ', 'of this case until we are on the scene of action. we lunch at swindon, and i see that we shall be th', 'is case until we are on the scene of action. we lunch at swindon, and i see that we shall be there i', 'se until we are on the scene of action. we lunch at swindon, and i see that we shall be there in twe', 'til we are on the scene of action. we lunch at swindon, and i see that we shall be there in twenty m', 'e are on the scene of action. we lunch at swindon, and i see that we shall be there in twenty minute', ' on the scene of action. we lunch at swindon, and i see that we shall be there in twenty minutes." i', 'he scene of action. we lunch at swindon, and i see that we shall be there in twenty minutes." it was', 'ene of action. we lunch at swindon, and i see that we shall be there in twenty minutes." it was near', 'f action. we lunch at swindon, and i see that we shall be there in twenty minutes." it was nearly fo', 'ion. we lunch at swindon, and i see that we shall be there in twenty minutes." it was nearly four o\'', 'we lunch at swindon, and i see that we shall be there in twenty minutes." it was nearly four o\'clock', 'nch at swindon, and i see that we shall be there in twenty minutes." it was nearly four o\'clock when', 't swindon, and i see that we shall be there in twenty minutes." it was nearly four o\'clock when we a', 'ndon, and i see that we shall be there in twenty minutes." it was nearly four o\'clock when we at las', ' and i see that we shall be there in twenty minutes." it was nearly four o\'clock when we at last, af', 'i see that we shall be there in twenty minutes." it was nearly four o\'clock when we at last, after p', ' that we shall be there in twenty minutes." it was nearly four o\'clock when we at last, after passin', ' we shall be there in twenty minutes." it was nearly four o\'clock when we at last, after passing thr', 'hall be there in twenty minutes." it was nearly four o\'clock when we at last, after passing through ', 'be there in twenty minutes." it was nearly four o\'clock when we at last, after passing through the b', 'ere in twenty minutes." it was nearly four o\'clock when we at last, after passing through the beauti', 'n twenty minutes." it was nearly four o\'clock when we at last, after passing through the beautiful s', 'nty minutes." it was nearly four o\'clock when we at last, after passing through the beautiful stroud', 'inutes." it was nearly four o\'clock when we at last, after passing through the beautiful stroud vall', 's." it was nearly four o\'clock when we at last, after passing through the beautiful stroud valley, a', "t was nearly four o'clock when we at last, after passing through the beautiful stroud valley, and ov", " nearly four o'clock when we at last, after passing through the beautiful stroud valley, and over th", "ly four o'clock when we at last, after passing through the beautiful stroud valley, and over the bro", "ur o'clock when we at last, after passing through the beautiful stroud valley, and over the broad gl", 'clock when we at last, after passing through the beautiful stroud valley, and over the broad gleamin', ' when we at last, after passing through the beautiful stroud valley, and over the broad gleaming sev', ' we at last, after passing through the beautiful stroud valley, and over the broad gleaming severn, ', 't last, after passing through the beautiful stroud valley, and over the broad gleaming severn, found', 't, after passing through the beautiful stroud valley, and over the broad gleaming severn, found ours', 'ter passing through the beautiful stroud valley, and over the broad gleaming severn, found ourselves', 'assing through the beautiful stroud valley, and over the broad gleaming severn, found ourselves at t', 'g through the beautiful stroud valley, and over the broad gleaming severn, found ourselves at the pr', 'ough the beautiful stroud valley, and over the broad gleaming severn, found ourselves at the pretty ', 'the beautiful stroud valley, and over the broad gleaming severn, found ourselves at the pretty littl', 'eautiful stroud valley, and over the broad gleaming severn, found ourselves at the pretty little cou', 'ful stroud valley, and over the broad gleaming severn, found ourselves at the pretty little country-', 'troud valley, and over the broad gleaming severn, found ourselves at the pretty little country-town ', ' valley, and over the broad gleaming severn, found ourselves at the pretty little country-town of ro', 'ey, and over the broad gleaming severn, found ourselves at the pretty little country-town of ross. a', 'nd over the broad gleaming severn, found ourselves at the pretty little country-town of ross. a lean', 'er the broad gleaming severn, found ourselves at the pretty little country-town of ross. a lean, fer', 'e broad gleaming severn, found ourselves at the pretty little country-town of ross. a lean, ferret-l', 'ad gleaming severn, found ourselves at the pretty little country-town of ross. a lean, ferret-like m', 'eaming severn, found ourselves at the pretty little country-town of ross. a lean, ferret-like man, f', 'g severn, found ourselves at the pretty little country-town of ross. a lean, ferret-like man, furtiv', 'ern, found ourselves at the pretty little country-town of ross. a lean, ferret-like man, furtive and', 'found ourselves at the pretty little country-town of ross. a lean, ferret-like man, furtive and sly-', ' ourselves at the pretty little country-town of ross. a lean, ferret-like man, furtive and sly-looki', 'elves at the pretty little country-town of ross. a lean, ferret-like man, furtive and sly-looking, w', ' at the pretty little country-town of ross. a lean, ferret-like man, furtive and sly-looking, was wa', 'he pretty little country-town of ross. a lean, ferret-like man, furtive and sly-looking, was waiting', 'etty little country-town of ross. a lean, ferret-like man, furtive and sly-looking, was waiting for ', 'little country-town of ross. a lean, ferret-like man, furtive and sly-looking, was waiting for us up', 'e country-town of ross. a lean, ferret-like man, furtive and sly-looking, was waiting for us upon th', 'ntry-town of ross. a lean, ferret-like man, furtive and sly-looking, was waiting for us upon the pla', 'town of ross. a lean, ferret-like man, furtive and sly-looking, was waiting for us upon the platform', 'of ross. a lean, ferret-like man, furtive and sly-looking, was waiting for us upon the platform. in ', 'ss. a lean, ferret-like man, furtive and sly-looking, was waiting for us upon the platform. in spite', ' lean, ferret-like man, furtive and sly-looking, was waiting for us upon the platform. in spite of t', ', ferret-like man, furtive and sly-looking, was waiting for us upon the platform. in spite of the li', 'ret-like man, furtive and sly-looking, was waiting for us upon the platform. in spite of the light b', 'ike man, furtive and sly-looking, was waiting for us upon the platform. in spite of the light brown ', 'an, furtive and sly-looking, was waiting for us upon the platform. in spite of the light brown dustc', 'urtive and sly-looking, was waiting for us upon the platform. in spite of the light brown dustcoat a', 'e and sly-looking, was waiting for us upon the platform. in spite of the light brown dustcoat and le', ' sly-looking, was waiting for us upon the platform. in spite of the light brown dustcoat and leather', 'looking, was waiting for us upon the platform. in spite of the light brown dustcoat and leather-legg', 'ng, was waiting for us upon the platform. in spite of the light brown dustcoat and leather-leggings ', 'as waiting for us upon the platform. in spite of the light brown dustcoat and leather-leggings which', 'iting for us upon the platform. in spite of the light brown dustcoat and leather-leggings which he w', ' for us upon the platform. in spite of the light brown dustcoat and leather-leggings which he wore i', 'us upon the platform. in spite of the light brown dustcoat and leather-leggings which he wore in def', 'on the platform. in spite of the light brown dustcoat and leather-leggings which he wore in deferenc', 'e platform. in spite of the light brown dustcoat and leather-leggings which he wore in deference to ', 'tform. in spite of the light brown dustcoat and leather-leggings which he wore in deference to his r', '. in spite of the light brown dustcoat and leather-leggings which he wore in deference to his rustic', 'spite of the light brown dustcoat and leather-leggings which he wore in deference to his rustic surr', ' of the light brown dustcoat and leather-leggings which he wore in deference to his rustic surroundi', 'he light brown dustcoat and leather-leggings which he wore in deference to his rustic surroundings, ', 'ght brown dustcoat and leather-leggings which he wore in deference to his rustic surroundings, i had', 'rown dustcoat and leather-leggings which he wore in deference to his rustic surroundings, i had no d', 'dustcoat and leather-leggings which he wore in deference to his rustic surroundings, i had no diffic', 'oat and leather-leggings which he wore in deference to his rustic surroundings, i had no difficulty ', 'nd leather-leggings which he wore in deference to his rustic surroundings, i had no difficulty in re', 'ather-leggings which he wore in deference to his rustic surroundings, i had no difficulty in recogni', '-leggings which he wore in deference to his rustic surroundings, i had no difficulty in recognising ', 'ings which he wore in deference to his rustic surroundings, i had no difficulty in recognising lestr', 'which he wore in deference to his rustic surroundings, i had no difficulty in recognising lestrade, ', ' he wore in deference to his rustic surroundings, i had no difficulty in recognising lestrade, of sc', 'ore in deference to his rustic surroundings, i had no difficulty in recognising lestrade, of scotlan', 'n deference to his rustic surroundings, i had no difficulty in recognising lestrade, of scotland yar', 'erence to his rustic surroundings, i had no difficulty in recognising lestrade, of scotland yard. wi', 'e to his rustic surroundings, i had no difficulty in recognising lestrade, of scotland yard. with hi', 'his rustic surroundings, i had no difficulty in recognising lestrade, of scotland yard. with him we ', 'ustic surroundings, i had no difficulty in recognising lestrade, of scotland yard. with him we drove', ' surroundings, i had no difficulty in recognising lestrade, of scotland yard. with him we drove to t', 'oundings, i had no difficulty in recognising lestrade, of scotland yard. with him we drove to the he', 'ngs, i had no difficulty in recognising lestrade, of scotland yard. with him we drove to the herefor', 'i had no difficulty in recognising lestrade, of scotland yard. with him we drove to the hereford arm', ' no difficulty in recognising lestrade, of scotland yard. with him we drove to the hereford arms whe', 'ifficulty in recognising lestrade, of scotland yard. with him we drove to the hereford arms where a ', 'ulty in recognising lestrade, of scotland yard. with him we drove to the hereford arms where a room ', 'in recognising lestrade, of scotland yard. with him we drove to the hereford arms where a room had a', 'cognising lestrade, of scotland yard. with him we drove to the hereford arms where a room had alread', 'sing lestrade, of scotland yard. with him we drove to the hereford arms where a room had already bee', 'lestrade, of scotland yard. with him we drove to the hereford arms where a room had already been eng', 'ade, of scotland yard. with him we drove to the hereford arms where a room had already been engaged ', 'of scotland yard. with him we drove to the hereford arms where a room had already been engaged for u', 'otland yard. with him we drove to the hereford arms where a room had already been engaged for us. "i', 'd yard. with him we drove to the hereford arms where a room had already been engaged for us. "i have', 'd. with him we drove to the hereford arms where a room had already been engaged for us. "i have orde', 'th him we drove to the hereford arms where a room had already been engaged for us. "i have ordered a', 'm we drove to the hereford arms where a room had already been engaged for us. "i have ordered a carr', 'drove to the hereford arms where a room had already been engaged for us. "i have ordered a carriage,', ' to the hereford arms where a room had already been engaged for us. "i have ordered a carriage," sai', 'he hereford arms where a room had already been engaged for us. "i have ordered a carriage," said les', 'reford arms where a room had already been engaged for us. "i have ordered a carriage," said lestrade', 'd arms where a room had already been engaged for us. "i have ordered a carriage," said lestrade as w', 's where a room had already been engaged for us. "i have ordered a carriage," said lestrade as we sat', 're a room had already been engaged for us. "i have ordered a carriage," said lestrade as we sat over', 'room had already been engaged for us. "i have ordered a carriage," said lestrade as we sat over a cu', 'had already been engaged for us. "i have ordered a carriage," said lestrade as we sat over a cup of ', 'lready been engaged for us. "i have ordered a carriage," said lestrade as we sat over a cup of tea. ', 'y been engaged for us. "i have ordered a carriage," said lestrade as we sat over a cup of tea. "i kn', 'n engaged for us. "i have ordered a carriage," said lestrade as we sat over a cup of tea. "i knew yo', 'aged for us. "i have ordered a carriage," said lestrade as we sat over a cup of tea. "i knew your en', 'for us. "i have ordered a carriage," said lestrade as we sat over a cup of tea. "i knew your energet', 's. "i have ordered a carriage," said lestrade as we sat over a cup of tea. "i knew your energetic na', ' have ordered a carriage," said lestrade as we sat over a cup of tea. "i knew your energetic nature,', ' ordered a carriage," said lestrade as we sat over a cup of tea. "i knew your energetic nature, and ', 'red a carriage," said lestrade as we sat over a cup of tea. "i knew your energetic nature, and that ', ' carriage," said lestrade as we sat over a cup of tea. "i knew your energetic nature, and that you w', 'iage," said lestrade as we sat over a cup of tea. "i knew your energetic nature, and that you would ', '" said lestrade as we sat over a cup of tea. "i knew your energetic nature, and that you would not b', 'd lestrade as we sat over a cup of tea. "i knew your energetic nature, and that you would not be hap', 'trade as we sat over a cup of tea. "i knew your energetic nature, and that you would not be happy un', ' as we sat over a cup of tea. "i knew your energetic nature, and that you would not be happy until y', 'e sat over a cup of tea. "i knew your energetic nature, and that you would not be happy until you ha', ' over a cup of tea. "i knew your energetic nature, and that you would not be happy until you had bee', ' a cup of tea. "i knew your energetic nature, and that you would not be happy until you had been on ', 'p of tea. "i knew your energetic nature, and that you would not be happy until you had been on the s', 'tea. "i knew your energetic nature, and that you would not be happy until you had been on the scene ', '"i knew your energetic nature, and that you would not be happy until you had been on the scene of th', 'ew your energetic nature, and that you would not be happy until you had been on the scene of the cri', 'ur energetic nature, and that you would not be happy until you had been on the scene of the crime." ', 'ergetic nature, and that you would not be happy until you had been on the scene of the crime." "it w', 'ic nature, and that you would not be happy until you had been on the scene of the crime." "it was ve', 'ture, and that you would not be happy until you had been on the scene of the crime." "it was very ni', ' and that you would not be happy until you had been on the scene of the crime." "it was very nice an', 'that you would not be happy until you had been on the scene of the crime." "it was very nice and com', 'you would not be happy until you had been on the scene of the crime." "it was very nice and complime', 'ould not be happy until you had been on the scene of the crime." "it was very nice and complimentary', 'not be happy until you had been on the scene of the crime." "it was very nice and complimentary of y', 'e happy until you had been on the scene of the crime." "it was very nice and complimentary of you," ', 'py until you had been on the scene of the crime." "it was very nice and complimentary of you," holme', 'til you had been on the scene of the crime." "it was very nice and complimentary of you," holmes ans', 'ou had been on the scene of the crime." "it was very nice and complimentary of you," holmes answered', 'd been on the scene of the crime." "it was very nice and complimentary of you," holmes answered. "it', 'n on the scene of the crime." "it was very nice and complimentary of you," holmes answered. "it is e', 'the scene of the crime." "it was very nice and complimentary of you," holmes answered. "it is entire', 'cene of the crime." "it was very nice and complimentary of you," holmes answered. "it is entirely a ', 'of the crime." "it was very nice and complimentary of you," holmes answered. "it is entirely a quest', 'e crime." "it was very nice and complimentary of you," holmes answered. "it is entirely a question o', 'me." "it was very nice and complimentary of you," holmes answered. "it is entirely a question of bar', '"it was very nice and complimentary of you," holmes answered. "it is entirely a question of barometr', 'as very nice and complimentary of you," holmes answered. "it is entirely a question of barometric pr', 'ry nice and complimentary of you," holmes answered. "it is entirely a question of barometric pressur', 'ce and complimentary of you," holmes answered. "it is entirely a question of barometric pressure." l', 'd complimentary of you," holmes answered. "it is entirely a question of barometric pressure." lestra', 'plimentary of you," holmes answered. "it is entirely a question of barometric pressure." lestrade lo', 'ntary of you," holmes answered. "it is entirely a question of barometric pressure." lestrade looked ', ' of you," holmes answered. "it is entirely a question of barometric pressure." lestrade looked start', 'ou," holmes answered. "it is entirely a question of barometric pressure." lestrade looked startled. ', 'holmes answered. "it is entirely a question of barometric pressure." lestrade looked startled. "i do', 's answered. "it is entirely a question of barometric pressure." lestrade looked startled. "i do not ', 'wered. "it is entirely a question of barometric pressure." lestrade looked startled. "i do not quite', '. "it is entirely a question of barometric pressure." lestrade looked startled. "i do not quite foll', ' is entirely a question of barometric pressure." lestrade looked startled. "i do not quite follow," ', 'ntirely a question of barometric pressure." lestrade looked startled. "i do not quite follow," he sa', 'ly a question of barometric pressure." lestrade looked startled. "i do not quite follow," he said. "', 'question of barometric pressure." lestrade looked startled. "i do not quite follow," he said. "how i', 'ion of barometric pressure." lestrade looked startled. "i do not quite follow," he said. "how is the', 'f barometric pressure." lestrade looked startled. "i do not quite follow," he said. "how is the glas', 'ometric pressure." lestrade looked startled. "i do not quite follow," he said. "how is the glass? tw', 'ic pressure." lestrade looked startled. "i do not quite follow," he said. "how is the glass? twenty-', 'essure." lestrade looked startled. "i do not quite follow," he said. "how is the glass? twenty-nine,', 'e." lestrade looked startled. "i do not quite follow," he said. "how is the glass? twenty-nine, i se', 'estrade looked startled. "i do not quite follow," he said. "how is the glass? twenty-nine, i see. no', 'de looked startled. "i do not quite follow," he said. "how is the glass? twenty-nine, i see. no wind', 'oked startled. "i do not quite follow," he said. "how is the glass? twenty-nine, i see. no wind, and', 'startled. "i do not quite follow," he said. "how is the glass? twenty-nine, i see. no wind, and not ', 'led. "i do not quite follow," he said. "how is the glass? twenty-nine, i see. no wind, and not a clo', '"i do not quite follow," he said. "how is the glass? twenty-nine, i see. no wind, and not a cloud in', ' not quite follow," he said. "how is the glass? twenty-nine, i see. no wind, and not a cloud in the ', 'quite follow," he said. "how is the glass? twenty-nine, i see. no wind, and not a cloud in the sky. ', ' follow," he said. "how is the glass? twenty-nine, i see. no wind, and not a cloud in the sky. i hav', 'ow," he said. "how is the glass? twenty-nine, i see. no wind, and not a cloud in the sky. i have a c', 'he said. "how is the glass? twenty-nine, i see. no wind, and not a cloud in the sky. i have a casefu', 'id. "how is the glass? twenty-nine, i see. no wind, and not a cloud in the sky. i have a caseful of ', 'how is the glass? twenty-nine, i see. no wind, and not a cloud in the sky. i have a caseful of cigar', 's the glass? twenty-nine, i see. no wind, and not a cloud in the sky. i have a caseful of cigarettes', ' glass? twenty-nine, i see. no wind, and not a cloud in the sky. i have a caseful of cigarettes here', 's? twenty-nine, i see. no wind, and not a cloud in the sky. i have a caseful of cigarettes here whic', 'enty-nine, i see. no wind, and not a cloud in the sky. i have a caseful of cigarettes here which nee', 'nine, i see. no wind, and not a cloud in the sky. i have a caseful of cigarettes here which need smo', ' i see. no wind, and not a cloud in the sky. i have a caseful of cigarettes here which need smoking,', 'e. no wind, and not a cloud in the sky. i have a caseful of cigarettes here which need smoking, and ', ' wind, and not a cloud in the sky. i have a caseful of cigarettes here which need smoking, and the s', ', and not a cloud in the sky. i have a caseful of cigarettes here which need smoking, and the sofa i', ' not a cloud in the sky. i have a caseful of cigarettes here which need smoking, and the sofa is ver', 'a cloud in the sky. i have a caseful of cigarettes here which need smoking, and the sofa is very muc', 'ud in the sky. i have a caseful of cigarettes here which need smoking, and the sofa is very much sup', ' the sky. i have a caseful of cigarettes here which need smoking, and the sofa is very much superior', 'sky. i have a caseful of cigarettes here which need smoking, and the sofa is very much superior to t', 'i have a caseful of cigarettes here which need smoking, and the sofa is very much superior to the us', 'e a caseful of cigarettes here which need smoking, and the sofa is very much superior to the usual c', 'aseful of cigarettes here which need smoking, and the sofa is very much superior to the usual countr', 'l of cigarettes here which need smoking, and the sofa is very much superior to the usual country hot', 'cigarettes here which need smoking, and the sofa is very much superior to the usual country hotel ab', 'ettes here which need smoking, and the sofa is very much superior to the usual country hotel abomina', ' here which need smoking, and the sofa is very much superior to the usual country hotel abomination.', ' which need smoking, and the sofa is very much superior to the usual country hotel abomination. i do', 'h need smoking, and the sofa is very much superior to the usual country hotel abomination. i do not ', 'd smoking, and the sofa is very much superior to the usual country hotel abomination. i do not think', 'king, and the sofa is very much superior to the usual country hotel abomination. i do not think that', ' and the sofa is very much superior to the usual country hotel abomination. i do not think that it i', 'the sofa is very much superior to the usual country hotel abomination. i do not think that it is pro', 'ofa is very much superior to the usual country hotel abomination. i do not think that it is probable', 's very much superior to the usual country hotel abomination. i do not think that it is probable that', 'y much superior to the usual country hotel abomination. i do not think that it is probable that i sh', 'h superior to the usual country hotel abomination. i do not think that it is probable that i shall u', 'erior to the usual country hotel abomination. i do not think that it is probable that i shall use th', ' to the usual country hotel abomination. i do not think that it is probable that i shall use the car', 'he usual country hotel abomination. i do not think that it is probable that i shall use the carriage', 'ual country hotel abomination. i do not think that it is probable that i shall use the carriage to-n', 'ountry hotel abomination. i do not think that it is probable that i shall use the carriage to-night.', 'y hotel abomination. i do not think that it is probable that i shall use the carriage to-night." les', 'el abomination. i do not think that it is probable that i shall use the carriage to-night." lestrade', 'omination. i do not think that it is probable that i shall use the carriage to-night." lestrade laug', 'tion. i do not think that it is probable that i shall use the carriage to-night." lestrade laughed i', ' i do not think that it is probable that i shall use the carriage to-night." lestrade laughed indulg', ' not think that it is probable that i shall use the carriage to-night." lestrade laughed indulgently', 'think that it is probable that i shall use the carriage to-night." lestrade laughed indulgently. "yo', ' that it is probable that i shall use the carriage to-night." lestrade laughed indulgently. "you hav', ' it is probable that i shall use the carriage to-night." lestrade laughed indulgently. "you have, no', 's probable that i shall use the carriage to-night." lestrade laughed indulgently. "you have, no doub', 'bable that i shall use the carriage to-night." lestrade laughed indulgently. "you have, no doubt, al', ' that i shall use the carriage to-night." lestrade laughed indulgently. "you have, no doubt, already', ' i shall use the carriage to-night." lestrade laughed indulgently. "you have, no doubt, already form', 'all use the carriage to-night." lestrade laughed indulgently. "you have, no doubt, already formed yo', 'se the carriage to-night." lestrade laughed indulgently. "you have, no doubt, already formed your co', 'e carriage to-night." lestrade laughed indulgently. "you have, no doubt, already formed your conclus', 'riage to-night." lestrade laughed indulgently. "you have, no doubt, already formed your conclusions ', ' to-night." lestrade laughed indulgently. "you have, no doubt, already formed your conclusions from ', 'ight." lestrade laughed indulgently. "you have, no doubt, already formed your conclusions from the n', '" lestrade laughed indulgently. "you have, no doubt, already formed your conclusions from the newspa', 'trade laughed indulgently. "you have, no doubt, already formed your conclusions from the newspapers,', ' laughed indulgently. "you have, no doubt, already formed your conclusions from the newspapers," he ', 'hed indulgently. "you have, no doubt, already formed your conclusions from the newspapers," he said.', 'ndulgently. "you have, no doubt, already formed your conclusions from the newspapers," he said. "the', 'ently. "you have, no doubt, already formed your conclusions from the newspapers," he said. "the case', '. "you have, no doubt, already formed your conclusions from the newspapers," he said. "the case is a', 'u have, no doubt, already formed your conclusions from the newspapers," he said. "the case is as pla', 'e, no doubt, already formed your conclusions from the newspapers," he said. "the case is as plain as', ' doubt, already formed your conclusions from the newspapers," he said. "the case is as plain as a pi', 't, already formed your conclusions from the newspapers," he said. "the case is as plain as a pikesta', 'ready formed your conclusions from the newspapers," he said. "the case is as plain as a pikestaff, a', ' formed your conclusions from the newspapers," he said. "the case is as plain as a pikestaff, and th', 'ed your conclusions from the newspapers," he said. "the case is as plain as a pikestaff, and the mor', 'ur conclusions from the newspapers," he said. "the case is as plain as a pikestaff, and the more one', 'nclusions from the newspapers," he said. "the case is as plain as a pikestaff, and the more one goes', 'ions from the newspapers," he said. "the case is as plain as a pikestaff, and the more one goes into', 'from the newspapers," he said. "the case is as plain as a pikestaff, and the more one goes into it t', 'the newspapers," he said. "the case is as plain as a pikestaff, and the more one goes into it the pl', 'ewspapers," he said. "the case is as plain as a pikestaff, and the more one goes into it the plainer', 'pers," he said. "the case is as plain as a pikestaff, and the more one goes into it the plainer it b', '" he said. "the case is as plain as a pikestaff, and the more one goes into it the plainer it become', 'said. "the case is as plain as a pikestaff, and the more one goes into it the plainer it becomes. st', ' "the case is as plain as a pikestaff, and the more one goes into it the plainer it becomes. still, ', ' case is as plain as a pikestaff, and the more one goes into it the plainer it becomes. still, of co', ' is as plain as a pikestaff, and the more one goes into it the plainer it becomes. still, of course,', 's plain as a pikestaff, and the more one goes into it the plainer it becomes. still, of course, one ', "in as a pikestaff, and the more one goes into it the plainer it becomes. still, of course, one can't", " a pikestaff, and the more one goes into it the plainer it becomes. still, of course, one can't refu", "kestaff, and the more one goes into it the plainer it becomes. still, of course, one can't refuse a ", "ff, and the more one goes into it the plainer it becomes. still, of course, one can't refuse a lady,", "nd the more one goes into it the plainer it becomes. still, of course, one can't refuse a lady, and ", "e more one goes into it the plainer it becomes. still, of course, one can't refuse a lady, and such ", "e one goes into it the plainer it becomes. still, of course, one can't refuse a lady, and such a ver", " goes into it the plainer it becomes. still, of course, one can't refuse a lady, and such a very pos", " into it the plainer it becomes. still, of course, one can't refuse a lady, and such a very positive", " it the plainer it becomes. still, of course, one can't refuse a lady, and such a very positive one,", "he plainer it becomes. still, of course, one can't refuse a lady, and such a very positive one, too.", "ainer it becomes. still, of course, one can't refuse a lady, and such a very positive one, too. she ", " it becomes. still, of course, one can't refuse a lady, and such a very positive one, too. she has h", "ecomes. still, of course, one can't refuse a lady, and such a very positive one, too. she has heard ", "s. still, of course, one can't refuse a lady, and such a very positive one, too. she has heard of yo", "ill, of course, one can't refuse a lady, and such a very positive one, too. she has heard of you, an", "of course, one can't refuse a lady, and such a very positive one, too. she has heard of you, and wou", "urse, one can't refuse a lady, and such a very positive one, too. she has heard of you, and would ha", " one can't refuse a lady, and such a very positive one, too. she has heard of you, and would have yo", "can't refuse a lady, and such a very positive one, too. she has heard of you, and would have your op", ' refuse a lady, and such a very positive one, too. she has heard of you, and would have your opinion', 'se a lady, and such a very positive one, too. she has heard of you, and would have your opinion, tho', 'lady, and such a very positive one, too. she has heard of you, and would have your opinion, though i', ' and such a very positive one, too. she has heard of you, and would have your opinion, though i repe', 'such a very positive one, too. she has heard of you, and would have your opinion, though i repeatedl', 'a very positive one, too. she has heard of you, and would have your opinion, though i repeatedly tol', 'y positive one, too. she has heard of you, and would have your opinion, though i repeatedly told her', 'itive one, too. she has heard of you, and would have your opinion, though i repeatedly told her that', ' one, too. she has heard of you, and would have your opinion, though i repeatedly told her that ther', ' too. she has heard of you, and would have your opinion, though i repeatedly told her that there was', ' she has heard of you, and would have your opinion, though i repeatedly told her that there was noth', 'has heard of you, and would have your opinion, though i repeatedly told her that there was nothing w', 'eard of you, and would have your opinion, though i repeatedly told her that there was nothing which ', 'of you, and would have your opinion, though i repeatedly told her that there was nothing which you c', 'u, and would have your opinion, though i repeatedly told her that there was nothing which you could ', 'd would have your opinion, though i repeatedly told her that there was nothing which you could do wh', 'ld have your opinion, though i repeatedly told her that there was nothing which you could do which i', 've your opinion, though i repeatedly told her that there was nothing which you could do which i had ', 'ur opinion, though i repeatedly told her that there was nothing which you could do which i had not a', 'inion, though i repeatedly told her that there was nothing which you could do which i had not alread', ', though i repeatedly told her that there was nothing which you could do which i had not already don', 'ugh i repeatedly told her that there was nothing which you could do which i had not already done. wh', ' repeatedly told her that there was nothing which you could do which i had not already done. why, bl', 'atedly told her that there was nothing which you could do which i had not already done. why, bless m', 'y told her that there was nothing which you could do which i had not already done. why, bless my sou', 'd her that there was nothing which you could do which i had not already done. why, bless my soul! he', ' that there was nothing which you could do which i had not already done. why, bless my soul! here is', ' there was nothing which you could do which i had not already done. why, bless my soul! here is her ', 'e was nothing which you could do which i had not already done. why, bless my soul! here is her carri', ' nothing which you could do which i had not already done. why, bless my soul! here is her carriage a', 'ing which you could do which i had not already done. why, bless my soul! here is her carriage at the', 'hich you could do which i had not already done. why, bless my soul! here is her carriage at the door', 'you could do which i had not already done. why, bless my soul! here is her carriage at the door." he', 'ould do which i had not already done. why, bless my soul! here is her carriage at the door." he had ', 'do which i had not already done. why, bless my soul! here is her carriage at the door." he had hardl', 'ich i had not already done. why, bless my soul! here is her carriage at the door." he had hardly spo', ' had not already done. why, bless my soul! here is her carriage at the door." he had hardly spoken b', 'not already done. why, bless my soul! here is her carriage at the door." he had hardly spoken before', 'lready done. why, bless my soul! here is her carriage at the door." he had hardly spoken before ther', 'y done. why, bless my soul! here is her carriage at the door." he had hardly spoken before there rus', 'e. why, bless my soul! here is her carriage at the door." he had hardly spoken before there rushed i', 'y, bless my soul! here is her carriage at the door." he had hardly spoken before there rushed into t', 'ess my soul! here is her carriage at the door." he had hardly spoken before there rushed into the ro', 'y soul! here is her carriage at the door." he had hardly spoken before there rushed into the room on', 'l! here is her carriage at the door." he had hardly spoken before there rushed into the room one of ', 're is her carriage at the door." he had hardly spoken before there rushed into the room one of the m', ' her carriage at the door." he had hardly spoken before there rushed into the room one of the most l', 'carriage at the door." he had hardly spoken before there rushed into the room one of the most lovely', 'age at the door." he had hardly spoken before there rushed into the room one of the most lovely youn', 't the door." he had hardly spoken before there rushed into the room one of the most lovely young wom', ' door." he had hardly spoken before there rushed into the room one of the most lovely young women th', '." he had hardly spoken before there rushed into the room one of the most lovely young women that i ', ' had hardly spoken before there rushed into the room one of the most lovely young women that i have ', 'hardly spoken before there rushed into the room one of the most lovely young women that i have ever ', 'y spoken before there rushed into the room one of the most lovely young women that i have ever seen ', 'ken before there rushed into the room one of the most lovely young women that i have ever seen in my', 'efore there rushed into the room one of the most lovely young women that i have ever seen in my life', ' there rushed into the room one of the most lovely young women that i have ever seen in my life. her', 'e rushed into the room one of the most lovely young women that i have ever seen in my life. her viol', 'hed into the room one of the most lovely young women that i have ever seen in my life. her violet ey', 'nto the room one of the most lovely young women that i have ever seen in my life. her violet eyes sh', 'he room one of the most lovely young women that i have ever seen in my life. her violet eyes shining', 'om one of the most lovely young women that i have ever seen in my life. her violet eyes shining, her', 'e of the most lovely young women that i have ever seen in my life. her violet eyes shining, her lips', 'the most lovely young women that i have ever seen in my life. her violet eyes shining, her lips part', 'ost lovely young women that i have ever seen in my life. her violet eyes shining, her lips parted, a', 'ovely young women that i have ever seen in my life. her violet eyes shining, her lips parted, a pink', ' young women that i have ever seen in my life. her violet eyes shining, her lips parted, a pink flus', 'g women that i have ever seen in my life. her violet eyes shining, her lips parted, a pink flush upo', 'en that i have ever seen in my life. her violet eyes shining, her lips parted, a pink flush upon her', 'at i have ever seen in my life. her violet eyes shining, her lips parted, a pink flush upon her chee', 'have ever seen in my life. her violet eyes shining, her lips parted, a pink flush upon her cheeks, a', 'ever seen in my life. her violet eyes shining, her lips parted, a pink flush upon her cheeks, all th', 'seen in my life. her violet eyes shining, her lips parted, a pink flush upon her cheeks, all thought', 'in my life. her violet eyes shining, her lips parted, a pink flush upon her cheeks, all thought of h', ' life. her violet eyes shining, her lips parted, a pink flush upon her cheeks, all thought of her na', '. her violet eyes shining, her lips parted, a pink flush upon her cheeks, all thought of her natural', ' violet eyes shining, her lips parted, a pink flush upon her cheeks, all thought of her natural rese', 'et eyes shining, her lips parted, a pink flush upon her cheeks, all thought of her natural reserve l', 'es shining, her lips parted, a pink flush upon her cheeks, all thought of her natural reserve lost i', 'ining, her lips parted, a pink flush upon her cheeks, all thought of her natural reserve lost in her', ', her lips parted, a pink flush upon her cheeks, all thought of her natural reserve lost in her over', ' lips parted, a pink flush upon her cheeks, all thought of her natural reserve lost in her overpower', ' parted, a pink flush upon her cheeks, all thought of her natural reserve lost in her overpowering e', 'ed, a pink flush upon her cheeks, all thought of her natural reserve lost in her overpowering excite', ' pink flush upon her cheeks, all thought of her natural reserve lost in her overpowering excitement ', ' flush upon her cheeks, all thought of her natural reserve lost in her overpowering excitement and c', 'h upon her cheeks, all thought of her natural reserve lost in her overpowering excitement and concer', 'n her cheeks, all thought of her natural reserve lost in her overpowering excitement and concern. "o', ' cheeks, all thought of her natural reserve lost in her overpowering excitement and concern. "oh, mr', 'ks, all thought of her natural reserve lost in her overpowering excitement and concern. "oh, mr. she', 'll thought of her natural reserve lost in her overpowering excitement and concern. "oh, mr. sherlock', 'ought of her natural reserve lost in her overpowering excitement and concern. "oh, mr. sherlock holm', ' of her natural reserve lost in her overpowering excitement and concern. "oh, mr. sherlock holmes sh', 'er natural reserve lost in her overpowering excitement and concern. "oh, mr. sherlock holmes she cri', 'tural reserve lost in her overpowering excitement and concern. "oh, mr. sherlock holmes she cried, g', ' reserve lost in her overpowering excitement and concern. "oh, mr. sherlock holmes she cried, glanci', 'rve lost in her overpowering excitement and concern. "oh, mr. sherlock holmes she cried, glancing fr', 'ost in her overpowering excitement and concern. "oh, mr. sherlock holmes she cried, glancing from on', 'n her overpowering excitement and concern. "oh, mr. sherlock holmes she cried, glancing from one to ', ' overpowering excitement and concern. "oh, mr. sherlock holmes she cried, glancing from one to the o', 'powering excitement and concern. "oh, mr. sherlock holmes she cried, glancing from one to the other ', 'ing excitement and concern. "oh, mr. sherlock holmes she cried, glancing from one to the other of us', 'xcitement and concern. "oh, mr. sherlock holmes she cried, glancing from one to the other of us, and', 'ment and concern. "oh, mr. sherlock holmes she cried, glancing from one to the other of us, and fina', 'and concern. "oh, mr. sherlock holmes she cried, glancing from one to the other of us, and finally, ', 'oncern. "oh, mr. sherlock holmes she cried, glancing from one to the other of us, and finally, with ', 'n. "oh, mr. sherlock holmes she cried, glancing from one to the other of us, and finally, with a wom', "h, mr. sherlock holmes she cried, glancing from one to the other of us, and finally, with a woman's ", ". sherlock holmes she cried, glancing from one to the other of us, and finally, with a woman's quick", "rlock holmes she cried, glancing from one to the other of us, and finally, with a woman's quick intu", " holmes she cried, glancing from one to the other of us, and finally, with a woman's quick intuition", "es she cried, glancing from one to the other of us, and finally, with a woman's quick intuition, fas", "e cried, glancing from one to the other of us, and finally, with a woman's quick intuition, fastenin", "ed, glancing from one to the other of us, and finally, with a woman's quick intuition, fastening upo", "lancing from one to the other of us, and finally, with a woman's quick intuition, fastening upon my ", "ng from one to the other of us, and finally, with a woman's quick intuition, fastening upon my compa", "om one to the other of us, and finally, with a woman's quick intuition, fastening upon my companion,", 'e to the other of us, and finally, with a woman\'s quick intuition, fastening upon my companion, "i a', 'the other of us, and finally, with a woman\'s quick intuition, fastening upon my companion, "i am so ', 'ther of us, and finally, with a woman\'s quick intuition, fastening upon my companion, "i am so glad ', 'of us, and finally, with a woman\'s quick intuition, fastening upon my companion, "i am so glad that ', ', and finally, with a woman\'s quick intuition, fastening upon my companion, "i am so glad that you h', ' finally, with a woman\'s quick intuition, fastening upon my companion, "i am so glad that you have c', 'lly, with a woman\'s quick intuition, fastening upon my companion, "i am so glad that you have come. ', 'with a woman\'s quick intuition, fastening upon my companion, "i am so glad that you have come. i hav', 'a woman\'s quick intuition, fastening upon my companion, "i am so glad that you have come. i have dri', 'an\'s quick intuition, fastening upon my companion, "i am so glad that you have come. i have driven d', 'quick intuition, fastening upon my companion, "i am so glad that you have come. i have driven down t', ' intuition, fastening upon my companion, "i am so glad that you have come. i have driven down to tel', 'ition, fastening upon my companion, "i am so glad that you have come. i have driven down to tell you', ', fastening upon my companion, "i am so glad that you have come. i have driven down to tell you so. ', 'tening upon my companion, "i am so glad that you have come. i have driven down to tell you so. i kno', 'g upon my companion, "i am so glad that you have come. i have driven down to tell you so. i know tha', 'n my companion, "i am so glad that you have come. i have driven down to tell you so. i know that jam', 'companion, "i am so glad that you have come. i have driven down to tell you so. i know that james di', 'nion, "i am so glad that you have come. i have driven down to tell you so. i know that james didn\'t ', ' "i am so glad that you have come. i have driven down to tell you so. i know that james didn\'t do it', "m so glad that you have come. i have driven down to tell you so. i know that james didn't do it. i k", "glad that you have come. i have driven down to tell you so. i know that james didn't do it. i know i", "that you have come. i have driven down to tell you so. i know that james didn't do it. i know it, an", "you have come. i have driven down to tell you so. i know that james didn't do it. i know it, and i w", "ave come. i have driven down to tell you so. i know that james didn't do it. i know it, and i want y", "ome. i have driven down to tell you so. i know that james didn't do it. i know it, and i want you to", "i have driven down to tell you so. i know that james didn't do it. i know it, and i want you to star", "e driven down to tell you so. i know that james didn't do it. i know it, and i want you to start upo", "ven down to tell you so. i know that james didn't do it. i know it, and i want you to start upon you", "own to tell you so. i know that james didn't do it. i know it, and i want you to start upon your wor", "o tell you so. i know that james didn't do it. i know it, and i want you to start upon your work kno", "l you so. i know that james didn't do it. i know it, and i want you to start upon your work knowing ", " so. i know that james didn't do it. i know it, and i want you to start upon your work knowing it, t", "i know that james didn't do it. i know it, and i want you to start upon your work knowing it, too. n", "w that james didn't do it. i know it, and i want you to start upon your work knowing it, too. never ", "t james didn't do it. i know it, and i want you to start upon your work knowing it, too. never let y", "es didn't do it. i know it, and i want you to start upon your work knowing it, too. never let yourse", "dn't do it. i know it, and i want you to start upon your work knowing it, too. never let yourself do", 'do it. i know it, and i want you to start upon your work knowing it, too. never let yourself doubt u', '. i know it, and i want you to start upon your work knowing it, too. never let yourself doubt upon t', 'now it, and i want you to start upon your work knowing it, too. never let yourself doubt upon that p', 't, and i want you to start upon your work knowing it, too. never let yourself doubt upon that point.', 'd i want you to start upon your work knowing it, too. never let yourself doubt upon that point. we h', 'ant you to start upon your work knowing it, too. never let yourself doubt upon that point. we have k', 'ou to start upon your work knowing it, too. never let yourself doubt upon that point. we have known ', ' start upon your work knowing it, too. never let yourself doubt upon that point. we have known each ', 't upon your work knowing it, too. never let yourself doubt upon that point. we have known each other', 'n your work knowing it, too. never let yourself doubt upon that point. we have known each other sinc', 'r work knowing it, too. never let yourself doubt upon that point. we have known each other since we ', 'k knowing it, too. never let yourself doubt upon that point. we have known each other since we were ', 'wing it, too. never let yourself doubt upon that point. we have known each other since we were littl', 'it, too. never let yourself doubt upon that point. we have known each other since we were little chi', 'oo. never let yourself doubt upon that point. we have known each other since we were little children', 'ever let yourself doubt upon that point. we have known each other since we were little children, and', 'let yourself doubt upon that point. we have known each other since we were little children, and i kn', 'ourself doubt upon that point. we have known each other since we were little children, and i know hi', 'lf doubt upon that point. we have known each other since we were little children, and i know his fau', 'ubt upon that point. we have known each other since we were little children, and i know his faults a', 'pon that point. we have known each other since we were little children, and i know his faults as no ', 'hat point. we have known each other since we were little children, and i know his faults as no one e', 'oint. we have known each other since we were little children, and i know his faults as no one else d', ' we have known each other since we were little children, and i know his faults as no one else does; ', 'ave known each other since we were little children, and i know his faults as no one else does; but h', 'nown each other since we were little children, and i know his faults as no one else does; but he is ', 'each other since we were little children, and i know his faults as no one else does; but he is too t', 'other since we were little children, and i know his faults as no one else does; but he is too tender', ' since we were little children, and i know his faults as no one else does; but he is too tender-hear', 'e we were little children, and i know his faults as no one else does; but he is too tender-hearted t', 'were little children, and i know his faults as no one else does; but he is too tender-hearted to hur', 'little children, and i know his faults as no one else does; but he is too tender-hearted to hurt a f', 'e children, and i know his faults as no one else does; but he is too tender-hearted to hurt a fly. s', 'ldren, and i know his faults as no one else does; but he is too tender-hearted to hurt a fly. such a', ', and i know his faults as no one else does; but he is too tender-hearted to hurt a fly. such a char', ' i know his faults as no one else does; but he is too tender-hearted to hurt a fly. such a charge is', 'ow his faults as no one else does; but he is too tender-hearted to hurt a fly. such a charge is absu', 's faults as no one else does; but he is too tender-hearted to hurt a fly. such a charge is absurd to', 'lts as no one else does; but he is too tender-hearted to hurt a fly. such a charge is absurd to anyo', 's no one else does; but he is too tender-hearted to hurt a fly. such a charge is absurd to anyone wh', 'one else does; but he is too tender-hearted to hurt a fly. such a charge is absurd to anyone who rea', 'lse does; but he is too tender-hearted to hurt a fly. such a charge is absurd to anyone who really k', 'oes; but he is too tender-hearted to hurt a fly. such a charge is absurd to anyone who really knows ', 'but he is too tender-hearted to hurt a fly. such a charge is absurd to anyone who really knows him."', 'e is too tender-hearted to hurt a fly. such a charge is absurd to anyone who really knows him." "i h', 'too tender-hearted to hurt a fly. such a charge is absurd to anyone who really knows him." "i hope w', 'ender-hearted to hurt a fly. such a charge is absurd to anyone who really knows him." "i hope we may', '-hearted to hurt a fly. such a charge is absurd to anyone who really knows him." "i hope we may clea', 'ted to hurt a fly. such a charge is absurd to anyone who really knows him." "i hope we may clear him', 'o hurt a fly. such a charge is absurd to anyone who really knows him." "i hope we may clear him, mis', 't a fly. such a charge is absurd to anyone who really knows him." "i hope we may clear him, miss tur', 'ly. such a charge is absurd to anyone who really knows him." "i hope we may clear him, miss turner,"', 'uch a charge is absurd to anyone who really knows him." "i hope we may clear him, miss turner," said', ' charge is absurd to anyone who really knows him." "i hope we may clear him, miss turner," said sher', 'ge is absurd to anyone who really knows him." "i hope we may clear him, miss turner," said sherlock ', ' absurd to anyone who really knows him." "i hope we may clear him, miss turner," said sherlock holme', 'rd to anyone who really knows him." "i hope we may clear him, miss turner," said sherlock holmes. "y', ' anyone who really knows him." "i hope we may clear him, miss turner," said sherlock holmes. "you ma', 'ne who really knows him." "i hope we may clear him, miss turner," said sherlock holmes. "you may rel', 'o really knows him." "i hope we may clear him, miss turner," said sherlock holmes. "you may rely upo', 'lly knows him." "i hope we may clear him, miss turner," said sherlock holmes. "you may rely upon my ', 'nows him." "i hope we may clear him, miss turner," said sherlock holmes. "you may rely upon my doing', 'him." "i hope we may clear him, miss turner," said sherlock holmes. "you may rely upon my doing all ', ' "i hope we may clear him, miss turner," said sherlock holmes. "you may rely upon my doing all that ', 'ope we may clear him, miss turner," said sherlock holmes. "you may rely upon my doing all that i can', 'e may clear him, miss turner," said sherlock holmes. "you may rely upon my doing all that i can." "b', ' clear him, miss turner," said sherlock holmes. "you may rely upon my doing all that i can." "but yo', 'r him, miss turner," said sherlock holmes. "you may rely upon my doing all that i can." "but you hav', ', miss turner," said sherlock holmes. "you may rely upon my doing all that i can." "but you have rea', 's turner," said sherlock holmes. "you may rely upon my doing all that i can." "but you have read the', 'ner," said sherlock holmes. "you may rely upon my doing all that i can." "but you have read the evid', ' said sherlock holmes. "you may rely upon my doing all that i can." "but you have read the evidence.', ' sherlock holmes. "you may rely upon my doing all that i can." "but you have read the evidence. you ', 'lock holmes. "you may rely upon my doing all that i can." "but you have read the evidence. you have ', 'holmes. "you may rely upon my doing all that i can." "but you have read the evidence. you have forme', 's. "you may rely upon my doing all that i can." "but you have read the evidence. you have formed som', 'ou may rely upon my doing all that i can." "but you have read the evidence. you have formed some con', 'y rely upon my doing all that i can." "but you have read the evidence. you have formed some conclusi', 'y upon my doing all that i can." "but you have read the evidence. you have formed some conclusion? d', 'n my doing all that i can." "but you have read the evidence. you have formed some conclusion? do you', 'doing all that i can." "but you have read the evidence. you have formed some conclusion? do you not ', ' all that i can." "but you have read the evidence. you have formed some conclusion? do you not see s', 'that i can." "but you have read the evidence. you have formed some conclusion? do you not see some l', 'i can." "but you have read the evidence. you have formed some conclusion? do you not see some loopho', '." "but you have read the evidence. you have formed some conclusion? do you not see some loophole, s', 'ut you have read the evidence. you have formed some conclusion? do you not see some loophole, some f', 'u have read the evidence. you have formed some conclusion? do you not see some loophole, some flaw? ', 'e read the evidence. you have formed some conclusion? do you not see some loophole, some flaw? do yo', 'd the evidence. you have formed some conclusion? do you not see some loophole, some flaw? do you not', ' evidence. you have formed some conclusion? do you not see some loophole, some flaw? do you not your', 'ence. you have formed some conclusion? do you not see some loophole, some flaw? do you not yourself ', ' you have formed some conclusion? do you not see some loophole, some flaw? do you not yourself think', 'have formed some conclusion? do you not see some loophole, some flaw? do you not yourself think that', 'formed some conclusion? do you not see some loophole, some flaw? do you not yourself think that he i', 'd some conclusion? do you not see some loophole, some flaw? do you not yourself think that he is inn', 'e conclusion? do you not see some loophole, some flaw? do you not yourself think that he is innocent', 'clusion? do you not see some loophole, some flaw? do you not yourself think that he is innocent?" "i', 'on? do you not see some loophole, some flaw? do you not yourself think that he is innocent?" "i thin', 'o you not see some loophole, some flaw? do you not yourself think that he is innocent?" "i think tha', ' not see some loophole, some flaw? do you not yourself think that he is innocent?" "i think that it ', 'see some loophole, some flaw? do you not yourself think that he is innocent?" "i think that it is ve', 'ome loophole, some flaw? do you not yourself think that he is innocent?" "i think that it is very pr', 'oophole, some flaw? do you not yourself think that he is innocent?" "i think that it is very probabl', 'le, some flaw? do you not yourself think that he is innocent?" "i think that it is very probable." "', 'ome flaw? do you not yourself think that he is innocent?" "i think that it is very probable." "there', 'law? do you not yourself think that he is innocent?" "i think that it is very probable." "there, now', 'do you not yourself think that he is innocent?" "i think that it is very probable." "there, now she ', 'u not yourself think that he is innocent?" "i think that it is very probable." "there, now she cried', ' yourself think that he is innocent?" "i think that it is very probable." "there, now she cried, thr', 'self think that he is innocent?" "i think that it is very probable." "there, now she cried, throwing', 'think that he is innocent?" "i think that it is very probable." "there, now she cried, throwing back', ' that he is innocent?" "i think that it is very probable." "there, now she cried, throwing back her ', ' he is innocent?" "i think that it is very probable." "there, now she cried, throwing back her head ', 's innocent?" "i think that it is very probable." "there, now she cried, throwing back her head and l', 'ocent?" "i think that it is very probable." "there, now she cried, throwing back her head and lookin', '?" "i think that it is very probable." "there, now she cried, throwing back her head and looking def', ' think that it is very probable." "there, now she cried, throwing back her head and looking defiantl', 'k that it is very probable." "there, now she cried, throwing back her head and looking defiantly at ', 't it is very probable." "there, now she cried, throwing back her head and looking defiantly at lestr', 'is very probable." "there, now she cried, throwing back her head and looking defiantly at lestrade. ', 'ry probable." "there, now she cried, throwing back her head and looking defiantly at lestrade. "you ', 'obable." "there, now she cried, throwing back her head and looking defiantly at lestrade. "you hear!', 'e." "there, now she cried, throwing back her head and looking defiantly at lestrade. "you hear! he g', 'there, now she cried, throwing back her head and looking defiantly at lestrade. "you hear! he gives ', ', now she cried, throwing back her head and looking defiantly at lestrade. "you hear! he gives me ho', ' she cried, throwing back her head and looking defiantly at lestrade. "you hear! he gives me hopes."', 'cried, throwing back her head and looking defiantly at lestrade. "you hear! he gives me hopes." lest', ', throwing back her head and looking defiantly at lestrade. "you hear! he gives me hopes." lestrade ', 'owing back her head and looking defiantly at lestrade. "you hear! he gives me hopes." lestrade shrug', ' back her head and looking defiantly at lestrade. "you hear! he gives me hopes." lestrade shrugged h', ' her head and looking defiantly at lestrade. "you hear! he gives me hopes." lestrade shrugged his sh', 'head and looking defiantly at lestrade. "you hear! he gives me hopes." lestrade shrugged his shoulde', 'and looking defiantly at lestrade. "you hear! he gives me hopes." lestrade shrugged his shoulders. "', 'ooking defiantly at lestrade. "you hear! he gives me hopes." lestrade shrugged his shoulders. "i am ', 'g defiantly at lestrade. "you hear! he gives me hopes." lestrade shrugged his shoulders. "i am afrai', 'iantly at lestrade. "you hear! he gives me hopes." lestrade shrugged his shoulders. "i am afraid tha', 'y at lestrade. "you hear! he gives me hopes." lestrade shrugged his shoulders. "i am afraid that my ', 'lestrade. "you hear! he gives me hopes." lestrade shrugged his shoulders. "i am afraid that my colle', 'ade. "you hear! he gives me hopes." lestrade shrugged his shoulders. "i am afraid that my colleague ', '"you hear! he gives me hopes." lestrade shrugged his shoulders. "i am afraid that my colleague has b', 'hear! he gives me hopes." lestrade shrugged his shoulders. "i am afraid that my colleague has been a', ' he gives me hopes." lestrade shrugged his shoulders. "i am afraid that my colleague has been a litt', 'ives me hopes." lestrade shrugged his shoulders. "i am afraid that my colleague has been a little qu', 'me hopes." lestrade shrugged his shoulders. "i am afraid that my colleague has been a little quick i', 'pes." lestrade shrugged his shoulders. "i am afraid that my colleague has been a little quick in for', ' lestrade shrugged his shoulders. "i am afraid that my colleague has been a little quick in forming ', 'rade shrugged his shoulders. "i am afraid that my colleague has been a little quick in forming his c', 'shrugged his shoulders. "i am afraid that my colleague has been a little quick in forming his conclu', 'ged his shoulders. "i am afraid that my colleague has been a little quick in forming his conclusions', 'is shoulders. "i am afraid that my colleague has been a little quick in forming his conclusions," he', 'oulders. "i am afraid that my colleague has been a little quick in forming his conclusions," he said', 'rs. "i am afraid that my colleague has been a little quick in forming his conclusions," he said. "bu', 'i am afraid that my colleague has been a little quick in forming his conclusions," he said. "but he ', 'afraid that my colleague has been a little quick in forming his conclusions," he said. "but he is ri', 'd that my colleague has been a little quick in forming his conclusions," he said. "but he is right. ', 't my colleague has been a little quick in forming his conclusions," he said. "but he is right. oh! i', 'colleague has been a little quick in forming his conclusions," he said. "but he is right. oh! i know', 'ague has been a little quick in forming his conclusions," he said. "but he is right. oh! i know that', 'has been a little quick in forming his conclusions," he said. "but he is right. oh! i know that he i', 'een a little quick in forming his conclusions," he said. "but he is right. oh! i know that he is rig', ' little quick in forming his conclusions," he said. "but he is right. oh! i know that he is right. j', 'le quick in forming his conclusions," he said. "but he is right. oh! i know that he is right. james ', 'ick in forming his conclusions," he said. "but he is right. oh! i know that he is right. james never', 'n forming his conclusions," he said. "but he is right. oh! i know that he is right. james never did ', 'ming his conclusions," he said. "but he is right. oh! i know that he is right. james never did it. a', 'his conclusions," he said. "but he is right. oh! i know that he is right. james never did it. and ab', 'onclusions," he said. "but he is right. oh! i know that he is right. james never did it. and about h', 'sions," he said. "but he is right. oh! i know that he is right. james never did it. and about his qu', '," he said. "but he is right. oh! i know that he is right. james never did it. and about his quarrel', ' said. "but he is right. oh! i know that he is right. james never did it. and about his quarrel with', '. "but he is right. oh! i know that he is right. james never did it. and about his quarrel with his ', 't he is right. oh! i know that he is right. james never did it. and about his quarrel with his fathe', 'is right. oh! i know that he is right. james never did it. and about his quarrel with his father, i ', 'ght. oh! i know that he is right. james never did it. and about his quarrel with his father, i am su', 'oh! i know that he is right. james never did it. and about his quarrel with his father, i am sure th', ' know that he is right. james never did it. and about his quarrel with his father, i am sure that th', ' that he is right. james never did it. and about his quarrel with his father, i am sure that the rea', ' he is right. james never did it. and about his quarrel with his father, i am sure that the reason w', 's right. james never did it. and about his quarrel with his father, i am sure that the reason why he', 'ht. james never did it. and about his quarrel with his father, i am sure that the reason why he woul', 'ames never did it. and about his quarrel with his father, i am sure that the reason why he would not', 'never did it. and about his quarrel with his father, i am sure that the reason why he would not spea', ' did it. and about his quarrel with his father, i am sure that the reason why he would not speak abo', 'it. and about his quarrel with his father, i am sure that the reason why he would not speak about it', 'nd about his quarrel with his father, i am sure that the reason why he would not speak about it to t', 'out his quarrel with his father, i am sure that the reason why he would not speak about it to the co', 'is quarrel with his father, i am sure that the reason why he would not speak about it to the coroner', 'arrel with his father, i am sure that the reason why he would not speak about it to the coroner was ', ' with his father, i am sure that the reason why he would not speak about it to the coroner was becau', ' his father, i am sure that the reason why he would not speak about it to the coroner was because i ', 'father, i am sure that the reason why he would not speak about it to the coroner was because i was c', 'r, i am sure that the reason why he would not speak about it to the coroner was because i was concer', 'am sure that the reason why he would not speak about it to the coroner was because i was concerned i', 're that the reason why he would not speak about it to the coroner was because i was concerned in it.', 'at the reason why he would not speak about it to the coroner was because i was concerned in it." "in', 'e reason why he would not speak about it to the coroner was because i was concerned in it." "in what', 'son why he would not speak about it to the coroner was because i was concerned in it." "in what way?', 'hy he would not speak about it to the coroner was because i was concerned in it." "in what way?" ask', ' would not speak about it to the coroner was because i was concerned in it." "in what way?" asked ho', 'd not speak about it to the coroner was because i was concerned in it." "in what way?" asked holmes.', ' speak about it to the coroner was because i was concerned in it." "in what way?" asked holmes. "it ', 'k about it to the coroner was because i was concerned in it." "in what way?" asked holmes. "it is no', 'ut it to the coroner was because i was concerned in it." "in what way?" asked holmes. "it is no time', ' to the coroner was because i was concerned in it." "in what way?" asked holmes. "it is no time for ', 'he coroner was because i was concerned in it." "in what way?" asked holmes. "it is no time for me to', 'roner was because i was concerned in it." "in what way?" asked holmes. "it is no time for me to hide', ' was because i was concerned in it." "in what way?" asked holmes. "it is no time for me to hide anyt', 'because i was concerned in it." "in what way?" asked holmes. "it is no time for me to hide anything.', 'se i was concerned in it." "in what way?" asked holmes. "it is no time for me to hide anything. jame', 'was concerned in it." "in what way?" asked holmes. "it is no time for me to hide anything. james and', 'oncerned in it." "in what way?" asked holmes. "it is no time for me to hide anything. james and his ', 'ned in it." "in what way?" asked holmes. "it is no time for me to hide anything. james and his fathe', 'n it." "in what way?" asked holmes. "it is no time for me to hide anything. james and his father had', '" "in what way?" asked holmes. "it is no time for me to hide anything. james and his father had many', ' what way?" asked holmes. "it is no time for me to hide anything. james and his father had many disa', ' way?" asked holmes. "it is no time for me to hide anything. james and his father had many disagreem', '" asked holmes. "it is no time for me to hide anything. james and his father had many disagreements ', 'ed holmes. "it is no time for me to hide anything. james and his father had many disagreements about', 'lmes. "it is no time for me to hide anything. james and his father had many disagreements about me. ', ' "it is no time for me to hide anything. james and his father had many disagreements about me. mr. m', 'is no time for me to hide anything. james and his father had many disagreements about me. mr. mccart', ' time for me to hide anything. james and his father had many disagreements about me. mr. mccarthy wa', ' for me to hide anything. james and his father had many disagreements about me. mr. mccarthy was ver', 'me to hide anything. james and his father had many disagreements about me. mr. mccarthy was very anx', ' hide anything. james and his father had many disagreements about me. mr. mccarthy was very anxious ', ' anything. james and his father had many disagreements about me. mr. mccarthy was very anxious that ', 'hing. james and his father had many disagreements about me. mr. mccarthy was very anxious that there', ' james and his father had many disagreements about me. mr. mccarthy was very anxious that there shou', 's and his father had many disagreements about me. mr. mccarthy was very anxious that there should be', ' his father had many disagreements about me. mr. mccarthy was very anxious that there should be a ma', 'father had many disagreements about me. mr. mccarthy was very anxious that there should be a marriag', 'r had many disagreements about me. mr. mccarthy was very anxious that there should be a marriage bet', ' many disagreements about me. mr. mccarthy was very anxious that there should be a marriage between ', ' disagreements about me. mr. mccarthy was very anxious that there should be a marriage between us. j', 'greements about me. mr. mccarthy was very anxious that there should be a marriage between us. james ', 'ents about me. mr. mccarthy was very anxious that there should be a marriage between us. james and i', 'about me. mr. mccarthy was very anxious that there should be a marriage between us. james and i have', ' me. mr. mccarthy was very anxious that there should be a marriage between us. james and i have alwa', 'mr. mccarthy was very anxious that there should be a marriage between us. james and i have always lo', 'ccarthy was very anxious that there should be a marriage between us. james and i have always loved e', 'hy was very anxious that there should be a marriage between us. james and i have always loved each o', 's very anxious that there should be a marriage between us. james and i have always loved each other ', 'y anxious that there should be a marriage between us. james and i have always loved each other as br', 'ious that there should be a marriage between us. james and i have always loved each other as brother', 'that there should be a marriage between us. james and i have always loved each other as brother and ', 'there should be a marriage between us. james and i have always loved each other as brother and siste', ' should be a marriage between us. james and i have always loved each other as brother and sister; bu', 'ld be a marriage between us. james and i have always loved each other as brother and sister; but of ', ' a marriage between us. james and i have always loved each other as brother and sister; but of cours', 'rriage between us. james and i have always loved each other as brother and sister; but of course he ', 'e between us. james and i have always loved each other as brother and sister; but of course he is yo', 'ween us. james and i have always loved each other as brother and sister; but of course he is young a', 'us. james and i have always loved each other as brother and sister; but of course he is young and ha', 'ames and i have always loved each other as brother and sister; but of course he is young and has see', 'and i have always loved each other as brother and sister; but of course he is young and has seen ver', ' have always loved each other as brother and sister; but of course he is young and has seen very lit', ' always loved each other as brother and sister; but of course he is young and has seen very little o', 'ys loved each other as brother and sister; but of course he is young and has seen very little of lif', 'ved each other as brother and sister; but of course he is young and has seen very little of life yet', 'ach other as brother and sister; but of course he is young and has seen very little of life yet, and', 'ther as brother and sister; but of course he is young and has seen very little of life yet, andandwe', 'as brother and sister; but of course he is young and has seen very little of life yet, andandwell, h', 'other and sister; but of course he is young and has seen very little of life yet, andandwell, he nat', ' and sister; but of course he is young and has seen very little of life yet, andandwell, he naturall', 'sister; but of course he is young and has seen very little of life yet, andandwell, he naturally did', 'r; but of course he is young and has seen very little of life yet, andandwell, he naturally did not ', 't of course he is young and has seen very little of life yet, andandwell, he naturally did not wish ', 'course he is young and has seen very little of life yet, andandwell, he naturally did not wish to do', 'e he is young and has seen very little of life yet, andandwell, he naturally did not wish to do anyt', 'is young and has seen very little of life yet, andandwell, he naturally did not wish to do anything ', 'ung and has seen very little of life yet, andandwell, he naturally did not wish to do anything like ', 'nd has seen very little of life yet, andandwell, he naturally did not wish to do anything like that ', 's seen very little of life yet, andandwell, he naturally did not wish to do anything like that yet. ', 'n very little of life yet, andandwell, he naturally did not wish to do anything like that yet. so th', 'y little of life yet, andandwell, he naturally did not wish to do anything like that yet. so there w', 'tle of life yet, andandwell, he naturally did not wish to do anything like that yet. so there were q', 'f life yet, andandwell, he naturally did not wish to do anything like that yet. so there were quarre', 'e yet, andandwell, he naturally did not wish to do anything like that yet. so there were quarrels, a', ', andandwell, he naturally did not wish to do anything like that yet. so there were quarrels, and th', 'andwell, he naturally did not wish to do anything like that yet. so there were quarrels, and this, i', 'll, he naturally did not wish to do anything like that yet. so there were quarrels, and this, i am s', 'e naturally did not wish to do anything like that yet. so there were quarrels, and this, i am sure, ', 'urally did not wish to do anything like that yet. so there were quarrels, and this, i am sure, was o', 'y did not wish to do anything like that yet. so there were quarrels, and this, i am sure, was one of', ' not wish to do anything like that yet. so there were quarrels, and this, i am sure, was one of them', 'wish to do anything like that yet. so there were quarrels, and this, i am sure, was one of them." "a', 'to do anything like that yet. so there were quarrels, and this, i am sure, was one of them." "and yo', ' anything like that yet. so there were quarrels, and this, i am sure, was one of them." "and your fa', 'hing like that yet. so there were quarrels, and this, i am sure, was one of them." "and your father?', 'like that yet. so there were quarrels, and this, i am sure, was one of them." "and your father?" ask', 'that yet. so there were quarrels, and this, i am sure, was one of them." "and your father?" asked ho', 'yet. so there were quarrels, and this, i am sure, was one of them." "and your father?" asked holmes.', 'so there were quarrels, and this, i am sure, was one of them." "and your father?" asked holmes. "was', 'ere were quarrels, and this, i am sure, was one of them." "and your father?" asked holmes. "was he i', 'ere quarrels, and this, i am sure, was one of them." "and your father?" asked holmes. "was he in fav', 'uarrels, and this, i am sure, was one of them." "and your father?" asked holmes. "was he in favour o', 'ls, and this, i am sure, was one of them." "and your father?" asked holmes. "was he in favour of suc', 'nd this, i am sure, was one of them." "and your father?" asked holmes. "was he in favour of such a u', 'is, i am sure, was one of them." "and your father?" asked holmes. "was he in favour of such a union?', ' am sure, was one of them." "and your father?" asked holmes. "was he in favour of such a union?" "no', 'ure, was one of them." "and your father?" asked holmes. "was he in favour of such a union?" "no, he ', 'was one of them." "and your father?" asked holmes. "was he in favour of such a union?" "no, he was a', 'ne of them." "and your father?" asked holmes. "was he in favour of such a union?" "no, he was averse', ' them." "and your father?" asked holmes. "was he in favour of such a union?" "no, he was averse to i', '." "and your father?" asked holmes. "was he in favour of such a union?" "no, he was averse to it als', 'nd your father?" asked holmes. "was he in favour of such a union?" "no, he was averse to it also. no', 'ur father?" asked holmes. "was he in favour of such a union?" "no, he was averse to it also. no one ', 'ther?" asked holmes. "was he in favour of such a union?" "no, he was averse to it also. no one but m', '" asked holmes. "was he in favour of such a union?" "no, he was averse to it also. no one but mr. mc', 'ed holmes. "was he in favour of such a union?" "no, he was averse to it also. no one but mr. mccarth', 'lmes. "was he in favour of such a union?" "no, he was averse to it also. no one but mr. mccarthy was', ' "was he in favour of such a union?" "no, he was averse to it also. no one but mr. mccarthy was in f', ' he in favour of such a union?" "no, he was averse to it also. no one but mr. mccarthy was in favour', 'n favour of such a union?" "no, he was averse to it also. no one but mr. mccarthy was in favour of i', 'our of such a union?" "no, he was averse to it also. no one but mr. mccarthy was in favour of it." a', 'f such a union?" "no, he was averse to it also. no one but mr. mccarthy was in favour of it." a quic', 'h a union?" "no, he was averse to it also. no one but mr. mccarthy was in favour of it." a quick blu', 'nion?" "no, he was averse to it also. no one but mr. mccarthy was in favour of it." a quick blush pa', '" "no, he was averse to it also. no one but mr. mccarthy was in favour of it." a quick blush passed ', ', he was averse to it also. no one but mr. mccarthy was in favour of it." a quick blush passed over ', 'was averse to it also. no one but mr. mccarthy was in favour of it." a quick blush passed over her f', 'verse to it also. no one but mr. mccarthy was in favour of it." a quick blush passed over her fresh ', ' to it also. no one but mr. mccarthy was in favour of it." a quick blush passed over her fresh young', 't also. no one but mr. mccarthy was in favour of it." a quick blush passed over her fresh young face', 'o. no one but mr. mccarthy was in favour of it." a quick blush passed over her fresh young face as h', ' one but mr. mccarthy was in favour of it." a quick blush passed over her fresh young face as holmes', 'but mr. mccarthy was in favour of it." a quick blush passed over her fresh young face as holmes shot', 'r. mccarthy was in favour of it." a quick blush passed over her fresh young face as holmes shot one ', 'carthy was in favour of it." a quick blush passed over her fresh young face as holmes shot one of hi', 'y was in favour of it." a quick blush passed over her fresh young face as holmes shot one of his kee', ' in favour of it." a quick blush passed over her fresh young face as holmes shot one of his keen, qu', 'avour of it." a quick blush passed over her fresh young face as holmes shot one of his keen, questio', ' of it." a quick blush passed over her fresh young face as holmes shot one of his keen, questioning ', 't." a quick blush passed over her fresh young face as holmes shot one of his keen, questioning glanc', ' quick blush passed over her fresh young face as holmes shot one of his keen, questioning glances at', 'k blush passed over her fresh young face as holmes shot one of his keen, questioning glances at her.', 'sh passed over her fresh young face as holmes shot one of his keen, questioning glances at her. "tha', 'ssed over her fresh young face as holmes shot one of his keen, questioning glances at her. "thank yo', 'over her fresh young face as holmes shot one of his keen, questioning glances at her. "thank you for', 'her fresh young face as holmes shot one of his keen, questioning glances at her. "thank you for this', 'resh young face as holmes shot one of his keen, questioning glances at her. "thank you for this info', 'young face as holmes shot one of his keen, questioning glances at her. "thank you for this informati', ' face as holmes shot one of his keen, questioning glances at her. "thank you for this information," ', ' as holmes shot one of his keen, questioning glances at her. "thank you for this information," said ', 'olmes shot one of his keen, questioning glances at her. "thank you for this information," said he. "', ' shot one of his keen, questioning glances at her. "thank you for this information," said he. "may i', ' one of his keen, questioning glances at her. "thank you for this information," said he. "may i see ', 'of his keen, questioning glances at her. "thank you for this information," said he. "may i see your ', 's keen, questioning glances at her. "thank you for this information," said he. "may i see your fathe', 'n, questioning glances at her. "thank you for this information," said he. "may i see your father if ', 'estioning glances at her. "thank you for this information," said he. "may i see your father if i cal', 'ning glances at her. "thank you for this information," said he. "may i see your father if i call to-', 'glances at her. "thank you for this information," said he. "may i see your father if i call to-morro', 'es at her. "thank you for this information," said he. "may i see your father if i call to-morrow?" "', ' her. "thank you for this information," said he. "may i see your father if i call to-morrow?" "i am ', ' "thank you for this information," said he. "may i see your father if i call to-morrow?" "i am afrai', 'nk you for this information," said he. "may i see your father if i call to-morrow?" "i am afraid the', 'u for this information," said he. "may i see your father if i call to-morrow?" "i am afraid the doct', ' this information," said he. "may i see your father if i call to-morrow?" "i am afraid the doctor wo', ' information," said he. "may i see your father if i call to-morrow?" "i am afraid the doctor won\'t a', 'rmation," said he. "may i see your father if i call to-morrow?" "i am afraid the doctor won\'t allow ', 'on," said he. "may i see your father if i call to-morrow?" "i am afraid the doctor won\'t allow it." ', 'said he. "may i see your father if i call to-morrow?" "i am afraid the doctor won\'t allow it." "the ', 'he. "may i see your father if i call to-morrow?" "i am afraid the doctor won\'t allow it." "the docto', 'may i see your father if i call to-morrow?" "i am afraid the doctor won\'t allow it." "the doctor?" "', ' see your father if i call to-morrow?" "i am afraid the doctor won\'t allow it." "the doctor?" "yes, ', 'your father if i call to-morrow?" "i am afraid the doctor won\'t allow it." "the doctor?" "yes, have ', 'father if i call to-morrow?" "i am afraid the doctor won\'t allow it." "the doctor?" "yes, have you n', 'r if i call to-morrow?" "i am afraid the doctor won\'t allow it." "the doctor?" "yes, have you not he', 'i call to-morrow?" "i am afraid the doctor won\'t allow it." "the doctor?" "yes, have you not heard? ', 'l to-morrow?" "i am afraid the doctor won\'t allow it." "the doctor?" "yes, have you not heard? poor ', 'morrow?" "i am afraid the doctor won\'t allow it." "the doctor?" "yes, have you not heard? poor fathe', 'w?" "i am afraid the doctor won\'t allow it." "the doctor?" "yes, have you not heard? poor father has', 'i am afraid the doctor won\'t allow it." "the doctor?" "yes, have you not heard? poor father has neve', 'afraid the doctor won\'t allow it." "the doctor?" "yes, have you not heard? poor father has never bee', 'd the doctor won\'t allow it." "the doctor?" "yes, have you not heard? poor father has never been str', ' doctor won\'t allow it." "the doctor?" "yes, have you not heard? poor father has never been strong f', 'or won\'t allow it." "the doctor?" "yes, have you not heard? poor father has never been strong for ye', 'n\'t allow it." "the doctor?" "yes, have you not heard? poor father has never been strong for years b', 'llow it." "the doctor?" "yes, have you not heard? poor father has never been strong for years back, ', 'it." "the doctor?" "yes, have you not heard? poor father has never been strong for years back, but t', '"the doctor?" "yes, have you not heard? poor father has never been strong for years back, but this h', 'doctor?" "yes, have you not heard? poor father has never been strong for years back, but this has br', 'r?" "yes, have you not heard? poor father has never been strong for years back, but this has broken ', 'yes, have you not heard? poor father has never been strong for years back, but this has broken him d', 'have you not heard? poor father has never been strong for years back, but this has broken him down c', 'you not heard? poor father has never been strong for years back, but this has broken him down comple', 'ot heard? poor father has never been strong for years back, but this has broken him down completely.', 'ard? poor father has never been strong for years back, but this has broken him down completely. he h', 'poor father has never been strong for years back, but this has broken him down completely. he has ta', 'father has never been strong for years back, but this has broken him down completely. he has taken t', 'r has never been strong for years back, but this has broken him down completely. he has taken to his', ' never been strong for years back, but this has broken him down completely. he has taken to his bed,', 'r been strong for years back, but this has broken him down completely. he has taken to his bed, and ', 'n strong for years back, but this has broken him down completely. he has taken to his bed, and dr. w', 'ong for years back, but this has broken him down completely. he has taken to his bed, and dr. willow', 'or years back, but this has broken him down completely. he has taken to his bed, and dr. willows say', 'ars back, but this has broken him down completely. he has taken to his bed, and dr. willows says tha', 'ack, but this has broken him down completely. he has taken to his bed, and dr. willows says that he ', 'but this has broken him down completely. he has taken to his bed, and dr. willows says that he is a ', 'his has broken him down completely. he has taken to his bed, and dr. willows says that he is a wreck', 'as broken him down completely. he has taken to his bed, and dr. willows says that he is a wreck and ', 'oken him down completely. he has taken to his bed, and dr. willows says that he is a wreck and that ', 'him down completely. he has taken to his bed, and dr. willows says that he is a wreck and that his n', 'own completely. he has taken to his bed, and dr. willows says that he is a wreck and that his nervou', 'ompletely. he has taken to his bed, and dr. willows says that he is a wreck and that his nervous sys', 'tely. he has taken to his bed, and dr. willows says that he is a wreck and that his nervous system i', ' he has taken to his bed, and dr. willows says that he is a wreck and that his nervous system is sha', 'as taken to his bed, and dr. willows says that he is a wreck and that his nervous system is shattere', 'ken to his bed, and dr. willows says that he is a wreck and that his nervous system is shattered. mr', 'o his bed, and dr. willows says that he is a wreck and that his nervous system is shattered. mr. mcc', ' bed, and dr. willows says that he is a wreck and that his nervous system is shattered. mr. mccarthy', ' and dr. willows says that he is a wreck and that his nervous system is shattered. mr. mccarthy was ', 'dr. willows says that he is a wreck and that his nervous system is shattered. mr. mccarthy was the o', 'illows says that he is a wreck and that his nervous system is shattered. mr. mccarthy was the only m', 's says that he is a wreck and that his nervous system is shattered. mr. mccarthy was the only man al', 's that he is a wreck and that his nervous system is shattered. mr. mccarthy was the only man alive w', 't he is a wreck and that his nervous system is shattered. mr. mccarthy was the only man alive who ha', 'is a wreck and that his nervous system is shattered. mr. mccarthy was the only man alive who had kno', 'wreck and that his nervous system is shattered. mr. mccarthy was the only man alive who had known da', ' and that his nervous system is shattered. mr. mccarthy was the only man alive who had known dad in ', 'that his nervous system is shattered. mr. mccarthy was the only man alive who had known dad in the o', 'his nervous system is shattered. mr. mccarthy was the only man alive who had known dad in the old da', 'ervous system is shattered. mr. mccarthy was the only man alive who had known dad in the old days in', 's system is shattered. mr. mccarthy was the only man alive who had known dad in the old days in vict', 'tem is shattered. mr. mccarthy was the only man alive who had known dad in the old days in victoria.', 's shattered. mr. mccarthy was the only man alive who had known dad in the old days in victoria." "ha', 'ttered. mr. mccarthy was the only man alive who had known dad in the old days in victoria." "ha! in ', 'd. mr. mccarthy was the only man alive who had known dad in the old days in victoria." "ha! in victo', '. mccarthy was the only man alive who had known dad in the old days in victoria." "ha! in victoria! ', 'arthy was the only man alive who had known dad in the old days in victoria." "ha! in victoria! that ', ' was the only man alive who had known dad in the old days in victoria." "ha! in victoria! that is im', 'the only man alive who had known dad in the old days in victoria." "ha! in victoria! that is importa', 'nly man alive who had known dad in the old days in victoria." "ha! in victoria! that is important." ', 'an alive who had known dad in the old days in victoria." "ha! in victoria! that is important." "yes,', 'ive who had known dad in the old days in victoria." "ha! in victoria! that is important." "yes, at t', 'ho had known dad in the old days in victoria." "ha! in victoria! that is important." "yes, at the mi', 'd known dad in the old days in victoria." "ha! in victoria! that is important." "yes, at the mines."', 'wn dad in the old days in victoria." "ha! in victoria! that is important." "yes, at the mines." "qui', 'd in the old days in victoria." "ha! in victoria! that is important." "yes, at the mines." "quite so', 'the old days in victoria." "ha! in victoria! that is important." "yes, at the mines." "quite so; at ', 'ld days in victoria." "ha! in victoria! that is important." "yes, at the mines." "quite so; at the g', 'ys in victoria." "ha! in victoria! that is important." "yes, at the mines." "quite so; at the gold-m', ' victoria." "ha! in victoria! that is important." "yes, at the mines." "quite so; at the gold-mines,', 'oria." "ha! in victoria! that is important." "yes, at the mines." "quite so; at the gold-mines, wher', '" "ha! in victoria! that is important." "yes, at the mines." "quite so; at the gold-mines, where, as', '! in victoria! that is important." "yes, at the mines." "quite so; at the gold-mines, where, as i un', 'victoria! that is important." "yes, at the mines." "quite so; at the gold-mines, where, as i underst', 'ria! that is important." "yes, at the mines." "quite so; at the gold-mines, where, as i understand, ', 'that is important." "yes, at the mines." "quite so; at the gold-mines, where, as i understand, mr. t', 'is important." "yes, at the mines." "quite so; at the gold-mines, where, as i understand, mr. turner', 'portant." "yes, at the mines." "quite so; at the gold-mines, where, as i understand, mr. turner made', 'nt." "yes, at the mines." "quite so; at the gold-mines, where, as i understand, mr. turner made his ', '"yes, at the mines." "quite so; at the gold-mines, where, as i understand, mr. turner made his money', ' at the mines." "quite so; at the gold-mines, where, as i understand, mr. turner made his money." "y', 'he mines." "quite so; at the gold-mines, where, as i understand, mr. turner made his money." "yes, c', 'nes." "quite so; at the gold-mines, where, as i understand, mr. turner made his money." "yes, certai', ' "quite so; at the gold-mines, where, as i understand, mr. turner made his money." "yes, certainly."', 'te so; at the gold-mines, where, as i understand, mr. turner made his money." "yes, certainly." "tha', '; at the gold-mines, where, as i understand, mr. turner made his money." "yes, certainly." "thank yo', 'the gold-mines, where, as i understand, mr. turner made his money." "yes, certainly." "thank you, mi', 'old-mines, where, as i understand, mr. turner made his money." "yes, certainly." "thank you, miss tu', 'ines, where, as i understand, mr. turner made his money." "yes, certainly." "thank you, miss turner.', ' where, as i understand, mr. turner made his money." "yes, certainly." "thank you, miss turner. you ', 'e, as i understand, mr. turner made his money." "yes, certainly." "thank you, miss turner. you have ', ' i understand, mr. turner made his money." "yes, certainly." "thank you, miss turner. you have been ', 'derstand, mr. turner made his money." "yes, certainly." "thank you, miss turner. you have been of ma', 'and, mr. turner made his money." "yes, certainly." "thank you, miss turner. you have been of materia', 'mr. turner made his money." "yes, certainly." "thank you, miss turner. you have been of material ass', 'urner made his money." "yes, certainly." "thank you, miss turner. you have been of material assistan', ' made his money." "yes, certainly." "thank you, miss turner. you have been of material assistance to', ' his money." "yes, certainly." "thank you, miss turner. you have been of material assistance to me."', 'money." "yes, certainly." "thank you, miss turner. you have been of material assistance to me." "you', '." "yes, certainly." "thank you, miss turner. you have been of material assistance to me." "you will', 'es, certainly." "thank you, miss turner. you have been of material assistance to me." "you will tell', 'ertainly." "thank you, miss turner. you have been of material assistance to me." "you will tell me i', 'nly." "thank you, miss turner. you have been of material assistance to me." "you will tell me if you', ' "thank you, miss turner. you have been of material assistance to me." "you will tell me if you have', 'nk you, miss turner. you have been of material assistance to me." "you will tell me if you have any ', 'u, miss turner. you have been of material assistance to me." "you will tell me if you have any news ', 'ss turner. you have been of material assistance to me." "you will tell me if you have any news to-mo', 'rner. you have been of material assistance to me." "you will tell me if you have any news to-morrow.', ' you have been of material assistance to me." "you will tell me if you have any news to-morrow. no d', 'have been of material assistance to me." "you will tell me if you have any news to-morrow. no doubt ', 'been of material assistance to me." "you will tell me if you have any news to-morrow. no doubt you w', 'of material assistance to me." "you will tell me if you have any news to-morrow. no doubt you will g', 'terial assistance to me." "you will tell me if you have any news to-morrow. no doubt you will go to ', 'l assistance to me." "you will tell me if you have any news to-morrow. no doubt you will go to the p', 'istance to me." "you will tell me if you have any news to-morrow. no doubt you will go to the prison', 'ce to me." "you will tell me if you have any news to-morrow. no doubt you will go to the prison to s', ' me." "you will tell me if you have any news to-morrow. no doubt you will go to the prison to see ja', ' "you will tell me if you have any news to-morrow. no doubt you will go to the prison to see james. ', ' will tell me if you have any news to-morrow. no doubt you will go to the prison to see james. oh, i', ' tell me if you have any news to-morrow. no doubt you will go to the prison to see james. oh, if you', ' me if you have any news to-morrow. no doubt you will go to the prison to see james. oh, if you do, ', 'f you have any news to-morrow. no doubt you will go to the prison to see james. oh, if you do, mr. h', ' have any news to-morrow. no doubt you will go to the prison to see james. oh, if you do, mr. holmes', ' any news to-morrow. no doubt you will go to the prison to see james. oh, if you do, mr. holmes, do ', 'news to-morrow. no doubt you will go to the prison to see james. oh, if you do, mr. holmes, do tell ', 'to-morrow. no doubt you will go to the prison to see james. oh, if you do, mr. holmes, do tell him t', 'rrow. no doubt you will go to the prison to see james. oh, if you do, mr. holmes, do tell him that i', ' no doubt you will go to the prison to see james. oh, if you do, mr. holmes, do tell him that i know', 'oubt you will go to the prison to see james. oh, if you do, mr. holmes, do tell him that i know him ', 'you will go to the prison to see james. oh, if you do, mr. holmes, do tell him that i know him to be', 'ill go to the prison to see james. oh, if you do, mr. holmes, do tell him that i know him to be inno', 'o to the prison to see james. oh, if you do, mr. holmes, do tell him that i know him to be innocent.', 'the prison to see james. oh, if you do, mr. holmes, do tell him that i know him to be innocent." "i ', 'rison to see james. oh, if you do, mr. holmes, do tell him that i know him to be innocent." "i will,', ' to see james. oh, if you do, mr. holmes, do tell him that i know him to be innocent." "i will, miss', 'ee james. oh, if you do, mr. holmes, do tell him that i know him to be innocent." "i will, miss turn', 'mes. oh, if you do, mr. holmes, do tell him that i know him to be innocent." "i will, miss turner." ', 'oh, if you do, mr. holmes, do tell him that i know him to be innocent." "i will, miss turner." "i mu', 'f you do, mr. holmes, do tell him that i know him to be innocent." "i will, miss turner." "i must go', ' do, mr. holmes, do tell him that i know him to be innocent." "i will, miss turner." "i must go home', 'mr. holmes, do tell him that i know him to be innocent." "i will, miss turner." "i must go home now,', 'olmes, do tell him that i know him to be innocent." "i will, miss turner." "i must go home now, for ', ', do tell him that i know him to be innocent." "i will, miss turner." "i must go home now, for dad i', 'tell him that i know him to be innocent." "i will, miss turner." "i must go home now, for dad is ver', 'him that i know him to be innocent." "i will, miss turner." "i must go home now, for dad is very ill', 'hat i know him to be innocent." "i will, miss turner." "i must go home now, for dad is very ill, and', ' know him to be innocent." "i will, miss turner." "i must go home now, for dad is very ill, and he m', ' him to be innocent." "i will, miss turner." "i must go home now, for dad is very ill, and he misses', 'to be innocent." "i will, miss turner." "i must go home now, for dad is very ill, and he misses me s', ' innocent." "i will, miss turner." "i must go home now, for dad is very ill, and he misses me so if ', 'cent." "i will, miss turner." "i must go home now, for dad is very ill, and he misses me so if i lea', '" "i will, miss turner." "i must go home now, for dad is very ill, and he misses me so if i leave hi', 'will, miss turner." "i must go home now, for dad is very ill, and he misses me so if i leave him. go', ' miss turner." "i must go home now, for dad is very ill, and he misses me so if i leave him. good-by', ' turner." "i must go home now, for dad is very ill, and he misses me so if i leave him. good-bye, an', 'er." "i must go home now, for dad is very ill, and he misses me so if i leave him. good-bye, and god', '"i must go home now, for dad is very ill, and he misses me so if i leave him. good-bye, and god help', 'st go home now, for dad is very ill, and he misses me so if i leave him. good-bye, and god help you ', ' home now, for dad is very ill, and he misses me so if i leave him. good-bye, and god help you in yo', ' now, for dad is very ill, and he misses me so if i leave him. good-bye, and god help you in your un', ' for dad is very ill, and he misses me so if i leave him. good-bye, and god help you in your underta', 'dad is very ill, and he misses me so if i leave him. good-bye, and god help you in your undertaking.', 's very ill, and he misses me so if i leave him. good-bye, and god help you in your undertaking." she', 'y ill, and he misses me so if i leave him. good-bye, and god help you in your undertaking." she hurr', ', and he misses me so if i leave him. good-bye, and god help you in your undertaking." she hurried f', ' he misses me so if i leave him. good-bye, and god help you in your undertaking." she hurried from t', 'isses me so if i leave him. good-bye, and god help you in your undertaking." she hurried from the ro', ' me so if i leave him. good-bye, and god help you in your undertaking." she hurried from the room as', 'o if i leave him. good-bye, and god help you in your undertaking." she hurried from the room as impu', 'i leave him. good-bye, and god help you in your undertaking." she hurried from the room as impulsive', 've him. good-bye, and god help you in your undertaking." she hurried from the room as impulsively as', 'm. good-bye, and god help you in your undertaking." she hurried from the room as impulsively as she ', 'od-bye, and god help you in your undertaking." she hurried from the room as impulsively as she had e', 'e, and god help you in your undertaking." she hurried from the room as impulsively as she had entere', 'd god help you in your undertaking." she hurried from the room as impulsively as she had entered, an', ' help you in your undertaking." she hurried from the room as impulsively as she had entered, and we ', ' you in your undertaking." she hurried from the room as impulsively as she had entered, and we heard', 'in your undertaking." she hurried from the room as impulsively as she had entered, and we heard the ', 'ur undertaking." she hurried from the room as impulsively as she had entered, and we heard the wheel', 'dertaking." she hurried from the room as impulsively as she had entered, and we heard the wheels of ', 'king." she hurried from the room as impulsively as she had entered, and we heard the wheels of her c', '" she hurried from the room as impulsively as she had entered, and we heard the wheels of her carria', ' hurried from the room as impulsively as she had entered, and we heard the wheels of her carriage ra', 'ied from the room as impulsively as she had entered, and we heard the wheels of her carriage rattle ', 'rom the room as impulsively as she had entered, and we heard the wheels of her carriage rattle off d', 'he room as impulsively as she had entered, and we heard the wheels of her carriage rattle off down t', 'om as impulsively as she had entered, and we heard the wheels of her carriage rattle off down the st', ' impulsively as she had entered, and we heard the wheels of her carriage rattle off down the street.', 'lsively as she had entered, and we heard the wheels of her carriage rattle off down the street. "i a', 'ly as she had entered, and we heard the wheels of her carriage rattle off down the street. "i am ash', ' she had entered, and we heard the wheels of her carriage rattle off down the street. "i am ashamed ', 'had entered, and we heard the wheels of her carriage rattle off down the street. "i am ashamed of yo', 'ntered, and we heard the wheels of her carriage rattle off down the street. "i am ashamed of you, ho', 'd, and we heard the wheels of her carriage rattle off down the street. "i am ashamed of you, holmes,', 'd we heard the wheels of her carriage rattle off down the street. "i am ashamed of you, holmes," sai', 'heard the wheels of her carriage rattle off down the street. "i am ashamed of you, holmes," said les', ' the wheels of her carriage rattle off down the street. "i am ashamed of you, holmes," said lestrade', 'wheels of her carriage rattle off down the street. "i am ashamed of you, holmes," said lestrade with', 's of her carriage rattle off down the street. "i am ashamed of you, holmes," said lestrade with dign', 'her carriage rattle off down the street. "i am ashamed of you, holmes," said lestrade with dignity a', 'arriage rattle off down the street. "i am ashamed of you, holmes," said lestrade with dignity after ', 'ge rattle off down the street. "i am ashamed of you, holmes," said lestrade with dignity after a few', 'ttle off down the street. "i am ashamed of you, holmes," said lestrade with dignity after a few minu', 'off down the street. "i am ashamed of you, holmes," said lestrade with dignity after a few minutes\' ', 'own the street. "i am ashamed of you, holmes," said lestrade with dignity after a few minutes\' silen', 'he street. "i am ashamed of you, holmes," said lestrade with dignity after a few minutes\' silence. "', 'reet. "i am ashamed of you, holmes," said lestrade with dignity after a few minutes\' silence. "why s', ' "i am ashamed of you, holmes," said lestrade with dignity after a few minutes\' silence. "why should', 'm ashamed of you, holmes," said lestrade with dignity after a few minutes\' silence. "why should you ', 'amed of you, holmes," said lestrade with dignity after a few minutes\' silence. "why should you raise', 'of you, holmes," said lestrade with dignity after a few minutes\' silence. "why should you raise up h', 'u, holmes," said lestrade with dignity after a few minutes\' silence. "why should you raise up hopes ', 'lmes," said lestrade with dignity after a few minutes\' silence. "why should you raise up hopes which', '" said lestrade with dignity after a few minutes\' silence. "why should you raise up hopes which you ', 'd lestrade with dignity after a few minutes\' silence. "why should you raise up hopes which you are b', 'trade with dignity after a few minutes\' silence. "why should you raise up hopes which you are bound ', ' with dignity after a few minutes\' silence. "why should you raise up hopes which you are bound to di', ' dignity after a few minutes\' silence. "why should you raise up hopes which you are bound to disappo', 'ity after a few minutes\' silence. "why should you raise up hopes which you are bound to disappoint? ', 'fter a few minutes\' silence. "why should you raise up hopes which you are bound to disappoint? i am ', 'a few minutes\' silence. "why should you raise up hopes which you are bound to disappoint? i am not o', ' minutes\' silence. "why should you raise up hopes which you are bound to disappoint? i am not over-t', 'tes\' silence. "why should you raise up hopes which you are bound to disappoint? i am not over-tender', 'silence. "why should you raise up hopes which you are bound to disappoint? i am not over-tender of h', 'ce. "why should you raise up hopes which you are bound to disappoint? i am not over-tender of heart,', 'why should you raise up hopes which you are bound to disappoint? i am not over-tender of heart, but ', 'hould you raise up hopes which you are bound to disappoint? i am not over-tender of heart, but i cal', ' you raise up hopes which you are bound to disappoint? i am not over-tender of heart, but i call it ', 'raise up hopes which you are bound to disappoint? i am not over-tender of heart, but i call it cruel', ' up hopes which you are bound to disappoint? i am not over-tender of heart, but i call it cruel." "i', 'opes which you are bound to disappoint? i am not over-tender of heart, but i call it cruel." "i thin', 'which you are bound to disappoint? i am not over-tender of heart, but i call it cruel." "i think tha', ' you are bound to disappoint? i am not over-tender of heart, but i call it cruel." "i think that i s', 'are bound to disappoint? i am not over-tender of heart, but i call it cruel." "i think that i see my', 'ound to disappoint? i am not over-tender of heart, but i call it cruel." "i think that i see my way ', 'to disappoint? i am not over-tender of heart, but i call it cruel." "i think that i see my way to cl', 'sappoint? i am not over-tender of heart, but i call it cruel." "i think that i see my way to clearin', 'int? i am not over-tender of heart, but i call it cruel." "i think that i see my way to clearing jam', 'i am not over-tender of heart, but i call it cruel." "i think that i see my way to clearing james mc', 'not over-tender of heart, but i call it cruel." "i think that i see my way to clearing james mccarth', 'ver-tender of heart, but i call it cruel." "i think that i see my way to clearing james mccarthy," s', 'ender of heart, but i call it cruel." "i think that i see my way to clearing james mccarthy," said h', ' of heart, but i call it cruel." "i think that i see my way to clearing james mccarthy," said holmes', 'eart, but i call it cruel." "i think that i see my way to clearing james mccarthy," said holmes. "ha', ' but i call it cruel." "i think that i see my way to clearing james mccarthy," said holmes. "have yo', 'i call it cruel." "i think that i see my way to clearing james mccarthy," said holmes. "have you an ', 'l it cruel." "i think that i see my way to clearing james mccarthy," said holmes. "have you an order', 'cruel." "i think that i see my way to clearing james mccarthy," said holmes. "have you an order to s', '." "i think that i see my way to clearing james mccarthy," said holmes. "have you an order to see hi', ' think that i see my way to clearing james mccarthy," said holmes. "have you an order to see him in ', 'k that i see my way to clearing james mccarthy," said holmes. "have you an order to see him in priso', 't i see my way to clearing james mccarthy," said holmes. "have you an order to see him in prison?" "', 'ee my way to clearing james mccarthy," said holmes. "have you an order to see him in prison?" "yes, ', ' way to clearing james mccarthy," said holmes. "have you an order to see him in prison?" "yes, but o', 'to clearing james mccarthy," said holmes. "have you an order to see him in prison?" "yes, but only f', 'earing james mccarthy," said holmes. "have you an order to see him in prison?" "yes, but only for yo', 'g james mccarthy," said holmes. "have you an order to see him in prison?" "yes, but only for you and', 'es mccarthy," said holmes. "have you an order to see him in prison?" "yes, but only for you and me."', 'carthy," said holmes. "have you an order to see him in prison?" "yes, but only for you and me." "the', 'y," said holmes. "have you an order to see him in prison?" "yes, but only for you and me." "then i s', 'aid holmes. "have you an order to see him in prison?" "yes, but only for you and me." "then i shall ', 'olmes. "have you an order to see him in prison?" "yes, but only for you and me." "then i shall recon', '. "have you an order to see him in prison?" "yes, but only for you and me." "then i shall reconsider', 've you an order to see him in prison?" "yes, but only for you and me." "then i shall reconsider my r', 'u an order to see him in prison?" "yes, but only for you and me." "then i shall reconsider my resolu', 'order to see him in prison?" "yes, but only for you and me." "then i shall reconsider my resolution ', ' to see him in prison?" "yes, but only for you and me." "then i shall reconsider my resolution about', 'ee him in prison?" "yes, but only for you and me." "then i shall reconsider my resolution about goin', 'm in prison?" "yes, but only for you and me." "then i shall reconsider my resolution about going out', 'prison?" "yes, but only for you and me." "then i shall reconsider my resolution about going out. we ', 'n?" "yes, but only for you and me." "then i shall reconsider my resolution about going out. we have ', 'yes, but only for you and me." "then i shall reconsider my resolution about going out. we have still', 'but only for you and me." "then i shall reconsider my resolution about going out. we have still time', 'nly for you and me." "then i shall reconsider my resolution about going out. we have still time to t', 'or you and me." "then i shall reconsider my resolution about going out. we have still time to take a', 'u and me." "then i shall reconsider my resolution about going out. we have still time to take a trai', ' me." "then i shall reconsider my resolution about going out. we have still time to take a train to ', ' "then i shall reconsider my resolution about going out. we have still time to take a train to heref', 'n i shall reconsider my resolution about going out. we have still time to take a train to hereford a', 'hall reconsider my resolution about going out. we have still time to take a train to hereford and se', 'reconsider my resolution about going out. we have still time to take a train to hereford and see him', 'sider my resolution about going out. we have still time to take a train to hereford and see him to-n', ' my resolution about going out. we have still time to take a train to hereford and see him to-night?', 'esolution about going out. we have still time to take a train to hereford and see him to-night?" "am', 'tion about going out. we have still time to take a train to hereford and see him to-night?" "ample."', 'about going out. we have still time to take a train to hereford and see him to-night?" "ample." "the', ' going out. we have still time to take a train to hereford and see him to-night?" "ample." "then let', 'g out. we have still time to take a train to hereford and see him to-night?" "ample." "then let us d', '. we have still time to take a train to hereford and see him to-night?" "ample." "then let us do so.', 'have still time to take a train to hereford and see him to-night?" "ample." "then let us do so. wats', 'still time to take a train to hereford and see him to-night?" "ample." "then let us do so. watson, i', ' time to take a train to hereford and see him to-night?" "ample." "then let us do so. watson, i fear', ' to take a train to hereford and see him to-night?" "ample." "then let us do so. watson, i fear that', 'ake a train to hereford and see him to-night?" "ample." "then let us do so. watson, i fear that you ', ' train to hereford and see him to-night?" "ample." "then let us do so. watson, i fear that you will ', 'n to hereford and see him to-night?" "ample." "then let us do so. watson, i fear that you will find ', 'hereford and see him to-night?" "ample." "then let us do so. watson, i fear that you will find it ve', 'ord and see him to-night?" "ample." "then let us do so. watson, i fear that you will find it very sl', 'nd see him to-night?" "ample." "then let us do so. watson, i fear that you will find it very slow, b', 'e him to-night?" "ample." "then let us do so. watson, i fear that you will find it very slow, but i ', ' to-night?" "ample." "then let us do so. watson, i fear that you will find it very slow, but i shall', 'ight?" "ample." "then let us do so. watson, i fear that you will find it very slow, but i shall only', '" "ample." "then let us do so. watson, i fear that you will find it very slow, but i shall only be a', 'ple." "then let us do so. watson, i fear that you will find it very slow, but i shall only be away a', ' "then let us do so. watson, i fear that you will find it very slow, but i shall only be away a coup', 'n let us do so. watson, i fear that you will find it very slow, but i shall only be away a couple of', ' us do so. watson, i fear that you will find it very slow, but i shall only be away a couple of hour', 'o so. watson, i fear that you will find it very slow, but i shall only be away a couple of hours." i', ' watson, i fear that you will find it very slow, but i shall only be away a couple of hours." i walk', 'on, i fear that you will find it very slow, but i shall only be away a couple of hours." i walked do', ' fear that you will find it very slow, but i shall only be away a couple of hours." i walked down to', ' that you will find it very slow, but i shall only be away a couple of hours." i walked down to the ', ' you will find it very slow, but i shall only be away a couple of hours." i walked down to the stati', 'will find it very slow, but i shall only be away a couple of hours." i walked down to the station wi', 'find it very slow, but i shall only be away a couple of hours." i walked down to the station with th', 'it very slow, but i shall only be away a couple of hours." i walked down to the station with them, a', 'ry slow, but i shall only be away a couple of hours." i walked down to the station with them, and th', 'ow, but i shall only be away a couple of hours." i walked down to the station with them, and then wa', 'ut i shall only be away a couple of hours." i walked down to the station with them, and then wandere', 'shall only be away a couple of hours." i walked down to the station with them, and then wandered thr', ' only be away a couple of hours." i walked down to the station with them, and then wandered through ', ' be away a couple of hours." i walked down to the station with them, and then wandered through the s', 'way a couple of hours." i walked down to the station with them, and then wandered through the street', ' couple of hours." i walked down to the station with them, and then wandered through the streets of ', 'le of hours." i walked down to the station with them, and then wandered through the streets of the l', ' hours." i walked down to the station with them, and then wandered through the streets of the little', 's." i walked down to the station with them, and then wandered through the streets of the little town', ' walked down to the station with them, and then wandered through the streets of the little town, fin', 'ed down to the station with them, and then wandered through the streets of the little town, finally ', 'wn to the station with them, and then wandered through the streets of the little town, finally retur', ' the station with them, and then wandered through the streets of the little town, finally returning ', 'station with them, and then wandered through the streets of the little town, finally returning to th', 'on with them, and then wandered through the streets of the little town, finally returning to the hot', 'th them, and then wandered through the streets of the little town, finally returning to the hotel, w', 'em, and then wandered through the streets of the little town, finally returning to the hotel, where ', 'nd then wandered through the streets of the little town, finally returning to the hotel, where i lay', 'en wandered through the streets of the little town, finally returning to the hotel, where i lay upon', 'ndered through the streets of the little town, finally returning to the hotel, where i lay upon the ', 'd through the streets of the little town, finally returning to the hotel, where i lay upon the sofa ', 'ough the streets of the little town, finally returning to the hotel, where i lay upon the sofa and t', 'the streets of the little town, finally returning to the hotel, where i lay upon the sofa and tried ', 'treets of the little town, finally returning to the hotel, where i lay upon the sofa and tried to in', 's of the little town, finally returning to the hotel, where i lay upon the sofa and tried to interes', 'the little town, finally returning to the hotel, where i lay upon the sofa and tried to interest mys', 'ittle town, finally returning to the hotel, where i lay upon the sofa and tried to interest myself i', ' town, finally returning to the hotel, where i lay upon the sofa and tried to interest myself in a y', ', finally returning to the hotel, where i lay upon the sofa and tried to interest myself in a yellow', 'ally returning to the hotel, where i lay upon the sofa and tried to interest myself in a yellow-back', 'returning to the hotel, where i lay upon the sofa and tried to interest myself in a yellow-backed no', 'ning to the hotel, where i lay upon the sofa and tried to interest myself in a yellow-backed novel. ', 'to the hotel, where i lay upon the sofa and tried to interest myself in a yellow-backed novel. the p', 'e hotel, where i lay upon the sofa and tried to interest myself in a yellow-backed novel. the puny p', 'el, where i lay upon the sofa and tried to interest myself in a yellow-backed novel. the puny plot o', 'here i lay upon the sofa and tried to interest myself in a yellow-backed novel. the puny plot of the', 'i lay upon the sofa and tried to interest myself in a yellow-backed novel. the puny plot of the stor', ' upon the sofa and tried to interest myself in a yellow-backed novel. the puny plot of the story was', ' the sofa and tried to interest myself in a yellow-backed novel. the puny plot of the story was so t', 'sofa and tried to interest myself in a yellow-backed novel. the puny plot of the story was so thin, ', 'and tried to interest myself in a yellow-backed novel. the puny plot of the story was so thin, howev', 'ried to interest myself in a yellow-backed novel. the puny plot of the story was so thin, however, w', 'to interest myself in a yellow-backed novel. the puny plot of the story was so thin, however, when c', 'terest myself in a yellow-backed novel. the puny plot of the story was so thin, however, when compar', 't myself in a yellow-backed novel. the puny plot of the story was so thin, however, when compared to', 'elf in a yellow-backed novel. the puny plot of the story was so thin, however, when compared to the ', 'n a yellow-backed novel. the puny plot of the story was so thin, however, when compared to the deep ', 'ellow-backed novel. the puny plot of the story was so thin, however, when compared to the deep myste', '-backed novel. the puny plot of the story was so thin, however, when compared to the deep mystery th', 'ed novel. the puny plot of the story was so thin, however, when compared to the deep mystery through', 'vel. the puny plot of the story was so thin, however, when compared to the deep mystery through whic', 'the puny plot of the story was so thin, however, when compared to the deep mystery through which we ', 'uny plot of the story was so thin, however, when compared to the deep mystery through which we were ', 'lot of the story was so thin, however, when compared to the deep mystery through which we were gropi', 'f the story was so thin, however, when compared to the deep mystery through which we were groping, a', ' story was so thin, however, when compared to the deep mystery through which we were groping, and i ', 'y was so thin, however, when compared to the deep mystery through which we were groping, and i found', ' so thin, however, when compared to the deep mystery through which we were groping, and i found my a', 'hin, however, when compared to the deep mystery through which we were groping, and i found my attent', 'however, when compared to the deep mystery through which we were groping, and i found my attention w', 'er, when compared to the deep mystery through which we were groping, and i found my attention wander', 'hen compared to the deep mystery through which we were groping, and i found my attention wander so c', 'ompared to the deep mystery through which we were groping, and i found my attention wander so contin', 'ed to the deep mystery through which we were groping, and i found my attention wander so continually', ' the deep mystery through which we were groping, and i found my attention wander so continually from', 'deep mystery through which we were groping, and i found my attention wander so continually from the ', 'mystery through which we were groping, and i found my attention wander so continually from the actio', 'ry through which we were groping, and i found my attention wander so continually from the action to ', 'rough which we were groping, and i found my attention wander so continually from the action to the f', ' which we were groping, and i found my attention wander so continually from the action to the fact, ', 'h we were groping, and i found my attention wander so continually from the action to the fact, that ', 'were groping, and i found my attention wander so continually from the action to the fact, that i at ', 'groping, and i found my attention wander so continually from the action to the fact, that i at last ', 'ng, and i found my attention wander so continually from the action to the fact, that i at last flung', 'nd i found my attention wander so continually from the action to the fact, that i at last flung it a', 'found my attention wander so continually from the action to the fact, that i at last flung it across', ' my attention wander so continually from the action to the fact, that i at last flung it across the ', 'ttention wander so continually from the action to the fact, that i at last flung it across the room ', 'ion wander so continually from the action to the fact, that i at last flung it across the room and g', 'ander so continually from the action to the fact, that i at last flung it across the room and gave m', ' so continually from the action to the fact, that i at last flung it across the room and gave myself', 'ontinually from the action to the fact, that i at last flung it across the room and gave myself up e', 'ually from the action to the fact, that i at last flung it across the room and gave myself up entire', ' from the action to the fact, that i at last flung it across the room and gave myself up entirely to', ' the action to the fact, that i at last flung it across the room and gave myself up entirely to a co', 'action to the fact, that i at last flung it across the room and gave myself up entirely to a conside', 'n to the fact, that i at last flung it across the room and gave myself up entirely to a consideratio', 'the fact, that i at last flung it across the room and gave myself up entirely to a consideration of ', 'act, that i at last flung it across the room and gave myself up entirely to a consideration of the e', 'that i at last flung it across the room and gave myself up entirely to a consideration of the events', 'i at last flung it across the room and gave myself up entirely to a consideration of the events of t', 'last flung it across the room and gave myself up entirely to a consideration of the events of the da', 'flung it across the room and gave myself up entirely to a consideration of the events of the day. su', ' it across the room and gave myself up entirely to a consideration of the events of the day. supposi', 'cross the room and gave myself up entirely to a consideration of the events of the day. supposing th', ' the room and gave myself up entirely to a consideration of the events of the day. supposing that th', 'room and gave myself up entirely to a consideration of the events of the day. supposing that this un', 'and gave myself up entirely to a consideration of the events of the day. supposing that this unhappy', 'ave myself up entirely to a consideration of the events of the day. supposing that this unhappy youn', 'yself up entirely to a consideration of the events of the day. supposing that this unhappy young man', " up entirely to a consideration of the events of the day. supposing that this unhappy young man's st", "ntirely to a consideration of the events of the day. supposing that this unhappy young man's story w", "ly to a consideration of the events of the day. supposing that this unhappy young man's story were a", " a consideration of the events of the day. supposing that this unhappy young man's story were absolu", "nsideration of the events of the day. supposing that this unhappy young man's story were absolutely ", "ration of the events of the day. supposing that this unhappy young man's story were absolutely true,", "n of the events of the day. supposing that this unhappy young man's story were absolutely true, then", "the events of the day. supposing that this unhappy young man's story were absolutely true, then what", "vents of the day. supposing that this unhappy young man's story were absolutely true, then what hell", " of the day. supposing that this unhappy young man's story were absolutely true, then what hellish t", "he day. supposing that this unhappy young man's story were absolutely true, then what hellish thing,", "y. supposing that this unhappy young man's story were absolutely true, then what hellish thing, what", "pposing that this unhappy young man's story were absolutely true, then what hellish thing, what abso", "ng that this unhappy young man's story were absolutely true, then what hellish thing, what absolutel", "at this unhappy young man's story were absolutely true, then what hellish thing, what absolutely unf", "is unhappy young man's story were absolutely true, then what hellish thing, what absolutely unforese", "happy young man's story were absolutely true, then what hellish thing, what absolutely unforeseen an", " young man's story were absolutely true, then what hellish thing, what absolutely unforeseen and ext", "g man's story were absolutely true, then what hellish thing, what absolutely unforeseen and extraord", "'s story were absolutely true, then what hellish thing, what absolutely unforeseen and extraordinary", 'ory were absolutely true, then what hellish thing, what absolutely unforeseen and extraordinary cala', 'ere absolutely true, then what hellish thing, what absolutely unforeseen and extraordinary calamity ', 'bsolutely true, then what hellish thing, what absolutely unforeseen and extraordinary calamity could', 'tely true, then what hellish thing, what absolutely unforeseen and extraordinary calamity could have', 'true, then what hellish thing, what absolutely unforeseen and extraordinary calamity could have occu', ' then what hellish thing, what absolutely unforeseen and extraordinary calamity could have occurred ', ' what hellish thing, what absolutely unforeseen and extraordinary calamity could have occurred betwe', ' hellish thing, what absolutely unforeseen and extraordinary calamity could have occurred between th', 'ish thing, what absolutely unforeseen and extraordinary calamity could have occurred between the tim', 'hing, what absolutely unforeseen and extraordinary calamity could have occurred between the time whe', ' what absolutely unforeseen and extraordinary calamity could have occurred between the time when he ', ' absolutely unforeseen and extraordinary calamity could have occurred between the time when he parte', 'lutely unforeseen and extraordinary calamity could have occurred between the time when he parted fro', 'y unforeseen and extraordinary calamity could have occurred between the time when he parted from his', 'oreseen and extraordinary calamity could have occurred between the time when he parted from his fath', 'en and extraordinary calamity could have occurred between the time when he parted from his father, a', 'd extraordinary calamity could have occurred between the time when he parted from his father, and th', 'raordinary calamity could have occurred between the time when he parted from his father, and the mom', 'inary calamity could have occurred between the time when he parted from his father, and the moment w', ' calamity could have occurred between the time when he parted from his father, and the moment when, ', 'mity could have occurred between the time when he parted from his father, and the moment when, drawn', 'could have occurred between the time when he parted from his father, and the moment when, drawn back', ' have occurred between the time when he parted from his father, and the moment when, drawn back by h', ' occurred between the time when he parted from his father, and the moment when, drawn back by his sc', 'rred between the time when he parted from his father, and the moment when, drawn back by his screams', 'between the time when he parted from his father, and the moment when, drawn back by his screams, he ', 'en the time when he parted from his father, and the moment when, drawn back by his screams, he rushe', 'e time when he parted from his father, and the moment when, drawn back by his screams, he rushed int', 'e when he parted from his father, and the moment when, drawn back by his screams, he rushed into the', 'n he parted from his father, and the moment when, drawn back by his screams, he rushed into the glad', 'parted from his father, and the moment when, drawn back by his screams, he rushed into the glade? it', 'd from his father, and the moment when, drawn back by his screams, he rushed into the glade? it was ', 'm his father, and the moment when, drawn back by his screams, he rushed into the glade? it was somet', ' father, and the moment when, drawn back by his screams, he rushed into the glade? it was something ', 'er, and the moment when, drawn back by his screams, he rushed into the glade? it was something terri', 'nd the moment when, drawn back by his screams, he rushed into the glade? it was something terrible a', 'e moment when, drawn back by his screams, he rushed into the glade? it was something terrible and de', 'ent when, drawn back by his screams, he rushed into the glade? it was something terrible and deadly.', 'hen, drawn back by his screams, he rushed into the glade? it was something terrible and deadly. what', 'drawn back by his screams, he rushed into the glade? it was something terrible and deadly. what coul', ' back by his screams, he rushed into the glade? it was something terrible and deadly. what could it ', ' by his screams, he rushed into the glade? it was something terrible and deadly. what could it be? m', 'is screams, he rushed into the glade? it was something terrible and deadly. what could it be? might ', 'reams, he rushed into the glade? it was something terrible and deadly. what could it be? might not t', ', he rushed into the glade? it was something terrible and deadly. what could it be? might not the na', 'rushed into the glade? it was something terrible and deadly. what could it be? might not the nature ', 'd into the glade? it was something terrible and deadly. what could it be? might not the nature of th', 'o the glade? it was something terrible and deadly. what could it be? might not the nature of the inj', ' glade? it was something terrible and deadly. what could it be? might not the nature of the injuries', 'e? it was something terrible and deadly. what could it be? might not the nature of the injuries reve', ' was something terrible and deadly. what could it be? might not the nature of the injuries reveal so', 'something terrible and deadly. what could it be? might not the nature of the injuries reveal somethi', 'hing terrible and deadly. what could it be? might not the nature of the injuries reveal something to', 'terrible and deadly. what could it be? might not the nature of the injuries reveal something to my m', 'ble and deadly. what could it be? might not the nature of the injuries reveal something to my medica', 'nd deadly. what could it be? might not the nature of the injuries reveal something to my medical ins', 'adly. what could it be? might not the nature of the injuries reveal something to my medical instinct', ' what could it be? might not the nature of the injuries reveal something to my medical instincts? i ', ' could it be? might not the nature of the injuries reveal something to my medical instincts? i rang ', 'd it be? might not the nature of the injuries reveal something to my medical instincts? i rang the b', 'be? might not the nature of the injuries reveal something to my medical instincts? i rang the bell a', 'ight not the nature of the injuries reveal something to my medical instincts? i rang the bell and ca', 'not the nature of the injuries reveal something to my medical instincts? i rang the bell and called ', 'he nature of the injuries reveal something to my medical instincts? i rang the bell and called for t', 'ture of the injuries reveal something to my medical instincts? i rang the bell and called for the we', 'of the injuries reveal something to my medical instincts? i rang the bell and called for the weekly ', 'e injuries reveal something to my medical instincts? i rang the bell and called for the weekly count', 'uries reveal something to my medical instincts? i rang the bell and called for the weekly county pap', ' reveal something to my medical instincts? i rang the bell and called for the weekly county paper, w', 'al something to my medical instincts? i rang the bell and called for the weekly county paper, which ', 'mething to my medical instincts? i rang the bell and called for the weekly county paper, which conta', 'ng to my medical instincts? i rang the bell and called for the weekly county paper, which contained ', ' my medical instincts? i rang the bell and called for the weekly county paper, which contained a ver', 'edical instincts? i rang the bell and called for the weekly county paper, which contained a verbatim', 'l instincts? i rang the bell and called for the weekly county paper, which contained a verbatim acco', 'tincts? i rang the bell and called for the weekly county paper, which contained a verbatim account o', 's? i rang the bell and called for the weekly county paper, which contained a verbatim account of the', 'rang the bell and called for the weekly county paper, which contained a verbatim account of the inqu', 'the bell and called for the weekly county paper, which contained a verbatim account of the inquest. ', 'ell and called for the weekly county paper, which contained a verbatim account of the inquest. in th', 'nd called for the weekly county paper, which contained a verbatim account of the inquest. in the sur', "lled for the weekly county paper, which contained a verbatim account of the inquest. in the surgeon'", "for the weekly county paper, which contained a verbatim account of the inquest. in the surgeon's dep", "he weekly county paper, which contained a verbatim account of the inquest. in the surgeon's depositi", "ekly county paper, which contained a verbatim account of the inquest. in the surgeon's deposition it", "county paper, which contained a verbatim account of the inquest. in the surgeon's deposition it was ", "y paper, which contained a verbatim account of the inquest. in the surgeon's deposition it was state", "er, which contained a verbatim account of the inquest. in the surgeon's deposition it was stated tha", "hich contained a verbatim account of the inquest. in the surgeon's deposition it was stated that the", "contained a verbatim account of the inquest. in the surgeon's deposition it was stated that the post", "ined a verbatim account of the inquest. in the surgeon's deposition it was stated that the posterior", "a verbatim account of the inquest. in the surgeon's deposition it was stated that the posterior thir", "batim account of the inquest. in the surgeon's deposition it was stated that the posterior third of ", " account of the inquest. in the surgeon's deposition it was stated that the posterior third of the l", "unt of the inquest. in the surgeon's deposition it was stated that the posterior third of the left p", "f the inquest. in the surgeon's deposition it was stated that the posterior third of the left pariet", " inquest. in the surgeon's deposition it was stated that the posterior third of the left parietal bo", "est. in the surgeon's deposition it was stated that the posterior third of the left parietal bone an", "in the surgeon's deposition it was stated that the posterior third of the left parietal bone and the", "e surgeon's deposition it was stated that the posterior third of the left parietal bone and the left", "geon's deposition it was stated that the posterior third of the left parietal bone and the left half", 's deposition it was stated that the posterior third of the left parietal bone and the left half of t', 'osition it was stated that the posterior third of the left parietal bone and the left half of the oc', 'on it was stated that the posterior third of the left parietal bone and the left half of the occipit', ' was stated that the posterior third of the left parietal bone and the left half of the occipital bo', 'stated that the posterior third of the left parietal bone and the left half of the occipital bone ha', 'd that the posterior third of the left parietal bone and the left half of the occipital bone had bee', 't the posterior third of the left parietal bone and the left half of the occipital bone had been sha', ' posterior third of the left parietal bone and the left half of the occipital bone had been shattere', 'erior third of the left parietal bone and the left half of the occipital bone had been shattered by ', ' third of the left parietal bone and the left half of the occipital bone had been shattered by a hea', 'd of the left parietal bone and the left half of the occipital bone had been shattered by a heavy bl', 'the left parietal bone and the left half of the occipital bone had been shattered by a heavy blow fr', 'eft parietal bone and the left half of the occipital bone had been shattered by a heavy blow from a ', 'arietal bone and the left half of the occipital bone had been shattered by a heavy blow from a blunt', 'al bone and the left half of the occipital bone had been shattered by a heavy blow from a blunt weap', 'ne and the left half of the occipital bone had been shattered by a heavy blow from a blunt weapon. i', 'd the left half of the occipital bone had been shattered by a heavy blow from a blunt weapon. i mark', ' left half of the occipital bone had been shattered by a heavy blow from a blunt weapon. i marked th', ' half of the occipital bone had been shattered by a heavy blow from a blunt weapon. i marked the spo', ' of the occipital bone had been shattered by a heavy blow from a blunt weapon. i marked the spot upo', 'he occipital bone had been shattered by a heavy blow from a blunt weapon. i marked the spot upon my ', 'cipital bone had been shattered by a heavy blow from a blunt weapon. i marked the spot upon my own h', 'al bone had been shattered by a heavy blow from a blunt weapon. i marked the spot upon my own head. ', 'ne had been shattered by a heavy blow from a blunt weapon. i marked the spot upon my own head. clear', 'd been shattered by a heavy blow from a blunt weapon. i marked the spot upon my own head. clearly su', 'n shattered by a heavy blow from a blunt weapon. i marked the spot upon my own head. clearly such a ', 'ttered by a heavy blow from a blunt weapon. i marked the spot upon my own head. clearly such a blow ', 'd by a heavy blow from a blunt weapon. i marked the spot upon my own head. clearly such a blow must ', 'a heavy blow from a blunt weapon. i marked the spot upon my own head. clearly such a blow must have ', 'vy blow from a blunt weapon. i marked the spot upon my own head. clearly such a blow must have been ', 'ow from a blunt weapon. i marked the spot upon my own head. clearly such a blow must have been struc', 'om a blunt weapon. i marked the spot upon my own head. clearly such a blow must have been struck fro', 'blunt weapon. i marked the spot upon my own head. clearly such a blow must have been struck from beh', ' weapon. i marked the spot upon my own head. clearly such a blow must have been struck from behind. ', 'on. i marked the spot upon my own head. clearly such a blow must have been struck from behind. that ', ' marked the spot upon my own head. clearly such a blow must have been struck from behind. that was t', 'ed the spot upon my own head. clearly such a blow must have been struck from behind. that was to som', 'e spot upon my own head. clearly such a blow must have been struck from behind. that was to some ext', 't upon my own head. clearly such a blow must have been struck from behind. that was to some extent i', 'n my own head. clearly such a blow must have been struck from behind. that was to some extent in fav', 'own head. clearly such a blow must have been struck from behind. that was to some extent in favour o', 'ead. clearly such a blow must have been struck from behind. that was to some extent in favour of the', 'clearly such a blow must have been struck from behind. that was to some extent in favour of the accu', 'ly such a blow must have been struck from behind. that was to some extent in favour of the accused, ', 'ch a blow must have been struck from behind. that was to some extent in favour of the accused, as wh', 'blow must have been struck from behind. that was to some extent in favour of the accused, as when se', 'must have been struck from behind. that was to some extent in favour of the accused, as when seen qu', 'have been struck from behind. that was to some extent in favour of the accused, as when seen quarrel', 'been struck from behind. that was to some extent in favour of the accused, as when seen quarrelling ', 'struck from behind. that was to some extent in favour of the accused, as when seen quarrelling he wa', 'k from behind. that was to some extent in favour of the accused, as when seen quarrelling he was fac', 'm behind. that was to some extent in favour of the accused, as when seen quarrelling he was face to ', 'ind. that was to some extent in favour of the accused, as when seen quarrelling he was face to face ', 'that was to some extent in favour of the accused, as when seen quarrelling he was face to face with ', 'was to some extent in favour of the accused, as when seen quarrelling he was face to face with his f', 'o some extent in favour of the accused, as when seen quarrelling he was face to face with his father', 'e extent in favour of the accused, as when seen quarrelling he was face to face with his father. sti', 'ent in favour of the accused, as when seen quarrelling he was face to face with his father. still, i', 'n favour of the accused, as when seen quarrelling he was face to face with his father. still, it did', 'our of the accused, as when seen quarrelling he was face to face with his father. still, it did not ', 'f the accused, as when seen quarrelling he was face to face with his father. still, it did not go fo', ' accused, as when seen quarrelling he was face to face with his father. still, it did not go for ver', 'sed, as when seen quarrelling he was face to face with his father. still, it did not go for very muc', 'as when seen quarrelling he was face to face with his father. still, it did not go for very much, fo', 'en seen quarrelling he was face to face with his father. still, it did not go for very much, for the', 'en quarrelling he was face to face with his father. still, it did not go for very much, for the olde', 'arrelling he was face to face with his father. still, it did not go for very much, for the older man', 'ling he was face to face with his father. still, it did not go for very much, for the older man migh', 'he was face to face with his father. still, it did not go for very much, for the older man might hav', 's face to face with his father. still, it did not go for very much, for the older man might have tur', 'e to face with his father. still, it did not go for very much, for the older man might have turned h', 'face with his father. still, it did not go for very much, for the older man might have turned his ba', 'with his father. still, it did not go for very much, for the older man might have turned his back be', 'his father. still, it did not go for very much, for the older man might have turned his back before ', 'ather. still, it did not go for very much, for the older man might have turned his back before the b', '. still, it did not go for very much, for the older man might have turned his back before the blow f', 'll, it did not go for very much, for the older man might have turned his back before the blow fell. ', 't did not go for very much, for the older man might have turned his back before the blow fell. still', ' not go for very much, for the older man might have turned his back before the blow fell. still, it ', 'go for very much, for the older man might have turned his back before the blow fell. still, it might', 'r very much, for the older man might have turned his back before the blow fell. still, it might be w', 'y much, for the older man might have turned his back before the blow fell. still, it might be worth ', 'h, for the older man might have turned his back before the blow fell. still, it might be worth while', 'r the older man might have turned his back before the blow fell. still, it might be worth while to c', ' older man might have turned his back before the blow fell. still, it might be worth while to call h', 'r man might have turned his back before the blow fell. still, it might be worth while to call holmes', " might have turned his back before the blow fell. still, it might be worth while to call holmes' att", "t have turned his back before the blow fell. still, it might be worth while to call holmes' attentio", "e turned his back before the blow fell. still, it might be worth while to call holmes' attention to ", "ned his back before the blow fell. still, it might be worth while to call holmes' attention to it. t", "is back before the blow fell. still, it might be worth while to call holmes' attention to it. then t", "ck before the blow fell. still, it might be worth while to call holmes' attention to it. then there ", "fore the blow fell. still, it might be worth while to call holmes' attention to it. then there was t", "the blow fell. still, it might be worth while to call holmes' attention to it. then there was the pe", "low fell. still, it might be worth while to call holmes' attention to it. then there was the peculia", "ell. still, it might be worth while to call holmes' attention to it. then there was the peculiar dyi", "still, it might be worth while to call holmes' attention to it. then there was the peculiar dying re", ", it might be worth while to call holmes' attention to it. then there was the peculiar dying referen", "might be worth while to call holmes' attention to it. then there was the peculiar dying reference to", " be worth while to call holmes' attention to it. then there was the peculiar dying reference to a ra", "orth while to call holmes' attention to it. then there was the peculiar dying reference to a rat. wh", "while to call holmes' attention to it. then there was the peculiar dying reference to a rat. what co", " to call holmes' attention to it. then there was the peculiar dying reference to a rat. what could t", "all holmes' attention to it. then there was the peculiar dying reference to a rat. what could that m", "olmes' attention to it. then there was the peculiar dying reference to a rat. what could that mean? ", "' attention to it. then there was the peculiar dying reference to a rat. what could that mean? it co", 'ention to it. then there was the peculiar dying reference to a rat. what could that mean? it could n', 'n to it. then there was the peculiar dying reference to a rat. what could that mean? it could not be', 'it. then there was the peculiar dying reference to a rat. what could that mean? it could not be deli', 'hen there was the peculiar dying reference to a rat. what could that mean? it could not be delirium.', 'here was the peculiar dying reference to a rat. what could that mean? it could not be delirium. a ma', 'was the peculiar dying reference to a rat. what could that mean? it could not be delirium. a man dyi', 'he peculiar dying reference to a rat. what could that mean? it could not be delirium. a man dying fr', 'culiar dying reference to a rat. what could that mean? it could not be delirium. a man dying from a ', 'r dying reference to a rat. what could that mean? it could not be delirium. a man dying from a sudde', 'ng reference to a rat. what could that mean? it could not be delirium. a man dying from a sudden blo', 'ference to a rat. what could that mean? it could not be delirium. a man dying from a sudden blow doe', 'ce to a rat. what could that mean? it could not be delirium. a man dying from a sudden blow does not', ' a rat. what could that mean? it could not be delirium. a man dying from a sudden blow does not comm', 't. what could that mean? it could not be delirium. a man dying from a sudden blow does not commonly ', 'at could that mean? it could not be delirium. a man dying from a sudden blow does not commonly becom', 'uld that mean? it could not be delirium. a man dying from a sudden blow does not commonly become del', 'hat mean? it could not be delirium. a man dying from a sudden blow does not commonly become deliriou', 'ean? it could not be delirium. a man dying from a sudden blow does not commonly become delirious. no', 'it could not be delirium. a man dying from a sudden blow does not commonly become delirious. no, it ', 'uld not be delirium. a man dying from a sudden blow does not commonly become delirious. no, it was m', 'ot be delirium. a man dying from a sudden blow does not commonly become delirious. no, it was more l', ' delirium. a man dying from a sudden blow does not commonly become delirious. no, it was more likely', 'rium. a man dying from a sudden blow does not commonly become delirious. no, it was more likely to b', ' a man dying from a sudden blow does not commonly become delirious. no, it was more likely to be an ', 'n dying from a sudden blow does not commonly become delirious. no, it was more likely to be an attem', 'ng from a sudden blow does not commonly become delirious. no, it was more likely to be an attempt to', 'om a sudden blow does not commonly become delirious. no, it was more likely to be an attempt to expl', 'sudden blow does not commonly become delirious. no, it was more likely to be an attempt to explain h', 'n blow does not commonly become delirious. no, it was more likely to be an attempt to explain how he', 'w does not commonly become delirious. no, it was more likely to be an attempt to explain how he met ', 's not commonly become delirious. no, it was more likely to be an attempt to explain how he met his f', ' commonly become delirious. no, it was more likely to be an attempt to explain how he met his fate. ', 'only become delirious. no, it was more likely to be an attempt to explain how he met his fate. but w', 'become delirious. no, it was more likely to be an attempt to explain how he met his fate. but what c', 'e delirious. no, it was more likely to be an attempt to explain how he met his fate. but what could ', 'irious. no, it was more likely to be an attempt to explain how he met his fate. but what could it in', 's. no, it was more likely to be an attempt to explain how he met his fate. but what could it indicat', ', it was more likely to be an attempt to explain how he met his fate. but what could it indicate? i ', 'was more likely to be an attempt to explain how he met his fate. but what could it indicate? i cudge', 'ore likely to be an attempt to explain how he met his fate. but what could it indicate? i cudgelled ', 'ikely to be an attempt to explain how he met his fate. but what could it indicate? i cudgelled my br', ' to be an attempt to explain how he met his fate. but what could it indicate? i cudgelled my brains ', 'e an attempt to explain how he met his fate. but what could it indicate? i cudgelled my brains to fi', 'attempt to explain how he met his fate. but what could it indicate? i cudgelled my brains to find so', 'pt to explain how he met his fate. but what could it indicate? i cudgelled my brains to find some po', ' explain how he met his fate. but what could it indicate? i cudgelled my brains to find some possibl', 'ain how he met his fate. but what could it indicate? i cudgelled my brains to find some possible exp', 'ow he met his fate. but what could it indicate? i cudgelled my brains to find some possible explanat', ' met his fate. but what could it indicate? i cudgelled my brains to find some possible explanation. ', 'his fate. but what could it indicate? i cudgelled my brains to find some possible explanation. and t', 'ate. but what could it indicate? i cudgelled my brains to find some possible explanation. and then t', 'but what could it indicate? i cudgelled my brains to find some possible explanation. and then the in', 'hat could it indicate? i cudgelled my brains to find some possible explanation. and then the inciden', 'ould it indicate? i cudgelled my brains to find some possible explanation. and then the incident of ', 'it indicate? i cudgelled my brains to find some possible explanation. and then the incident of the g', 'dicate? i cudgelled my brains to find some possible explanation. and then the incident of the grey c', 'e? i cudgelled my brains to find some possible explanation. and then the incident of the grey cloth ', 'cudgelled my brains to find some possible explanation. and then the incident of the grey cloth seen ', 'lled my brains to find some possible explanation. and then the incident of the grey cloth seen by yo', 'my brains to find some possible explanation. and then the incident of the grey cloth seen by young m', 'ains to find some possible explanation. and then the incident of the grey cloth seen by young mccart', 'to find some possible explanation. and then the incident of the grey cloth seen by young mccarthy. i', 'nd some possible explanation. and then the incident of the grey cloth seen by young mccarthy. if tha', 'me possible explanation. and then the incident of the grey cloth seen by young mccarthy. if that wer', 'ssible explanation. and then the incident of the grey cloth seen by young mccarthy. if that were tru', 'e explanation. and then the incident of the grey cloth seen by young mccarthy. if that were true the', 'lanation. and then the incident of the grey cloth seen by young mccarthy. if that were true the murd', 'ion. and then the incident of the grey cloth seen by young mccarthy. if that were true the murderer ', 'and then the incident of the grey cloth seen by young mccarthy. if that were true the murderer must ', 'hen the incident of the grey cloth seen by young mccarthy. if that were true the murderer must have ', 'he incident of the grey cloth seen by young mccarthy. if that were true the murderer must have dropp', 'cident of the grey cloth seen by young mccarthy. if that were true the murderer must have dropped so', 't of the grey cloth seen by young mccarthy. if that were true the murderer must have dropped some pa', 'the grey cloth seen by young mccarthy. if that were true the murderer must have dropped some part of', 'rey cloth seen by young mccarthy. if that were true the murderer must have dropped some part of his ', 'loth seen by young mccarthy. if that were true the murderer must have dropped some part of his dress', 'seen by young mccarthy. if that were true the murderer must have dropped some part of his dress, pre', 'by young mccarthy. if that were true the murderer must have dropped some part of his dress, presumab', 'ung mccarthy. if that were true the murderer must have dropped some part of his dress, presumably hi', 'ccarthy. if that were true the murderer must have dropped some part of his dress, presumably his ove', 'hy. if that were true the murderer must have dropped some part of his dress, presumably his overcoat', 'f that were true the murderer must have dropped some part of his dress, presumably his overcoat, in ', 't were true the murderer must have dropped some part of his dress, presumably his overcoat, in his f', 'e true the murderer must have dropped some part of his dress, presumably his overcoat, in his flight', 'e the murderer must have dropped some part of his dress, presumably his overcoat, in his flight, and', ' murderer must have dropped some part of his dress, presumably his overcoat, in his flight, and must', 'erer must have dropped some part of his dress, presumably his overcoat, in his flight, and must have', 'must have dropped some part of his dress, presumably his overcoat, in his flight, and must have had ', 'have dropped some part of his dress, presumably his overcoat, in his flight, and must have had the h', 'dropped some part of his dress, presumably his overcoat, in his flight, and must have had the hardih', 'ed some part of his dress, presumably his overcoat, in his flight, and must have had the hardihood t', 'me part of his dress, presumably his overcoat, in his flight, and must have had the hardihood to ret', 'rt of his dress, presumably his overcoat, in his flight, and must have had the hardihood to return a', ' his dress, presumably his overcoat, in his flight, and must have had the hardihood to return and to', 'dress, presumably his overcoat, in his flight, and must have had the hardihood to return and to carr', ', presumably his overcoat, in his flight, and must have had the hardihood to return and to carry it ', 'sumably his overcoat, in his flight, and must have had the hardihood to return and to carry it away ', 'ly his overcoat, in his flight, and must have had the hardihood to return and to carry it away at th', 's overcoat, in his flight, and must have had the hardihood to return and to carry it away at the ins', 'rcoat, in his flight, and must have had the hardihood to return and to carry it away at the instant ', ', in his flight, and must have had the hardihood to return and to carry it away at the instant when ', 'his flight, and must have had the hardihood to return and to carry it away at the instant when the s', 'light, and must have had the hardihood to return and to carry it away at the instant when the son wa', ', and must have had the hardihood to return and to carry it away at the instant when the son was kne', ' must have had the hardihood to return and to carry it away at the instant when the son was kneeling', ' have had the hardihood to return and to carry it away at the instant when the son was kneeling with', ' had the hardihood to return and to carry it away at the instant when the son was kneeling with his ', 'the hardihood to return and to carry it away at the instant when the son was kneeling with his back ', 'ardihood to return and to carry it away at the instant when the son was kneeling with his back turne', 'ood to return and to carry it away at the instant when the son was kneeling with his back turned not', 'o return and to carry it away at the instant when the son was kneeling with his back turned not a do', 'urn and to carry it away at the instant when the son was kneeling with his back turned not a dozen p', 'nd to carry it away at the instant when the son was kneeling with his back turned not a dozen paces ', ' carry it away at the instant when the son was kneeling with his back turned not a dozen paces off. ', 'y it away at the instant when the son was kneeling with his back turned not a dozen paces off. what ', 'away at the instant when the son was kneeling with his back turned not a dozen paces off. what a tis', 'at the instant when the son was kneeling with his back turned not a dozen paces off. what a tissue o', 'e instant when the son was kneeling with his back turned not a dozen paces off. what a tissue of mys', 'tant when the son was kneeling with his back turned not a dozen paces off. what a tissue of mysterie', 'when the son was kneeling with his back turned not a dozen paces off. what a tissue of mysteries and', 'the son was kneeling with his back turned not a dozen paces off. what a tissue of mysteries and impr', 'on was kneeling with his back turned not a dozen paces off. what a tissue of mysteries and improbabi', 's kneeling with his back turned not a dozen paces off. what a tissue of mysteries and improbabilitie', 'eling with his back turned not a dozen paces off. what a tissue of mysteries and improbabilities the', ' with his back turned not a dozen paces off. what a tissue of mysteries and improbabilities the whol', ' his back turned not a dozen paces off. what a tissue of mysteries and improbabilities the whole thi', 'back turned not a dozen paces off. what a tissue of mysteries and improbabilities the whole thing wa', 'turned not a dozen paces off. what a tissue of mysteries and improbabilities the whole thing was! i ', 'd not a dozen paces off. what a tissue of mysteries and improbabilities the whole thing was! i did n', ' a dozen paces off. what a tissue of mysteries and improbabilities the whole thing was! i did not wo', 'zen paces off. what a tissue of mysteries and improbabilities the whole thing was! i did not wonder ', 'aces off. what a tissue of mysteries and improbabilities the whole thing was! i did not wonder at le', 'off. what a tissue of mysteries and improbabilities the whole thing was! i did not wonder at lestrad', "what a tissue of mysteries and improbabilities the whole thing was! i did not wonder at lestrade's o", "a tissue of mysteries and improbabilities the whole thing was! i did not wonder at lestrade's opinio", "sue of mysteries and improbabilities the whole thing was! i did not wonder at lestrade's opinion, an", "f mysteries and improbabilities the whole thing was! i did not wonder at lestrade's opinion, and yet", "teries and improbabilities the whole thing was! i did not wonder at lestrade's opinion, and yet i ha", "s and improbabilities the whole thing was! i did not wonder at lestrade's opinion, and yet i had so ", " improbabilities the whole thing was! i did not wonder at lestrade's opinion, and yet i had so much ", "obabilities the whole thing was! i did not wonder at lestrade's opinion, and yet i had so much faith", "lities the whole thing was! i did not wonder at lestrade's opinion, and yet i had so much faith in s", "s the whole thing was! i did not wonder at lestrade's opinion, and yet i had so much faith in sherlo", " whole thing was! i did not wonder at lestrade's opinion, and yet i had so much faith in sherlock ho", "e thing was! i did not wonder at lestrade's opinion, and yet i had so much faith in sherlock holmes'", "ng was! i did not wonder at lestrade's opinion, and yet i had so much faith in sherlock holmes' insi", "s! i did not wonder at lestrade's opinion, and yet i had so much faith in sherlock holmes' insight t", "did not wonder at lestrade's opinion, and yet i had so much faith in sherlock holmes' insight that i", "ot wonder at lestrade's opinion, and yet i had so much faith in sherlock holmes' insight that i coul", "nder at lestrade's opinion, and yet i had so much faith in sherlock holmes' insight that i could not", "at lestrade's opinion, and yet i had so much faith in sherlock holmes' insight that i could not lose", "strade's opinion, and yet i had so much faith in sherlock holmes' insight that i could not lose hope", "e's opinion, and yet i had so much faith in sherlock holmes' insight that i could not lose hope as l", "pinion, and yet i had so much faith in sherlock holmes' insight that i could not lose hope as long a", "n, and yet i had so much faith in sherlock holmes' insight that i could not lose hope as long as eve", "d yet i had so much faith in sherlock holmes' insight that i could not lose hope as long as every fr", " i had so much faith in sherlock holmes' insight that i could not lose hope as long as every fresh f", "d so much faith in sherlock holmes' insight that i could not lose hope as long as every fresh fact s", "much faith in sherlock holmes' insight that i could not lose hope as long as every fresh fact seemed", "faith in sherlock holmes' insight that i could not lose hope as long as every fresh fact seemed to s", " in sherlock holmes' insight that i could not lose hope as long as every fresh fact seemed to streng", "herlock holmes' insight that i could not lose hope as long as every fresh fact seemed to strengthen ", "ck holmes' insight that i could not lose hope as long as every fresh fact seemed to strengthen his c", "lmes' insight that i could not lose hope as long as every fresh fact seemed to strengthen his convic", ' insight that i could not lose hope as long as every fresh fact seemed to strengthen his conviction ', 'ght that i could not lose hope as long as every fresh fact seemed to strengthen his conviction of yo', 'hat i could not lose hope as long as every fresh fact seemed to strengthen his conviction of young m', ' could not lose hope as long as every fresh fact seemed to strengthen his conviction of young mccart', "d not lose hope as long as every fresh fact seemed to strengthen his conviction of young mccarthy's ", " lose hope as long as every fresh fact seemed to strengthen his conviction of young mccarthy's innoc", " hope as long as every fresh fact seemed to strengthen his conviction of young mccarthy's innocence.", " as long as every fresh fact seemed to strengthen his conviction of young mccarthy's innocence. it w", "ong as every fresh fact seemed to strengthen his conviction of young mccarthy's innocence. it was la", "s every fresh fact seemed to strengthen his conviction of young mccarthy's innocence. it was late be", "ry fresh fact seemed to strengthen his conviction of young mccarthy's innocence. it was late before ", "esh fact seemed to strengthen his conviction of young mccarthy's innocence. it was late before sherl", "act seemed to strengthen his conviction of young mccarthy's innocence. it was late before sherlock h", "eemed to strengthen his conviction of young mccarthy's innocence. it was late before sherlock holmes", " to strengthen his conviction of young mccarthy's innocence. it was late before sherlock holmes retu", "trengthen his conviction of young mccarthy's innocence. it was late before sherlock holmes returned.", "then his conviction of young mccarthy's innocence. it was late before sherlock holmes returned. he c", "his conviction of young mccarthy's innocence. it was late before sherlock holmes returned. he came b", "onviction of young mccarthy's innocence. it was late before sherlock holmes returned. he came back a", "tion of young mccarthy's innocence. it was late before sherlock holmes returned. he came back alone,", "of young mccarthy's innocence. it was late before sherlock holmes returned. he came back alone, for ", "ung mccarthy's innocence. it was late before sherlock holmes returned. he came back alone, for lestr", "ccarthy's innocence. it was late before sherlock holmes returned. he came back alone, for lestrade w", "hy's innocence. it was late before sherlock holmes returned. he came back alone, for lestrade was st", 'innocence. it was late before sherlock holmes returned. he came back alone, for lestrade was staying', 'ence. it was late before sherlock holmes returned. he came back alone, for lestrade was staying in l', ' it was late before sherlock holmes returned. he came back alone, for lestrade was staying in lodgin', 'as late before sherlock holmes returned. he came back alone, for lestrade was staying in lodgings in', 'te before sherlock holmes returned. he came back alone, for lestrade was staying in lodgings in the ', 'fore sherlock holmes returned. he came back alone, for lestrade was staying in lodgings in the town.', 'sherlock holmes returned. he came back alone, for lestrade was staying in lodgings in the town. "the', 'ock holmes returned. he came back alone, for lestrade was staying in lodgings in the town. "the glas', 'olmes returned. he came back alone, for lestrade was staying in lodgings in the town. "the glass sti', ' returned. he came back alone, for lestrade was staying in lodgings in the town. "the glass still ke', 'rned. he came back alone, for lestrade was staying in lodgings in the town. "the glass still keeps v', ' he came back alone, for lestrade was staying in lodgings in the town. "the glass still keeps very h', 'ame back alone, for lestrade was staying in lodgings in the town. "the glass still keeps very high,"', 'ack alone, for lestrade was staying in lodgings in the town. "the glass still keeps very high," he r', 'lone, for lestrade was staying in lodgings in the town. "the glass still keeps very high," he remark', ' for lestrade was staying in lodgings in the town. "the glass still keeps very high," he remarked as', 'lestrade was staying in lodgings in the town. "the glass still keeps very high," he remarked as he s', 'ade was staying in lodgings in the town. "the glass still keeps very high," he remarked as he sat do', 'as staying in lodgings in the town. "the glass still keeps very high," he remarked as he sat down. "', 'aying in lodgings in the town. "the glass still keeps very high," he remarked as he sat down. "it is', ' in lodgings in the town. "the glass still keeps very high," he remarked as he sat down. "it is of i', 'odgings in the town. "the glass still keeps very high," he remarked as he sat down. "it is of import', 'gs in the town. "the glass still keeps very high," he remarked as he sat down. "it is of importance ', ' the town. "the glass still keeps very high," he remarked as he sat down. "it is of importance that ', 'town. "the glass still keeps very high," he remarked as he sat down. "it is of importance that it sh', ' "the glass still keeps very high," he remarked as he sat down. "it is of importance that it should ', ' glass still keeps very high," he remarked as he sat down. "it is of importance that it should not r', 's still keeps very high," he remarked as he sat down. "it is of importance that it should not rain b', 'll keeps very high," he remarked as he sat down. "it is of importance that it should not rain before', 'eps very high," he remarked as he sat down. "it is of importance that it should not rain before we a', 'ery high," he remarked as he sat down. "it is of importance that it should not rain before we are ab', 'igh," he remarked as he sat down. "it is of importance that it should not rain before we are able to', ' he remarked as he sat down. "it is of importance that it should not rain before we are able to go o', 'emarked as he sat down. "it is of importance that it should not rain before we are able to go over t', 'ed as he sat down. "it is of importance that it should not rain before we are able to go over the gr', ' he sat down. "it is of importance that it should not rain before we are able to go over the ground.', 'at down. "it is of importance that it should not rain before we are able to go over the ground. on t', 'wn. "it is of importance that it should not rain before we are able to go over the ground. on the ot', 'it is of importance that it should not rain before we are able to go over the ground. on the other h', ' of importance that it should not rain before we are able to go over the ground. on the other hand, ', 'mportance that it should not rain before we are able to go over the ground. on the other hand, a man', 'ance that it should not rain before we are able to go over the ground. on the other hand, a man shou', 'that it should not rain before we are able to go over the ground. on the other hand, a man should be', 'it should not rain before we are able to go over the ground. on the other hand, a man should be at h', 'ould not rain before we are able to go over the ground. on the other hand, a man should be at his ve', 'not rain before we are able to go over the ground. on the other hand, a man should be at his very be', 'ain before we are able to go over the ground. on the other hand, a man should be at his very best an', 'efore we are able to go over the ground. on the other hand, a man should be at his very best and kee', ' we are able to go over the ground. on the other hand, a man should be at his very best and keenest ', 're able to go over the ground. on the other hand, a man should be at his very best and keenest for s', 'le to go over the ground. on the other hand, a man should be at his very best and keenest for such n', ' go over the ground. on the other hand, a man should be at his very best and keenest for such nice w', 'ver the ground. on the other hand, a man should be at his very best and keenest for such nice work a', 'he ground. on the other hand, a man should be at his very best and keenest for such nice work as tha', 'ound. on the other hand, a man should be at his very best and keenest for such nice work as that, an', ' on the other hand, a man should be at his very best and keenest for such nice work as that, and i d', 'he other hand, a man should be at his very best and keenest for such nice work as that, and i did no', 'her hand, a man should be at his very best and keenest for such nice work as that, and i did not wis', 'and, a man should be at his very best and keenest for such nice work as that, and i did not wish to ', 'a man should be at his very best and keenest for such nice work as that, and i did not wish to do it', ' should be at his very best and keenest for such nice work as that, and i did not wish to do it when', 'ld be at his very best and keenest for such nice work as that, and i did not wish to do it when fagg', ' at his very best and keenest for such nice work as that, and i did not wish to do it when fagged by', 'is very best and keenest for such nice work as that, and i did not wish to do it when fagged by a lo', 'ry best and keenest for such nice work as that, and i did not wish to do it when fagged by a long jo', 'st and keenest for such nice work as that, and i did not wish to do it when fagged by a long journey', 'd keenest for such nice work as that, and i did not wish to do it when fagged by a long journey. i h', 'nest for such nice work as that, and i did not wish to do it when fagged by a long journey. i have s', 'for such nice work as that, and i did not wish to do it when fagged by a long journey. i have seen y', 'uch nice work as that, and i did not wish to do it when fagged by a long journey. i have seen young ', 'ice work as that, and i did not wish to do it when fagged by a long journey. i have seen young mccar', 'ork as that, and i did not wish to do it when fagged by a long journey. i have seen young mccarthy."', 's that, and i did not wish to do it when fagged by a long journey. i have seen young mccarthy." "and', 't, and i did not wish to do it when fagged by a long journey. i have seen young mccarthy." "and what', 'd i did not wish to do it when fagged by a long journey. i have seen young mccarthy." "and what did ', 'id not wish to do it when fagged by a long journey. i have seen young mccarthy." "and what did you l', 't wish to do it when fagged by a long journey. i have seen young mccarthy." "and what did you learn ', 'h to do it when fagged by a long journey. i have seen young mccarthy." "and what did you learn from ', 'do it when fagged by a long journey. i have seen young mccarthy." "and what did you learn from him?"', ' when fagged by a long journey. i have seen young mccarthy." "and what did you learn from him?" "not', ' fagged by a long journey. i have seen young mccarthy." "and what did you learn from him?" "nothing.', 'ed by a long journey. i have seen young mccarthy." "and what did you learn from him?" "nothing." "co', ' a long journey. i have seen young mccarthy." "and what did you learn from him?" "nothing." "could h', 'ng journey. i have seen young mccarthy." "and what did you learn from him?" "nothing." "could he thr', 'urney. i have seen young mccarthy." "and what did you learn from him?" "nothing." "could he throw no', '. i have seen young mccarthy." "and what did you learn from him?" "nothing." "could he throw no ligh', 'ave seen young mccarthy." "and what did you learn from him?" "nothing." "could he throw no light?" "', 'een young mccarthy." "and what did you learn from him?" "nothing." "could he throw no light?" "none ', 'oung mccarthy." "and what did you learn from him?" "nothing." "could he throw no light?" "none at al', 'mccarthy." "and what did you learn from him?" "nothing." "could he throw no light?" "none at all. i ', 'thy." "and what did you learn from him?" "nothing." "could he throw no light?" "none at all. i was i', ' "and what did you learn from him?" "nothing." "could he throw no light?" "none at all. i was inclin', ' what did you learn from him?" "nothing." "could he throw no light?" "none at all. i was inclined to', ' did you learn from him?" "nothing." "could he throw no light?" "none at all. i was inclined to thin', 'you learn from him?" "nothing." "could he throw no light?" "none at all. i was inclined to think at ', 'earn from him?" "nothing." "could he throw no light?" "none at all. i was inclined to think at one t', 'from him?" "nothing." "could he throw no light?" "none at all. i was inclined to think at one time t', 'him?" "nothing." "could he throw no light?" "none at all. i was inclined to think at one time that h', ' "nothing." "could he throw no light?" "none at all. i was inclined to think at one time that he kne', 'hing." "could he throw no light?" "none at all. i was inclined to think at one time that he knew who', '" "could he throw no light?" "none at all. i was inclined to think at one time that he knew who had ', 'uld he throw no light?" "none at all. i was inclined to think at one time that he knew who had done ', 'e throw no light?" "none at all. i was inclined to think at one time that he knew who had done it an', 'ow no light?" "none at all. i was inclined to think at one time that he knew who had done it and was', ' light?" "none at all. i was inclined to think at one time that he knew who had done it and was scre', 't?" "none at all. i was inclined to think at one time that he knew who had done it and was screening', 'none at all. i was inclined to think at one time that he knew who had done it and was screening him ', 'at all. i was inclined to think at one time that he knew who had done it and was screening him or he', 'l. i was inclined to think at one time that he knew who had done it and was screening him or her, bu', 'was inclined to think at one time that he knew who had done it and was screening him or her, but i a', 'nclined to think at one time that he knew who had done it and was screening him or her, but i am con', 'ed to think at one time that he knew who had done it and was screening him or her, but i am convince', ' think at one time that he knew who had done it and was screening him or her, but i am convinced now', 'k at one time that he knew who had done it and was screening him or her, but i am convinced now that', 'one time that he knew who had done it and was screening him or her, but i am convinced now that he i', 'ime that he knew who had done it and was screening him or her, but i am convinced now that he is as ', 'hat he knew who had done it and was screening him or her, but i am convinced now that he is as puzzl', 'e knew who had done it and was screening him or her, but i am convinced now that he is as puzzled as', 'w who had done it and was screening him or her, but i am convinced now that he is as puzzled as ever', ' had done it and was screening him or her, but i am convinced now that he is as puzzled as everyone ', 'done it and was screening him or her, but i am convinced now that he is as puzzled as everyone else.', 'it and was screening him or her, but i am convinced now that he is as puzzled as everyone else. he i', 'd was screening him or her, but i am convinced now that he is as puzzled as everyone else. he is not', ' screening him or her, but i am convinced now that he is as puzzled as everyone else. he is not a ve', 'ening him or her, but i am convinced now that he is as puzzled as everyone else. he is not a very qu', ' him or her, but i am convinced now that he is as puzzled as everyone else. he is not a very quick-w', 'or her, but i am convinced now that he is as puzzled as everyone else. he is not a very quick-witted', 'r, but i am convinced now that he is as puzzled as everyone else. he is not a very quick-witted yout', 't i am convinced now that he is as puzzled as everyone else. he is not a very quick-witted youth, th', 'm convinced now that he is as puzzled as everyone else. he is not a very quick-witted youth, though ', 'vinced now that he is as puzzled as everyone else. he is not a very quick-witted youth, though comel', 'd now that he is as puzzled as everyone else. he is not a very quick-witted youth, though comely to ', ' that he is as puzzled as everyone else. he is not a very quick-witted youth, though comely to look ', ' he is as puzzled as everyone else. he is not a very quick-witted youth, though comely to look at an', 's as puzzled as everyone else. he is not a very quick-witted youth, though comely to look at and, i ', 'puzzled as everyone else. he is not a very quick-witted youth, though comely to look at and, i shoul', 'ed as everyone else. he is not a very quick-witted youth, though comely to look at and, i should thi', ' everyone else. he is not a very quick-witted youth, though comely to look at and, i should think, s', 'yone else. he is not a very quick-witted youth, though comely to look at and, i should think, sound ', 'else. he is not a very quick-witted youth, though comely to look at and, i should think, sound at he', ' he is not a very quick-witted youth, though comely to look at and, i should think, sound at heart."', 's not a very quick-witted youth, though comely to look at and, i should think, sound at heart." "i c', ' a very quick-witted youth, though comely to look at and, i should think, sound at heart." "i cannot', 'ry quick-witted youth, though comely to look at and, i should think, sound at heart." "i cannot admi', 'ick-witted youth, though comely to look at and, i should think, sound at heart." "i cannot admire hi', 'itted youth, though comely to look at and, i should think, sound at heart." "i cannot admire his tas', ' youth, though comely to look at and, i should think, sound at heart." "i cannot admire his taste," ', 'h, though comely to look at and, i should think, sound at heart." "i cannot admire his taste," i rem', 'ough comely to look at and, i should think, sound at heart." "i cannot admire his taste," i remarked', 'comely to look at and, i should think, sound at heart." "i cannot admire his taste," i remarked, "if', 'y to look at and, i should think, sound at heart." "i cannot admire his taste," i remarked, "if it i', 'look at and, i should think, sound at heart." "i cannot admire his taste," i remarked, "if it is ind', 'at and, i should think, sound at heart." "i cannot admire his taste," i remarked, "if it is indeed a', 'd, i should think, sound at heart." "i cannot admire his taste," i remarked, "if it is indeed a fact', 'should think, sound at heart." "i cannot admire his taste," i remarked, "if it is indeed a fact that', 'd think, sound at heart." "i cannot admire his taste," i remarked, "if it is indeed a fact that he w', 'nk, sound at heart." "i cannot admire his taste," i remarked, "if it is indeed a fact that he was av', 'ound at heart." "i cannot admire his taste," i remarked, "if it is indeed a fact that he was averse ', 'at heart." "i cannot admire his taste," i remarked, "if it is indeed a fact that he was averse to a ', 'art." "i cannot admire his taste," i remarked, "if it is indeed a fact that he was averse to a marri', ' "i cannot admire his taste," i remarked, "if it is indeed a fact that he was averse to a marriage w', 'annot admire his taste," i remarked, "if it is indeed a fact that he was averse to a marriage with s', ' admire his taste," i remarked, "if it is indeed a fact that he was averse to a marriage with so cha', 're his taste," i remarked, "if it is indeed a fact that he was averse to a marriage with so charming', 's taste," i remarked, "if it is indeed a fact that he was averse to a marriage with so charming a yo', 'te," i remarked, "if it is indeed a fact that he was averse to a marriage with so charming a young l', 'i remarked, "if it is indeed a fact that he was averse to a marriage with so charming a young lady a', 'arked, "if it is indeed a fact that he was averse to a marriage with so charming a young lady as thi', ', "if it is indeed a fact that he was averse to a marriage with so charming a young lady as this mis', ' it is indeed a fact that he was averse to a marriage with so charming a young lady as this miss tur', 's indeed a fact that he was averse to a marriage with so charming a young lady as this miss turner."', 'eed a fact that he was averse to a marriage with so charming a young lady as this miss turner." "ah,', ' fact that he was averse to a marriage with so charming a young lady as this miss turner." "ah, ther', ' that he was averse to a marriage with so charming a young lady as this miss turner." "ah, thereby h', ' he was averse to a marriage with so charming a young lady as this miss turner." "ah, thereby hangs ', 'as averse to a marriage with so charming a young lady as this miss turner." "ah, thereby hangs a rat', 'erse to a marriage with so charming a young lady as this miss turner." "ah, thereby hangs a rather p', 'to a marriage with so charming a young lady as this miss turner." "ah, thereby hangs a rather painfu', 'marriage with so charming a young lady as this miss turner." "ah, thereby hangs a rather painful tal', 'age with so charming a young lady as this miss turner." "ah, thereby hangs a rather painful tale. th', 'ith so charming a young lady as this miss turner." "ah, thereby hangs a rather painful tale. this fe', 'o charming a young lady as this miss turner." "ah, thereby hangs a rather painful tale. this fellow ', 'rming a young lady as this miss turner." "ah, thereby hangs a rather painful tale. this fellow is ma', ' a young lady as this miss turner." "ah, thereby hangs a rather painful tale. this fellow is madly, ', 'ung lady as this miss turner." "ah, thereby hangs a rather painful tale. this fellow is madly, insan', 'ady as this miss turner." "ah, thereby hangs a rather painful tale. this fellow is madly, insanely, ', 's this miss turner." "ah, thereby hangs a rather painful tale. this fellow is madly, insanely, in lo', 's miss turner." "ah, thereby hangs a rather painful tale. this fellow is madly, insanely, in love wi', 's turner." "ah, thereby hangs a rather painful tale. this fellow is madly, insanely, in love with he', 'ner." "ah, thereby hangs a rather painful tale. this fellow is madly, insanely, in love with her, bu', ' "ah, thereby hangs a rather painful tale. this fellow is madly, insanely, in love with her, but som', ' thereby hangs a rather painful tale. this fellow is madly, insanely, in love with her, but some two', 'eby hangs a rather painful tale. this fellow is madly, insanely, in love with her, but some two year', 'angs a rather painful tale. this fellow is madly, insanely, in love with her, but some two years ago', 'a rather painful tale. this fellow is madly, insanely, in love with her, but some two years ago, whe', 'her painful tale. this fellow is madly, insanely, in love with her, but some two years ago, when he ', 'ainful tale. this fellow is madly, insanely, in love with her, but some two years ago, when he was o', 'l tale. this fellow is madly, insanely, in love with her, but some two years ago, when he was only a', 'e. this fellow is madly, insanely, in love with her, but some two years ago, when he was only a lad,', 'is fellow is madly, insanely, in love with her, but some two years ago, when he was only a lad, and ', 'llow is madly, insanely, in love with her, but some two years ago, when he was only a lad, and befor', 'is madly, insanely, in love with her, but some two years ago, when he was only a lad, and before he ', 'dly, insanely, in love with her, but some two years ago, when he was only a lad, and before he reall', 'insanely, in love with her, but some two years ago, when he was only a lad, and before he really kne', 'ely, in love with her, but some two years ago, when he was only a lad, and before he really knew her', 'in love with her, but some two years ago, when he was only a lad, and before he really knew her, for', 've with her, but some two years ago, when he was only a lad, and before he really knew her, for she ', 'th her, but some two years ago, when he was only a lad, and before he really knew her, for she had b', 'r, but some two years ago, when he was only a lad, and before he really knew her, for she had been a', 't some two years ago, when he was only a lad, and before he really knew her, for she had been away f', 'e two years ago, when he was only a lad, and before he really knew her, for she had been away five y', ' years ago, when he was only a lad, and before he really knew her, for she had been away five years ', 's ago, when he was only a lad, and before he really knew her, for she had been away five years at a ', ', when he was only a lad, and before he really knew her, for she had been away five years at a board', 'n he was only a lad, and before he really knew her, for she had been away five years at a boarding-s', 'was only a lad, and before he really knew her, for she had been away five years at a boarding-school', 'nly a lad, and before he really knew her, for she had been away five years at a boarding-school, wha', ' lad, and before he really knew her, for she had been away five years at a boarding-school, what doe', ' and before he really knew her, for she had been away five years at a boarding-school, what does the', 'before he really knew her, for she had been away five years at a boarding-school, what does the idio', 'e he really knew her, for she had been away five years at a boarding-school, what does the idiot do ', 'really knew her, for she had been away five years at a boarding-school, what does the idiot do but g', 'y knew her, for she had been away five years at a boarding-school, what does the idiot do but get in', 'w her, for she had been away five years at a boarding-school, what does the idiot do but get into th', ', for she had been away five years at a boarding-school, what does the idiot do but get into the clu', ' she had been away five years at a boarding-school, what does the idiot do but get into the clutches', 'had been away five years at a boarding-school, what does the idiot do but get into the clutches of a', 'een away five years at a boarding-school, what does the idiot do but get into the clutches of a barm', 'way five years at a boarding-school, what does the idiot do but get into the clutches of a barmaid i', 'ive years at a boarding-school, what does the idiot do but get into the clutches of a barmaid in bri', 'ears at a boarding-school, what does the idiot do but get into the clutches of a barmaid in bristol ', 'at a boarding-school, what does the idiot do but get into the clutches of a barmaid in bristol and m', 'boarding-school, what does the idiot do but get into the clutches of a barmaid in bristol and marry ', 'ing-school, what does the idiot do but get into the clutches of a barmaid in bristol and marry her a', 'chool, what does the idiot do but get into the clutches of a barmaid in bristol and marry her at a r', ', what does the idiot do but get into the clutches of a barmaid in bristol and marry her at a regist', 't does the idiot do but get into the clutches of a barmaid in bristol and marry her at a registry of', 's the idiot do but get into the clutches of a barmaid in bristol and marry her at a registry office?', ' idiot do but get into the clutches of a barmaid in bristol and marry her at a registry office? no o', 't do but get into the clutches of a barmaid in bristol and marry her at a registry office? no one kn', 'but get into the clutches of a barmaid in bristol and marry her at a registry office? no one knows a', 'et into the clutches of a barmaid in bristol and marry her at a registry office? no one knows a word', 'to the clutches of a barmaid in bristol and marry her at a registry office? no one knows a word of t', 'e clutches of a barmaid in bristol and marry her at a registry office? no one knows a word of the ma', 'tches of a barmaid in bristol and marry her at a registry office? no one knows a word of the matter,', ' of a barmaid in bristol and marry her at a registry office? no one knows a word of the matter, but ', ' barmaid in bristol and marry her at a registry office? no one knows a word of the matter, but you c', 'aid in bristol and marry her at a registry office? no one knows a word of the matter, but you can im', 'n bristol and marry her at a registry office? no one knows a word of the matter, but you can imagine', 'stol and marry her at a registry office? no one knows a word of the matter, but you can imagine how ', 'and marry her at a registry office? no one knows a word of the matter, but you can imagine how madde', 'arry her at a registry office? no one knows a word of the matter, but you can imagine how maddening ', 'her at a registry office? no one knows a word of the matter, but you can imagine how maddening it mu', 't a registry office? no one knows a word of the matter, but you can imagine how maddening it must be', 'egistry office? no one knows a word of the matter, but you can imagine how maddening it must be to h', 'ry office? no one knows a word of the matter, but you can imagine how maddening it must be to him to', 'fice? no one knows a word of the matter, but you can imagine how maddening it must be to him to be u', ' no one knows a word of the matter, but you can imagine how maddening it must be to him to be upbrai', 'ne knows a word of the matter, but you can imagine how maddening it must be to him to be upbraided f', 'ows a word of the matter, but you can imagine how maddening it must be to him to be upbraided for no', ' word of the matter, but you can imagine how maddening it must be to him to be upbraided for not doi', ' of the matter, but you can imagine how maddening it must be to him to be upbraided for not doing wh', 'he matter, but you can imagine how maddening it must be to him to be upbraided for not doing what he', 'tter, but you can imagine how maddening it must be to him to be upbraided for not doing what he woul', ' but you can imagine how maddening it must be to him to be upbraided for not doing what he would giv', 'you can imagine how maddening it must be to him to be upbraided for not doing what he would give his', 'an imagine how maddening it must be to him to be upbraided for not doing what he would give his very', 'agine how maddening it must be to him to be upbraided for not doing what he would give his very eyes', ' how maddening it must be to him to be upbraided for not doing what he would give his very eyes to d', 'maddening it must be to him to be upbraided for not doing what he would give his very eyes to do, bu', 'ning it must be to him to be upbraided for not doing what he would give his very eyes to do, but wha', 'it must be to him to be upbraided for not doing what he would give his very eyes to do, but what he ', 'st be to him to be upbraided for not doing what he would give his very eyes to do, but what he knows', ' to him to be upbraided for not doing what he would give his very eyes to do, but what he knows to b', 'im to be upbraided for not doing what he would give his very eyes to do, but what he knows to be abs', ' be upbraided for not doing what he would give his very eyes to do, but what he knows to be absolute', 'pbraided for not doing what he would give his very eyes to do, but what he knows to be absolutely im', 'ded for not doing what he would give his very eyes to do, but what he knows to be absolutely impossi', 'or not doing what he would give his very eyes to do, but what he knows to be absolutely impossible. ', 't doing what he would give his very eyes to do, but what he knows to be absolutely impossible. it wa', 'ng what he would give his very eyes to do, but what he knows to be absolutely impossible. it was she', 'at he would give his very eyes to do, but what he knows to be absolutely impossible. it was sheer fr', ' would give his very eyes to do, but what he knows to be absolutely impossible. it was sheer frenzy ', 'd give his very eyes to do, but what he knows to be absolutely impossible. it was sheer frenzy of th', 'e his very eyes to do, but what he knows to be absolutely impossible. it was sheer frenzy of this so', ' very eyes to do, but what he knows to be absolutely impossible. it was sheer frenzy of this sort wh', ' eyes to do, but what he knows to be absolutely impossible. it was sheer frenzy of this sort which m', ' to do, but what he knows to be absolutely impossible. it was sheer frenzy of this sort which made h', 'o, but what he knows to be absolutely impossible. it was sheer frenzy of this sort which made him th', 't what he knows to be absolutely impossible. it was sheer frenzy of this sort which made him throw h', 't he knows to be absolutely impossible. it was sheer frenzy of this sort which made him throw his ha', 'knows to be absolutely impossible. it was sheer frenzy of this sort which made him throw his hands u', ' to be absolutely impossible. it was sheer frenzy of this sort which made him throw his hands up int', 'e absolutely impossible. it was sheer frenzy of this sort which made him throw his hands up into the', 'olutely impossible. it was sheer frenzy of this sort which made him throw his hands up into the air ', 'ly impossible. it was sheer frenzy of this sort which made him throw his hands up into the air when ', 'possible. it was sheer frenzy of this sort which made him throw his hands up into the air when his f', 'ble. it was sheer frenzy of this sort which made him throw his hands up into the air when his father', 'it was sheer frenzy of this sort which made him throw his hands up into the air when his father, at ', 's sheer frenzy of this sort which made him throw his hands up into the air when his father, at their', 'er frenzy of this sort which made him throw his hands up into the air when his father, at their last', 'enzy of this sort which made him throw his hands up into the air when his father, at their last inte', 'of this sort which made him throw his hands up into the air when his father, at their last interview', 'is sort which made him throw his hands up into the air when his father, at their last interview, was', 'rt which made him throw his hands up into the air when his father, at their last interview, was goad', 'ich made him throw his hands up into the air when his father, at their last interview, was goading h', 'ade him throw his hands up into the air when his father, at their last interview, was goading him on', 'im throw his hands up into the air when his father, at their last interview, was goading him on to p', 'row his hands up into the air when his father, at their last interview, was goading him on to propos', 'is hands up into the air when his father, at their last interview, was goading him on to propose to ', 'nds up into the air when his father, at their last interview, was goading him on to propose to miss ', 'p into the air when his father, at their last interview, was goading him on to propose to miss turne', 'o the air when his father, at their last interview, was goading him on to propose to miss turner. on', ' air when his father, at their last interview, was goading him on to propose to miss turner. on the ', 'when his father, at their last interview, was goading him on to propose to miss turner. on the other', 'his father, at their last interview, was goading him on to propose to miss turner. on the other hand', 'ather, at their last interview, was goading him on to propose to miss turner. on the other hand, he ', ', at their last interview, was goading him on to propose to miss turner. on the other hand, he had n', 'their last interview, was goading him on to propose to miss turner. on the other hand, he had no mea', ' last interview, was goading him on to propose to miss turner. on the other hand, he had no means of', ' interview, was goading him on to propose to miss turner. on the other hand, he had no means of supp', 'rview, was goading him on to propose to miss turner. on the other hand, he had no means of supportin', ', was goading him on to propose to miss turner. on the other hand, he had no means of supporting him', ' goading him on to propose to miss turner. on the other hand, he had no means of supporting himself,', 'ing him on to propose to miss turner. on the other hand, he had no means of supporting himself, and ', 'im on to propose to miss turner. on the other hand, he had no means of supporting himself, and his f', ' to propose to miss turner. on the other hand, he had no means of supporting himself, and his father', 'ropose to miss turner. on the other hand, he had no means of supporting himself, and his father, who', 'e to miss turner. on the other hand, he had no means of supporting himself, and his father, who was ', 'miss turner. on the other hand, he had no means of supporting himself, and his father, who was by al', 'turner. on the other hand, he had no means of supporting himself, and his father, who was by all acc', 'r. on the other hand, he had no means of supporting himself, and his father, who was by all accounts', ' the other hand, he had no means of supporting himself, and his father, who was by all accounts a ve', 'other hand, he had no means of supporting himself, and his father, who was by all accounts a very ha', ' hand, he had no means of supporting himself, and his father, who was by all accounts a very hard ma', ', he had no means of supporting himself, and his father, who was by all accounts a very hard man, wo', 'had no means of supporting himself, and his father, who was by all accounts a very hard man, would h', 'o means of supporting himself, and his father, who was by all accounts a very hard man, would have t', 'ns of supporting himself, and his father, who was by all accounts a very hard man, would have thrown', ' supporting himself, and his father, who was by all accounts a very hard man, would have thrown him ', 'orting himself, and his father, who was by all accounts a very hard man, would have thrown him over ', 'g himself, and his father, who was by all accounts a very hard man, would have thrown him over utter', 'self, and his father, who was by all accounts a very hard man, would have thrown him over utterly ha', ' and his father, who was by all accounts a very hard man, would have thrown him over utterly had he ', 'his father, who was by all accounts a very hard man, would have thrown him over utterly had he known', 'ather, who was by all accounts a very hard man, would have thrown him over utterly had he known the ', ', who was by all accounts a very hard man, would have thrown him over utterly had he known the truth', ' was by all accounts a very hard man, would have thrown him over utterly had he known the truth. it ', 'by all accounts a very hard man, would have thrown him over utterly had he known the truth. it was w', 'l accounts a very hard man, would have thrown him over utterly had he known the truth. it was with h', 'ounts a very hard man, would have thrown him over utterly had he known the truth. it was with his ba', ' a very hard man, would have thrown him over utterly had he known the truth. it was with his barmaid', 'ry hard man, would have thrown him over utterly had he known the truth. it was with his barmaid wife', 'rd man, would have thrown him over utterly had he known the truth. it was with his barmaid wife that', 'n, would have thrown him over utterly had he known the truth. it was with his barmaid wife that he h', 'uld have thrown him over utterly had he known the truth. it was with his barmaid wife that he had sp', 'ave thrown him over utterly had he known the truth. it was with his barmaid wife that he had spent t', 'hrown him over utterly had he known the truth. it was with his barmaid wife that he had spent the la', ' him over utterly had he known the truth. it was with his barmaid wife that he had spent the last th', 'over utterly had he known the truth. it was with his barmaid wife that he had spent the last three d', 'utterly had he known the truth. it was with his barmaid wife that he had spent the last three days i', 'ly had he known the truth. it was with his barmaid wife that he had spent the last three days in bri', 'd he known the truth. it was with his barmaid wife that he had spent the last three days in bristol,', 'known the truth. it was with his barmaid wife that he had spent the last three days in bristol, and ', ' the truth. it was with his barmaid wife that he had spent the last three days in bristol, and his f', 'truth. it was with his barmaid wife that he had spent the last three days in bristol, and his father', '. it was with his barmaid wife that he had spent the last three days in bristol, and his father did ', 'was with his barmaid wife that he had spent the last three days in bristol, and his father did not k', 'ith his barmaid wife that he had spent the last three days in bristol, and his father did not know w', 'is barmaid wife that he had spent the last three days in bristol, and his father did not know where ', 'rmaid wife that he had spent the last three days in bristol, and his father did not know where he wa', ' wife that he had spent the last three days in bristol, and his father did not know where he was. ma', ' that he had spent the last three days in bristol, and his father did not know where he was. mark th', ' he had spent the last three days in bristol, and his father did not know where he was. mark that po', 'ad spent the last three days in bristol, and his father did not know where he was. mark that point. ', 'ent the last three days in bristol, and his father did not know where he was. mark that point. it is', 'he last three days in bristol, and his father did not know where he was. mark that point. it is of i', 'st three days in bristol, and his father did not know where he was. mark that point. it is of import', 'ree days in bristol, and his father did not know where he was. mark that point. it is of importance.', 'ays in bristol, and his father did not know where he was. mark that point. it is of importance. good', 'n bristol, and his father did not know where he was. mark that point. it is of importance. good has ', 'stol, and his father did not know where he was. mark that point. it is of importance. good has come ', ' and his father did not know where he was. mark that point. it is of importance. good has come out o', 'his father did not know where he was. mark that point. it is of importance. good has come out of evi', 'ather did not know where he was. mark that point. it is of importance. good has come out of evil, ho', ' did not know where he was. mark that point. it is of importance. good has come out of evil, however', 'not know where he was. mark that point. it is of importance. good has come out of evil, however, for', 'now where he was. mark that point. it is of importance. good has come out of evil, however, for the ', 'here he was. mark that point. it is of importance. good has come out of evil, however, for the barma', 'he was. mark that point. it is of importance. good has come out of evil, however, for the barmaid, f', 's. mark that point. it is of importance. good has come out of evil, however, for the barmaid, findin', 'rk that point. it is of importance. good has come out of evil, however, for the barmaid, finding fro', 'at point. it is of importance. good has come out of evil, however, for the barmaid, finding from the', 'int. it is of importance. good has come out of evil, however, for the barmaid, finding from the pape', 'it is of importance. good has come out of evil, however, for the barmaid, finding from the papers th', ' of importance. good has come out of evil, however, for the barmaid, finding from the papers that he', 'mportance. good has come out of evil, however, for the barmaid, finding from the papers that he is i', 'ance. good has come out of evil, however, for the barmaid, finding from the papers that he is in ser', ' good has come out of evil, however, for the barmaid, finding from the papers that he is in serious ', ' has come out of evil, however, for the barmaid, finding from the papers that he is in serious troub', 'come out of evil, however, for the barmaid, finding from the papers that he is in serious trouble an', 'out of evil, however, for the barmaid, finding from the papers that he is in serious trouble and lik', 'f evil, however, for the barmaid, finding from the papers that he is in serious trouble and likely t', 'l, however, for the barmaid, finding from the papers that he is in serious trouble and likely to be ', 'wever, for the barmaid, finding from the papers that he is in serious trouble and likely to be hange', ', for the barmaid, finding from the papers that he is in serious trouble and likely to be hanged, ha', ' the barmaid, finding from the papers that he is in serious trouble and likely to be hanged, has thr', 'barmaid, finding from the papers that he is in serious trouble and likely to be hanged, has thrown h', 'id, finding from the papers that he is in serious trouble and likely to be hanged, has thrown him ov', 'inding from the papers that he is in serious trouble and likely to be hanged, has thrown him over ut', 'g from the papers that he is in serious trouble and likely to be hanged, has thrown him over utterly', 'm the papers that he is in serious trouble and likely to be hanged, has thrown him over utterly and ', ' papers that he is in serious trouble and likely to be hanged, has thrown him over utterly and has w', 'rs that he is in serious trouble and likely to be hanged, has thrown him over utterly and has writte', 'at he is in serious trouble and likely to be hanged, has thrown him over utterly and has written to ', ' is in serious trouble and likely to be hanged, has thrown him over utterly and has written to him t', 'n serious trouble and likely to be hanged, has thrown him over utterly and has written to him to say', 'ious trouble and likely to be hanged, has thrown him over utterly and has written to him to say that', 'trouble and likely to be hanged, has thrown him over utterly and has written to him to say that she ', 'le and likely to be hanged, has thrown him over utterly and has written to him to say that she has a', 'd likely to be hanged, has thrown him over utterly and has written to him to say that she has a husb', 'ely to be hanged, has thrown him over utterly and has written to him to say that she has a husband a', 'o be hanged, has thrown him over utterly and has written to him to say that she has a husband alread', 'hanged, has thrown him over utterly and has written to him to say that she has a husband already in ', 'd, has thrown him over utterly and has written to him to say that she has a husband already in the b', 's thrown him over utterly and has written to him to say that she has a husband already in the bermud', 'own him over utterly and has written to him to say that she has a husband already in the bermuda doc', 'im over utterly and has written to him to say that she has a husband already in the bermuda dockyard', 'er utterly and has written to him to say that she has a husband already in the bermuda dockyard, so ', 'terly and has written to him to say that she has a husband already in the bermuda dockyard, so that ', ' and has written to him to say that she has a husband already in the bermuda dockyard, so that there', 'has written to him to say that she has a husband already in the bermuda dockyard, so that there is r', 'ritten to him to say that she has a husband already in the bermuda dockyard, so that there is really', 'n to him to say that she has a husband already in the bermuda dockyard, so that there is really no t', 'him to say that she has a husband already in the bermuda dockyard, so that there is really no tie be', 'o say that she has a husband already in the bermuda dockyard, so that there is really no tie between', ' that she has a husband already in the bermuda dockyard, so that there is really no tie between them', ' she has a husband already in the bermuda dockyard, so that there is really no tie between them. i t', 'has a husband already in the bermuda dockyard, so that there is really no tie between them. i think ', ' husband already in the bermuda dockyard, so that there is really no tie between them. i think that ', 'and already in the bermuda dockyard, so that there is really no tie between them. i think that that ', 'lready in the bermuda dockyard, so that there is really no tie between them. i think that that bit o', 'y in the bermuda dockyard, so that there is really no tie between them. i think that that bit of new', 'the bermuda dockyard, so that there is really no tie between them. i think that that bit of news has', 'ermuda dockyard, so that there is really no tie between them. i think that that bit of news has cons', 'a dockyard, so that there is really no tie between them. i think that that bit of news has consoled ', 'kyard, so that there is really no tie between them. i think that that bit of news has consoled young', ', so that there is really no tie between them. i think that that bit of news has consoled young mcca', 'that there is really no tie between them. i think that that bit of news has consoled young mccarthy ', 'there is really no tie between them. i think that that bit of news has consoled young mccarthy for a', ' is really no tie between them. i think that that bit of news has consoled young mccarthy for all th', 'eally no tie between them. i think that that bit of news has consoled young mccarthy for all that he', ' no tie between them. i think that that bit of news has consoled young mccarthy for all that he has ', 'ie between them. i think that that bit of news has consoled young mccarthy for all that he has suffe', 'tween them. i think that that bit of news has consoled young mccarthy for all that he has suffered."', ' them. i think that that bit of news has consoled young mccarthy for all that he has suffered." "but', '. i think that that bit of news has consoled young mccarthy for all that he has suffered." "but if h', 'hink that that bit of news has consoled young mccarthy for all that he has suffered." "but if he is ', 'that that bit of news has consoled young mccarthy for all that he has suffered." "but if he is innoc', 'that bit of news has consoled young mccarthy for all that he has suffered." "but if he is innocent, ', 'bit of news has consoled young mccarthy for all that he has suffered." "but if he is innocent, who h', 'f news has consoled young mccarthy for all that he has suffered." "but if he is innocent, who has do', 's has consoled young mccarthy for all that he has suffered." "but if he is innocent, who has done it', ' consoled young mccarthy for all that he has suffered." "but if he is innocent, who has done it?" "a', 'oled young mccarthy for all that he has suffered." "but if he is innocent, who has done it?" "ah! wh', 'young mccarthy for all that he has suffered." "but if he is innocent, who has done it?" "ah! who? i ', ' mccarthy for all that he has suffered." "but if he is innocent, who has done it?" "ah! who? i would', 'rthy for all that he has suffered." "but if he is innocent, who has done it?" "ah! who? i would call', 'for all that he has suffered." "but if he is innocent, who has done it?" "ah! who? i would call your', 'll that he has suffered." "but if he is innocent, who has done it?" "ah! who? i would call your atte', 'at he has suffered." "but if he is innocent, who has done it?" "ah! who? i would call your attention', ' has suffered." "but if he is innocent, who has done it?" "ah! who? i would call your attention very', 'suffered." "but if he is innocent, who has done it?" "ah! who? i would call your attention very part', 'red." "but if he is innocent, who has done it?" "ah! who? i would call your attention very particula', ' "but if he is innocent, who has done it?" "ah! who? i would call your attention very particularly t', ' if he is innocent, who has done it?" "ah! who? i would call your attention very particularly to two', 'e is innocent, who has done it?" "ah! who? i would call your attention very particularly to two poin', 'innocent, who has done it?" "ah! who? i would call your attention very particularly to two points. o', 'ent, who has done it?" "ah! who? i would call your attention very particularly to two points. one is', 'who has done it?" "ah! who? i would call your attention very particularly to two points. one is that', 'as done it?" "ah! who? i would call your attention very particularly to two points. one is that the ', 'ne it?" "ah! who? i would call your attention very particularly to two points. one is that the murde', '?" "ah! who? i would call your attention very particularly to two points. one is that the murdered m', 'h! who? i would call your attention very particularly to two points. one is that the murdered man ha', 'o? i would call your attention very particularly to two points. one is that the murdered man had an ', 'would call your attention very particularly to two points. one is that the murdered man had an appoi', ' call your attention very particularly to two points. one is that the murdered man had an appointmen', ' your attention very particularly to two points. one is that the murdered man had an appointment wit', ' attention very particularly to two points. one is that the murdered man had an appointment with som', 'ntion very particularly to two points. one is that the murdered man had an appointment with someone ', ' very particularly to two points. one is that the murdered man had an appointment with someone at th', ' particularly to two points. one is that the murdered man had an appointment with someone at the poo', 'icularly to two points. one is that the murdered man had an appointment with someone at the pool, an', 'rly to two points. one is that the murdered man had an appointment with someone at the pool, and tha', 'o two points. one is that the murdered man had an appointment with someone at the pool, and that the', ' points. one is that the murdered man had an appointment with someone at the pool, and that the some', 'ts. one is that the murdered man had an appointment with someone at the pool, and that the someone c', 'ne is that the murdered man had an appointment with someone at the pool, and that the someone could ', ' that the murdered man had an appointment with someone at the pool, and that the someone could not h', ' the murdered man had an appointment with someone at the pool, and that the someone could not have b', 'murdered man had an appointment with someone at the pool, and that the someone could not have been h', 'red man had an appointment with someone at the pool, and that the someone could not have been his so', 'an had an appointment with someone at the pool, and that the someone could not have been his son, fo', 'd an appointment with someone at the pool, and that the someone could not have been his son, for his', 'appointment with someone at the pool, and that the someone could not have been his son, for his son ', 'ntment with someone at the pool, and that the someone could not have been his son, for his son was a', 't with someone at the pool, and that the someone could not have been his son, for his son was away, ', 'h someone at the pool, and that the someone could not have been his son, for his son was away, and h', 'eone at the pool, and that the someone could not have been his son, for his son was away, and he did', 'at the pool, and that the someone could not have been his son, for his son was away, and he did not ', 'e pool, and that the someone could not have been his son, for his son was away, and he did not know ', 'l, and that the someone could not have been his son, for his son was away, and he did not know when ', 'd that the someone could not have been his son, for his son was away, and he did not know when he wo', 't the someone could not have been his son, for his son was away, and he did not know when he would r', ' someone could not have been his son, for his son was away, and he did not know when he would return', 'one could not have been his son, for his son was away, and he did not know when he would return. the', 'ould not have been his son, for his son was away, and he did not know when he would return. the seco', 'not have been his son, for his son was away, and he did not know when he would return. the second is', 'ave been his son, for his son was away, and he did not know when he would return. the second is that', 'een his son, for his son was away, and he did not know when he would return. the second is that the ', 'is son, for his son was away, and he did not know when he would return. the second is that the murde', 'n, for his son was away, and he did not know when he would return. the second is that the murdered m', 'r his son was away, and he did not know when he would return. the second is that the murdered man wa', ' son was away, and he did not know when he would return. the second is that the murdered man was hea', 'was away, and he did not know when he would return. the second is that the murdered man was heard to', 'way, and he did not know when he would return. the second is that the murdered man was heard to cry ', "and he did not know when he would return. the second is that the murdered man was heard to cry 'cooe", "e did not know when he would return. the second is that the murdered man was heard to cry 'cooee bef", " not know when he would return. the second is that the murdered man was heard to cry 'cooee before h", "know when he would return. the second is that the murdered man was heard to cry 'cooee before he kne", "when he would return. the second is that the murdered man was heard to cry 'cooee before he knew tha", "he would return. the second is that the murdered man was heard to cry 'cooee before he knew that his", "uld return. the second is that the murdered man was heard to cry 'cooee before he knew that his son ", "eturn. the second is that the murdered man was heard to cry 'cooee before he knew that his son had r", ". the second is that the murdered man was heard to cry 'cooee before he knew that his son had return", " second is that the murdered man was heard to cry 'cooee before he knew that his son had returned. t", "nd is that the murdered man was heard to cry 'cooee before he knew that his son had returned. those ", " that the murdered man was heard to cry 'cooee before he knew that his son had returned. those are t", " the murdered man was heard to cry 'cooee before he knew that his son had returned. those are the cr", "murdered man was heard to cry 'cooee before he knew that his son had returned. those are the crucial", "red man was heard to cry 'cooee before he knew that his son had returned. those are the crucial poin", "an was heard to cry 'cooee before he knew that his son had returned. those are the crucial points up", "s heard to cry 'cooee before he knew that his son had returned. those are the crucial points upon wh", "rd to cry 'cooee before he knew that his son had returned. those are the crucial points upon which t", " cry 'cooee before he knew that his son had returned. those are the crucial points upon which the ca", "'cooee before he knew that his son had returned. those are the crucial points upon which the case de", 'e before he knew that his son had returned. those are the crucial points upon which the case depends', 'ore he knew that his son had returned. those are the crucial points upon which the case depends. and', 'e knew that his son had returned. those are the crucial points upon which the case depends. and now ', 'w that his son had returned. those are the crucial points upon which the case depends. and now let u', 't his son had returned. those are the crucial points upon which the case depends. and now let us tal', ' son had returned. those are the crucial points upon which the case depends. and now let us talk abo', 'had returned. those are the crucial points upon which the case depends. and now let us talk about ge', 'eturned. those are the crucial points upon which the case depends. and now let us talk about george ', 'ed. those are the crucial points upon which the case depends. and now let us talk about george mered', 'hose are the crucial points upon which the case depends. and now let us talk about george meredith, ', 'are the crucial points upon which the case depends. and now let us talk about george meredith, if yo', 'he crucial points upon which the case depends. and now let us talk about george meredith, if you ple', 'ucial points upon which the case depends. and now let us talk about george meredith, if you please, ', ' points upon which the case depends. and now let us talk about george meredith, if you please, and w', 'ts upon which the case depends. and now let us talk about george meredith, if you please, and we sha', 'on which the case depends. and now let us talk about george meredith, if you please, and we shall le', 'ich the case depends. and now let us talk about george meredith, if you please, and we shall leave a', 'he case depends. and now let us talk about george meredith, if you please, and we shall leave all mi', 'se depends. and now let us talk about george meredith, if you please, and we shall leave all minor m', 'pends. and now let us talk about george meredith, if you please, and we shall leave all minor matter', '. and now let us talk about george meredith, if you please, and we shall leave all minor matters unt', ' now let us talk about george meredith, if you please, and we shall leave all minor matters until to', 'let us talk about george meredith, if you please, and we shall leave all minor matters until to-morr', 's talk about george meredith, if you please, and we shall leave all minor matters until to-morrow." ', 'k about george meredith, if you please, and we shall leave all minor matters until to-morrow." there', 'ut george meredith, if you please, and we shall leave all minor matters until to-morrow." there was ', 'orge meredith, if you please, and we shall leave all minor matters until to-morrow." there was no ra', 'meredith, if you please, and we shall leave all minor matters until to-morrow." there was no rain, a', 'ith, if you please, and we shall leave all minor matters until to-morrow." there was no rain, as hol', 'if you please, and we shall leave all minor matters until to-morrow." there was no rain, as holmes h', 'u please, and we shall leave all minor matters until to-morrow." there was no rain, as holmes had fo', 'ase, and we shall leave all minor matters until to-morrow." there was no rain, as holmes had foretol', 'and we shall leave all minor matters until to-morrow." there was no rain, as holmes had foretold, an', 'e shall leave all minor matters until to-morrow." there was no rain, as holmes had foretold, and the', 'll leave all minor matters until to-morrow." there was no rain, as holmes had foretold, and the morn', 'ave all minor matters until to-morrow." there was no rain, as holmes had foretold, and the morning b', 'll minor matters until to-morrow." there was no rain, as holmes had foretold, and the morning broke ', 'nor matters until to-morrow." there was no rain, as holmes had foretold, and the morning broke brigh', 'atters until to-morrow." there was no rain, as holmes had foretold, and the morning broke bright and', 's until to-morrow." there was no rain, as holmes had foretold, and the morning broke bright and clou', 'il to-morrow." there was no rain, as holmes had foretold, and the morning broke bright and cloudless', '-morrow." there was no rain, as holmes had foretold, and the morning broke bright and cloudless. at ', 'ow." there was no rain, as holmes had foretold, and the morning broke bright and cloudless. at nine ', "there was no rain, as holmes had foretold, and the morning broke bright and cloudless. at nine o'clo", " was no rain, as holmes had foretold, and the morning broke bright and cloudless. at nine o'clock le", "no rain, as holmes had foretold, and the morning broke bright and cloudless. at nine o'clock lestrad", "in, as holmes had foretold, and the morning broke bright and cloudless. at nine o'clock lestrade cal", "s holmes had foretold, and the morning broke bright and cloudless. at nine o'clock lestrade called f", "mes had foretold, and the morning broke bright and cloudless. at nine o'clock lestrade called for us", "ad foretold, and the morning broke bright and cloudless. at nine o'clock lestrade called for us with", "retold, and the morning broke bright and cloudless. at nine o'clock lestrade called for us with the ", "d, and the morning broke bright and cloudless. at nine o'clock lestrade called for us with the carri", "d the morning broke bright and cloudless. at nine o'clock lestrade called for us with the carriage, ", " morning broke bright and cloudless. at nine o'clock lestrade called for us with the carriage, and w", "ing broke bright and cloudless. at nine o'clock lestrade called for us with the carriage, and we set", "roke bright and cloudless. at nine o'clock lestrade called for us with the carriage, and we set off ", "bright and cloudless. at nine o'clock lestrade called for us with the carriage, and we set off for h", "t and cloudless. at nine o'clock lestrade called for us with the carriage, and we set off for hather", " cloudless. at nine o'clock lestrade called for us with the carriage, and we set off for hatherley f", "dless. at nine o'clock lestrade called for us with the carriage, and we set off for hatherley farm a", ". at nine o'clock lestrade called for us with the carriage, and we set off for hatherley farm and th", "nine o'clock lestrade called for us with the carriage, and we set off for hatherley farm and the bos", "o'clock lestrade called for us with the carriage, and we set off for hatherley farm and the boscombe", 'ck lestrade called for us with the carriage, and we set off for hatherley farm and the boscombe pool', 'strade called for us with the carriage, and we set off for hatherley farm and the boscombe pool. "th', 'e called for us with the carriage, and we set off for hatherley farm and the boscombe pool. "there i', 'led for us with the carriage, and we set off for hatherley farm and the boscombe pool. "there is ser', 'or us with the carriage, and we set off for hatherley farm and the boscombe pool. "there is serious ', ' with the carriage, and we set off for hatherley farm and the boscombe pool. "there is serious news ', ' the carriage, and we set off for hatherley farm and the boscombe pool. "there is serious news this ', 'carriage, and we set off for hatherley farm and the boscombe pool. "there is serious news this morni', 'age, and we set off for hatherley farm and the boscombe pool. "there is serious news this morning," ', 'and we set off for hatherley farm and the boscombe pool. "there is serious news this morning," lestr', 'e set off for hatherley farm and the boscombe pool. "there is serious news this morning," lestrade o', ' off for hatherley farm and the boscombe pool. "there is serious news this morning," lestrade observ', 'for hatherley farm and the boscombe pool. "there is serious news this morning," lestrade observed. "', 'atherley farm and the boscombe pool. "there is serious news this morning," lestrade observed. "it is', 'ley farm and the boscombe pool. "there is serious news this morning," lestrade observed. "it is said', 'arm and the boscombe pool. "there is serious news this morning," lestrade observed. "it is said that', 'nd the boscombe pool. "there is serious news this morning," lestrade observed. "it is said that mr. ', 'e boscombe pool. "there is serious news this morning," lestrade observed. "it is said that mr. turne', 'combe pool. "there is serious news this morning," lestrade observed. "it is said that mr. turner, of', ' pool. "there is serious news this morning," lestrade observed. "it is said that mr. turner, of the ', '. "there is serious news this morning," lestrade observed. "it is said that mr. turner, of the hall,', 'ere is serious news this morning," lestrade observed. "it is said that mr. turner, of the hall, is s', 's serious news this morning," lestrade observed. "it is said that mr. turner, of the hall, is so ill', 'ious news this morning," lestrade observed. "it is said that mr. turner, of the hall, is so ill that', 'news this morning," lestrade observed. "it is said that mr. turner, of the hall, is so ill that his ', 'this morning," lestrade observed. "it is said that mr. turner, of the hall, is so ill that his life ', 'morning," lestrade observed. "it is said that mr. turner, of the hall, is so ill that his life is de', 'ng," lestrade observed. "it is said that mr. turner, of the hall, is so ill that his life is despair', 'lestrade observed. "it is said that mr. turner, of the hall, is so ill that his life is despaired of', 'ade observed. "it is said that mr. turner, of the hall, is so ill that his life is despaired of." "a', 'bserved. "it is said that mr. turner, of the hall, is so ill that his life is despaired of." "an eld', 'ed. "it is said that mr. turner, of the hall, is so ill that his life is despaired of." "an elderly ', 'it is said that mr. turner, of the hall, is so ill that his life is despaired of." "an elderly man, ', ' said that mr. turner, of the hall, is so ill that his life is despaired of." "an elderly man, i pre', ' that mr. turner, of the hall, is so ill that his life is despaired of." "an elderly man, i presume?', ' mr. turner, of the hall, is so ill that his life is despaired of." "an elderly man, i presume?" sai', 'turner, of the hall, is so ill that his life is despaired of." "an elderly man, i presume?" said hol', 'r, of the hall, is so ill that his life is despaired of." "an elderly man, i presume?" said holmes. ', ' the hall, is so ill that his life is despaired of." "an elderly man, i presume?" said holmes. "abou', 'hall, is so ill that his life is despaired of." "an elderly man, i presume?" said holmes. "about six', ' is so ill that his life is despaired of." "an elderly man, i presume?" said holmes. "about sixty; b', 'o ill that his life is despaired of." "an elderly man, i presume?" said holmes. "about sixty; but hi', ' that his life is despaired of." "an elderly man, i presume?" said holmes. "about sixty; but his con', ' his life is despaired of." "an elderly man, i presume?" said holmes. "about sixty; but his constitu', 'life is despaired of." "an elderly man, i presume?" said holmes. "about sixty; but his constitution ', 'is despaired of." "an elderly man, i presume?" said holmes. "about sixty; but his constitution has b', 'spaired of." "an elderly man, i presume?" said holmes. "about sixty; but his constitution has been s', 'ed of." "an elderly man, i presume?" said holmes. "about sixty; but his constitution has been shatte', '." "an elderly man, i presume?" said holmes. "about sixty; but his constitution has been shattered b', 'n elderly man, i presume?" said holmes. "about sixty; but his constitution has been shattered by his', 'erly man, i presume?" said holmes. "about sixty; but his constitution has been shattered by his life', 'man, i presume?" said holmes. "about sixty; but his constitution has been shattered by his life abro', 'i presume?" said holmes. "about sixty; but his constitution has been shattered by his life abroad, a', 'sume?" said holmes. "about sixty; but his constitution has been shattered by his life abroad, and he', '" said holmes. "about sixty; but his constitution has been shattered by his life abroad, and he has ', 'd holmes. "about sixty; but his constitution has been shattered by his life abroad, and he has been ', 'mes. "about sixty; but his constitution has been shattered by his life abroad, and he has been in fa', '"about sixty; but his constitution has been shattered by his life abroad, and he has been in failing', 't sixty; but his constitution has been shattered by his life abroad, and he has been in failing heal', 'ty; but his constitution has been shattered by his life abroad, and he has been in failing health fo', 'ut his constitution has been shattered by his life abroad, and he has been in failing health for som', 's constitution has been shattered by his life abroad, and he has been in failing health for some tim', 'stitution has been shattered by his life abroad, and he has been in failing health for some time. th', 'tion has been shattered by his life abroad, and he has been in failing health for some time. this bu', 'has been shattered by his life abroad, and he has been in failing health for some time. this busines', 'een shattered by his life abroad, and he has been in failing health for some time. this business has', 'hattered by his life abroad, and he has been in failing health for some time. this business has had ', 'red by his life abroad, and he has been in failing health for some time. this business has had a ver', 'y his life abroad, and he has been in failing health for some time. this business has had a very bad', ' life abroad, and he has been in failing health for some time. this business has had a very bad effe', ' abroad, and he has been in failing health for some time. this business has had a very bad effect up', 'ad, and he has been in failing health for some time. this business has had a very bad effect upon hi', 'nd he has been in failing health for some time. this business has had a very bad effect upon him. he', ' has been in failing health for some time. this business has had a very bad effect upon him. he was ', 'been in failing health for some time. this business has had a very bad effect upon him. he was an ol', 'in failing health for some time. this business has had a very bad effect upon him. he was an old fri', 'iling health for some time. this business has had a very bad effect upon him. he was an old friend o', ' health for some time. this business has had a very bad effect upon him. he was an old friend of mcc', 'th for some time. this business has had a very bad effect upon him. he was an old friend of mccarthy', "r some time. this business has had a very bad effect upon him. he was an old friend of mccarthy's, a", "e time. this business has had a very bad effect upon him. he was an old friend of mccarthy's, and, i", "e. this business has had a very bad effect upon him. he was an old friend of mccarthy's, and, i may ", "is business has had a very bad effect upon him. he was an old friend of mccarthy's, and, i may add, ", "siness has had a very bad effect upon him. he was an old friend of mccarthy's, and, i may add, a gre", "s has had a very bad effect upon him. he was an old friend of mccarthy's, and, i may add, a great be", " had a very bad effect upon him. he was an old friend of mccarthy's, and, i may add, a great benefac", "a very bad effect upon him. he was an old friend of mccarthy's, and, i may add, a great benefactor t", "y bad effect upon him. he was an old friend of mccarthy's, and, i may add, a great benefactor to him", " effect upon him. he was an old friend of mccarthy's, and, i may add, a great benefactor to him, for", "ct upon him. he was an old friend of mccarthy's, and, i may add, a great benefactor to him, for i ha", "on him. he was an old friend of mccarthy's, and, i may add, a great benefactor to him, for i have le", "m. he was an old friend of mccarthy's, and, i may add, a great benefactor to him, for i have learned", " was an old friend of mccarthy's, and, i may add, a great benefactor to him, for i have learned that", "an old friend of mccarthy's, and, i may add, a great benefactor to him, for i have learned that he g", "d friend of mccarthy's, and, i may add, a great benefactor to him, for i have learned that he gave h", "end of mccarthy's, and, i may add, a great benefactor to him, for i have learned that he gave him ha", "f mccarthy's, and, i may add, a great benefactor to him, for i have learned that he gave him hatherl", "arthy's, and, i may add, a great benefactor to him, for i have learned that he gave him hatherley fa", "'s, and, i may add, a great benefactor to him, for i have learned that he gave him hatherley farm re", 'nd, i may add, a great benefactor to him, for i have learned that he gave him hatherley farm rent fr', ' may add, a great benefactor to him, for i have learned that he gave him hatherley farm rent free." ', 'add, a great benefactor to him, for i have learned that he gave him hatherley farm rent free." "inde', 'a great benefactor to him, for i have learned that he gave him hatherley farm rent free." "indeed! t', 'at benefactor to him, for i have learned that he gave him hatherley farm rent free." "indeed! that i', 'nefactor to him, for i have learned that he gave him hatherley farm rent free." "indeed! that is int', 'tor to him, for i have learned that he gave him hatherley farm rent free." "indeed! that is interest', 'o him, for i have learned that he gave him hatherley farm rent free." "indeed! that is interesting,"', ', for i have learned that he gave him hatherley farm rent free." "indeed! that is interesting," said', ' i have learned that he gave him hatherley farm rent free." "indeed! that is interesting," said holm', 've learned that he gave him hatherley farm rent free." "indeed! that is interesting," said holmes. "', 'arned that he gave him hatherley farm rent free." "indeed! that is interesting," said holmes. "oh, y', ' that he gave him hatherley farm rent free." "indeed! that is interesting," said holmes. "oh, yes! i', ' he gave him hatherley farm rent free." "indeed! that is interesting," said holmes. "oh, yes! in a h', 'ave him hatherley farm rent free." "indeed! that is interesting," said holmes. "oh, yes! in a hundre', 'im hatherley farm rent free." "indeed! that is interesting," said holmes. "oh, yes! in a hundred oth', 'therley farm rent free." "indeed! that is interesting," said holmes. "oh, yes! in a hundred other wa', 'ey farm rent free." "indeed! that is interesting," said holmes. "oh, yes! in a hundred other ways he', 'rm rent free." "indeed! that is interesting," said holmes. "oh, yes! in a hundred other ways he has ', 'nt free." "indeed! that is interesting," said holmes. "oh, yes! in a hundred other ways he has helpe', 'ee." "indeed! that is interesting," said holmes. "oh, yes! in a hundred other ways he has helped him', '"indeed! that is interesting," said holmes. "oh, yes! in a hundred other ways he has helped him. eve', 'ed! that is interesting," said holmes. "oh, yes! in a hundred other ways he has helped him. everybod', 'hat is interesting," said holmes. "oh, yes! in a hundred other ways he has helped him. everybody abo', 's interesting," said holmes. "oh, yes! in a hundred other ways he has helped him. everybody about he', 'eresting," said holmes. "oh, yes! in a hundred other ways he has helped him. everybody about here sp', 'ing," said holmes. "oh, yes! in a hundred other ways he has helped him. everybody about here speaks ', ' said holmes. "oh, yes! in a hundred other ways he has helped him. everybody about here speaks of hi', ' holmes. "oh, yes! in a hundred other ways he has helped him. everybody about here speaks of his kin', 'es. "oh, yes! in a hundred other ways he has helped him. everybody about here speaks of his kindness', 'oh, yes! in a hundred other ways he has helped him. everybody about here speaks of his kindness to h', 'es! in a hundred other ways he has helped him. everybody about here speaks of his kindness to him." ', 'n a hundred other ways he has helped him. everybody about here speaks of his kindness to him." "real', 'undred other ways he has helped him. everybody about here speaks of his kindness to him." "really! d', 'd other ways he has helped him. everybody about here speaks of his kindness to him." "really! does i', 'er ways he has helped him. everybody about here speaks of his kindness to him." "really! does it not', 'ys he has helped him. everybody about here speaks of his kindness to him." "really! does it not stri', ' has helped him. everybody about here speaks of his kindness to him." "really! does it not strike yo', 'helped him. everybody about here speaks of his kindness to him." "really! does it not strike you as ', 'd him. everybody about here speaks of his kindness to him." "really! does it not strike you as a lit', '. everybody about here speaks of his kindness to him." "really! does it not strike you as a little s', 'rybody about here speaks of his kindness to him." "really! does it not strike you as a little singul', 'y about here speaks of his kindness to him." "really! does it not strike you as a little singular th', 'ut here speaks of his kindness to him." "really! does it not strike you as a little singular that th', 're speaks of his kindness to him." "really! does it not strike you as a little singular that this mc', 'eaks of his kindness to him." "really! does it not strike you as a little singular that this mccarth', 'of his kindness to him." "really! does it not strike you as a little singular that this mccarthy, wh', 's kindness to him." "really! does it not strike you as a little singular that this mccarthy, who app', 'dness to him." "really! does it not strike you as a little singular that this mccarthy, who appears ', ' to him." "really! does it not strike you as a little singular that this mccarthy, who appears to ha', 'im." "really! does it not strike you as a little singular that this mccarthy, who appears to have ha', '"really! does it not strike you as a little singular that this mccarthy, who appears to have had lit', 'ly! does it not strike you as a little singular that this mccarthy, who appears to have had little o', 'oes it not strike you as a little singular that this mccarthy, who appears to have had little of his', 't not strike you as a little singular that this mccarthy, who appears to have had little of his own,', ' strike you as a little singular that this mccarthy, who appears to have had little of his own, and ', 'ke you as a little singular that this mccarthy, who appears to have had little of his own, and to ha', 'u as a little singular that this mccarthy, who appears to have had little of his own, and to have be', 'a little singular that this mccarthy, who appears to have had little of his own, and to have been un', 'tle singular that this mccarthy, who appears to have had little of his own, and to have been under s', 'ingular that this mccarthy, who appears to have had little of his own, and to have been under such o', 'ar that this mccarthy, who appears to have had little of his own, and to have been under such obliga', 'at this mccarthy, who appears to have had little of his own, and to have been under such obligations', 'is mccarthy, who appears to have had little of his own, and to have been under such obligations to t', 'carthy, who appears to have had little of his own, and to have been under such obligations to turner', 'y, who appears to have had little of his own, and to have been under such obligations to turner, sho', 'o appears to have had little of his own, and to have been under such obligations to turner, should s', 'ears to have had little of his own, and to have been under such obligations to turner, should still ', 'to have had little of his own, and to have been under such obligations to turner, should still talk ', 've had little of his own, and to have been under such obligations to turner, should still talk of ma', 'd little of his own, and to have been under such obligations to turner, should still talk of marryin', 'tle of his own, and to have been under such obligations to turner, should still talk of marrying his', 'f his own, and to have been under such obligations to turner, should still talk of marrying his son ', ' own, and to have been under such obligations to turner, should still talk of marrying his son to tu', " and to have been under such obligations to turner, should still talk of marrying his son to turner'", "to have been under such obligations to turner, should still talk of marrying his son to turner's dau", "ve been under such obligations to turner, should still talk of marrying his son to turner's daughter", "en under such obligations to turner, should still talk of marrying his son to turner's daughter, who", "der such obligations to turner, should still talk of marrying his son to turner's daughter, who is, ", "uch obligations to turner, should still talk of marrying his son to turner's daughter, who is, presu", "bligations to turner, should still talk of marrying his son to turner's daughter, who is, presumably", "tions to turner, should still talk of marrying his son to turner's daughter, who is, presumably, hei", " to turner, should still talk of marrying his son to turner's daughter, who is, presumably, heiress ", "urner, should still talk of marrying his son to turner's daughter, who is, presumably, heiress to th", ", should still talk of marrying his son to turner's daughter, who is, presumably, heiress to the est", "uld still talk of marrying his son to turner's daughter, who is, presumably, heiress to the estate, ", "till talk of marrying his son to turner's daughter, who is, presumably, heiress to the estate, and t", "talk of marrying his son to turner's daughter, who is, presumably, heiress to the estate, and that i", "of marrying his son to turner's daughter, who is, presumably, heiress to the estate, and that in suc", "rrying his son to turner's daughter, who is, presumably, heiress to the estate, and that in such a v", "g his son to turner's daughter, who is, presumably, heiress to the estate, and that in such a very c", " son to turner's daughter, who is, presumably, heiress to the estate, and that in such a very cocksu", "to turner's daughter, who is, presumably, heiress to the estate, and that in such a very cocksure ma", "rner's daughter, who is, presumably, heiress to the estate, and that in such a very cocksure manner,", 's daughter, who is, presumably, heiress to the estate, and that in such a very cocksure manner, as i', 'ghter, who is, presumably, heiress to the estate, and that in such a very cocksure manner, as if it ', ', who is, presumably, heiress to the estate, and that in such a very cocksure manner, as if it were ', ' is, presumably, heiress to the estate, and that in such a very cocksure manner, as if it were merel', 'presumably, heiress to the estate, and that in such a very cocksure manner, as if it were merely a c', 'mably, heiress to the estate, and that in such a very cocksure manner, as if it were merely a case o', ', heiress to the estate, and that in such a very cocksure manner, as if it were merely a case of a p', 'ress to the estate, and that in such a very cocksure manner, as if it were merely a case of a propos', 'to the estate, and that in such a very cocksure manner, as if it were merely a case of a proposal an', 'e estate, and that in such a very cocksure manner, as if it were merely a case of a proposal and all', 'ate, and that in such a very cocksure manner, as if it were merely a case of a proposal and all else', 'and that in such a very cocksure manner, as if it were merely a case of a proposal and all else woul', 'hat in such a very cocksure manner, as if it were merely a case of a proposal and all else would fol', 'n such a very cocksure manner, as if it were merely a case of a proposal and all else would follow? ', 'h a very cocksure manner, as if it were merely a case of a proposal and all else would follow? it is', 'ery cocksure manner, as if it were merely a case of a proposal and all else would follow? it is the ', 'ocksure manner, as if it were merely a case of a proposal and all else would follow? it is the more ', 're manner, as if it were merely a case of a proposal and all else would follow? it is the more stran', 'nner, as if it were merely a case of a proposal and all else would follow? it is the more strange, s', ' as if it were merely a case of a proposal and all else would follow? it is the more strange, since ', 'f it were merely a case of a proposal and all else would follow? it is the more strange, since we kn', 'were merely a case of a proposal and all else would follow? it is the more strange, since we know th', 'merely a case of a proposal and all else would follow? it is the more strange, since we know that tu', 'y a case of a proposal and all else would follow? it is the more strange, since we know that turner ', 'ase of a proposal and all else would follow? it is the more strange, since we know that turner himse', 'f a proposal and all else would follow? it is the more strange, since we know that turner himself wa', 'roposal and all else would follow? it is the more strange, since we know that turner himself was ave', 'al and all else would follow? it is the more strange, since we know that turner himself was averse t', 'd all else would follow? it is the more strange, since we know that turner himself was averse to the', ' else would follow? it is the more strange, since we know that turner himself was averse to the idea', ' would follow? it is the more strange, since we know that turner himself was averse to the idea. the', 'd follow? it is the more strange, since we know that turner himself was averse to the idea. the daug', 'low? it is the more strange, since we know that turner himself was averse to the idea. the daughter ', 'it is the more strange, since we know that turner himself was averse to the idea. the daughter told ', ' the more strange, since we know that turner himself was averse to the idea. the daughter told us as', 'more strange, since we know that turner himself was averse to the idea. the daughter told us as much', 'strange, since we know that turner himself was averse to the idea. the daughter told us as much. do ', 'ge, since we know that turner himself was averse to the idea. the daughter told us as much. do you n', 'ince we know that turner himself was averse to the idea. the daughter told us as much. do you not de', 'we know that turner himself was averse to the idea. the daughter told us as much. do you not deduce ', 'ow that turner himself was averse to the idea. the daughter told us as much. do you not deduce somet', 'at turner himself was averse to the idea. the daughter told us as much. do you not deduce something ', 'rner himself was averse to the idea. the daughter told us as much. do you not deduce something from ', 'himself was averse to the idea. the daughter told us as much. do you not deduce something from that?', 'lf was averse to the idea. the daughter told us as much. do you not deduce something from that?" "we', 's averse to the idea. the daughter told us as much. do you not deduce something from that?" "we have', 'rse to the idea. the daughter told us as much. do you not deduce something from that?" "we have got ', 'o the idea. the daughter told us as much. do you not deduce something from that?" "we have got to th', ' idea. the daughter told us as much. do you not deduce something from that?" "we have got to the ded', '. the daughter told us as much. do you not deduce something from that?" "we have got to the deductio', ' daughter told us as much. do you not deduce something from that?" "we have got to the deductions an', 'hter told us as much. do you not deduce something from that?" "we have got to the deductions and the', 'told us as much. do you not deduce something from that?" "we have got to the deductions and the infe', 'us as much. do you not deduce something from that?" "we have got to the deductions and the inference', ' much. do you not deduce something from that?" "we have got to the deductions and the inferences," s', '. do you not deduce something from that?" "we have got to the deductions and the inferences," said l', 'you not deduce something from that?" "we have got to the deductions and the inferences," said lestra', 'ot deduce something from that?" "we have got to the deductions and the inferences," said lestrade, w', 'duce something from that?" "we have got to the deductions and the inferences," said lestrade, winkin', 'something from that?" "we have got to the deductions and the inferences," said lestrade, winking at ', 'hing from that?" "we have got to the deductions and the inferences," said lestrade, winking at me. "', 'from that?" "we have got to the deductions and the inferences," said lestrade, winking at me. "i fin', 'that?" "we have got to the deductions and the inferences," said lestrade, winking at me. "i find it ', '" "we have got to the deductions and the inferences," said lestrade, winking at me. "i find it hard ', ' have got to the deductions and the inferences," said lestrade, winking at me. "i find it hard enoug', ' got to the deductions and the inferences," said lestrade, winking at me. "i find it hard enough to ', 'to the deductions and the inferences," said lestrade, winking at me. "i find it hard enough to tackl', 'e deductions and the inferences," said lestrade, winking at me. "i find it hard enough to tackle fac', 'uctions and the inferences," said lestrade, winking at me. "i find it hard enough to tackle facts, h', 'ns and the inferences," said lestrade, winking at me. "i find it hard enough to tackle facts, holmes', 'd the inferences," said lestrade, winking at me. "i find it hard enough to tackle facts, holmes, wit', ' inferences," said lestrade, winking at me. "i find it hard enough to tackle facts, holmes, without ', 'rences," said lestrade, winking at me. "i find it hard enough to tackle facts, holmes, without flyin', 's," said lestrade, winking at me. "i find it hard enough to tackle facts, holmes, without flying awa', 'aid lestrade, winking at me. "i find it hard enough to tackle facts, holmes, without flying away aft', 'estrade, winking at me. "i find it hard enough to tackle facts, holmes, without flying away after th', 'de, winking at me. "i find it hard enough to tackle facts, holmes, without flying away after theorie', 'inking at me. "i find it hard enough to tackle facts, holmes, without flying away after theories and', 'g at me. "i find it hard enough to tackle facts, holmes, without flying away after theories and fanc', 'me. "i find it hard enough to tackle facts, holmes, without flying away after theories and fancies."', 'i find it hard enough to tackle facts, holmes, without flying away after theories and fancies." "you', 'd it hard enough to tackle facts, holmes, without flying away after theories and fancies." "you are ', 'hard enough to tackle facts, holmes, without flying away after theories and fancies." "you are right', 'enough to tackle facts, holmes, without flying away after theories and fancies." "you are right," sa', 'h to tackle facts, holmes, without flying away after theories and fancies." "you are right," said ho', 'tackle facts, holmes, without flying away after theories and fancies." "you are right," said holmes ', 'e facts, holmes, without flying away after theories and fancies." "you are right," said holmes demur', 'ts, holmes, without flying away after theories and fancies." "you are right," said holmes demurely; ', 'olmes, without flying away after theories and fancies." "you are right," said holmes demurely; "you ', ', without flying away after theories and fancies." "you are right," said holmes demurely; "you do fi', 'hout flying away after theories and fancies." "you are right," said holmes demurely; "you do find it', 'flying away after theories and fancies." "you are right," said holmes demurely; "you do find it very', 'g away after theories and fancies." "you are right," said holmes demurely; "you do find it very hard', 'y after theories and fancies." "you are right," said holmes demurely; "you do find it very hard to t', 'er theories and fancies." "you are right," said holmes demurely; "you do find it very hard to tackle', 'eories and fancies." "you are right," said holmes demurely; "you do find it very hard to tackle the ', 's and fancies." "you are right," said holmes demurely; "you do find it very hard to tackle the facts', ' fancies." "you are right," said holmes demurely; "you do find it very hard to tackle the facts." "a', 'ies." "you are right," said holmes demurely; "you do find it very hard to tackle the facts." "anyhow', ' "you are right," said holmes demurely; "you do find it very hard to tackle the facts." "anyhow, i h', ' are right," said holmes demurely; "you do find it very hard to tackle the facts." "anyhow, i have g', 'right," said holmes demurely; "you do find it very hard to tackle the facts." "anyhow, i have graspe', '," said holmes demurely; "you do find it very hard to tackle the facts." "anyhow, i have grasped one', 'id holmes demurely; "you do find it very hard to tackle the facts." "anyhow, i have grasped one fact', 'lmes demurely; "you do find it very hard to tackle the facts." "anyhow, i have grasped one fact whic', 'demurely; "you do find it very hard to tackle the facts." "anyhow, i have grasped one fact which you', 'ely; "you do find it very hard to tackle the facts." "anyhow, i have grasped one fact which you seem', '"you do find it very hard to tackle the facts." "anyhow, i have grasped one fact which you seem to f', 'do find it very hard to tackle the facts." "anyhow, i have grasped one fact which you seem to find i', 'nd it very hard to tackle the facts." "anyhow, i have grasped one fact which you seem to find it dif', ' very hard to tackle the facts." "anyhow, i have grasped one fact which you seem to find it difficul', ' hard to tackle the facts." "anyhow, i have grasped one fact which you seem to find it difficult to ', ' to tackle the facts." "anyhow, i have grasped one fact which you seem to find it difficult to get h', 'ackle the facts." "anyhow, i have grasped one fact which you seem to find it difficult to get hold o', ' the facts." "anyhow, i have grasped one fact which you seem to find it difficult to get hold of," r', 'facts." "anyhow, i have grasped one fact which you seem to find it difficult to get hold of," replie', '." "anyhow, i have grasped one fact which you seem to find it difficult to get hold of," replied les', 'nyhow, i have grasped one fact which you seem to find it difficult to get hold of," replied lestrade', ', i have grasped one fact which you seem to find it difficult to get hold of," replied lestrade with', 'ave grasped one fact which you seem to find it difficult to get hold of," replied lestrade with some', 'rasped one fact which you seem to find it difficult to get hold of," replied lestrade with some warm', 'd one fact which you seem to find it difficult to get hold of," replied lestrade with some warmth. "', ' fact which you seem to find it difficult to get hold of," replied lestrade with some warmth. "and t', ' which you seem to find it difficult to get hold of," replied lestrade with some warmth. "and that i', 'h you seem to find it difficult to get hold of," replied lestrade with some warmth. "and that is" "t', ' seem to find it difficult to get hold of," replied lestrade with some warmth. "and that is" "that m', ' to find it difficult to get hold of," replied lestrade with some warmth. "and that is" "that mccart', 'ind it difficult to get hold of," replied lestrade with some warmth. "and that is" "that mccarthy se', 't difficult to get hold of," replied lestrade with some warmth. "and that is" "that mccarthy senior ', 'ficult to get hold of," replied lestrade with some warmth. "and that is" "that mccarthy senior met h', 't to get hold of," replied lestrade with some warmth. "and that is" "that mccarthy senior met his de', 'get hold of," replied lestrade with some warmth. "and that is" "that mccarthy senior met his death f', 'old of," replied lestrade with some warmth. "and that is" "that mccarthy senior met his death from m', 'f," replied lestrade with some warmth. "and that is" "that mccarthy senior met his death from mccart', 'eplied lestrade with some warmth. "and that is" "that mccarthy senior met his death from mccarthy ju', 'd lestrade with some warmth. "and that is" "that mccarthy senior met his death from mccarthy junior ', 'trade with some warmth. "and that is" "that mccarthy senior met his death from mccarthy junior and t', ' with some warmth. "and that is" "that mccarthy senior met his death from mccarthy junior and that a', ' some warmth. "and that is" "that mccarthy senior met his death from mccarthy junior and that all th', ' warmth. "and that is" "that mccarthy senior met his death from mccarthy junior and that all theorie', 'th. "and that is" "that mccarthy senior met his death from mccarthy junior and that all theories to ', 'and that is" "that mccarthy senior met his death from mccarthy junior and that all theories to the c', 'hat is" "that mccarthy senior met his death from mccarthy junior and that all theories to the contra', 's" "that mccarthy senior met his death from mccarthy junior and that all theories to the contrary ar', 'hat mccarthy senior met his death from mccarthy junior and that all theories to the contrary are the', 'ccarthy senior met his death from mccarthy junior and that all theories to the contrary are the mere', 'hy senior met his death from mccarthy junior and that all theories to the contrary are the merest mo', 'nior met his death from mccarthy junior and that all theories to the contrary are the merest moonshi', 'met his death from mccarthy junior and that all theories to the contrary are the merest moonshine." ', 'is death from mccarthy junior and that all theories to the contrary are the merest moonshine." "well', 'ath from mccarthy junior and that all theories to the contrary are the merest moonshine." "well, moo', 'rom mccarthy junior and that all theories to the contrary are the merest moonshine." "well, moonshin', 'ccarthy junior and that all theories to the contrary are the merest moonshine." "well, moonshine is ', 'hy junior and that all theories to the contrary are the merest moonshine." "well, moonshine is a bri', 'nior and that all theories to the contrary are the merest moonshine." "well, moonshine is a brighter', 'and that all theories to the contrary are the merest moonshine." "well, moonshine is a brighter thin', 'hat all theories to the contrary are the merest moonshine." "well, moonshine is a brighter thing tha', 'll theories to the contrary are the merest moonshine." "well, moonshine is a brighter thing than fog', 'eories to the contrary are the merest moonshine." "well, moonshine is a brighter thing than fog," sa', 's to the contrary are the merest moonshine." "well, moonshine is a brighter thing than fog," said ho', 'the contrary are the merest moonshine." "well, moonshine is a brighter thing than fog," said holmes,', 'ontrary are the merest moonshine." "well, moonshine is a brighter thing than fog," said holmes, laug', 'ry are the merest moonshine." "well, moonshine is a brighter thing than fog," said holmes, laughing.', 'e the merest moonshine." "well, moonshine is a brighter thing than fog," said holmes, laughing. "but', ' merest moonshine." "well, moonshine is a brighter thing than fog," said holmes, laughing. "but i am', 'st moonshine." "well, moonshine is a brighter thing than fog," said holmes, laughing. "but i am very', 'onshine." "well, moonshine is a brighter thing than fog," said holmes, laughing. "but i am very much', 'ne." "well, moonshine is a brighter thing than fog," said holmes, laughing. "but i am very much mist', '"well, moonshine is a brighter thing than fog," said holmes, laughing. "but i am very much mistaken ', ', moonshine is a brighter thing than fog," said holmes, laughing. "but i am very much mistaken if th', 'nshine is a brighter thing than fog," said holmes, laughing. "but i am very much mistaken if this is', 'e is a brighter thing than fog," said holmes, laughing. "but i am very much mistaken if this is not ', 'a brighter thing than fog," said holmes, laughing. "but i am very much mistaken if this is not hathe', 'ghter thing than fog," said holmes, laughing. "but i am very much mistaken if this is not hatherley ', ' thing than fog," said holmes, laughing. "but i am very much mistaken if this is not hatherley farm ', 'g than fog," said holmes, laughing. "but i am very much mistaken if this is not hatherley farm upon ', 'n fog," said holmes, laughing. "but i am very much mistaken if this is not hatherley farm upon the l', '," said holmes, laughing. "but i am very much mistaken if this is not hatherley farm upon the left."', 'id holmes, laughing. "but i am very much mistaken if this is not hatherley farm upon the left." "yes', 'lmes, laughing. "but i am very much mistaken if this is not hatherley farm upon the left." "yes, tha', ' laughing. "but i am very much mistaken if this is not hatherley farm upon the left." "yes, that is ', 'hing. "but i am very much mistaken if this is not hatherley farm upon the left." "yes, that is it." ', ' "but i am very much mistaken if this is not hatherley farm upon the left." "yes, that is it." it wa', ' i am very much mistaken if this is not hatherley farm upon the left." "yes, that is it." it was a w', ' very much mistaken if this is not hatherley farm upon the left." "yes, that is it." it was a widesp', ' much mistaken if this is not hatherley farm upon the left." "yes, that is it." it was a widespread,', ' mistaken if this is not hatherley farm upon the left." "yes, that is it." it was a widespread, comf', 'aken if this is not hatherley farm upon the left." "yes, that is it." it was a widespread, comfortab', 'if this is not hatherley farm upon the left." "yes, that is it." it was a widespread, comfortable-lo', 'is is not hatherley farm upon the left." "yes, that is it." it was a widespread, comfortable-looking', ' not hatherley farm upon the left." "yes, that is it." it was a widespread, comfortable-looking buil', 'hatherley farm upon the left." "yes, that is it." it was a widespread, comfortable-looking building,', 'rley farm upon the left." "yes, that is it." it was a widespread, comfortable-looking building, two-', 'farm upon the left." "yes, that is it." it was a widespread, comfortable-looking building, two-stori', 'upon the left." "yes, that is it." it was a widespread, comfortable-looking building, two-storied, s', 'the left." "yes, that is it." it was a widespread, comfortable-looking building, two-storied, slate-', 'eft." "yes, that is it." it was a widespread, comfortable-looking building, two-storied, slate-roofe', ' "yes, that is it." it was a widespread, comfortable-looking building, two-storied, slate-roofed, wi', ', that is it." it was a widespread, comfortable-looking building, two-storied, slate-roofed, with gr', 't is it." it was a widespread, comfortable-looking building, two-storied, slate-roofed, with great y', 'it." it was a widespread, comfortable-looking building, two-storied, slate-roofed, with great yellow', 'it was a widespread, comfortable-looking building, two-storied, slate-roofed, with great yellow blot', 's a widespread, comfortable-looking building, two-storied, slate-roofed, with great yellow blotches ', 'idespread, comfortable-looking building, two-storied, slate-roofed, with great yellow blotches of li', 'read, comfortable-looking building, two-storied, slate-roofed, with great yellow blotches of lichen ', ' comfortable-looking building, two-storied, slate-roofed, with great yellow blotches of lichen upon ', 'ortable-looking building, two-storied, slate-roofed, with great yellow blotches of lichen upon the g', 'le-looking building, two-storied, slate-roofed, with great yellow blotches of lichen upon the grey w', 'oking building, two-storied, slate-roofed, with great yellow blotches of lichen upon the grey walls.', ' building, two-storied, slate-roofed, with great yellow blotches of lichen upon the grey walls. the ', 'ding, two-storied, slate-roofed, with great yellow blotches of lichen upon the grey walls. the drawn', ' two-storied, slate-roofed, with great yellow blotches of lichen upon the grey walls. the drawn blin', 'storied, slate-roofed, with great yellow blotches of lichen upon the grey walls. the drawn blinds an', 'ed, slate-roofed, with great yellow blotches of lichen upon the grey walls. the drawn blinds and the', 'late-roofed, with great yellow blotches of lichen upon the grey walls. the drawn blinds and the smok', 'roofed, with great yellow blotches of lichen upon the grey walls. the drawn blinds and the smokeless', 'd, with great yellow blotches of lichen upon the grey walls. the drawn blinds and the smokeless chim', 'th great yellow blotches of lichen upon the grey walls. the drawn blinds and the smokeless chimneys,', 'eat yellow blotches of lichen upon the grey walls. the drawn blinds and the smokeless chimneys, howe', 'ellow blotches of lichen upon the grey walls. the drawn blinds and the smokeless chimneys, however, ', ' blotches of lichen upon the grey walls. the drawn blinds and the smokeless chimneys, however, gave ', 'ches of lichen upon the grey walls. the drawn blinds and the smokeless chimneys, however, gave it a ', 'of lichen upon the grey walls. the drawn blinds and the smokeless chimneys, however, gave it a stric', 'chen upon the grey walls. the drawn blinds and the smokeless chimneys, however, gave it a stricken l', 'upon the grey walls. the drawn blinds and the smokeless chimneys, however, gave it a stricken look, ', 'the grey walls. the drawn blinds and the smokeless chimneys, however, gave it a stricken look, as th', 'rey walls. the drawn blinds and the smokeless chimneys, however, gave it a stricken look, as though ', 'alls. the drawn blinds and the smokeless chimneys, however, gave it a stricken look, as though the w', ' the drawn blinds and the smokeless chimneys, however, gave it a stricken look, as though the weight', 'drawn blinds and the smokeless chimneys, however, gave it a stricken look, as though the weight of t', ' blinds and the smokeless chimneys, however, gave it a stricken look, as though the weight of this h', 'ds and the smokeless chimneys, however, gave it a stricken look, as though the weight of this horror', 'd the smokeless chimneys, however, gave it a stricken look, as though the weight of this horror stil', ' smokeless chimneys, however, gave it a stricken look, as though the weight of this horror still lay', 'eless chimneys, however, gave it a stricken look, as though the weight of this horror still lay heav', ' chimneys, however, gave it a stricken look, as though the weight of this horror still lay heavy upo', 'neys, however, gave it a stricken look, as though the weight of this horror still lay heavy upon it.', ' however, gave it a stricken look, as though the weight of this horror still lay heavy upon it. we c', 'ver, gave it a stricken look, as though the weight of this horror still lay heavy upon it. we called', 'gave it a stricken look, as though the weight of this horror still lay heavy upon it. we called at t', 'it a stricken look, as though the weight of this horror still lay heavy upon it. we called at the do', 'stricken look, as though the weight of this horror still lay heavy upon it. we called at the door, w', 'ken look, as though the weight of this horror still lay heavy upon it. we called at the door, when t', 'ook, as though the weight of this horror still lay heavy upon it. we called at the door, when the ma', 'as though the weight of this horror still lay heavy upon it. we called at the door, when the maid, a', 'ough the weight of this horror still lay heavy upon it. we called at the door, when the maid, at hol', "the weight of this horror still lay heavy upon it. we called at the door, when the maid, at holmes' ", "eight of this horror still lay heavy upon it. we called at the door, when the maid, at holmes' reque", " of this horror still lay heavy upon it. we called at the door, when the maid, at holmes' request, s", "his horror still lay heavy upon it. we called at the door, when the maid, at holmes' request, showed", "orror still lay heavy upon it. we called at the door, when the maid, at holmes' request, showed us t", " still lay heavy upon it. we called at the door, when the maid, at holmes' request, showed us the bo", "l lay heavy upon it. we called at the door, when the maid, at holmes' request, showed us the boots w", " heavy upon it. we called at the door, when the maid, at holmes' request, showed us the boots which ", "y upon it. we called at the door, when the maid, at holmes' request, showed us the boots which her m", "n it. we called at the door, when the maid, at holmes' request, showed us the boots which her master", " we called at the door, when the maid, at holmes' request, showed us the boots which her master wore", "alled at the door, when the maid, at holmes' request, showed us the boots which her master wore at t", " at the door, when the maid, at holmes' request, showed us the boots which her master wore at the ti", "he door, when the maid, at holmes' request, showed us the boots which her master wore at the time of", "or, when the maid, at holmes' request, showed us the boots which her master wore at the time of his ", "hen the maid, at holmes' request, showed us the boots which her master wore at the time of his death", "he maid, at holmes' request, showed us the boots which her master wore at the time of his death, and", "id, at holmes' request, showed us the boots which her master wore at the time of his death, and also", "t holmes' request, showed us the boots which her master wore at the time of his death, and also a pa", "mes' request, showed us the boots which her master wore at the time of his death, and also a pair of", 'request, showed us the boots which her master wore at the time of his death, and also a pair of the ', "st, showed us the boots which her master wore at the time of his death, and also a pair of the son's", "howed us the boots which her master wore at the time of his death, and also a pair of the son's, tho", " us the boots which her master wore at the time of his death, and also a pair of the son's, though n", "he boots which her master wore at the time of his death, and also a pair of the son's, though not th", "ots which her master wore at the time of his death, and also a pair of the son's, though not the pai", "hich her master wore at the time of his death, and also a pair of the son's, though not the pair whi", "her master wore at the time of his death, and also a pair of the son's, though not the pair which he", "aster wore at the time of his death, and also a pair of the son's, though not the pair which he had ", " wore at the time of his death, and also a pair of the son's, though not the pair which he had then ", " at the time of his death, and also a pair of the son's, though not the pair which he had then had. ", "he time of his death, and also a pair of the son's, though not the pair which he had then had. havin", "me of his death, and also a pair of the son's, though not the pair which he had then had. having mea", " his death, and also a pair of the son's, though not the pair which he had then had. having measured", "death, and also a pair of the son's, though not the pair which he had then had. having measured thes", ", and also a pair of the son's, though not the pair which he had then had. having measured these ver", " also a pair of the son's, though not the pair which he had then had. having measured these very car", " a pair of the son's, though not the pair which he had then had. having measured these very carefull", "ir of the son's, though not the pair which he had then had. having measured these very carefully fro", " the son's, though not the pair which he had then had. having measured these very carefully from sev", "son's, though not the pair which he had then had. having measured these very carefully from seven or", ', though not the pair which he had then had. having measured these very carefully from seven or eigh', 'ugh not the pair which he had then had. having measured these very carefully from seven or eight dif', 'ot the pair which he had then had. having measured these very carefully from seven or eight differen', 'e pair which he had then had. having measured these very carefully from seven or eight different poi', 'r which he had then had. having measured these very carefully from seven or eight different points, ', 'ch he had then had. having measured these very carefully from seven or eight different points, holme', ' had then had. having measured these very carefully from seven or eight different points, holmes des', 'then had. having measured these very carefully from seven or eight different points, holmes desired ', 'had. having measured these very carefully from seven or eight different points, holmes desired to be', 'having measured these very carefully from seven or eight different points, holmes desired to be led ', 'g measured these very carefully from seven or eight different points, holmes desired to be led to th', 'sured these very carefully from seven or eight different points, holmes desired to be led to the cou', ' these very carefully from seven or eight different points, holmes desired to be led to the court-ya', 'e very carefully from seven or eight different points, holmes desired to be led to the court-yard, f', 'y carefully from seven or eight different points, holmes desired to be led to the court-yard, from w', 'efully from seven or eight different points, holmes desired to be led to the court-yard, from which ', 'y from seven or eight different points, holmes desired to be led to the court-yard, from which we al', 'm seven or eight different points, holmes desired to be led to the court-yard, from which we all fol', 'en or eight different points, holmes desired to be led to the court-yard, from which we all followed', ' eight different points, holmes desired to be led to the court-yard, from which we all followed the ', 't different points, holmes desired to be led to the court-yard, from which we all followed the windi', 'ferent points, holmes desired to be led to the court-yard, from which we all followed the winding tr', 't points, holmes desired to be led to the court-yard, from which we all followed the winding track w', 'nts, holmes desired to be led to the court-yard, from which we all followed the winding track which ', 'holmes desired to be led to the court-yard, from which we all followed the winding track which led t', 's desired to be led to the court-yard, from which we all followed the winding track which led to bos', 'ired to be led to the court-yard, from which we all followed the winding track which led to boscombe', 'to be led to the court-yard, from which we all followed the winding track which led to boscombe pool', ' led to the court-yard, from which we all followed the winding track which led to boscombe pool. she', 'to the court-yard, from which we all followed the winding track which led to boscombe pool. sherlock', 'e court-yard, from which we all followed the winding track which led to boscombe pool. sherlock holm', 'rt-yard, from which we all followed the winding track which led to boscombe pool. sherlock holmes wa', 'rd, from which we all followed the winding track which led to boscombe pool. sherlock holmes was tra', 'rom which we all followed the winding track which led to boscombe pool. sherlock holmes was transfor', 'hich we all followed the winding track which led to boscombe pool. sherlock holmes was transformed w', 'we all followed the winding track which led to boscombe pool. sherlock holmes was transformed when h', 'l followed the winding track which led to boscombe pool. sherlock holmes was transformed when he was', 'lowed the winding track which led to boscombe pool. sherlock holmes was transformed when he was hot ', ' the winding track which led to boscombe pool. sherlock holmes was transformed when he was hot upon ', 'winding track which led to boscombe pool. sherlock holmes was transformed when he was hot upon such ', 'ng track which led to boscombe pool. sherlock holmes was transformed when he was hot upon such a sce', 'ack which led to boscombe pool. sherlock holmes was transformed when he was hot upon such a scent as', 'hich led to boscombe pool. sherlock holmes was transformed when he was hot upon such a scent as this', 'led to boscombe pool. sherlock holmes was transformed when he was hot upon such a scent as this. men', 'o boscombe pool. sherlock holmes was transformed when he was hot upon such a scent as this. men who ', 'combe pool. sherlock holmes was transformed when he was hot upon such a scent as this. men who had o', ' pool. sherlock holmes was transformed when he was hot upon such a scent as this. men who had only k', '. sherlock holmes was transformed when he was hot upon such a scent as this. men who had only known ', 'rlock holmes was transformed when he was hot upon such a scent as this. men who had only known the q', ' holmes was transformed when he was hot upon such a scent as this. men who had only known the quiet ', 'es was transformed when he was hot upon such a scent as this. men who had only known the quiet think', 's transformed when he was hot upon such a scent as this. men who had only known the quiet thinker an', 'nsformed when he was hot upon such a scent as this. men who had only known the quiet thinker and log', 'med when he was hot upon such a scent as this. men who had only known the quiet thinker and logician', 'hen he was hot upon such a scent as this. men who had only known the quiet thinker and logician of b', 'e was hot upon such a scent as this. men who had only known the quiet thinker and logician of baker ', ' hot upon such a scent as this. men who had only known the quiet thinker and logician of baker stree', 'upon such a scent as this. men who had only known the quiet thinker and logician of baker street wou', 'such a scent as this. men who had only known the quiet thinker and logician of baker street would ha', 'a scent as this. men who had only known the quiet thinker and logician of baker street would have fa', 'nt as this. men who had only known the quiet thinker and logician of baker street would have failed ', ' this. men who had only known the quiet thinker and logician of baker street would have failed to re', '. men who had only known the quiet thinker and logician of baker street would have failed to recogni', ' who had only known the quiet thinker and logician of baker street would have failed to recognise hi', 'had only known the quiet thinker and logician of baker street would have failed to recognise him. hi', 'nly known the quiet thinker and logician of baker street would have failed to recognise him. his fac', 'nown the quiet thinker and logician of baker street would have failed to recognise him. his face flu', 'the quiet thinker and logician of baker street would have failed to recognise him. his face flushed ', 'uiet thinker and logician of baker street would have failed to recognise him. his face flushed and d', 'thinker and logician of baker street would have failed to recognise him. his face flushed and darken', 'er and logician of baker street would have failed to recognise him. his face flushed and darkened. h', 'd logician of baker street would have failed to recognise him. his face flushed and darkened. his br', 'ician of baker street would have failed to recognise him. his face flushed and darkened. his brows w', ' of baker street would have failed to recognise him. his face flushed and darkened. his brows were d', 'aker street would have failed to recognise him. his face flushed and darkened. his brows were drawn ', 'street would have failed to recognise him. his face flushed and darkened. his brows were drawn into ', 't would have failed to recognise him. his face flushed and darkened. his brows were drawn into two h', 'ld have failed to recognise him. his face flushed and darkened. his brows were drawn into two hard b', 've failed to recognise him. his face flushed and darkened. his brows were drawn into two hard black ', 'iled to recognise him. his face flushed and darkened. his brows were drawn into two hard black lines', 'to recognise him. his face flushed and darkened. his brows were drawn into two hard black lines, whi', 'cognise him. his face flushed and darkened. his brows were drawn into two hard black lines, while hi', 'se him. his face flushed and darkened. his brows were drawn into two hard black lines, while his eye', 'm. his face flushed and darkened. his brows were drawn into two hard black lines, while his eyes sho', 's face flushed and darkened. his brows were drawn into two hard black lines, while his eyes shone ou', 'e flushed and darkened. his brows were drawn into two hard black lines, while his eyes shone out fro', 'shed and darkened. his brows were drawn into two hard black lines, while his eyes shone out from ben', 'and darkened. his brows were drawn into two hard black lines, while his eyes shone out from beneath ', 'arkened. his brows were drawn into two hard black lines, while his eyes shone out from beneath them ', 'ed. his brows were drawn into two hard black lines, while his eyes shone out from beneath them with ', 'is brows were drawn into two hard black lines, while his eyes shone out from beneath them with a ste', 'ows were drawn into two hard black lines, while his eyes shone out from beneath them with a steely g', 'ere drawn into two hard black lines, while his eyes shone out from beneath them with a steely glitte', 'rawn into two hard black lines, while his eyes shone out from beneath them with a steely glitter. hi', 'into two hard black lines, while his eyes shone out from beneath them with a steely glitter. his fac', 'two hard black lines, while his eyes shone out from beneath them with a steely glitter. his face was', 'ard black lines, while his eyes shone out from beneath them with a steely glitter. his face was bent', 'lack lines, while his eyes shone out from beneath them with a steely glitter. his face was bent down', 'lines, while his eyes shone out from beneath them with a steely glitter. his face was bent downward,', ', while his eyes shone out from beneath them with a steely glitter. his face was bent downward, his ', 'le his eyes shone out from beneath them with a steely glitter. his face was bent downward, his shoul', 's eyes shone out from beneath them with a steely glitter. his face was bent downward, his shoulders ', 's shone out from beneath them with a steely glitter. his face was bent downward, his shoulders bowed', 'ne out from beneath them with a steely glitter. his face was bent downward, his shoulders bowed, his', 't from beneath them with a steely glitter. his face was bent downward, his shoulders bowed, his lips', 'm beneath them with a steely glitter. his face was bent downward, his shoulders bowed, his lips comp', 'eath them with a steely glitter. his face was bent downward, his shoulders bowed, his lips compresse', 'them with a steely glitter. his face was bent downward, his shoulders bowed, his lips compressed, an', 'with a steely glitter. his face was bent downward, his shoulders bowed, his lips compressed, and the', 'a steely glitter. his face was bent downward, his shoulders bowed, his lips compressed, and the vein', 'ely glitter. his face was bent downward, his shoulders bowed, his lips compressed, and the veins sto', 'litter. his face was bent downward, his shoulders bowed, his lips compressed, and the veins stood ou', 'r. his face was bent downward, his shoulders bowed, his lips compressed, and the veins stood out lik', 's face was bent downward, his shoulders bowed, his lips compressed, and the veins stood out like whi', 'e was bent downward, his shoulders bowed, his lips compressed, and the veins stood out like whipcord', ' bent downward, his shoulders bowed, his lips compressed, and the veins stood out like whipcord in h', ' downward, his shoulders bowed, his lips compressed, and the veins stood out like whipcord in his lo', 'ward, his shoulders bowed, his lips compressed, and the veins stood out like whipcord in his long, s', ' his shoulders bowed, his lips compressed, and the veins stood out like whipcord in his long, sinewy', 'shoulders bowed, his lips compressed, and the veins stood out like whipcord in his long, sinewy neck', 'ders bowed, his lips compressed, and the veins stood out like whipcord in his long, sinewy neck. his', 'bowed, his lips compressed, and the veins stood out like whipcord in his long, sinewy neck. his nost', ', his lips compressed, and the veins stood out like whipcord in his long, sinewy neck. his nostrils ', ' lips compressed, and the veins stood out like whipcord in his long, sinewy neck. his nostrils seeme', ' compressed, and the veins stood out like whipcord in his long, sinewy neck. his nostrils seemed to ', 'ressed, and the veins stood out like whipcord in his long, sinewy neck. his nostrils seemed to dilat', 'd, and the veins stood out like whipcord in his long, sinewy neck. his nostrils seemed to dilate wit', 'd the veins stood out like whipcord in his long, sinewy neck. his nostrils seemed to dilate with a p', ' veins stood out like whipcord in his long, sinewy neck. his nostrils seemed to dilate with a purely', 's stood out like whipcord in his long, sinewy neck. his nostrils seemed to dilate with a purely anim', 'od out like whipcord in his long, sinewy neck. his nostrils seemed to dilate with a purely animal lu', 't like whipcord in his long, sinewy neck. his nostrils seemed to dilate with a purely animal lust fo', 'e whipcord in his long, sinewy neck. his nostrils seemed to dilate with a purely animal lust for the', 'pcord in his long, sinewy neck. his nostrils seemed to dilate with a purely animal lust for the chas', ' in his long, sinewy neck. his nostrils seemed to dilate with a purely animal lust for the chase, an', 'is long, sinewy neck. his nostrils seemed to dilate with a purely animal lust for the chase, and his', 'ng, sinewy neck. his nostrils seemed to dilate with a purely animal lust for the chase, and his mind', 'inewy neck. his nostrils seemed to dilate with a purely animal lust for the chase, and his mind was ', ' neck. his nostrils seemed to dilate with a purely animal lust for the chase, and his mind was so ab', '. his nostrils seemed to dilate with a purely animal lust for the chase, and his mind was so absolut', ' nostrils seemed to dilate with a purely animal lust for the chase, and his mind was so absolutely c', 'rils seemed to dilate with a purely animal lust for the chase, and his mind was so absolutely concen', 'seemed to dilate with a purely animal lust for the chase, and his mind was so absolutely concentrate', 'd to dilate with a purely animal lust for the chase, and his mind was so absolutely concentrated upo', 'dilate with a purely animal lust for the chase, and his mind was so absolutely concentrated upon the', 'e with a purely animal lust for the chase, and his mind was so absolutely concentrated upon the matt', 'h a purely animal lust for the chase, and his mind was so absolutely concentrated upon the matter be', 'urely animal lust for the chase, and his mind was so absolutely concentrated upon the matter before ', ' animal lust for the chase, and his mind was so absolutely concentrated upon the matter before him t', 'al lust for the chase, and his mind was so absolutely concentrated upon the matter before him that a', 'st for the chase, and his mind was so absolutely concentrated upon the matter before him that a ques', 'r the chase, and his mind was so absolutely concentrated upon the matter before him that a question ', ' chase, and his mind was so absolutely concentrated upon the matter before him that a question or re', 'e, and his mind was so absolutely concentrated upon the matter before him that a question or remark ', 'd his mind was so absolutely concentrated upon the matter before him that a question or remark fell ', ' mind was so absolutely concentrated upon the matter before him that a question or remark fell unhee', ' was so absolutely concentrated upon the matter before him that a question or remark fell unheeded u', 'so absolutely concentrated upon the matter before him that a question or remark fell unheeded upon h', 'solutely concentrated upon the matter before him that a question or remark fell unheeded upon his ea', 'ely concentrated upon the matter before him that a question or remark fell unheeded upon his ears, o', 'oncentrated upon the matter before him that a question or remark fell unheeded upon his ears, or, at', 'trated upon the matter before him that a question or remark fell unheeded upon his ears, or, at the ', 'd upon the matter before him that a question or remark fell unheeded upon his ears, or, at the most,', 'n the matter before him that a question or remark fell unheeded upon his ears, or, at the most, only', ' matter before him that a question or remark fell unheeded upon his ears, or, at the most, only prov', 'er before him that a question or remark fell unheeded upon his ears, or, at the most, only provoked ', 'fore him that a question or remark fell unheeded upon his ears, or, at the most, only provoked a qui', 'him that a question or remark fell unheeded upon his ears, or, at the most, only provoked a quick, i', 'hat a question or remark fell unheeded upon his ears, or, at the most, only provoked a quick, impati', ' question or remark fell unheeded upon his ears, or, at the most, only provoked a quick, impatient s', 'tion or remark fell unheeded upon his ears, or, at the most, only provoked a quick, impatient snarl ', 'or remark fell unheeded upon his ears, or, at the most, only provoked a quick, impatient snarl in re', 'mark fell unheeded upon his ears, or, at the most, only provoked a quick, impatient snarl in reply. ', 'fell unheeded upon his ears, or, at the most, only provoked a quick, impatient snarl in reply. swift', 'unheeded upon his ears, or, at the most, only provoked a quick, impatient snarl in reply. swiftly an', 'ded upon his ears, or, at the most, only provoked a quick, impatient snarl in reply. swiftly and sil', 'pon his ears, or, at the most, only provoked a quick, impatient snarl in reply. swiftly and silently', 'is ears, or, at the most, only provoked a quick, impatient snarl in reply. swiftly and silently he m', 'rs, or, at the most, only provoked a quick, impatient snarl in reply. swiftly and silently he made h', 'r, at the most, only provoked a quick, impatient snarl in reply. swiftly and silently he made his wa', ' the most, only provoked a quick, impatient snarl in reply. swiftly and silently he made his way alo', 'most, only provoked a quick, impatient snarl in reply. swiftly and silently he made his way along th', ' only provoked a quick, impatient snarl in reply. swiftly and silently he made his way along the tra', ' provoked a quick, impatient snarl in reply. swiftly and silently he made his way along the track wh', 'oked a quick, impatient snarl in reply. swiftly and silently he made his way along the track which r', 'a quick, impatient snarl in reply. swiftly and silently he made his way along the track which ran th', 'ck, impatient snarl in reply. swiftly and silently he made his way along the track which ran through', 'mpatient snarl in reply. swiftly and silently he made his way along the track which ran through the ', 'ent snarl in reply. swiftly and silently he made his way along the track which ran through the meado', 'narl in reply. swiftly and silently he made his way along the track which ran through the meadows, a', 'in reply. swiftly and silently he made his way along the track which ran through the meadows, and so', 'ply. swiftly and silently he made his way along the track which ran through the meadows, and so by w', 'swiftly and silently he made his way along the track which ran through the meadows, and so by way of', 'ly and silently he made his way along the track which ran through the meadows, and so by way of the ', 'd silently he made his way along the track which ran through the meadows, and so by way of the woods', 'ently he made his way along the track which ran through the meadows, and so by way of the woods to t', ' he made his way along the track which ran through the meadows, and so by way of the woods to the bo', 'ade his way along the track which ran through the meadows, and so by way of the woods to the boscomb', 'is way along the track which ran through the meadows, and so by way of the woods to the boscombe poo', 'y along the track which ran through the meadows, and so by way of the woods to the boscombe pool. it', 'ng the track which ran through the meadows, and so by way of the woods to the boscombe pool. it was ', 'e track which ran through the meadows, and so by way of the woods to the boscombe pool. it was damp,', 'ck which ran through the meadows, and so by way of the woods to the boscombe pool. it was damp, mars', 'ich ran through the meadows, and so by way of the woods to the boscombe pool. it was damp, marshy gr', 'an through the meadows, and so by way of the woods to the boscombe pool. it was damp, marshy ground,', 'rough the meadows, and so by way of the woods to the boscombe pool. it was damp, marshy ground, as i', ' the meadows, and so by way of the woods to the boscombe pool. it was damp, marshy ground, as is all', 'meadows, and so by way of the woods to the boscombe pool. it was damp, marshy ground, as is all that', 'ws, and so by way of the woods to the boscombe pool. it was damp, marshy ground, as is all that dist', 'nd so by way of the woods to the boscombe pool. it was damp, marshy ground, as is all that district,', ' by way of the woods to the boscombe pool. it was damp, marshy ground, as is all that district, and ', 'ay of the woods to the boscombe pool. it was damp, marshy ground, as is all that district, and there', ' the woods to the boscombe pool. it was damp, marshy ground, as is all that district, and there were', 'woods to the boscombe pool. it was damp, marshy ground, as is all that district, and there were mark', ' to the boscombe pool. it was damp, marshy ground, as is all that district, and there were marks of ', 'he boscombe pool. it was damp, marshy ground, as is all that district, and there were marks of many ', 'scombe pool. it was damp, marshy ground, as is all that district, and there were marks of many feet,', 'e pool. it was damp, marshy ground, as is all that district, and there were marks of many feet, both', 'l. it was damp, marshy ground, as is all that district, and there were marks of many feet, both upon', ' was damp, marshy ground, as is all that district, and there were marks of many feet, both upon the ', 'damp, marshy ground, as is all that district, and there were marks of many feet, both upon the path ', ' marshy ground, as is all that district, and there were marks of many feet, both upon the path and a', 'hy ground, as is all that district, and there were marks of many feet, both upon the path and amid t', 'ound, as is all that district, and there were marks of many feet, both upon the path and amid the sh', ' as is all that district, and there were marks of many feet, both upon the path and amid the short g', 's all that district, and there were marks of many feet, both upon the path and amid the short grass ', ' that district, and there were marks of many feet, both upon the path and amid the short grass which', ' district, and there were marks of many feet, both upon the path and amid the short grass which boun', 'rict, and there were marks of many feet, both upon the path and amid the short grass which bounded i', ' and there were marks of many feet, both upon the path and amid the short grass which bounded it on ', 'there were marks of many feet, both upon the path and amid the short grass which bounded it on eithe', ' were marks of many feet, both upon the path and amid the short grass which bounded it on either sid', ' marks of many feet, both upon the path and amid the short grass which bounded it on either side. so', 's of many feet, both upon the path and amid the short grass which bounded it on either side. sometim', 'many feet, both upon the path and amid the short grass which bounded it on either side. sometimes ho', 'feet, both upon the path and amid the short grass which bounded it on either side. sometimes holmes ', ' both upon the path and amid the short grass which bounded it on either side. sometimes holmes would', ' upon the path and amid the short grass which bounded it on either side. sometimes holmes would hurr', ' the path and amid the short grass which bounded it on either side. sometimes holmes would hurry on,', 'path and amid the short grass which bounded it on either side. sometimes holmes would hurry on, some', 'and amid the short grass which bounded it on either side. sometimes holmes would hurry on, sometimes', 'mid the short grass which bounded it on either side. sometimes holmes would hurry on, sometimes stop', 'he short grass which bounded it on either side. sometimes holmes would hurry on, sometimes stop dead', 'ort grass which bounded it on either side. sometimes holmes would hurry on, sometimes stop dead, and', 'rass which bounded it on either side. sometimes holmes would hurry on, sometimes stop dead, and once', 'which bounded it on either side. sometimes holmes would hurry on, sometimes stop dead, and once he m', ' bounded it on either side. sometimes holmes would hurry on, sometimes stop dead, and once he made q', 'ded it on either side. sometimes holmes would hurry on, sometimes stop dead, and once he made quite ', 't on either side. sometimes holmes would hurry on, sometimes stop dead, and once he made quite a lit', 'either side. sometimes holmes would hurry on, sometimes stop dead, and once he made quite a little d', 'r side. sometimes holmes would hurry on, sometimes stop dead, and once he made quite a little detour', 'e. sometimes holmes would hurry on, sometimes stop dead, and once he made quite a little detour into', 'metimes holmes would hurry on, sometimes stop dead, and once he made quite a little detour into the ', 'es holmes would hurry on, sometimes stop dead, and once he made quite a little detour into the meado', 'lmes would hurry on, sometimes stop dead, and once he made quite a little detour into the meadow. le', 'would hurry on, sometimes stop dead, and once he made quite a little detour into the meadow. lestrad', ' hurry on, sometimes stop dead, and once he made quite a little detour into the meadow. lestrade and', 'y on, sometimes stop dead, and once he made quite a little detour into the meadow. lestrade and i wa', ' sometimes stop dead, and once he made quite a little detour into the meadow. lestrade and i walked ', 'times stop dead, and once he made quite a little detour into the meadow. lestrade and i walked behin', ' stop dead, and once he made quite a little detour into the meadow. lestrade and i walked behind him', ' dead, and once he made quite a little detour into the meadow. lestrade and i walked behind him, the', ', and once he made quite a little detour into the meadow. lestrade and i walked behind him, the dete', ' once he made quite a little detour into the meadow. lestrade and i walked behind him, the detective', ' he made quite a little detour into the meadow. lestrade and i walked behind him, the detective indi', 'ade quite a little detour into the meadow. lestrade and i walked behind him, the detective indiffere', 'uite a little detour into the meadow. lestrade and i walked behind him, the detective indifferent an', 'a little detour into the meadow. lestrade and i walked behind him, the detective indifferent and con', 'tle detour into the meadow. lestrade and i walked behind him, the detective indifferent and contempt', 'etour into the meadow. lestrade and i walked behind him, the detective indifferent and contemptuous,', ' into the meadow. lestrade and i walked behind him, the detective indifferent and contemptuous, whil', ' the meadow. lestrade and i walked behind him, the detective indifferent and contemptuous, while i w', 'meadow. lestrade and i walked behind him, the detective indifferent and contemptuous, while i watche', 'w. lestrade and i walked behind him, the detective indifferent and contemptuous, while i watched my ', 'strade and i walked behind him, the detective indifferent and contemptuous, while i watched my frien', 'e and i walked behind him, the detective indifferent and contemptuous, while i watched my friend wit', ' i walked behind him, the detective indifferent and contemptuous, while i watched my friend with the', 'lked behind him, the detective indifferent and contemptuous, while i watched my friend with the inte', 'behind him, the detective indifferent and contemptuous, while i watched my friend with the interest ', 'd him, the detective indifferent and contemptuous, while i watched my friend with the interest which', ', the detective indifferent and contemptuous, while i watched my friend with the interest which spra', ' detective indifferent and contemptuous, while i watched my friend with the interest which sprang fr', 'ctive indifferent and contemptuous, while i watched my friend with the interest which sprang from th', ' indifferent and contemptuous, while i watched my friend with the interest which sprang from the con', 'fferent and contemptuous, while i watched my friend with the interest which sprang from the convicti', 'nt and contemptuous, while i watched my friend with the interest which sprang from the conviction th', 'd contemptuous, while i watched my friend with the interest which sprang from the conviction that ev', 'temptuous, while i watched my friend with the interest which sprang from the conviction that every o', 'uous, while i watched my friend with the interest which sprang from the conviction that every one of', ' while i watched my friend with the interest which sprang from the conviction that every one of his ', 'e i watched my friend with the interest which sprang from the conviction that every one of his actio', 'atched my friend with the interest which sprang from the conviction that every one of his actions wa', 'd my friend with the interest which sprang from the conviction that every one of his actions was dir', 'friend with the interest which sprang from the conviction that every one of his actions was directed', 'd with the interest which sprang from the conviction that every one of his actions was directed towa', 'h the interest which sprang from the conviction that every one of his actions was directed towards a', ' interest which sprang from the conviction that every one of his actions was directed towards a defi', 'rest which sprang from the conviction that every one of his actions was directed towards a definite ', 'which sprang from the conviction that every one of his actions was directed towards a definite end. ', ' sprang from the conviction that every one of his actions was directed towards a definite end. the b', 'ng from the conviction that every one of his actions was directed towards a definite end. the boscom', 'om the conviction that every one of his actions was directed towards a definite end. the boscombe po', 'e conviction that every one of his actions was directed towards a definite end. the boscombe pool, w', 'viction that every one of his actions was directed towards a definite end. the boscombe pool, which ', 'on that every one of his actions was directed towards a definite end. the boscombe pool, which is a ', 'at every one of his actions was directed towards a definite end. the boscombe pool, which is a littl', 'ery one of his actions was directed towards a definite end. the boscombe pool, which is a little ree', 'ne of his actions was directed towards a definite end. the boscombe pool, which is a little reed-gir', ' his actions was directed towards a definite end. the boscombe pool, which is a little reed-girt she', 'actions was directed towards a definite end. the boscombe pool, which is a little reed-girt sheet of', 'ns was directed towards a definite end. the boscombe pool, which is a little reed-girt sheet of wate', 's directed towards a definite end. the boscombe pool, which is a little reed-girt sheet of water som', 'ected towards a definite end. the boscombe pool, which is a little reed-girt sheet of water some fif', ' towards a definite end. the boscombe pool, which is a little reed-girt sheet of water some fifty ya', 'rds a definite end. the boscombe pool, which is a little reed-girt sheet of water some fifty yards a', ' definite end. the boscombe pool, which is a little reed-girt sheet of water some fifty yards across', 'nite end. the boscombe pool, which is a little reed-girt sheet of water some fifty yards across, is ', 'end. the boscombe pool, which is a little reed-girt sheet of water some fifty yards across, is situa', 'the boscombe pool, which is a little reed-girt sheet of water some fifty yards across, is situated a', 'oscombe pool, which is a little reed-girt sheet of water some fifty yards across, is situated at the', 'be pool, which is a little reed-girt sheet of water some fifty yards across, is situated at the boun', 'ol, which is a little reed-girt sheet of water some fifty yards across, is situated at the boundary ', 'hich is a little reed-girt sheet of water some fifty yards across, is situated at the boundary betwe', 'is a little reed-girt sheet of water some fifty yards across, is situated at the boundary between th', 'little reed-girt sheet of water some fifty yards across, is situated at the boundary between the hat', 'e reed-girt sheet of water some fifty yards across, is situated at the boundary between the hatherle', 'd-girt sheet of water some fifty yards across, is situated at the boundary between the hatherley far', 't sheet of water some fifty yards across, is situated at the boundary between the hatherley farm and', 'et of water some fifty yards across, is situated at the boundary between the hatherley farm and the ', ' water some fifty yards across, is situated at the boundary between the hatherley farm and the priva', 'r some fifty yards across, is situated at the boundary between the hatherley farm and the private pa', 'e fifty yards across, is situated at the boundary between the hatherley farm and the private park of', 'ty yards across, is situated at the boundary between the hatherley farm and the private park of the ', 'rds across, is situated at the boundary between the hatherley farm and the private park of the wealt', 'cross, is situated at the boundary between the hatherley farm and the private park of the wealthy mr', ', is situated at the boundary between the hatherley farm and the private park of the wealthy mr. tur', 'situated at the boundary between the hatherley farm and the private park of the wealthy mr. turner. ', 'ted at the boundary between the hatherley farm and the private park of the wealthy mr. turner. above', 't the boundary between the hatherley farm and the private park of the wealthy mr. turner. above the ', ' boundary between the hatherley farm and the private park of the wealthy mr. turner. above the woods', 'dary between the hatherley farm and the private park of the wealthy mr. turner. above the woods whic', 'between the hatherley farm and the private park of the wealthy mr. turner. above the woods which lin', 'en the hatherley farm and the private park of the wealthy mr. turner. above the woods which lined it', 'e hatherley farm and the private park of the wealthy mr. turner. above the woods which lined it upon', 'herley farm and the private park of the wealthy mr. turner. above the woods which lined it upon the ', 'y farm and the private park of the wealthy mr. turner. above the woods which lined it upon the farth', 'm and the private park of the wealthy mr. turner. above the woods which lined it upon the farther si', ' the private park of the wealthy mr. turner. above the woods which lined it upon the farther side we', 'private park of the wealthy mr. turner. above the woods which lined it upon the farther side we coul', 'te park of the wealthy mr. turner. above the woods which lined it upon the farther side we could see', 'rk of the wealthy mr. turner. above the woods which lined it upon the farther side we could see the ', ' the wealthy mr. turner. above the woods which lined it upon the farther side we could see the red, ', 'wealthy mr. turner. above the woods which lined it upon the farther side we could see the red, jutti', 'hy mr. turner. above the woods which lined it upon the farther side we could see the red, jutting pi', '. turner. above the woods which lined it upon the farther side we could see the red, jutting pinnacl', 'ner. above the woods which lined it upon the farther side we could see the red, jutting pinnacles wh', 'above the woods which lined it upon the farther side we could see the red, jutting pinnacles which m', ' the woods which lined it upon the farther side we could see the red, jutting pinnacles which marked', 'woods which lined it upon the farther side we could see the red, jutting pinnacles which marked the ', ' which lined it upon the farther side we could see the red, jutting pinnacles which marked the site ', 'h lined it upon the farther side we could see the red, jutting pinnacles which marked the site of th', 'ed it upon the farther side we could see the red, jutting pinnacles which marked the site of the ric', ' upon the farther side we could see the red, jutting pinnacles which marked the site of the rich lan', ' the farther side we could see the red, jutting pinnacles which marked the site of the rich landowne', "farther side we could see the red, jutting pinnacles which marked the site of the rich landowner's d", "er side we could see the red, jutting pinnacles which marked the site of the rich landowner's dwelli", "de we could see the red, jutting pinnacles which marked the site of the rich landowner's dwelling. o", " could see the red, jutting pinnacles which marked the site of the rich landowner's dwelling. on the", "d see the red, jutting pinnacles which marked the site of the rich landowner's dwelling. on the hath", " the red, jutting pinnacles which marked the site of the rich landowner's dwelling. on the hatherley", "red, jutting pinnacles which marked the site of the rich landowner's dwelling. on the hatherley side", "jutting pinnacles which marked the site of the rich landowner's dwelling. on the hatherley side of t", "ng pinnacles which marked the site of the rich landowner's dwelling. on the hatherley side of the po", "nnacles which marked the site of the rich landowner's dwelling. on the hatherley side of the pool th", "es which marked the site of the rich landowner's dwelling. on the hatherley side of the pool the woo", "ich marked the site of the rich landowner's dwelling. on the hatherley side of the pool the woods gr", "arked the site of the rich landowner's dwelling. on the hatherley side of the pool the woods grew ve", " the site of the rich landowner's dwelling. on the hatherley side of the pool the woods grew very th", "site of the rich landowner's dwelling. on the hatherley side of the pool the woods grew very thick, ", "of the rich landowner's dwelling. on the hatherley side of the pool the woods grew very thick, and t", "e rich landowner's dwelling. on the hatherley side of the pool the woods grew very thick, and there ", "h landowner's dwelling. on the hatherley side of the pool the woods grew very thick, and there was a", "downer's dwelling. on the hatherley side of the pool the woods grew very thick, and there was a narr", "r's dwelling. on the hatherley side of the pool the woods grew very thick, and there was a narrow be", 'welling. on the hatherley side of the pool the woods grew very thick, and there was a narrow belt of', 'ng. on the hatherley side of the pool the woods grew very thick, and there was a narrow belt of sodd', 'n the hatherley side of the pool the woods grew very thick, and there was a narrow belt of sodden gr', ' hatherley side of the pool the woods grew very thick, and there was a narrow belt of sodden grass t', 'erley side of the pool the woods grew very thick, and there was a narrow belt of sodden grass twenty', ' side of the pool the woods grew very thick, and there was a narrow belt of sodden grass twenty pace', ' of the pool the woods grew very thick, and there was a narrow belt of sodden grass twenty paces acr', 'he pool the woods grew very thick, and there was a narrow belt of sodden grass twenty paces across b', 'ol the woods grew very thick, and there was a narrow belt of sodden grass twenty paces across betwee', 'e woods grew very thick, and there was a narrow belt of sodden grass twenty paces across between the', 'ds grew very thick, and there was a narrow belt of sodden grass twenty paces across between the edge', 'ew very thick, and there was a narrow belt of sodden grass twenty paces across between the edge of t', 'ry thick, and there was a narrow belt of sodden grass twenty paces across between the edge of the tr', 'ick, and there was a narrow belt of sodden grass twenty paces across between the edge of the trees a', 'and there was a narrow belt of sodden grass twenty paces across between the edge of the trees and th', 'here was a narrow belt of sodden grass twenty paces across between the edge of the trees and the ree', 'was a narrow belt of sodden grass twenty paces across between the edge of the trees and the reeds wh', ' narrow belt of sodden grass twenty paces across between the edge of the trees and the reeds which l', 'ow belt of sodden grass twenty paces across between the edge of the trees and the reeds which lined ', 'lt of sodden grass twenty paces across between the edge of the trees and the reeds which lined the l', ' sodden grass twenty paces across between the edge of the trees and the reeds which lined the lake. ', 'en grass twenty paces across between the edge of the trees and the reeds which lined the lake. lestr', 'ass twenty paces across between the edge of the trees and the reeds which lined the lake. lestrade s', 'wenty paces across between the edge of the trees and the reeds which lined the lake. lestrade showed', ' paces across between the edge of the trees and the reeds which lined the lake. lestrade showed us t', 's across between the edge of the trees and the reeds which lined the lake. lestrade showed us the ex', 'oss between the edge of the trees and the reeds which lined the lake. lestrade showed us the exact s', 'etween the edge of the trees and the reeds which lined the lake. lestrade showed us the exact spot a', 'n the edge of the trees and the reeds which lined the lake. lestrade showed us the exact spot at whi', ' edge of the trees and the reeds which lined the lake. lestrade showed us the exact spot at which th', ' of the trees and the reeds which lined the lake. lestrade showed us the exact spot at which the bod', 'he trees and the reeds which lined the lake. lestrade showed us the exact spot at which the body had', 'ees and the reeds which lined the lake. lestrade showed us the exact spot at which the body had been', 'nd the reeds which lined the lake. lestrade showed us the exact spot at which the body had been foun', 'e reeds which lined the lake. lestrade showed us the exact spot at which the body had been found, an', 'ds which lined the lake. lestrade showed us the exact spot at which the body had been found, and, in', 'ich lined the lake. lestrade showed us the exact spot at which the body had been found, and, indeed,', 'ined the lake. lestrade showed us the exact spot at which the body had been found, and, indeed, so m', 'the lake. lestrade showed us the exact spot at which the body had been found, and, indeed, so moist ', 'ake. lestrade showed us the exact spot at which the body had been found, and, indeed, so moist was t', 'lestrade showed us the exact spot at which the body had been found, and, indeed, so moist was the gr', 'ade showed us the exact spot at which the body had been found, and, indeed, so moist was the ground,', 'howed us the exact spot at which the body had been found, and, indeed, so moist was the ground, that', ' us the exact spot at which the body had been found, and, indeed, so moist was the ground, that i co', 'he exact spot at which the body had been found, and, indeed, so moist was the ground, that i could p', 'act spot at which the body had been found, and, indeed, so moist was the ground, that i could plainl', 'pot at which the body had been found, and, indeed, so moist was the ground, that i could plainly see', 't which the body had been found, and, indeed, so moist was the ground, that i could plainly see the ', 'ch the body had been found, and, indeed, so moist was the ground, that i could plainly see the trace', 'e body had been found, and, indeed, so moist was the ground, that i could plainly see the traces whi', 'y had been found, and, indeed, so moist was the ground, that i could plainly see the traces which ha', ' been found, and, indeed, so moist was the ground, that i could plainly see the traces which had bee', ' found, and, indeed, so moist was the ground, that i could plainly see the traces which had been lef', 'd, and, indeed, so moist was the ground, that i could plainly see the traces which had been left by ', 'd, indeed, so moist was the ground, that i could plainly see the traces which had been left by the f', 'deed, so moist was the ground, that i could plainly see the traces which had been left by the fall o', ' so moist was the ground, that i could plainly see the traces which had been left by the fall of the', 'oist was the ground, that i could plainly see the traces which had been left by the fall of the stri', 'was the ground, that i could plainly see the traces which had been left by the fall of the stricken ', 'he ground, that i could plainly see the traces which had been left by the fall of the stricken man. ', 'ound, that i could plainly see the traces which had been left by the fall of the stricken man. to ho', ' that i could plainly see the traces which had been left by the fall of the stricken man. to holmes,', ' i could plainly see the traces which had been left by the fall of the stricken man. to holmes, as i', 'uld plainly see the traces which had been left by the fall of the stricken man. to holmes, as i coul', 'lainly see the traces which had been left by the fall of the stricken man. to holmes, as i could see', 'y see the traces which had been left by the fall of the stricken man. to holmes, as i could see by h', ' the traces which had been left by the fall of the stricken man. to holmes, as i could see by his ea', 'traces which had been left by the fall of the stricken man. to holmes, as i could see by his eager f', 's which had been left by the fall of the stricken man. to holmes, as i could see by his eager face a', 'ch had been left by the fall of the stricken man. to holmes, as i could see by his eager face and pe', 'd been left by the fall of the stricken man. to holmes, as i could see by his eager face and peering', 'n left by the fall of the stricken man. to holmes, as i could see by his eager face and peering eyes', 't by the fall of the stricken man. to holmes, as i could see by his eager face and peering eyes, ver', 'the fall of the stricken man. to holmes, as i could see by his eager face and peering eyes, very man', 'all of the stricken man. to holmes, as i could see by his eager face and peering eyes, very many oth', 'f the stricken man. to holmes, as i could see by his eager face and peering eyes, very many other th', ' stricken man. to holmes, as i could see by his eager face and peering eyes, very many other things ', 'cken man. to holmes, as i could see by his eager face and peering eyes, very many other things were ', 'man. to holmes, as i could see by his eager face and peering eyes, very many other things were to be', 'to holmes, as i could see by his eager face and peering eyes, very many other things were to be read', 'lmes, as i could see by his eager face and peering eyes, very many other things were to be read upon', ' as i could see by his eager face and peering eyes, very many other things were to be read upon the ', ' could see by his eager face and peering eyes, very many other things were to be read upon the tramp', 'd see by his eager face and peering eyes, very many other things were to be read upon the trampled g', ' by his eager face and peering eyes, very many other things were to be read upon the trampled grass.', 'is eager face and peering eyes, very many other things were to be read upon the trampled grass. he r', 'ger face and peering eyes, very many other things were to be read upon the trampled grass. he ran ro', 'ace and peering eyes, very many other things were to be read upon the trampled grass. he ran round, ', 'nd peering eyes, very many other things were to be read upon the trampled grass. he ran round, like ', 'ering eyes, very many other things were to be read upon the trampled grass. he ran round, like a dog', ' eyes, very many other things were to be read upon the trampled grass. he ran round, like a dog who ', ', very many other things were to be read upon the trampled grass. he ran round, like a dog who is pi', 'y many other things were to be read upon the trampled grass. he ran round, like a dog who is picking', 'y other things were to be read upon the trampled grass. he ran round, like a dog who is picking up a', 'er things were to be read upon the trampled grass. he ran round, like a dog who is picking up a scen', 'ings were to be read upon the trampled grass. he ran round, like a dog who is picking up a scent, an', 'were to be read upon the trampled grass. he ran round, like a dog who is picking up a scent, and the', 'to be read upon the trampled grass. he ran round, like a dog who is picking up a scent, and then tur', ' read upon the trampled grass. he ran round, like a dog who is picking up a scent, and then turned u', ' upon the trampled grass. he ran round, like a dog who is picking up a scent, and then turned upon m', ' the trampled grass. he ran round, like a dog who is picking up a scent, and then turned upon my com', 'trampled grass. he ran round, like a dog who is picking up a scent, and then turned upon my companio', 'led grass. he ran round, like a dog who is picking up a scent, and then turned upon my companion. "w', 'rass. he ran round, like a dog who is picking up a scent, and then turned upon my companion. "what d', ' he ran round, like a dog who is picking up a scent, and then turned upon my companion. "what did yo', 'an round, like a dog who is picking up a scent, and then turned upon my companion. "what did you go ', 'und, like a dog who is picking up a scent, and then turned upon my companion. "what did you go into ', 'like a dog who is picking up a scent, and then turned upon my companion. "what did you go into the p', 'a dog who is picking up a scent, and then turned upon my companion. "what did you go into the pool f', ' who is picking up a scent, and then turned upon my companion. "what did you go into the pool for?" ', 'is picking up a scent, and then turned upon my companion. "what did you go into the pool for?" he as', 'cking up a scent, and then turned upon my companion. "what did you go into the pool for?" he asked. ', ' up a scent, and then turned upon my companion. "what did you go into the pool for?" he asked. "i fi', ' scent, and then turned upon my companion. "what did you go into the pool for?" he asked. "i fished ', 't, and then turned upon my companion. "what did you go into the pool for?" he asked. "i fished about', 'd then turned upon my companion. "what did you go into the pool for?" he asked. "i fished about with', 'n turned upon my companion. "what did you go into the pool for?" he asked. "i fished about with a ra', 'ned upon my companion. "what did you go into the pool for?" he asked. "i fished about with a rake. i', 'pon my companion. "what did you go into the pool for?" he asked. "i fished about with a rake. i thou', 'y companion. "what did you go into the pool for?" he asked. "i fished about with a rake. i thought t', 'panion. "what did you go into the pool for?" he asked. "i fished about with a rake. i thought there ', 'n. "what did you go into the pool for?" he asked. "i fished about with a rake. i thought there might', 'hat did you go into the pool for?" he asked. "i fished about with a rake. i thought there might be s', 'id you go into the pool for?" he asked. "i fished about with a rake. i thought there might be some w', 'u go into the pool for?" he asked. "i fished about with a rake. i thought there might be some weapon', 'into the pool for?" he asked. "i fished about with a rake. i thought there might be some weapon or o', 'the pool for?" he asked. "i fished about with a rake. i thought there might be some weapon or other ', 'ool for?" he asked. "i fished about with a rake. i thought there might be some weapon or other trace', 'or?" he asked. "i fished about with a rake. i thought there might be some weapon or other trace. but', 'he asked. "i fished about with a rake. i thought there might be some weapon or other trace. but how ', 'ked. "i fished about with a rake. i thought there might be some weapon or other trace. but how on ea', '"i fished about with a rake. i thought there might be some weapon or other trace. but how on earth" ', 'shed about with a rake. i thought there might be some weapon or other trace. but how on earth" "oh, ', 'about with a rake. i thought there might be some weapon or other trace. but how on earth" "oh, tut, ', ' with a rake. i thought there might be some weapon or other trace. but how on earth" "oh, tut, tut! ', ' a rake. i thought there might be some weapon or other trace. but how on earth" "oh, tut, tut! i hav', 'ke. i thought there might be some weapon or other trace. but how on earth" "oh, tut, tut! i have no ', ' thought there might be some weapon or other trace. but how on earth" "oh, tut, tut! i have no time!', 'ght there might be some weapon or other trace. but how on earth" "oh, tut, tut! i have no time! that', 'here might be some weapon or other trace. but how on earth" "oh, tut, tut! i have no time! that left', 'might be some weapon or other trace. but how on earth" "oh, tut, tut! i have no time! that left foot', ' be some weapon or other trace. but how on earth" "oh, tut, tut! i have no time! that left foot of y', 'ome weapon or other trace. but how on earth" "oh, tut, tut! i have no time! that left foot of yours ', 'eapon or other trace. but how on earth" "oh, tut, tut! i have no time! that left foot of yours with ', ' or other trace. but how on earth" "oh, tut, tut! i have no time! that left foot of yours with its i', 'ther trace. but how on earth" "oh, tut, tut! i have no time! that left foot of yours with its inward', 'trace. but how on earth" "oh, tut, tut! i have no time! that left foot of yours with its inward twis', '. but how on earth" "oh, tut, tut! i have no time! that left foot of yours with its inward twist is ', ' how on earth" "oh, tut, tut! i have no time! that left foot of yours with its inward twist is all o', 'on earth" "oh, tut, tut! i have no time! that left foot of yours with its inward twist is all over t', 'rth" "oh, tut, tut! i have no time! that left foot of yours with its inward twist is all over the pl', '"oh, tut, tut! i have no time! that left foot of yours with its inward twist is all over the place. ', 'tut, tut! i have no time! that left foot of yours with its inward twist is all over the place. a mol', 'tut! i have no time! that left foot of yours with its inward twist is all over the place. a mole cou', 'i have no time! that left foot of yours with its inward twist is all over the place. a mole could tr', 'e no time! that left foot of yours with its inward twist is all over the place. a mole could trace i', 'time! that left foot of yours with its inward twist is all over the place. a mole could trace it, an', ' that left foot of yours with its inward twist is all over the place. a mole could trace it, and the', ' left foot of yours with its inward twist is all over the place. a mole could trace it, and there it', ' foot of yours with its inward twist is all over the place. a mole could trace it, and there it vani', ' of yours with its inward twist is all over the place. a mole could trace it, and there it vanishes ', 'ours with its inward twist is all over the place. a mole could trace it, and there it vanishes among', 'with its inward twist is all over the place. a mole could trace it, and there it vanishes among the ', 'its inward twist is all over the place. a mole could trace it, and there it vanishes among the reeds', 'nward twist is all over the place. a mole could trace it, and there it vanishes among the reeds. oh,', ' twist is all over the place. a mole could trace it, and there it vanishes among the reeds. oh, how ', 't is all over the place. a mole could trace it, and there it vanishes among the reeds. oh, how simpl', 'all over the place. a mole could trace it, and there it vanishes among the reeds. oh, how simple it ', 'ver the place. a mole could trace it, and there it vanishes among the reeds. oh, how simple it would', 'he place. a mole could trace it, and there it vanishes among the reeds. oh, how simple it would all ', 'ace. a mole could trace it, and there it vanishes among the reeds. oh, how simple it would all have ', 'a mole could trace it, and there it vanishes among the reeds. oh, how simple it would all have been ', 'e could trace it, and there it vanishes among the reeds. oh, how simple it would all have been had i', 'ld trace it, and there it vanishes among the reeds. oh, how simple it would all have been had i been', 'ace it, and there it vanishes among the reeds. oh, how simple it would all have been had i been here', 't, and there it vanishes among the reeds. oh, how simple it would all have been had i been here befo', 'd there it vanishes among the reeds. oh, how simple it would all have been had i been here before th', 're it vanishes among the reeds. oh, how simple it would all have been had i been here before they ca', ' vanishes among the reeds. oh, how simple it would all have been had i been here before they came li', 'shes among the reeds. oh, how simple it would all have been had i been here before they came like a ', 'among the reeds. oh, how simple it would all have been had i been here before they came like a herd ', ' the reeds. oh, how simple it would all have been had i been here before they came like a herd of bu', 'reeds. oh, how simple it would all have been had i been here before they came like a herd of buffalo', '. oh, how simple it would all have been had i been here before they came like a herd of buffalo and ', ' how simple it would all have been had i been here before they came like a herd of buffalo and wallo', 'simple it would all have been had i been here before they came like a herd of buffalo and wallowed a', 'e it would all have been had i been here before they came like a herd of buffalo and wallowed all ov', 'would all have been had i been here before they came like a herd of buffalo and wallowed all over it', ' all have been had i been here before they came like a herd of buffalo and wallowed all over it. her', 'have been had i been here before they came like a herd of buffalo and wallowed all over it. here is ', 'been had i been here before they came like a herd of buffalo and wallowed all over it. here is where', 'had i been here before they came like a herd of buffalo and wallowed all over it. here is where the ', ' been here before they came like a herd of buffalo and wallowed all over it. here is where the party', ' here before they came like a herd of buffalo and wallowed all over it. here is where the party with', ' before they came like a herd of buffalo and wallowed all over it. here is where the party with the ', 're they came like a herd of buffalo and wallowed all over it. here is where the party with the lodge', 'ey came like a herd of buffalo and wallowed all over it. here is where the party with the lodge-keep', 'me like a herd of buffalo and wallowed all over it. here is where the party with the lodge-keeper ca', 'ke a herd of buffalo and wallowed all over it. here is where the party with the lodge-keeper came, a', 'herd of buffalo and wallowed all over it. here is where the party with the lodge-keeper came, and th', 'of buffalo and wallowed all over it. here is where the party with the lodge-keeper came, and they ha', 'ffalo and wallowed all over it. here is where the party with the lodge-keeper came, and they have co', ' and wallowed all over it. here is where the party with the lodge-keeper came, and they have covered', 'wallowed all over it. here is where the party with the lodge-keeper came, and they have covered all ', 'wed all over it. here is where the party with the lodge-keeper came, and they have covered all track', 'll over it. here is where the party with the lodge-keeper came, and they have covered all tracks for', 'er it. here is where the party with the lodge-keeper came, and they have covered all tracks for six ', '. here is where the party with the lodge-keeper came, and they have covered all tracks for six or ei', 'e is where the party with the lodge-keeper came, and they have covered all tracks for six or eight f', 'where the party with the lodge-keeper came, and they have covered all tracks for six or eight feet r', ' the party with the lodge-keeper came, and they have covered all tracks for six or eight feet round ', 'party with the lodge-keeper came, and they have covered all tracks for six or eight feet round the b', ' with the lodge-keeper came, and they have covered all tracks for six or eight feet round the body. ', ' the lodge-keeper came, and they have covered all tracks for six or eight feet round the body. but h', 'lodge-keeper came, and they have covered all tracks for six or eight feet round the body. but here a', '-keeper came, and they have covered all tracks for six or eight feet round the body. but here are th', 'er came, and they have covered all tracks for six or eight feet round the body. but here are three s', 'me, and they have covered all tracks for six or eight feet round the body. but here are three separa', 'nd they have covered all tracks for six or eight feet round the body. but here are three separate tr', 'ey have covered all tracks for six or eight feet round the body. but here are three separate tracks ', 've covered all tracks for six or eight feet round the body. but here are three separate tracks of th', 'vered all tracks for six or eight feet round the body. but here are three separate tracks of the sam', ' all tracks for six or eight feet round the body. but here are three separate tracks of the same fee', 'tracks for six or eight feet round the body. but here are three separate tracks of the same feet." h', 's for six or eight feet round the body. but here are three separate tracks of the same feet." he dre', ' six or eight feet round the body. but here are three separate tracks of the same feet." he drew out', 'or eight feet round the body. but here are three separate tracks of the same feet." he drew out a le', 'ght feet round the body. but here are three separate tracks of the same feet." he drew out a lens an', 'eet round the body. but here are three separate tracks of the same feet." he drew out a lens and lay', 'ound the body. but here are three separate tracks of the same feet." he drew out a lens and lay down', 'the body. but here are three separate tracks of the same feet." he drew out a lens and lay down upon', 'ody. but here are three separate tracks of the same feet." he drew out a lens and lay down upon his ', 'but here are three separate tracks of the same feet." he drew out a lens and lay down upon his water', 'ere are three separate tracks of the same feet." he drew out a lens and lay down upon his waterproof', 're three separate tracks of the same feet." he drew out a lens and lay down upon his waterproof to h', 'ree separate tracks of the same feet." he drew out a lens and lay down upon his waterproof to have a', 'eparate tracks of the same feet." he drew out a lens and lay down upon his waterproof to have a bett', 'te tracks of the same feet." he drew out a lens and lay down upon his waterproof to have a better vi', 'acks of the same feet." he drew out a lens and lay down upon his waterproof to have a better view, t', 'of the same feet." he drew out a lens and lay down upon his waterproof to have a better view, talkin', 'e same feet." he drew out a lens and lay down upon his waterproof to have a better view, talking all', 'e feet." he drew out a lens and lay down upon his waterproof to have a better view, talking all the ', 't." he drew out a lens and lay down upon his waterproof to have a better view, talking all the time ', 'e drew out a lens and lay down upon his waterproof to have a better view, talking all the time rathe', 'w out a lens and lay down upon his waterproof to have a better view, talking all the time rather to ', ' a lens and lay down upon his waterproof to have a better view, talking all the time rather to himse', 'ns and lay down upon his waterproof to have a better view, talking all the time rather to himself th', 'd lay down upon his waterproof to have a better view, talking all the time rather to himself than to', ' down upon his waterproof to have a better view, talking all the time rather to himself than to us. ', ' upon his waterproof to have a better view, talking all the time rather to himself than to us. "thes', ' his waterproof to have a better view, talking all the time rather to himself than to us. "these are', 'waterproof to have a better view, talking all the time rather to himself than to us. "these are youn', 'proof to have a better view, talking all the time rather to himself than to us. "these are young mcc', ' to have a better view, talking all the time rather to himself than to us. "these are young mccarthy', 'ave a better view, talking all the time rather to himself than to us. "these are young mccarthy\'s fe', ' better view, talking all the time rather to himself than to us. "these are young mccarthy\'s feet. t', 'er view, talking all the time rather to himself than to us. "these are young mccarthy\'s feet. twice ', 'ew, talking all the time rather to himself than to us. "these are young mccarthy\'s feet. twice he wa', 'alking all the time rather to himself than to us. "these are young mccarthy\'s feet. twice he was wal', 'g all the time rather to himself than to us. "these are young mccarthy\'s feet. twice he was walking,', ' the time rather to himself than to us. "these are young mccarthy\'s feet. twice he was walking, and ', 'time rather to himself than to us. "these are young mccarthy\'s feet. twice he was walking, and once ', 'rather to himself than to us. "these are young mccarthy\'s feet. twice he was walking, and once he ra', 'r to himself than to us. "these are young mccarthy\'s feet. twice he was walking, and once he ran swi', 'himself than to us. "these are young mccarthy\'s feet. twice he was walking, and once he ran swiftly,', 'lf than to us. "these are young mccarthy\'s feet. twice he was walking, and once he ran swiftly, so t', 'an to us. "these are young mccarthy\'s feet. twice he was walking, and once he ran swiftly, so that t', ' us. "these are young mccarthy\'s feet. twice he was walking, and once he ran swiftly, so that the so', '"these are young mccarthy\'s feet. twice he was walking, and once he ran swiftly, so that the soles a', "e are young mccarthy's feet. twice he was walking, and once he ran swiftly, so that the soles are de", " young mccarthy's feet. twice he was walking, and once he ran swiftly, so that the soles are deeply ", "g mccarthy's feet. twice he was walking, and once he ran swiftly, so that the soles are deeply marke", "arthy's feet. twice he was walking, and once he ran swiftly, so that the soles are deeply marked and", "'s feet. twice he was walking, and once he ran swiftly, so that the soles are deeply marked and the ", 'et. twice he was walking, and once he ran swiftly, so that the soles are deeply marked and the heels', 'wice he was walking, and once he ran swiftly, so that the soles are deeply marked and the heels hard', 'he was walking, and once he ran swiftly, so that the soles are deeply marked and the heels hardly vi', 's walking, and once he ran swiftly, so that the soles are deeply marked and the heels hardly visible', 'king, and once he ran swiftly, so that the soles are deeply marked and the heels hardly visible. tha', ' and once he ran swiftly, so that the soles are deeply marked and the heels hardly visible. that bea', 'once he ran swiftly, so that the soles are deeply marked and the heels hardly visible. that bears ou', 'he ran swiftly, so that the soles are deeply marked and the heels hardly visible. that bears out his', 'n swiftly, so that the soles are deeply marked and the heels hardly visible. that bears out his stor', 'ftly, so that the soles are deeply marked and the heels hardly visible. that bears out his story. he', ' so that the soles are deeply marked and the heels hardly visible. that bears out his story. he ran ', 'hat the soles are deeply marked and the heels hardly visible. that bears out his story. he ran when ', 'he soles are deeply marked and the heels hardly visible. that bears out his story. he ran when he sa', 'les are deeply marked and the heels hardly visible. that bears out his story. he ran when he saw his', 're deeply marked and the heels hardly visible. that bears out his story. he ran when he saw his fath', 'eply marked and the heels hardly visible. that bears out his story. he ran when he saw his father on', 'marked and the heels hardly visible. that bears out his story. he ran when he saw his father on the ', 'd and the heels hardly visible. that bears out his story. he ran when he saw his father on the groun', ' the heels hardly visible. that bears out his story. he ran when he saw his father on the ground. th', 'heels hardly visible. that bears out his story. he ran when he saw his father on the ground. then he', ' hardly visible. that bears out his story. he ran when he saw his father on the ground. then here ar', 'ly visible. that bears out his story. he ran when he saw his father on the ground. then here are the', 'sible. that bears out his story. he ran when he saw his father on the ground. then here are the fath', ". that bears out his story. he ran when he saw his father on the ground. then here are the father's ", "t bears out his story. he ran when he saw his father on the ground. then here are the father's feet ", "rs out his story. he ran when he saw his father on the ground. then here are the father's feet as he", "t his story. he ran when he saw his father on the ground. then here are the father's feet as he pace", " story. he ran when he saw his father on the ground. then here are the father's feet as he paced up ", "y. he ran when he saw his father on the ground. then here are the father's feet as he paced up and d", " ran when he saw his father on the ground. then here are the father's feet as he paced up and down. ", "when he saw his father on the ground. then here are the father's feet as he paced up and down. what ", "he saw his father on the ground. then here are the father's feet as he paced up and down. what is th", "w his father on the ground. then here are the father's feet as he paced up and down. what is this, t", " father on the ground. then here are the father's feet as he paced up and down. what is this, then? ", "er on the ground. then here are the father's feet as he paced up and down. what is this, then? it is", " the ground. then here are the father's feet as he paced up and down. what is this, then? it is the ", "ground. then here are the father's feet as he paced up and down. what is this, then? it is the butt-", "d. then here are the father's feet as he paced up and down. what is this, then? it is the butt-end o", "en here are the father's feet as he paced up and down. what is this, then? it is the butt-end of the", "re are the father's feet as he paced up and down. what is this, then? it is the butt-end of the gun ", "e the father's feet as he paced up and down. what is this, then? it is the butt-end of the gun as th", " father's feet as he paced up and down. what is this, then? it is the butt-end of the gun as the son", "er's feet as he paced up and down. what is this, then? it is the butt-end of the gun as the son stoo", 'feet as he paced up and down. what is this, then? it is the butt-end of the gun as the son stood lis', 'as he paced up and down. what is this, then? it is the butt-end of the gun as the son stood listenin', ' paced up and down. what is this, then? it is the butt-end of the gun as the son stood listening. an', 'd up and down. what is this, then? it is the butt-end of the gun as the son stood listening. and thi', 'and down. what is this, then? it is the butt-end of the gun as the son stood listening. and this? ha', 'own. what is this, then? it is the butt-end of the gun as the son stood listening. and this? ha, ha!', 'what is this, then? it is the butt-end of the gun as the son stood listening. and this? ha, ha! what', 'is this, then? it is the butt-end of the gun as the son stood listening. and this? ha, ha! what have', 'is, then? it is the butt-end of the gun as the son stood listening. and this? ha, ha! what have we h', 'hen? it is the butt-end of the gun as the son stood listening. and this? ha, ha! what have we here? ', 'it is the butt-end of the gun as the son stood listening. and this? ha, ha! what have we here? tipto', ' the butt-end of the gun as the son stood listening. and this? ha, ha! what have we here? tiptoes! t', 'butt-end of the gun as the son stood listening. and this? ha, ha! what have we here? tiptoes! tiptoe', 'end of the gun as the son stood listening. and this? ha, ha! what have we here? tiptoes! tiptoes! sq', 'f the gun as the son stood listening. and this? ha, ha! what have we here? tiptoes! tiptoes! square,', ' gun as the son stood listening. and this? ha, ha! what have we here? tiptoes! tiptoes! square, too,', 'as the son stood listening. and this? ha, ha! what have we here? tiptoes! tiptoes! square, too, quit', 'e son stood listening. and this? ha, ha! what have we here? tiptoes! tiptoes! square, too, quite unu', ' stood listening. and this? ha, ha! what have we here? tiptoes! tiptoes! square, too, quite unusual ', 'd listening. and this? ha, ha! what have we here? tiptoes! tiptoes! square, too, quite unusual boots', 'tening. and this? ha, ha! what have we here? tiptoes! tiptoes! square, too, quite unusual boots! the', 'g. and this? ha, ha! what have we here? tiptoes! tiptoes! square, too, quite unusual boots! they com', 'd this? ha, ha! what have we here? tiptoes! tiptoes! square, too, quite unusual boots! they come, th', 's? ha, ha! what have we here? tiptoes! tiptoes! square, too, quite unusual boots! they come, they go', ', ha! what have we here? tiptoes! tiptoes! square, too, quite unusual boots! they come, they go, the', ' what have we here? tiptoes! tiptoes! square, too, quite unusual boots! they come, they go, they com', ' have we here? tiptoes! tiptoes! square, too, quite unusual boots! they come, they go, they come aga', ' we here? tiptoes! tiptoes! square, too, quite unusual boots! they come, they go, they come againof ', 'ere? tiptoes! tiptoes! square, too, quite unusual boots! they come, they go, they come againof cours', 'tiptoes! tiptoes! square, too, quite unusual boots! they come, they go, they come againof course tha', 'es! tiptoes! square, too, quite unusual boots! they come, they go, they come againof course that was', 'iptoes! square, too, quite unusual boots! they come, they go, they come againof course that was for ', 's! square, too, quite unusual boots! they come, they go, they come againof course that was for the c', 'uare, too, quite unusual boots! they come, they go, they come againof course that was for the cloak.', ' too, quite unusual boots! they come, they go, they come againof course that was for the cloak. now ', ' quite unusual boots! they come, they go, they come againof course that was for the cloak. now where', 'e unusual boots! they come, they go, they come againof course that was for the cloak. now where did ', 'sual boots! they come, they go, they come againof course that was for the cloak. now where did they ', 'boots! they come, they go, they come againof course that was for the cloak. now where did they come ', '! they come, they go, they come againof course that was for the cloak. now where did they come from?', 'y come, they go, they come againof course that was for the cloak. now where did they come from?" he ', 'e, they go, they come againof course that was for the cloak. now where did they come from?" he ran u', 'ey go, they come againof course that was for the cloak. now where did they come from?" he ran up and', ', they come againof course that was for the cloak. now where did they come from?" he ran up and down', 'y come againof course that was for the cloak. now where did they come from?" he ran up and down, som', 'e againof course that was for the cloak. now where did they come from?" he ran up and down, sometime', 'inof course that was for the cloak. now where did they come from?" he ran up and down, sometimes los', 'course that was for the cloak. now where did they come from?" he ran up and down, sometimes losing, ', 'e that was for the cloak. now where did they come from?" he ran up and down, sometimes losing, somet', 't was for the cloak. now where did they come from?" he ran up and down, sometimes losing, sometimes ', ' for the cloak. now where did they come from?" he ran up and down, sometimes losing, sometimes findi', 'the cloak. now where did they come from?" he ran up and down, sometimes losing, sometimes finding th', 'loak. now where did they come from?" he ran up and down, sometimes losing, sometimes finding the tra', ' now where did they come from?" he ran up and down, sometimes losing, sometimes finding the track un', 'where did they come from?" he ran up and down, sometimes losing, sometimes finding the track until w', ' did they come from?" he ran up and down, sometimes losing, sometimes finding the track until we wer', 'they come from?" he ran up and down, sometimes losing, sometimes finding the track until we were wel', 'come from?" he ran up and down, sometimes losing, sometimes finding the track until we were well wit', 'from?" he ran up and down, sometimes losing, sometimes finding the track until we were well within t', '" he ran up and down, sometimes losing, sometimes finding the track until we were well within the ed', 'ran up and down, sometimes losing, sometimes finding the track until we were well within the edge of', 'p and down, sometimes losing, sometimes finding the track until we were well within the edge of the ', ' down, sometimes losing, sometimes finding the track until we were well within the edge of the wood ', ', sometimes losing, sometimes finding the track until we were well within the edge of the wood and u', 'etimes losing, sometimes finding the track until we were well within the edge of the wood and under ', 's losing, sometimes finding the track until we were well within the edge of the wood and under the s', 'ing, sometimes finding the track until we were well within the edge of the wood and under the shadow', 'sometimes finding the track until we were well within the edge of the wood and under the shadow of a', 'imes finding the track until we were well within the edge of the wood and under the shadow of a grea', 'finding the track until we were well within the edge of the wood and under the shadow of a great bee', 'ng the track until we were well within the edge of the wood and under the shadow of a great beech, t', 'e track until we were well within the edge of the wood and under the shadow of a great beech, the la', 'ck until we were well within the edge of the wood and under the shadow of a great beech, the largest', 'til we were well within the edge of the wood and under the shadow of a great beech, the largest tree', 'e were well within the edge of the wood and under the shadow of a great beech, the largest tree in t', 'e well within the edge of the wood and under the shadow of a great beech, the largest tree in the ne', 'l within the edge of the wood and under the shadow of a great beech, the largest tree in the neighbo', 'hin the edge of the wood and under the shadow of a great beech, the largest tree in the neighbourhoo', 'he edge of the wood and under the shadow of a great beech, the largest tree in the neighbourhood. ho', 'ge of the wood and under the shadow of a great beech, the largest tree in the neighbourhood. holmes ', ' the wood and under the shadow of a great beech, the largest tree in the neighbourhood. holmes trace', 'wood and under the shadow of a great beech, the largest tree in the neighbourhood. holmes traced his', 'and under the shadow of a great beech, the largest tree in the neighbourhood. holmes traced his way ', 'nder the shadow of a great beech, the largest tree in the neighbourhood. holmes traced his way to th', 'the shadow of a great beech, the largest tree in the neighbourhood. holmes traced his way to the far', 'hadow of a great beech, the largest tree in the neighbourhood. holmes traced his way to the farther ', ' of a great beech, the largest tree in the neighbourhood. holmes traced his way to the farther side ', ' great beech, the largest tree in the neighbourhood. holmes traced his way to the farther side of th', 't beech, the largest tree in the neighbourhood. holmes traced his way to the farther side of this an', 'ch, the largest tree in the neighbourhood. holmes traced his way to the farther side of this and lay', 'he largest tree in the neighbourhood. holmes traced his way to the farther side of this and lay down', 'rgest tree in the neighbourhood. holmes traced his way to the farther side of this and lay down once', ' tree in the neighbourhood. holmes traced his way to the farther side of this and lay down once more', ' in the neighbourhood. holmes traced his way to the farther side of this and lay down once more upon', 'he neighbourhood. holmes traced his way to the farther side of this and lay down once more upon his ', 'ighbourhood. holmes traced his way to the farther side of this and lay down once more upon his face ', 'urhood. holmes traced his way to the farther side of this and lay down once more upon his face with ', 'd. holmes traced his way to the farther side of this and lay down once more upon his face with a lit', 'lmes traced his way to the farther side of this and lay down once more upon his face with a little c', 'traced his way to the farther side of this and lay down once more upon his face with a little cry of', 'd his way to the farther side of this and lay down once more upon his face with a little cry of sati', ' way to the farther side of this and lay down once more upon his face with a little cry of satisfact', 'to the farther side of this and lay down once more upon his face with a little cry of satisfaction. ', 'e farther side of this and lay down once more upon his face with a little cry of satisfaction. for a', 'ther side of this and lay down once more upon his face with a little cry of satisfaction. for a long', 'side of this and lay down once more upon his face with a little cry of satisfaction. for a long time', 'of this and lay down once more upon his face with a little cry of satisfaction. for a long time he r', 'is and lay down once more upon his face with a little cry of satisfaction. for a long time he remain', 'd lay down once more upon his face with a little cry of satisfaction. for a long time he remained th', ' down once more upon his face with a little cry of satisfaction. for a long time he remained there, ', ' once more upon his face with a little cry of satisfaction. for a long time he remained there, turni', ' more upon his face with a little cry of satisfaction. for a long time he remained there, turning ov', ' upon his face with a little cry of satisfaction. for a long time he remained there, turning over th', ' his face with a little cry of satisfaction. for a long time he remained there, turning over the lea', 'face with a little cry of satisfaction. for a long time he remained there, turning over the leaves a', 'with a little cry of satisfaction. for a long time he remained there, turning over the leaves and dr', 'a little cry of satisfaction. for a long time he remained there, turning over the leaves and dried s', 'tle cry of satisfaction. for a long time he remained there, turning over the leaves and dried sticks', 'ry of satisfaction. for a long time he remained there, turning over the leaves and dried sticks, gat', ' satisfaction. for a long time he remained there, turning over the leaves and dried sticks, gatherin', 'sfaction. for a long time he remained there, turning over the leaves and dried sticks, gathering up ', 'ion. for a long time he remained there, turning over the leaves and dried sticks, gathering up what ', 'for a long time he remained there, turning over the leaves and dried sticks, gathering up what seeme', ' long time he remained there, turning over the leaves and dried sticks, gathering up what seemed to ', ' time he remained there, turning over the leaves and dried sticks, gathering up what seemed to me to', ' he remained there, turning over the leaves and dried sticks, gathering up what seemed to me to be d', 'emained there, turning over the leaves and dried sticks, gathering up what seemed to me to be dust i', 'ed there, turning over the leaves and dried sticks, gathering up what seemed to me to be dust into a', 'ere, turning over the leaves and dried sticks, gathering up what seemed to me to be dust into an env', 'turning over the leaves and dried sticks, gathering up what seemed to me to be dust into an envelope', 'ng over the leaves and dried sticks, gathering up what seemed to me to be dust into an envelope and ', 'er the leaves and dried sticks, gathering up what seemed to me to be dust into an envelope and exami', 'e leaves and dried sticks, gathering up what seemed to me to be dust into an envelope and examining ', 'ves and dried sticks, gathering up what seemed to me to be dust into an envelope and examining with ', 'nd dried sticks, gathering up what seemed to me to be dust into an envelope and examining with his l', 'ied sticks, gathering up what seemed to me to be dust into an envelope and examining with his lens n', 'ticks, gathering up what seemed to me to be dust into an envelope and examining with his lens not on', ', gathering up what seemed to me to be dust into an envelope and examining with his lens not only th', 'hering up what seemed to me to be dust into an envelope and examining with his lens not only the gro', 'g up what seemed to me to be dust into an envelope and examining with his lens not only the ground b', 'what seemed to me to be dust into an envelope and examining with his lens not only the ground but ev', 'seemed to me to be dust into an envelope and examining with his lens not only the ground but even th', 'd to me to be dust into an envelope and examining with his lens not only the ground but even the bar', 'me to be dust into an envelope and examining with his lens not only the ground but even the bark of ', ' be dust into an envelope and examining with his lens not only the ground but even the bark of the t', 'ust into an envelope and examining with his lens not only the ground but even the bark of the tree a', 'nto an envelope and examining with his lens not only the ground but even the bark of the tree as far', 'n envelope and examining with his lens not only the ground but even the bark of the tree as far as h', 'elope and examining with his lens not only the ground but even the bark of the tree as far as he cou', ' and examining with his lens not only the ground but even the bark of the tree as far as he could re', 'examining with his lens not only the ground but even the bark of the tree as far as he could reach. ', 'ning with his lens not only the ground but even the bark of the tree as far as he could reach. a jag', 'with his lens not only the ground but even the bark of the tree as far as he could reach. a jagged s', 'his lens not only the ground but even the bark of the tree as far as he could reach. a jagged stone ', 'ens not only the ground but even the bark of the tree as far as he could reach. a jagged stone was l', 'ot only the ground but even the bark of the tree as far as he could reach. a jagged stone was lying ', 'ly the ground but even the bark of the tree as far as he could reach. a jagged stone was lying among', 'e ground but even the bark of the tree as far as he could reach. a jagged stone was lying among the ', 'und but even the bark of the tree as far as he could reach. a jagged stone was lying among the moss,', 'ut even the bark of the tree as far as he could reach. a jagged stone was lying among the moss, and ', 'en the bark of the tree as far as he could reach. a jagged stone was lying among the moss, and this ', 'e bark of the tree as far as he could reach. a jagged stone was lying among the moss, and this also ', 'k of the tree as far as he could reach. a jagged stone was lying among the moss, and this also he ca', 'the tree as far as he could reach. a jagged stone was lying among the moss, and this also he careful', 'ree as far as he could reach. a jagged stone was lying among the moss, and this also he carefully ex', 's far as he could reach. a jagged stone was lying among the moss, and this also he carefully examine', ' as he could reach. a jagged stone was lying among the moss, and this also he carefully examined and', 'e could reach. a jagged stone was lying among the moss, and this also he carefully examined and reta', 'ld reach. a jagged stone was lying among the moss, and this also he carefully examined and retained.', 'ach. a jagged stone was lying among the moss, and this also he carefully examined and retained. then', 'a jagged stone was lying among the moss, and this also he carefully examined and retained. then he f', 'ged stone was lying among the moss, and this also he carefully examined and retained. then he follow', 'tone was lying among the moss, and this also he carefully examined and retained. then he followed a ', 'was lying among the moss, and this also he carefully examined and retained. then he followed a pathw', 'ying among the moss, and this also he carefully examined and retained. then he followed a pathway th', 'among the moss, and this also he carefully examined and retained. then he followed a pathway through', ' the moss, and this also he carefully examined and retained. then he followed a pathway through the ', 'moss, and this also he carefully examined and retained. then he followed a pathway through the wood ', ' and this also he carefully examined and retained. then he followed a pathway through the wood until', 'this also he carefully examined and retained. then he followed a pathway through the wood until he c', 'also he carefully examined and retained. then he followed a pathway through the wood until he came t', 'he carefully examined and retained. then he followed a pathway through the wood until he came to the', 'refully examined and retained. then he followed a pathway through the wood until he came to the high', 'ly examined and retained. then he followed a pathway through the wood until he came to the highroad,', 'amined and retained. then he followed a pathway through the wood until he came to the highroad, wher', 'd and retained. then he followed a pathway through the wood until he came to the highroad, where all', ' retained. then he followed a pathway through the wood until he came to the highroad, where all trac', 'ined. then he followed a pathway through the wood until he came to the highroad, where all traces we', ' then he followed a pathway through the wood until he came to the highroad, where all traces were lo', ' he followed a pathway through the wood until he came to the highroad, where all traces were lost. "', 'ollowed a pathway through the wood until he came to the highroad, where all traces were lost. "it ha', 'ed a pathway through the wood until he came to the highroad, where all traces were lost. "it has bee', 'pathway through the wood until he came to the highroad, where all traces were lost. "it has been a c', 'ay through the wood until he came to the highroad, where all traces were lost. "it has been a case o', 'rough the wood until he came to the highroad, where all traces were lost. "it has been a case of con', ' the wood until he came to the highroad, where all traces were lost. "it has been a case of consider', 'wood until he came to the highroad, where all traces were lost. "it has been a case of considerable ', 'until he came to the highroad, where all traces were lost. "it has been a case of considerable inter', ' he came to the highroad, where all traces were lost. "it has been a case of considerable interest,"', 'ame to the highroad, where all traces were lost. "it has been a case of considerable interest," he r', 'o the highroad, where all traces were lost. "it has been a case of considerable interest," he remark', ' highroad, where all traces were lost. "it has been a case of considerable interest," he remarked, r', 'road, where all traces were lost. "it has been a case of considerable interest," he remarked, return', ' where all traces were lost. "it has been a case of considerable interest," he remarked, returning t', 'e all traces were lost. "it has been a case of considerable interest," he remarked, returning to his', ' traces were lost. "it has been a case of considerable interest," he remarked, returning to his natu', 'es were lost. "it has been a case of considerable interest," he remarked, returning to his natural m', 're lost. "it has been a case of considerable interest," he remarked, returning to his natural manner', 'st. "it has been a case of considerable interest," he remarked, returning to his natural manner. "i ', 'it has been a case of considerable interest," he remarked, returning to his natural manner. "i fancy', 's been a case of considerable interest," he remarked, returning to his natural manner. "i fancy that', 'n a case of considerable interest," he remarked, returning to his natural manner. "i fancy that this', 'ase of considerable interest," he remarked, returning to his natural manner. "i fancy that this grey', 'f considerable interest," he remarked, returning to his natural manner. "i fancy that this grey hous', 'siderable interest," he remarked, returning to his natural manner. "i fancy that this grey house on ', 'able interest," he remarked, returning to his natural manner. "i fancy that this grey house on the r', 'interest," he remarked, returning to his natural manner. "i fancy that this grey house on the right ', 'est," he remarked, returning to his natural manner. "i fancy that this grey house on the right must ', ' he remarked, returning to his natural manner. "i fancy that this grey house on the right must be th', 'emarked, returning to his natural manner. "i fancy that this grey house on the right must be the lod', 'ed, returning to his natural manner. "i fancy that this grey house on the right must be the lodge. i', 'eturning to his natural manner. "i fancy that this grey house on the right must be the lodge. i thin', 'ing to his natural manner. "i fancy that this grey house on the right must be the lodge. i think tha', 'o his natural manner. "i fancy that this grey house on the right must be the lodge. i think that i w', ' natural manner. "i fancy that this grey house on the right must be the lodge. i think that i will g', 'ral manner. "i fancy that this grey house on the right must be the lodge. i think that i will go in ', 'anner. "i fancy that this grey house on the right must be the lodge. i think that i will go in and h', '. "i fancy that this grey house on the right must be the lodge. i think that i will go in and have a', 'fancy that this grey house on the right must be the lodge. i think that i will go in and have a word', ' that this grey house on the right must be the lodge. i think that i will go in and have a word with', ' this grey house on the right must be the lodge. i think that i will go in and have a word with mora', ' grey house on the right must be the lodge. i think that i will go in and have a word with moran, an', ' house on the right must be the lodge. i think that i will go in and have a word with moran, and per', 'e on the right must be the lodge. i think that i will go in and have a word with moran, and perhaps ', 'the right must be the lodge. i think that i will go in and have a word with moran, and perhaps write', 'ight must be the lodge. i think that i will go in and have a word with moran, and perhaps write a li', 'must be the lodge. i think that i will go in and have a word with moran, and perhaps write a little ', 'be the lodge. i think that i will go in and have a word with moran, and perhaps write a little note.', 'e lodge. i think that i will go in and have a word with moran, and perhaps write a little note. havi', 'ge. i think that i will go in and have a word with moran, and perhaps write a little note. having do', ' think that i will go in and have a word with moran, and perhaps write a little note. having done th', 'k that i will go in and have a word with moran, and perhaps write a little note. having done that, w', 't i will go in and have a word with moran, and perhaps write a little note. having done that, we may', 'ill go in and have a word with moran, and perhaps write a little note. having done that, we may driv', 'o in and have a word with moran, and perhaps write a little note. having done that, we may drive bac', 'and have a word with moran, and perhaps write a little note. having done that, we may drive back to ', 'ave a word with moran, and perhaps write a little note. having done that, we may drive back to our l', ' word with moran, and perhaps write a little note. having done that, we may drive back to our lunche', ' with moran, and perhaps write a little note. having done that, we may drive back to our luncheon. y', ' moran, and perhaps write a little note. having done that, we may drive back to our luncheon. you ma', 'n, and perhaps write a little note. having done that, we may drive back to our luncheon. you may wal', 'd perhaps write a little note. having done that, we may drive back to our luncheon. you may walk to ', 'haps write a little note. having done that, we may drive back to our luncheon. you may walk to the c', 'write a little note. having done that, we may drive back to our luncheon. you may walk to the cab, a', ' a little note. having done that, we may drive back to our luncheon. you may walk to the cab, and i ', 'ttle note. having done that, we may drive back to our luncheon. you may walk to the cab, and i shall', 'note. having done that, we may drive back to our luncheon. you may walk to the cab, and i shall be w', ' having done that, we may drive back to our luncheon. you may walk to the cab, and i shall be with y', 'ng done that, we may drive back to our luncheon. you may walk to the cab, and i shall be with you pr', 'ne that, we may drive back to our luncheon. you may walk to the cab, and i shall be with you present', 'at, we may drive back to our luncheon. you may walk to the cab, and i shall be with you presently." ', 'e may drive back to our luncheon. you may walk to the cab, and i shall be with you presently." it wa', ' drive back to our luncheon. you may walk to the cab, and i shall be with you presently." it was abo', 'e back to our luncheon. you may walk to the cab, and i shall be with you presently." it was about te', 'k to our luncheon. you may walk to the cab, and i shall be with you presently." it was about ten min', 'our luncheon. you may walk to the cab, and i shall be with you presently." it was about ten minutes ', 'uncheon. you may walk to the cab, and i shall be with you presently." it was about ten minutes befor', 'on. you may walk to the cab, and i shall be with you presently." it was about ten minutes before we ', 'ou may walk to the cab, and i shall be with you presently." it was about ten minutes before we regai', 'y walk to the cab, and i shall be with you presently." it was about ten minutes before we regained o', 'k to the cab, and i shall be with you presently." it was about ten minutes before we regained our ca', 'the cab, and i shall be with you presently." it was about ten minutes before we regained our cab and', 'ab, and i shall be with you presently." it was about ten minutes before we regained our cab and drov', 'nd i shall be with you presently." it was about ten minutes before we regained our cab and drove bac', 'shall be with you presently." it was about ten minutes before we regained our cab and drove back int', ' be with you presently." it was about ten minutes before we regained our cab and drove back into ros', 'ith you presently." it was about ten minutes before we regained our cab and drove back into ross, ho', 'ou presently." it was about ten minutes before we regained our cab and drove back into ross, holmes ', 'esently." it was about ten minutes before we regained our cab and drove back into ross, holmes still', 'ly." it was about ten minutes before we regained our cab and drove back into ross, holmes still carr', 'it was about ten minutes before we regained our cab and drove back into ross, holmes still carrying ', 's about ten minutes before we regained our cab and drove back into ross, holmes still carrying with ', 'ut ten minutes before we regained our cab and drove back into ross, holmes still carrying with him t', 'n minutes before we regained our cab and drove back into ross, holmes still carrying with him the st', 'utes before we regained our cab and drove back into ross, holmes still carrying with him the stone w', 'before we regained our cab and drove back into ross, holmes still carrying with him the stone which ', 'e we regained our cab and drove back into ross, holmes still carrying with him the stone which he ha', 'regained our cab and drove back into ross, holmes still carrying with him the stone which he had pic', 'ned our cab and drove back into ross, holmes still carrying with him the stone which he had picked u', 'ur cab and drove back into ross, holmes still carrying with him the stone which he had picked up in ', 'b and drove back into ross, holmes still carrying with him the stone which he had picked up in the w', ' drove back into ross, holmes still carrying with him the stone which he had picked up in the wood. ', 'e back into ross, holmes still carrying with him the stone which he had picked up in the wood. "this', 'k into ross, holmes still carrying with him the stone which he had picked up in the wood. "this may ', 'o ross, holmes still carrying with him the stone which he had picked up in the wood. "this may inter', 's, holmes still carrying with him the stone which he had picked up in the wood. "this may interest y', 'lmes still carrying with him the stone which he had picked up in the wood. "this may interest you, l', 'still carrying with him the stone which he had picked up in the wood. "this may interest you, lestra', ' carrying with him the stone which he had picked up in the wood. "this may interest you, lestrade," ', 'ying with him the stone which he had picked up in the wood. "this may interest you, lestrade," he re', 'with him the stone which he had picked up in the wood. "this may interest you, lestrade," he remarke', 'him the stone which he had picked up in the wood. "this may interest you, lestrade," he remarked, ho', 'he stone which he had picked up in the wood. "this may interest you, lestrade," he remarked, holding', 'one which he had picked up in the wood. "this may interest you, lestrade," he remarked, holding it o', 'hich he had picked up in the wood. "this may interest you, lestrade," he remarked, holding it out. "', 'he had picked up in the wood. "this may interest you, lestrade," he remarked, holding it out. "the m', 'd picked up in the wood. "this may interest you, lestrade," he remarked, holding it out. "the murder', 'ked up in the wood. "this may interest you, lestrade," he remarked, holding it out. "the murder was ', 'p in the wood. "this may interest you, lestrade," he remarked, holding it out. "the murder was done ', 'the wood. "this may interest you, lestrade," he remarked, holding it out. "the murder was done with ', 'ood. "this may interest you, lestrade," he remarked, holding it out. "the murder was done with it." ', '"this may interest you, lestrade," he remarked, holding it out. "the murder was done with it." "i se', ' may interest you, lestrade," he remarked, holding it out. "the murder was done with it." "i see no ', 'interest you, lestrade," he remarked, holding it out. "the murder was done with it." "i see no marks', 'est you, lestrade," he remarked, holding it out. "the murder was done with it." "i see no marks." "t', 'ou, lestrade," he remarked, holding it out. "the murder was done with it." "i see no marks." "there ', 'estrade," he remarked, holding it out. "the murder was done with it." "i see no marks." "there are n', 'de," he remarked, holding it out. "the murder was done with it." "i see no marks." "there are none."', 'he remarked, holding it out. "the murder was done with it." "i see no marks." "there are none." "how', 'marked, holding it out. "the murder was done with it." "i see no marks." "there are none." "how do y', 'd, holding it out. "the murder was done with it." "i see no marks." "there are none." "how do you kn', 'lding it out. "the murder was done with it." "i see no marks." "there are none." "how do you know, t', ' it out. "the murder was done with it." "i see no marks." "there are none." "how do you know, then?"', 'ut. "the murder was done with it." "i see no marks." "there are none." "how do you know, then?" "the', 'the murder was done with it." "i see no marks." "there are none." "how do you know, then?" "the gras', 'urder was done with it." "i see no marks." "there are none." "how do you know, then?" "the grass was', ' was done with it." "i see no marks." "there are none." "how do you know, then?" "the grass was grow', 'done with it." "i see no marks." "there are none." "how do you know, then?" "the grass was growing u', 'with it." "i see no marks." "there are none." "how do you know, then?" "the grass was growing under ', 'it." "i see no marks." "there are none." "how do you know, then?" "the grass was growing under it. i', '"i see no marks." "there are none." "how do you know, then?" "the grass was growing under it. it had', 'e no marks." "there are none." "how do you know, then?" "the grass was growing under it. it had only', 'marks." "there are none." "how do you know, then?" "the grass was growing under it. it had only lain', '." "there are none." "how do you know, then?" "the grass was growing under it. it had only lain ther', 'here are none." "how do you know, then?" "the grass was growing under it. it had only lain there a f', 'are none." "how do you know, then?" "the grass was growing under it. it had only lain there a few da', 'one." "how do you know, then?" "the grass was growing under it. it had only lain there a few days. t', ' "how do you know, then?" "the grass was growing under it. it had only lain there a few days. there ', ' do you know, then?" "the grass was growing under it. it had only lain there a few days. there was n', 'ou know, then?" "the grass was growing under it. it had only lain there a few days. there was no sig', 'ow, then?" "the grass was growing under it. it had only lain there a few days. there was no sign of ', 'hen?" "the grass was growing under it. it had only lain there a few days. there was no sign of a pla', ' "the grass was growing under it. it had only lain there a few days. there was no sign of a place wh', ' grass was growing under it. it had only lain there a few days. there was no sign of a place whence ', 's was growing under it. it had only lain there a few days. there was no sign of a place whence it ha', ' growing under it. it had only lain there a few days. there was no sign of a place whence it had bee', 'ing under it. it had only lain there a few days. there was no sign of a place whence it had been tak', 'nder it. it had only lain there a few days. there was no sign of a place whence it had been taken. i', 'it. it had only lain there a few days. there was no sign of a place whence it had been taken. it cor', 't had only lain there a few days. there was no sign of a place whence it had been taken. it correspo', ' only lain there a few days. there was no sign of a place whence it had been taken. it corresponds w', ' lain there a few days. there was no sign of a place whence it had been taken. it corresponds with t', ' there a few days. there was no sign of a place whence it had been taken. it corresponds with the in', 'e a few days. there was no sign of a place whence it had been taken. it corresponds with the injurie', 'ew days. there was no sign of a place whence it had been taken. it corresponds with the injuries. th', 'ys. there was no sign of a place whence it had been taken. it corresponds with the injuries. there i', 'here was no sign of a place whence it had been taken. it corresponds with the injuries. there is no ', 'was no sign of a place whence it had been taken. it corresponds with the injuries. there is no sign ', 'o sign of a place whence it had been taken. it corresponds with the injuries. there is no sign of an', 'n of a place whence it had been taken. it corresponds with the injuries. there is no sign of any oth', 'a place whence it had been taken. it corresponds with the injuries. there is no sign of any other we', 'ce whence it had been taken. it corresponds with the injuries. there is no sign of any other weapon.', 'ence it had been taken. it corresponds with the injuries. there is no sign of any other weapon." "an', 'it had been taken. it corresponds with the injuries. there is no sign of any other weapon." "and the', 'd been taken. it corresponds with the injuries. there is no sign of any other weapon." "and the murd', 'n taken. it corresponds with the injuries. there is no sign of any other weapon." "and the murderer?', 'en. it corresponds with the injuries. there is no sign of any other weapon." "and the murderer?" "is', 't corresponds with the injuries. there is no sign of any other weapon." "and the murderer?" "is a ta', 'responds with the injuries. there is no sign of any other weapon." "and the murderer?" "is a tall ma', 'nds with the injuries. there is no sign of any other weapon." "and the murderer?" "is a tall man, le', 'ith the injuries. there is no sign of any other weapon." "and the murderer?" "is a tall man, left-ha', 'he injuries. there is no sign of any other weapon." "and the murderer?" "is a tall man, left-handed,', 'juries. there is no sign of any other weapon." "and the murderer?" "is a tall man, left-handed, limp', 's. there is no sign of any other weapon." "and the murderer?" "is a tall man, left-handed, limps wit', 'ere is no sign of any other weapon." "and the murderer?" "is a tall man, left-handed, limps with the', 's no sign of any other weapon." "and the murderer?" "is a tall man, left-handed, limps with the righ', 'sign of any other weapon." "and the murderer?" "is a tall man, left-handed, limps with the right leg', 'of any other weapon." "and the murderer?" "is a tall man, left-handed, limps with the right leg, wea', 'y other weapon." "and the murderer?" "is a tall man, left-handed, limps with the right leg, wears th', 'er weapon." "and the murderer?" "is a tall man, left-handed, limps with the right leg, wears thick-s', 'apon." "and the murderer?" "is a tall man, left-handed, limps with the right leg, wears thick-soled ', '" "and the murderer?" "is a tall man, left-handed, limps with the right leg, wears thick-soled shoot', 'd the murderer?" "is a tall man, left-handed, limps with the right leg, wears thick-soled shooting-b', ' murderer?" "is a tall man, left-handed, limps with the right leg, wears thick-soled shooting-boots ', 'erer?" "is a tall man, left-handed, limps with the right leg, wears thick-soled shooting-boots and a', '" "is a tall man, left-handed, limps with the right leg, wears thick-soled shooting-boots and a grey', ' a tall man, left-handed, limps with the right leg, wears thick-soled shooting-boots and a grey cloa', 'll man, left-handed, limps with the right leg, wears thick-soled shooting-boots and a grey cloak, sm', 'n, left-handed, limps with the right leg, wears thick-soled shooting-boots and a grey cloak, smokes ', 'ft-handed, limps with the right leg, wears thick-soled shooting-boots and a grey cloak, smokes india', 'nded, limps with the right leg, wears thick-soled shooting-boots and a grey cloak, smokes indian cig', ' limps with the right leg, wears thick-soled shooting-boots and a grey cloak, smokes indian cigars, ', 's with the right leg, wears thick-soled shooting-boots and a grey cloak, smokes indian cigars, uses ', 'h the right leg, wears thick-soled shooting-boots and a grey cloak, smokes indian cigars, uses a cig', ' right leg, wears thick-soled shooting-boots and a grey cloak, smokes indian cigars, uses a cigar-ho', 't leg, wears thick-soled shooting-boots and a grey cloak, smokes indian cigars, uses a cigar-holder,', ', wears thick-soled shooting-boots and a grey cloak, smokes indian cigars, uses a cigar-holder, and ', 'rs thick-soled shooting-boots and a grey cloak, smokes indian cigars, uses a cigar-holder, and carri', 'ick-soled shooting-boots and a grey cloak, smokes indian cigars, uses a cigar-holder, and carries a ', 'oled shooting-boots and a grey cloak, smokes indian cigars, uses a cigar-holder, and carries a blunt', 'shooting-boots and a grey cloak, smokes indian cigars, uses a cigar-holder, and carries a blunt pen-', 'ing-boots and a grey cloak, smokes indian cigars, uses a cigar-holder, and carries a blunt pen-knife', 'oots and a grey cloak, smokes indian cigars, uses a cigar-holder, and carries a blunt pen-knife in h', 'and a grey cloak, smokes indian cigars, uses a cigar-holder, and carries a blunt pen-knife in his po', ' grey cloak, smokes indian cigars, uses a cigar-holder, and carries a blunt pen-knife in his pocket.', ' cloak, smokes indian cigars, uses a cigar-holder, and carries a blunt pen-knife in his pocket. ther', 'k, smokes indian cigars, uses a cigar-holder, and carries a blunt pen-knife in his pocket. there are', 'okes indian cigars, uses a cigar-holder, and carries a blunt pen-knife in his pocket. there are seve', 'indian cigars, uses a cigar-holder, and carries a blunt pen-knife in his pocket. there are several o', 'n cigars, uses a cigar-holder, and carries a blunt pen-knife in his pocket. there are several other ', 'ars, uses a cigar-holder, and carries a blunt pen-knife in his pocket. there are several other indic', 'uses a cigar-holder, and carries a blunt pen-knife in his pocket. there are several other indication', 'a cigar-holder, and carries a blunt pen-knife in his pocket. there are several other indications, bu', 'ar-holder, and carries a blunt pen-knife in his pocket. there are several other indications, but the', 'lder, and carries a blunt pen-knife in his pocket. there are several other indications, but these ma', ' and carries a blunt pen-knife in his pocket. there are several other indications, but these may be ', 'carries a blunt pen-knife in his pocket. there are several other indications, but these may be enoug', 'es a blunt pen-knife in his pocket. there are several other indications, but these may be enough to ', 'blunt pen-knife in his pocket. there are several other indications, but these may be enough to aid u', ' pen-knife in his pocket. there are several other indications, but these may be enough to aid us in ', 'knife in his pocket. there are several other indications, but these may be enough to aid us in our s', ' in his pocket. there are several other indications, but these may be enough to aid us in our search', 'is pocket. there are several other indications, but these may be enough to aid us in our search." le', 'cket. there are several other indications, but these may be enough to aid us in our search." lestrad', ' there are several other indications, but these may be enough to aid us in our search." lestrade lau', 'e are several other indications, but these may be enough to aid us in our search." lestrade laughed.', ' several other indications, but these may be enough to aid us in our search." lestrade laughed. "i a', 'ral other indications, but these may be enough to aid us in our search." lestrade laughed. "i am afr', 'ther indications, but these may be enough to aid us in our search." lestrade laughed. "i am afraid t', 'indications, but these may be enough to aid us in our search." lestrade laughed. "i am afraid that i', 'ations, but these may be enough to aid us in our search." lestrade laughed. "i am afraid that i am s', 's, but these may be enough to aid us in our search." lestrade laughed. "i am afraid that i am still ', 't these may be enough to aid us in our search." lestrade laughed. "i am afraid that i am still a sce', 'se may be enough to aid us in our search." lestrade laughed. "i am afraid that i am still a sceptic,', 'y be enough to aid us in our search." lestrade laughed. "i am afraid that i am still a sceptic," he ', 'enough to aid us in our search." lestrade laughed. "i am afraid that i am still a sceptic," he said.', 'h to aid us in our search." lestrade laughed. "i am afraid that i am still a sceptic," he said. "the', 'aid us in our search." lestrade laughed. "i am afraid that i am still a sceptic," he said. "theories', 's in our search." lestrade laughed. "i am afraid that i am still a sceptic," he said. "theories are ', 'our search." lestrade laughed. "i am afraid that i am still a sceptic," he said. "theories are all v', 'earch." lestrade laughed. "i am afraid that i am still a sceptic," he said. "theories are all very w', '." lestrade laughed. "i am afraid that i am still a sceptic," he said. "theories are all very well, ', 'strade laughed. "i am afraid that i am still a sceptic," he said. "theories are all very well, but w', 'e laughed. "i am afraid that i am still a sceptic," he said. "theories are all very well, but we hav', 'ghed. "i am afraid that i am still a sceptic," he said. "theories are all very well, but we have to ', ' "i am afraid that i am still a sceptic," he said. "theories are all very well, but we have to deal ', 'm afraid that i am still a sceptic," he said. "theories are all very well, but we have to deal with ', 'aid that i am still a sceptic," he said. "theories are all very well, but we have to deal with a har', 'hat i am still a sceptic," he said. "theories are all very well, but we have to deal with a hard-hea', ' am still a sceptic," he said. "theories are all very well, but we have to deal with a hard-headed b', 'till a sceptic," he said. "theories are all very well, but we have to deal with a hard-headed britis', 'a sceptic," he said. "theories are all very well, but we have to deal with a hard-headed british jur', 'ptic," he said. "theories are all very well, but we have to deal with a hard-headed british jury." "', '" he said. "theories are all very well, but we have to deal with a hard-headed british jury." "nous ', 'said. "theories are all very well, but we have to deal with a hard-headed british jury." "nous verro', ' "theories are all very well, but we have to deal with a hard-headed british jury." "nous verrons," ', 'ories are all very well, but we have to deal with a hard-headed british jury." "nous verrons," answe', ' are all very well, but we have to deal with a hard-headed british jury." "nous verrons," answered h', 'all very well, but we have to deal with a hard-headed british jury." "nous verrons," answered holmes', 'ery well, but we have to deal with a hard-headed british jury." "nous verrons," answered holmes calm', 'ell, but we have to deal with a hard-headed british jury." "nous verrons," answered holmes calmly. "', 'but we have to deal with a hard-headed british jury." "nous verrons," answered holmes calmly. "you w', 'e have to deal with a hard-headed british jury." "nous verrons," answered holmes calmly. "you work y', 'e to deal with a hard-headed british jury." "nous verrons," answered holmes calmly. "you work your o', 'deal with a hard-headed british jury." "nous verrons," answered holmes calmly. "you work your own me', 'with a hard-headed british jury." "nous verrons," answered holmes calmly. "you work your own method,', 'a hard-headed british jury." "nous verrons," answered holmes calmly. "you work your own method, and ', 'd-headed british jury." "nous verrons," answered holmes calmly. "you work your own method, and i sha', 'ded british jury." "nous verrons," answered holmes calmly. "you work your own method, and i shall wo', 'ritish jury." "nous verrons," answered holmes calmly. "you work your own method, and i shall work mi', 'h jury." "nous verrons," answered holmes calmly. "you work your own method, and i shall work mine. i', 'y." "nous verrons," answered holmes calmly. "you work your own method, and i shall work mine. i shal', 'nous verrons," answered holmes calmly. "you work your own method, and i shall work mine. i shall be ', 'verrons," answered holmes calmly. "you work your own method, and i shall work mine. i shall be busy ', 'ns," answered holmes calmly. "you work your own method, and i shall work mine. i shall be busy this ', 'answered holmes calmly. "you work your own method, and i shall work mine. i shall be busy this after', 'red holmes calmly. "you work your own method, and i shall work mine. i shall be busy this afternoon,', 'olmes calmly. "you work your own method, and i shall work mine. i shall be busy this afternoon, and ', ' calmly. "you work your own method, and i shall work mine. i shall be busy this afternoon, and shall', 'ly. "you work your own method, and i shall work mine. i shall be busy this afternoon, and shall prob', 'you work your own method, and i shall work mine. i shall be busy this afternoon, and shall probably ', 'ork your own method, and i shall work mine. i shall be busy this afternoon, and shall probably retur', 'our own method, and i shall work mine. i shall be busy this afternoon, and shall probably return to ', 'wn method, and i shall work mine. i shall be busy this afternoon, and shall probably return to londo', 'thod, and i shall work mine. i shall be busy this afternoon, and shall probably return to london by ', ' and i shall work mine. i shall be busy this afternoon, and shall probably return to london by the e', 'i shall work mine. i shall be busy this afternoon, and shall probably return to london by the evenin', 'll work mine. i shall be busy this afternoon, and shall probably return to london by the evening tra', 'rk mine. i shall be busy this afternoon, and shall probably return to london by the evening train." ', 'ne. i shall be busy this afternoon, and shall probably return to london by the evening train." "and ', ' shall be busy this afternoon, and shall probably return to london by the evening train." "and leave', 'l be busy this afternoon, and shall probably return to london by the evening train." "and leave your', 'busy this afternoon, and shall probably return to london by the evening train." "and leave your case', 'this afternoon, and shall probably return to london by the evening train." "and leave your case unfi', 'afternoon, and shall probably return to london by the evening train." "and leave your case unfinishe', 'noon, and shall probably return to london by the evening train." "and leave your case unfinished?" "', ' and shall probably return to london by the evening train." "and leave your case unfinished?" "no, f', 'shall probably return to london by the evening train." "and leave your case unfinished?" "no, finish', ' probably return to london by the evening train." "and leave your case unfinished?" "no, finished." ', 'ably return to london by the evening train." "and leave your case unfinished?" "no, finished." "but ', 'return to london by the evening train." "and leave your case unfinished?" "no, finished." "but the m', 'n to london by the evening train." "and leave your case unfinished?" "no, finished." "but the myster', 'london by the evening train." "and leave your case unfinished?" "no, finished." "but the mystery?" "', 'n by the evening train." "and leave your case unfinished?" "no, finished." "but the mystery?" "it is', 'the evening train." "and leave your case unfinished?" "no, finished." "but the mystery?" "it is solv', 'vening train." "and leave your case unfinished?" "no, finished." "but the mystery?" "it is solved." ', 'g train." "and leave your case unfinished?" "no, finished." "but the mystery?" "it is solved." "who ', 'in." "and leave your case unfinished?" "no, finished." "but the mystery?" "it is solved." "who was t', '"and leave your case unfinished?" "no, finished." "but the mystery?" "it is solved." "who was the cr', 'leave your case unfinished?" "no, finished." "but the mystery?" "it is solved." "who was the crimina', ' your case unfinished?" "no, finished." "but the mystery?" "it is solved." "who was the criminal, th', ' case unfinished?" "no, finished." "but the mystery?" "it is solved." "who was the criminal, then?" ', ' unfinished?" "no, finished." "but the mystery?" "it is solved." "who was the criminal, then?" "the ', 'nished?" "no, finished." "but the mystery?" "it is solved." "who was the criminal, then?" "the gentl', 'd?" "no, finished." "but the mystery?" "it is solved." "who was the criminal, then?" "the gentleman ', 'no, finished." "but the mystery?" "it is solved." "who was the criminal, then?" "the gentleman i des', 'inished." "but the mystery?" "it is solved." "who was the criminal, then?" "the gentleman i describe', 'ed." "but the mystery?" "it is solved." "who was the criminal, then?" "the gentleman i describe." "b', '"but the mystery?" "it is solved." "who was the criminal, then?" "the gentleman i describe." "but wh', 'the mystery?" "it is solved." "who was the criminal, then?" "the gentleman i describe." "but who is ', 'ystery?" "it is solved." "who was the criminal, then?" "the gentleman i describe." "but who is he?" ', 'y?" "it is solved." "who was the criminal, then?" "the gentleman i describe." "but who is he?" "sure', 'it is solved." "who was the criminal, then?" "the gentleman i describe." "but who is he?" "surely it', ' solved." "who was the criminal, then?" "the gentleman i describe." "but who is he?" "surely it woul', 'ed." "who was the criminal, then?" "the gentleman i describe." "but who is he?" "surely it would not', '"who was the criminal, then?" "the gentleman i describe." "but who is he?" "surely it would not be d', 'was the criminal, then?" "the gentleman i describe." "but who is he?" "surely it would not be diffic', 'he criminal, then?" "the gentleman i describe." "but who is he?" "surely it would not be difficult t', 'iminal, then?" "the gentleman i describe." "but who is he?" "surely it would not be difficult to fin', 'l, then?" "the gentleman i describe." "but who is he?" "surely it would not be difficult to find out', 'en?" "the gentleman i describe." "but who is he?" "surely it would not be difficult to find out. thi', '"the gentleman i describe." "but who is he?" "surely it would not be difficult to find out. this is ', 'gentleman i describe." "but who is he?" "surely it would not be difficult to find out. this is not s', 'eman i describe." "but who is he?" "surely it would not be difficult to find out. this is not such a', 'i describe." "but who is he?" "surely it would not be difficult to find out. this is not such a popu', 'cribe." "but who is he?" "surely it would not be difficult to find out. this is not such a populous ', '." "but who is he?" "surely it would not be difficult to find out. this is not such a populous neigh', 'ut who is he?" "surely it would not be difficult to find out. this is not such a populous neighbourh', 'o is he?" "surely it would not be difficult to find out. this is not such a populous neighbourhood."', 'he?" "surely it would not be difficult to find out. this is not such a populous neighbourhood." lest', '"surely it would not be difficult to find out. this is not such a populous neighbourhood." lestrade ', 'ly it would not be difficult to find out. this is not such a populous neighbourhood." lestrade shrug', ' would not be difficult to find out. this is not such a populous neighbourhood." lestrade shrugged h', 'd not be difficult to find out. this is not such a populous neighbourhood." lestrade shrugged his sh', ' be difficult to find out. this is not such a populous neighbourhood." lestrade shrugged his shoulde', 'ifficult to find out. this is not such a populous neighbourhood." lestrade shrugged his shoulders. "', 'ult to find out. this is not such a populous neighbourhood." lestrade shrugged his shoulders. "i am ', 'o find out. this is not such a populous neighbourhood." lestrade shrugged his shoulders. "i am a pra', 'd out. this is not such a populous neighbourhood." lestrade shrugged his shoulders. "i am a practica', '. this is not such a populous neighbourhood." lestrade shrugged his shoulders. "i am a practical man', 's is not such a populous neighbourhood." lestrade shrugged his shoulders. "i am a practical man," he', 'not such a populous neighbourhood." lestrade shrugged his shoulders. "i am a practical man," he said', 'uch a populous neighbourhood." lestrade shrugged his shoulders. "i am a practical man," he said, "an', ' populous neighbourhood." lestrade shrugged his shoulders. "i am a practical man," he said, "and i r', 'lous neighbourhood." lestrade shrugged his shoulders. "i am a practical man," he said, "and i really', 'neighbourhood." lestrade shrugged his shoulders. "i am a practical man," he said, "and i really cann', 'bourhood." lestrade shrugged his shoulders. "i am a practical man," he said, "and i really cannot un', 'ood." lestrade shrugged his shoulders. "i am a practical man," he said, "and i really cannot underta', ' lestrade shrugged his shoulders. "i am a practical man," he said, "and i really cannot undertake to', 'rade shrugged his shoulders. "i am a practical man," he said, "and i really cannot undertake to go a', 'shrugged his shoulders. "i am a practical man," he said, "and i really cannot undertake to go about ', 'ged his shoulders. "i am a practical man," he said, "and i really cannot undertake to go about the c', 'is shoulders. "i am a practical man," he said, "and i really cannot undertake to go about the countr', 'oulders. "i am a practical man," he said, "and i really cannot undertake to go about the country loo', 'rs. "i am a practical man," he said, "and i really cannot undertake to go about the country looking ', 'i am a practical man," he said, "and i really cannot undertake to go about the country looking for a', 'a practical man," he said, "and i really cannot undertake to go about the country looking for a left', 'ctical man," he said, "and i really cannot undertake to go about the country looking for a left-hand', 'l man," he said, "and i really cannot undertake to go about the country looking for a left-handed ge', '," he said, "and i really cannot undertake to go about the country looking for a left-handed gentlem', ' said, "and i really cannot undertake to go about the country looking for a left-handed gentleman wi', ', "and i really cannot undertake to go about the country looking for a left-handed gentleman with a ', 'd i really cannot undertake to go about the country looking for a left-handed gentleman with a game ', 'eally cannot undertake to go about the country looking for a left-handed gentleman with a game leg. ', ' cannot undertake to go about the country looking for a left-handed gentleman with a game leg. i sho', 'ot undertake to go about the country looking for a left-handed gentleman with a game leg. i should b', 'dertake to go about the country looking for a left-handed gentleman with a game leg. i should become', 'ke to go about the country looking for a left-handed gentleman with a game leg. i should become the ', ' go about the country looking for a left-handed gentleman with a game leg. i should become the laugh', 'bout the country looking for a left-handed gentleman with a game leg. i should become the laughing-s', 'the country looking for a left-handed gentleman with a game leg. i should become the laughing-stock ', 'ountry looking for a left-handed gentleman with a game leg. i should become the laughing-stock of sc', 'y looking for a left-handed gentleman with a game leg. i should become the laughing-stock of scotlan', 'king for a left-handed gentleman with a game leg. i should become the laughing-stock of scotland yar', 'for a left-handed gentleman with a game leg. i should become the laughing-stock of scotland yard." "', ' left-handed gentleman with a game leg. i should become the laughing-stock of scotland yard." "all r', '-handed gentleman with a game leg. i should become the laughing-stock of scotland yard." "all right,', 'ed gentleman with a game leg. i should become the laughing-stock of scotland yard." "all right," sai', 'ntleman with a game leg. i should become the laughing-stock of scotland yard." "all right," said hol', 'an with a game leg. i should become the laughing-stock of scotland yard." "all right," said holmes q', 'th a game leg. i should become the laughing-stock of scotland yard." "all right," said holmes quietl', 'game leg. i should become the laughing-stock of scotland yard." "all right," said holmes quietly. "i', 'leg. i should become the laughing-stock of scotland yard." "all right," said holmes quietly. "i have', 'i should become the laughing-stock of scotland yard." "all right," said holmes quietly. "i have give', 'uld become the laughing-stock of scotland yard." "all right," said holmes quietly. "i have given you', 'ecome the laughing-stock of scotland yard." "all right," said holmes quietly. "i have given you the ', ' the laughing-stock of scotland yard." "all right," said holmes quietly. "i have given you the chanc', 'laughing-stock of scotland yard." "all right," said holmes quietly. "i have given you the chance. he', 'ing-stock of scotland yard." "all right," said holmes quietly. "i have given you the chance. here ar', 'tock of scotland yard." "all right," said holmes quietly. "i have given you the chance. here are you', 'of scotland yard." "all right," said holmes quietly. "i have given you the chance. here are your lod', 'otland yard." "all right," said holmes quietly. "i have given you the chance. here are your lodgings', 'd yard." "all right," said holmes quietly. "i have given you the chance. here are your lodgings. goo', 'd." "all right," said holmes quietly. "i have given you the chance. here are your lodgings. good-bye', 'all right," said holmes quietly. "i have given you the chance. here are your lodgings. good-bye. i s', 'ight," said holmes quietly. "i have given you the chance. here are your lodgings. good-bye. i shall ', '" said holmes quietly. "i have given you the chance. here are your lodgings. good-bye. i shall drop ', 'd holmes quietly. "i have given you the chance. here are your lodgings. good-bye. i shall drop you a', 'mes quietly. "i have given you the chance. here are your lodgings. good-bye. i shall drop you a line', 'uietly. "i have given you the chance. here are your lodgings. good-bye. i shall drop you a line befo', 'y. "i have given you the chance. here are your lodgings. good-bye. i shall drop you a line before i ', ' have given you the chance. here are your lodgings. good-bye. i shall drop you a line before i leave', ' given you the chance. here are your lodgings. good-bye. i shall drop you a line before i leave." ha', 'n you the chance. here are your lodgings. good-bye. i shall drop you a line before i leave." having ', ' the chance. here are your lodgings. good-bye. i shall drop you a line before i leave." having left ', 'chance. here are your lodgings. good-bye. i shall drop you a line before i leave." having left lestr', 'e. here are your lodgings. good-bye. i shall drop you a line before i leave." having left lestrade a', 're are your lodgings. good-bye. i shall drop you a line before i leave." having left lestrade at his', 'e your lodgings. good-bye. i shall drop you a line before i leave." having left lestrade at his room', 'r lodgings. good-bye. i shall drop you a line before i leave." having left lestrade at his rooms, we', 'gings. good-bye. i shall drop you a line before i leave." having left lestrade at his rooms, we drov', '. good-bye. i shall drop you a line before i leave." having left lestrade at his rooms, we drove to ', 'd-bye. i shall drop you a line before i leave." having left lestrade at his rooms, we drove to our h', '. i shall drop you a line before i leave." having left lestrade at his rooms, we drove to our hotel,', 'hall drop you a line before i leave." having left lestrade at his rooms, we drove to our hotel, wher', 'drop you a line before i leave." having left lestrade at his rooms, we drove to our hotel, where we ', 'you a line before i leave." having left lestrade at his rooms, we drove to our hotel, where we found', ' line before i leave." having left lestrade at his rooms, we drove to our hotel, where we found lunc', ' before i leave." having left lestrade at his rooms, we drove to our hotel, where we found lunch upo', 're i leave." having left lestrade at his rooms, we drove to our hotel, where we found lunch upon the', 'leave." having left lestrade at his rooms, we drove to our hotel, where we found lunch upon the tabl', '." having left lestrade at his rooms, we drove to our hotel, where we found lunch upon the table. ho', 'ving left lestrade at his rooms, we drove to our hotel, where we found lunch upon the table. holmes ', 'left lestrade at his rooms, we drove to our hotel, where we found lunch upon the table. holmes was s', 'lestrade at his rooms, we drove to our hotel, where we found lunch upon the table. holmes was silent', 'ade at his rooms, we drove to our hotel, where we found lunch upon the table. holmes was silent and ', 't his rooms, we drove to our hotel, where we found lunch upon the table. holmes was silent and burie', ' rooms, we drove to our hotel, where we found lunch upon the table. holmes was silent and buried in ', 's, we drove to our hotel, where we found lunch upon the table. holmes was silent and buried in thoug', ' drove to our hotel, where we found lunch upon the table. holmes was silent and buried in thought wi', 'e to our hotel, where we found lunch upon the table. holmes was silent and buried in thought with a ', 'our hotel, where we found lunch upon the table. holmes was silent and buried in thought with a paine', 'otel, where we found lunch upon the table. holmes was silent and buried in thought with a pained exp', ' where we found lunch upon the table. holmes was silent and buried in thought with a pained expressi', 'e we found lunch upon the table. holmes was silent and buried in thought with a pained expression up', 'found lunch upon the table. holmes was silent and buried in thought with a pained expression upon hi', ' lunch upon the table. holmes was silent and buried in thought with a pained expression upon his fac', 'h upon the table. holmes was silent and buried in thought with a pained expression upon his face, as', 'n the table. holmes was silent and buried in thought with a pained expression upon his face, as one ', ' table. holmes was silent and buried in thought with a pained expression upon his face, as one who f', 'e. holmes was silent and buried in thought with a pained expression upon his face, as one who finds ', 'lmes was silent and buried in thought with a pained expression upon his face, as one who finds himse', 'was silent and buried in thought with a pained expression upon his face, as one who finds himself in', 'ilent and buried in thought with a pained expression upon his face, as one who finds himself in a pe', ' and buried in thought with a pained expression upon his face, as one who finds himself in a perplex', 'buried in thought with a pained expression upon his face, as one who finds himself in a perplexing p', 'd in thought with a pained expression upon his face, as one who finds himself in a perplexing positi', 'thought with a pained expression upon his face, as one who finds himself in a perplexing position. "', 'ht with a pained expression upon his face, as one who finds himself in a perplexing position. "look ', 'th a pained expression upon his face, as one who finds himself in a perplexing position. "look here,', 'pained expression upon his face, as one who finds himself in a perplexing position. "look here, wats', 'd expression upon his face, as one who finds himself in a perplexing position. "look here, watson," ', 'ression upon his face, as one who finds himself in a perplexing position. "look here, watson," he sa', 'on upon his face, as one who finds himself in a perplexing position. "look here, watson," he said wh', 'on his face, as one who finds himself in a perplexing position. "look here, watson," he said when th', 's face, as one who finds himself in a perplexing position. "look here, watson," he said when the clo', 'e, as one who finds himself in a perplexing position. "look here, watson," he said when the cloth wa', ' one who finds himself in a perplexing position. "look here, watson," he said when the cloth was cle', 'who finds himself in a perplexing position. "look here, watson," he said when the cloth was cleared ', 'inds himself in a perplexing position. "look here, watson," he said when the cloth was cleared "just', 'himself in a perplexing position. "look here, watson," he said when the cloth was cleared "just sit ', 'lf in a perplexing position. "look here, watson," he said when the cloth was cleared "just sit down ', ' a perplexing position. "look here, watson," he said when the cloth was cleared "just sit down in th', 'rplexing position. "look here, watson," he said when the cloth was cleared "just sit down in this ch', 'ing position. "look here, watson," he said when the cloth was cleared "just sit down in this chair a', 'osition. "look here, watson," he said when the cloth was cleared "just sit down in this chair and le', 'on. "look here, watson," he said when the cloth was cleared "just sit down in this chair and let me ', 'look here, watson," he said when the cloth was cleared "just sit down in this chair and let me preac', 'here, watson," he said when the cloth was cleared "just sit down in this chair and let me preach to ', ' watson," he said when the cloth was cleared "just sit down in this chair and let me preach to you f', 'on," he said when the cloth was cleared "just sit down in this chair and let me preach to you for a ', 'he said when the cloth was cleared "just sit down in this chair and let me preach to you for a littl', 'id when the cloth was cleared "just sit down in this chair and let me preach to you for a little. i ', 'en the cloth was cleared "just sit down in this chair and let me preach to you for a little. i don\'t', 'e cloth was cleared "just sit down in this chair and let me preach to you for a little. i don\'t know', 'th was cleared "just sit down in this chair and let me preach to you for a little. i don\'t know quit', 's cleared "just sit down in this chair and let me preach to you for a little. i don\'t know quite wha', 'ared "just sit down in this chair and let me preach to you for a little. i don\'t know quite what to ', '"just sit down in this chair and let me preach to you for a little. i don\'t know quite what to do, a', " sit down in this chair and let me preach to you for a little. i don't know quite what to do, and i ", "down in this chair and let me preach to you for a little. i don't know quite what to do, and i shoul", "in this chair and let me preach to you for a little. i don't know quite what to do, and i should val", "is chair and let me preach to you for a little. i don't know quite what to do, and i should value yo", "air and let me preach to you for a little. i don't know quite what to do, and i should value your ad", "nd let me preach to you for a little. i don't know quite what to do, and i should value your advice.", "t me preach to you for a little. i don't know quite what to do, and i should value your advice. ligh", "preach to you for a little. i don't know quite what to do, and i should value your advice. light a c", "h to you for a little. i don't know quite what to do, and i should value your advice. light a cigar ", "you for a little. i don't know quite what to do, and i should value your advice. light a cigar and l", "or a little. i don't know quite what to do, and i should value your advice. light a cigar and let me", "little. i don't know quite what to do, and i should value your advice. light a cigar and let me expo", 'e. i don\'t know quite what to do, and i should value your advice. light a cigar and let me expound."', 'don\'t know quite what to do, and i should value your advice. light a cigar and let me expound." "pr', ' know quite what to do, and i should value your advice. light a cigar and let me expound." "pray do', ' quite what to do, and i should value your advice. light a cigar and let me expound." "pray do so."', 'e what to do, and i should value your advice. light a cigar and let me expound." "pray do so." "wel', 't to do, and i should value your advice. light a cigar and let me expound." "pray do so." "well, no', 'do, and i should value your advice. light a cigar and let me expound." "pray do so." "well, now, in', 'nd i should value your advice. light a cigar and let me expound." "pray do so." "well, now, in cons', 'should value your advice. light a cigar and let me expound." "pray do so." "well, now, in consideri', 'd value your advice. light a cigar and let me expound." "pray do so." "well, now, in considering th', 'ue your advice. light a cigar and let me expound." "pray do so." "well, now, in considering this ca', 'ur advice. light a cigar and let me expound." "pray do so." "well, now, in considering this case th', 'vice. light a cigar and let me expound." "pray do so." "well, now, in considering this case there a', ' light a cigar and let me expound." "pray do so." "well, now, in considering this case there are tw', 't a cigar and let me expound." "pray do so." "well, now, in considering this case there are two poi', 'igar and let me expound." "pray do so." "well, now, in considering this case there are two points a', 'and let me expound." "pray do so." "well, now, in considering this case there are two points about ', 'et me expound." "pray do so." "well, now, in considering this case there are two points about young', ' expound." "pray do so." "well, now, in considering this case there are two points about young mcca', 'und." "pray do so." "well, now, in considering this case there are two points about young mccarthy\'', ' "pray do so." "well, now, in considering this case there are two points about young mccarthy\'s nar', 'ay do so." "well, now, in considering this case there are two points about young mccarthy\'s narrativ', ' so." "well, now, in considering this case there are two points about young mccarthy\'s narrative whi', ' "well, now, in considering this case there are two points about young mccarthy\'s narrative which st', "l, now, in considering this case there are two points about young mccarthy's narrative which struck ", "w, in considering this case there are two points about young mccarthy's narrative which struck us bo", " considering this case there are two points about young mccarthy's narrative which struck us both in", "idering this case there are two points about young mccarthy's narrative which struck us both instant", "ng this case there are two points about young mccarthy's narrative which struck us both instantly, a", "is case there are two points about young mccarthy's narrative which struck us both instantly, althou", "se there are two points about young mccarthy's narrative which struck us both instantly, although th", "ere are two points about young mccarthy's narrative which struck us both instantly, although they im", "re two points about young mccarthy's narrative which struck us both instantly, although they impress", "o points about young mccarthy's narrative which struck us both instantly, although they impressed me", "nts about young mccarthy's narrative which struck us both instantly, although they impressed me in h", "bout young mccarthy's narrative which struck us both instantly, although they impressed me in his fa", "young mccarthy's narrative which struck us both instantly, although they impressed me in his favour ", " mccarthy's narrative which struck us both instantly, although they impressed me in his favour and y", "rthy's narrative which struck us both instantly, although they impressed me in his favour and you ag", 's narrative which struck us both instantly, although they impressed me in his favour and you against', 'rative which struck us both instantly, although they impressed me in his favour and you against him.', 'e which struck us both instantly, although they impressed me in his favour and you against him. one ', 'ch struck us both instantly, although they impressed me in his favour and you against him. one was t', 'ruck us both instantly, although they impressed me in his favour and you against him. one was the fa', 'us both instantly, although they impressed me in his favour and you against him. one was the fact th', 'th instantly, although they impressed me in his favour and you against him. one was the fact that hi', 'stantly, although they impressed me in his favour and you against him. one was the fact that his fat', 'ly, although they impressed me in his favour and you against him. one was the fact that his father s', 'lthough they impressed me in his favour and you against him. one was the fact that his father should', 'gh they impressed me in his favour and you against him. one was the fact that his father should, acc', 'ey impressed me in his favour and you against him. one was the fact that his father should, accordin', 'pressed me in his favour and you against him. one was the fact that his father should, according to ', 'ed me in his favour and you against him. one was the fact that his father should, according to his a', ' in his favour and you against him. one was the fact that his father should, according to his accoun', 'is favour and you against him. one was the fact that his father should, according to his account, cr', "vour and you against him. one was the fact that his father should, according to his account, cry 'co", "and you against him. one was the fact that his father should, according to his account, cry 'cooee b", "ou against him. one was the fact that his father should, according to his account, cry 'cooee before", "ainst him. one was the fact that his father should, according to his account, cry 'cooee before seei", " him. one was the fact that his father should, according to his account, cry 'cooee before seeing hi", " one was the fact that his father should, according to his account, cry 'cooee before seeing him. th", "was the fact that his father should, according to his account, cry 'cooee before seeing him. the oth", "he fact that his father should, according to his account, cry 'cooee before seeing him. the other wa", "ct that his father should, according to his account, cry 'cooee before seeing him. the other was his", "at his father should, according to his account, cry 'cooee before seeing him. the other was his sing", "s father should, according to his account, cry 'cooee before seeing him. the other was his singular ", "her should, according to his account, cry 'cooee before seeing him. the other was his singular dying", "hould, according to his account, cry 'cooee before seeing him. the other was his singular dying refe", ", according to his account, cry 'cooee before seeing him. the other was his singular dying reference", "ording to his account, cry 'cooee before seeing him. the other was his singular dying reference to a", "g to his account, cry 'cooee before seeing him. the other was his singular dying reference to a rat.", "his account, cry 'cooee before seeing him. the other was his singular dying reference to a rat. he m", "ccount, cry 'cooee before seeing him. the other was his singular dying reference to a rat. he mumble", "t, cry 'cooee before seeing him. the other was his singular dying reference to a rat. he mumbled sev", "y 'cooee before seeing him. the other was his singular dying reference to a rat. he mumbled several ", 'oee before seeing him. the other was his singular dying reference to a rat. he mumbled several words', 'efore seeing him. the other was his singular dying reference to a rat. he mumbled several words, you', ' seeing him. the other was his singular dying reference to a rat. he mumbled several words, you unde', 'ng him. the other was his singular dying reference to a rat. he mumbled several words, you understan', 'm. the other was his singular dying reference to a rat. he mumbled several words, you understand, bu', 'e other was his singular dying reference to a rat. he mumbled several words, you understand, but tha', 'er was his singular dying reference to a rat. he mumbled several words, you understand, but that was', 's his singular dying reference to a rat. he mumbled several words, you understand, but that was all ', ' singular dying reference to a rat. he mumbled several words, you understand, but that was all that ', 'ular dying reference to a rat. he mumbled several words, you understand, but that was all that caugh', 'dying reference to a rat. he mumbled several words, you understand, but that was all that caught the', " reference to a rat. he mumbled several words, you understand, but that was all that caught the son'", "rence to a rat. he mumbled several words, you understand, but that was all that caught the son's ear", " to a rat. he mumbled several words, you understand, but that was all that caught the son's ear. now", " rat. he mumbled several words, you understand, but that was all that caught the son's ear. now from", " he mumbled several words, you understand, but that was all that caught the son's ear. now from this", "umbled several words, you understand, but that was all that caught the son's ear. now from this doub", "d several words, you understand, but that was all that caught the son's ear. now from this double po", "eral words, you understand, but that was all that caught the son's ear. now from this double point o", "words, you understand, but that was all that caught the son's ear. now from this double point our re", ", you understand, but that was all that caught the son's ear. now from this double point our researc", " understand, but that was all that caught the son's ear. now from this double point our research mus", "rstand, but that was all that caught the son's ear. now from this double point our research must com", "d, but that was all that caught the son's ear. now from this double point our research must commence", "t that was all that caught the son's ear. now from this double point our research must commence, and", "t was all that caught the son's ear. now from this double point our research must commence, and we w", " all that caught the son's ear. now from this double point our research must commence, and we will b", "that caught the son's ear. now from this double point our research must commence, and we will begin ", "caught the son's ear. now from this double point our research must commence, and we will begin it by", "t the son's ear. now from this double point our research must commence, and we will begin it by pres", " son's ear. now from this double point our research must commence, and we will begin it by presuming", 's ear. now from this double point our research must commence, and we will begin it by presuming that', '. now from this double point our research must commence, and we will begin it by presuming that what', ' from this double point our research must commence, and we will begin it by presuming that what the ', ' this double point our research must commence, and we will begin it by presuming that what the lad s', ' double point our research must commence, and we will begin it by presuming that what the lad says i', 'le point our research must commence, and we will begin it by presuming that what the lad says is abs', 'int our research must commence, and we will begin it by presuming that what the lad says is absolute', 'ur research must commence, and we will begin it by presuming that what the lad says is absolutely tr', 'search must commence, and we will begin it by presuming that what the lad says is absolutely true." ', 'h must commence, and we will begin it by presuming that what the lad says is absolutely true." "what', 't commence, and we will begin it by presuming that what the lad says is absolutely true." "what of t', 'mence, and we will begin it by presuming that what the lad says is absolutely true." "what of this \'', ', and we will begin it by presuming that what the lad says is absolutely true." "what of this \'cooee', ' we will begin it by presuming that what the lad says is absolutely true." "what of this \'cooee then', 'ill begin it by presuming that what the lad says is absolutely true." "what of this \'cooee then?" "w', 'egin it by presuming that what the lad says is absolutely true." "what of this \'cooee then?" "well, ', 'it by presuming that what the lad says is absolutely true." "what of this \'cooee then?" "well, obvio', ' presuming that what the lad says is absolutely true." "what of this \'cooee then?" "well, obviously ', 'uming that what the lad says is absolutely true." "what of this \'cooee then?" "well, obviously it co', ' that what the lad says is absolutely true." "what of this \'cooee then?" "well, obviously it could n', ' what the lad says is absolutely true." "what of this \'cooee then?" "well, obviously it could not ha', ' the lad says is absolutely true." "what of this \'cooee then?" "well, obviously it could not have be', 'lad says is absolutely true." "what of this \'cooee then?" "well, obviously it could not have been me', 'ays is absolutely true." "what of this \'cooee then?" "well, obviously it could not have been meant f', 's absolutely true." "what of this \'cooee then?" "well, obviously it could not have been meant for th', 'olutely true." "what of this \'cooee then?" "well, obviously it could not have been meant for the son', 'ly true." "what of this \'cooee then?" "well, obviously it could not have been meant for the son. the', 'ue." "what of this \'cooee then?" "well, obviously it could not have been meant for the son. the son,', '"what of this \'cooee then?" "well, obviously it could not have been meant for the son. the son, as f', ' of this \'cooee then?" "well, obviously it could not have been meant for the son. the son, as far as', 'his \'cooee then?" "well, obviously it could not have been meant for the son. the son, as far as he k', 'cooee then?" "well, obviously it could not have been meant for the son. the son, as far as he knew, ', ' then?" "well, obviously it could not have been meant for the son. the son, as far as he knew, was i', '?" "well, obviously it could not have been meant for the son. the son, as far as he knew, was in bri', 'ell, obviously it could not have been meant for the son. the son, as far as he knew, was in bristol.', 'obviously it could not have been meant for the son. the son, as far as he knew, was in bristol. it w', 'usly it could not have been meant for the son. the son, as far as he knew, was in bristol. it was me', 'it could not have been meant for the son. the son, as far as he knew, was in bristol. it was mere ch', 'uld not have been meant for the son. the son, as far as he knew, was in bristol. it was mere chance ', 'ot have been meant for the son. the son, as far as he knew, was in bristol. it was mere chance that ', 've been meant for the son. the son, as far as he knew, was in bristol. it was mere chance that he wa', 'en meant for the son. the son, as far as he knew, was in bristol. it was mere chance that he was wit', 'ant for the son. the son, as far as he knew, was in bristol. it was mere chance that he was within e', 'or the son. the son, as far as he knew, was in bristol. it was mere chance that he was within earsho', 'e son. the son, as far as he knew, was in bristol. it was mere chance that he was within earshot. th', ". the son, as far as he knew, was in bristol. it was mere chance that he was within earshot. the 'co", " son, as far as he knew, was in bristol. it was mere chance that he was within earshot. the 'cooee w", " as far as he knew, was in bristol. it was mere chance that he was within earshot. the 'cooee was me", "ar as he knew, was in bristol. it was mere chance that he was within earshot. the 'cooee was meant t", " he knew, was in bristol. it was mere chance that he was within earshot. the 'cooee was meant to att", "new, was in bristol. it was mere chance that he was within earshot. the 'cooee was meant to attract ", "was in bristol. it was mere chance that he was within earshot. the 'cooee was meant to attract the a", "n bristol. it was mere chance that he was within earshot. the 'cooee was meant to attract the attent", "stol. it was mere chance that he was within earshot. the 'cooee was meant to attract the attention o", " it was mere chance that he was within earshot. the 'cooee was meant to attract the attention of who", "as mere chance that he was within earshot. the 'cooee was meant to attract the attention of whoever ", "re chance that he was within earshot. the 'cooee was meant to attract the attention of whoever it wa", "ance that he was within earshot. the 'cooee was meant to attract the attention of whoever it was tha", "that he was within earshot. the 'cooee was meant to attract the attention of whoever it was that he ", "he was within earshot. the 'cooee was meant to attract the attention of whoever it was that he had t", "s within earshot. the 'cooee was meant to attract the attention of whoever it was that he had the ap", "hin earshot. the 'cooee was meant to attract the attention of whoever it was that he had the appoint", "arshot. the 'cooee was meant to attract the attention of whoever it was that he had the appointment ", "t. the 'cooee was meant to attract the attention of whoever it was that he had the appointment with.", "e 'cooee was meant to attract the attention of whoever it was that he had the appointment with. but ", "oee was meant to attract the attention of whoever it was that he had the appointment with. but 'cooe", "as meant to attract the attention of whoever it was that he had the appointment with. but 'cooee' is", "ant to attract the attention of whoever it was that he had the appointment with. but 'cooee' is a di", "o attract the attention of whoever it was that he had the appointment with. but 'cooee' is a distinc", "ract the attention of whoever it was that he had the appointment with. but 'cooee' is a distinctly a", "the attention of whoever it was that he had the appointment with. but 'cooee' is a distinctly austra", "ttention of whoever it was that he had the appointment with. but 'cooee' is a distinctly australian ", "ion of whoever it was that he had the appointment with. but 'cooee' is a distinctly australian cry, ", "f whoever it was that he had the appointment with. but 'cooee' is a distinctly australian cry, and o", "ever it was that he had the appointment with. but 'cooee' is a distinctly australian cry, and one wh", "it was that he had the appointment with. but 'cooee' is a distinctly australian cry, and one which i", "s that he had the appointment with. but 'cooee' is a distinctly australian cry, and one which is use", "t he had the appointment with. but 'cooee' is a distinctly australian cry, and one which is used bet", "had the appointment with. but 'cooee' is a distinctly australian cry, and one which is used between ", "he appointment with. but 'cooee' is a distinctly australian cry, and one which is used between austr", "pointment with. but 'cooee' is a distinctly australian cry, and one which is used between australian", "ment with. but 'cooee' is a distinctly australian cry, and one which is used between australians. th", "with. but 'cooee' is a distinctly australian cry, and one which is used between australians. there i", " but 'cooee' is a distinctly australian cry, and one which is used between australians. there is a s", "'cooee' is a distinctly australian cry, and one which is used between australians. there is a strong", "e' is a distinctly australian cry, and one which is used between australians. there is a strong pres", ' a distinctly australian cry, and one which is used between australians. there is a strong presumpti', 'stinctly australian cry, and one which is used between australians. there is a strong presumption th', 'tly australian cry, and one which is used between australians. there is a strong presumption that th', 'ustralian cry, and one which is used between australians. there is a strong presumption that the per', 'lian cry, and one which is used between australians. there is a strong presumption that the person w', 'cry, and one which is used between australians. there is a strong presumption that the person whom m', 'and one which is used between australians. there is a strong presumption that the person whom mccart', 'ne which is used between australians. there is a strong presumption that the person whom mccarthy ex', 'ich is used between australians. there is a strong presumption that the person whom mccarthy expecte', 's used between australians. there is a strong presumption that the person whom mccarthy expected to ', 'd between australians. there is a strong presumption that the person whom mccarthy expected to meet ', 'ween australians. there is a strong presumption that the person whom mccarthy expected to meet him a', 'australians. there is a strong presumption that the person whom mccarthy expected to meet him at bos', 'alians. there is a strong presumption that the person whom mccarthy expected to meet him at boscombe', 's. there is a strong presumption that the person whom mccarthy expected to meet him at boscombe pool', 'ere is a strong presumption that the person whom mccarthy expected to meet him at boscombe pool was ', 's a strong presumption that the person whom mccarthy expected to meet him at boscombe pool was someo', 'trong presumption that the person whom mccarthy expected to meet him at boscombe pool was someone wh', ' presumption that the person whom mccarthy expected to meet him at boscombe pool was someone who had', 'umption that the person whom mccarthy expected to meet him at boscombe pool was someone who had been', 'on that the person whom mccarthy expected to meet him at boscombe pool was someone who had been in a', 'at the person whom mccarthy expected to meet him at boscombe pool was someone who had been in austra', 'e person whom mccarthy expected to meet him at boscombe pool was someone who had been in australia."', 'son whom mccarthy expected to meet him at boscombe pool was someone who had been in australia." "wha', 'hom mccarthy expected to meet him at boscombe pool was someone who had been in australia." "what of ', 'ccarthy expected to meet him at boscombe pool was someone who had been in australia." "what of the r', 'hy expected to meet him at boscombe pool was someone who had been in australia." "what of the rat, t', 'pected to meet him at boscombe pool was someone who had been in australia." "what of the rat, then?"', 'd to meet him at boscombe pool was someone who had been in australia." "what of the rat, then?" sher', 'meet him at boscombe pool was someone who had been in australia." "what of the rat, then?" sherlock ', 'him at boscombe pool was someone who had been in australia." "what of the rat, then?" sherlock holme', 't boscombe pool was someone who had been in australia." "what of the rat, then?" sherlock holmes too', 'combe pool was someone who had been in australia." "what of the rat, then?" sherlock holmes took a f', ' pool was someone who had been in australia." "what of the rat, then?" sherlock holmes took a folded', ' was someone who had been in australia." "what of the rat, then?" sherlock holmes took a folded pape', 'someone who had been in australia." "what of the rat, then?" sherlock holmes took a folded paper fro', 'ne who had been in australia." "what of the rat, then?" sherlock holmes took a folded paper from his', 'o had been in australia." "what of the rat, then?" sherlock holmes took a folded paper from his pock', ' been in australia." "what of the rat, then?" sherlock holmes took a folded paper from his pocket an', ' in australia." "what of the rat, then?" sherlock holmes took a folded paper from his pocket and fla', 'ustralia." "what of the rat, then?" sherlock holmes took a folded paper from his pocket and flattene', 'lia." "what of the rat, then?" sherlock holmes took a folded paper from his pocket and flattened it ', ' "what of the rat, then?" sherlock holmes took a folded paper from his pocket and flattened it out o', 't of the rat, then?" sherlock holmes took a folded paper from his pocket and flattened it out on the', 'the rat, then?" sherlock holmes took a folded paper from his pocket and flattened it out on the tabl', 'at, then?" sherlock holmes took a folded paper from his pocket and flattened it out on the table. "t', 'hen?" sherlock holmes took a folded paper from his pocket and flattened it out on the table. "this i', ' sherlock holmes took a folded paper from his pocket and flattened it out on the table. "this is a m', 'lock holmes took a folded paper from his pocket and flattened it out on the table. "this is a map of', 'holmes took a folded paper from his pocket and flattened it out on the table. "this is a map of the ', 's took a folded paper from his pocket and flattened it out on the table. "this is a map of the colon', 'k a folded paper from his pocket and flattened it out on the table. "this is a map of the colony of ', 'olded paper from his pocket and flattened it out on the table. "this is a map of the colony of victo', ' paper from his pocket and flattened it out on the table. "this is a map of the colony of victoria,"', 'r from his pocket and flattened it out on the table. "this is a map of the colony of victoria," he s', 'm his pocket and flattened it out on the table. "this is a map of the colony of victoria," he said. ', ' pocket and flattened it out on the table. "this is a map of the colony of victoria," he said. "i wi', 'et and flattened it out on the table. "this is a map of the colony of victoria," he said. "i wired t', 'd flattened it out on the table. "this is a map of the colony of victoria," he said. "i wired to bri', 'ttened it out on the table. "this is a map of the colony of victoria," he said. "i wired to bristol ', 'd it out on the table. "this is a map of the colony of victoria," he said. "i wired to bristol for i', 'out on the table. "this is a map of the colony of victoria," he said. "i wired to bristol for it las', 'n the table. "this is a map of the colony of victoria," he said. "i wired to bristol for it last nig', ' table. "this is a map of the colony of victoria," he said. "i wired to bristol for it last night." ', 'e. "this is a map of the colony of victoria," he said. "i wired to bristol for it last night." he pu', 'his is a map of the colony of victoria," he said. "i wired to bristol for it last night." he put his', 's a map of the colony of victoria," he said. "i wired to bristol for it last night." he put his hand', 'ap of the colony of victoria," he said. "i wired to bristol for it last night." he put his hand over', ' the colony of victoria," he said. "i wired to bristol for it last night." he put his hand over part', 'colony of victoria," he said. "i wired to bristol for it last night." he put his hand over part of t', 'y of victoria," he said. "i wired to bristol for it last night." he put his hand over part of the ma', 'victoria," he said. "i wired to bristol for it last night." he put his hand over part of the map. "w', 'ria," he said. "i wired to bristol for it last night." he put his hand over part of the map. "what d', ' he said. "i wired to bristol for it last night." he put his hand over part of the map. "what do you', 'aid. "i wired to bristol for it last night." he put his hand over part of the map. "what do you read', '"i wired to bristol for it last night." he put his hand over part of the map. "what do you read?" "a', 'red to bristol for it last night." he put his hand over part of the map. "what do you read?" "arat,"', 'o bristol for it last night." he put his hand over part of the map. "what do you read?" "arat," i re', 'stol for it last night." he put his hand over part of the map. "what do you read?" "arat," i read. "', 'for it last night." he put his hand over part of the map. "what do you read?" "arat," i read. "and n', 't last night." he put his hand over part of the map. "what do you read?" "arat," i read. "and now?" ', 't night." he put his hand over part of the map. "what do you read?" "arat," i read. "and now?" he ra', 'ht." he put his hand over part of the map. "what do you read?" "arat," i read. "and now?" he raised ', 'he put his hand over part of the map. "what do you read?" "arat," i read. "and now?" he raised his h', 't his hand over part of the map. "what do you read?" "arat," i read. "and now?" he raised his hand. ', ' hand over part of the map. "what do you read?" "arat," i read. "and now?" he raised his hand. "ball', ' over part of the map. "what do you read?" "arat," i read. "and now?" he raised his hand. "ballarat.', ' part of the map. "what do you read?" "arat," i read. "and now?" he raised his hand. "ballarat." "qu', ' of the map. "what do you read?" "arat," i read. "and now?" he raised his hand. "ballarat." "quite s', 'he map. "what do you read?" "arat," i read. "and now?" he raised his hand. "ballarat." "quite so. th', 'p. "what do you read?" "arat," i read. "and now?" he raised his hand. "ballarat." "quite so. that wa', 'hat do you read?" "arat," i read. "and now?" he raised his hand. "ballarat." "quite so. that was the', 'o you read?" "arat," i read. "and now?" he raised his hand. "ballarat." "quite so. that was the word', ' read?" "arat," i read. "and now?" he raised his hand. "ballarat." "quite so. that was the word the ', '?" "arat," i read. "and now?" he raised his hand. "ballarat." "quite so. that was the word the man u', 'rat," i read. "and now?" he raised his hand. "ballarat." "quite so. that was the word the man uttere', ' i read. "and now?" he raised his hand. "ballarat." "quite so. that was the word the man uttered, an', 'ad. "and now?" he raised his hand. "ballarat." "quite so. that was the word the man uttered, and of ', 'and now?" he raised his hand. "ballarat." "quite so. that was the word the man uttered, and of which', 'ow?" he raised his hand. "ballarat." "quite so. that was the word the man uttered, and of which his ', 'he raised his hand. "ballarat." "quite so. that was the word the man uttered, and of which his son o', 'ised his hand. "ballarat." "quite so. that was the word the man uttered, and of which his son only c', 'his hand. "ballarat." "quite so. that was the word the man uttered, and of which his son only caught', 'and. "ballarat." "quite so. that was the word the man uttered, and of which his son only caught the ', '"ballarat." "quite so. that was the word the man uttered, and of which his son only caught the last ', 'arat." "quite so. that was the word the man uttered, and of which his son only caught the last two s', '" "quite so. that was the word the man uttered, and of which his son only caught the last two syllab', 'ite so. that was the word the man uttered, and of which his son only caught the last two syllables. ', 'o. that was the word the man uttered, and of which his son only caught the last two syllables. he wa', 'at was the word the man uttered, and of which his son only caught the last two syllables. he was try', 's the word the man uttered, and of which his son only caught the last two syllables. he was trying t', ' word the man uttered, and of which his son only caught the last two syllables. he was trying to utt', ' the man uttered, and of which his son only caught the last two syllables. he was trying to utter th', 'man uttered, and of which his son only caught the last two syllables. he was trying to utter the nam', 'ttered, and of which his son only caught the last two syllables. he was trying to utter the name of ', 'd, and of which his son only caught the last two syllables. he was trying to utter the name of his m', 'd of which his son only caught the last two syllables. he was trying to utter the name of his murder', 'which his son only caught the last two syllables. he was trying to utter the name of his murderer. s', ' his son only caught the last two syllables. he was trying to utter the name of his murderer. so and', 'son only caught the last two syllables. he was trying to utter the name of his murderer. so and so, ', 'nly caught the last two syllables. he was trying to utter the name of his murderer. so and so, of ba', 'aught the last two syllables. he was trying to utter the name of his murderer. so and so, of ballara', ' the last two syllables. he was trying to utter the name of his murderer. so and so, of ballarat." "', 'last two syllables. he was trying to utter the name of his murderer. so and so, of ballarat." "it is', 'two syllables. he was trying to utter the name of his murderer. so and so, of ballarat." "it is wond', 'yllables. he was trying to utter the name of his murderer. so and so, of ballarat." "it is wonderful', 'les. he was trying to utter the name of his murderer. so and so, of ballarat." "it is wonderful i ex', 'he was trying to utter the name of his murderer. so and so, of ballarat." "it is wonderful i exclaim', 's trying to utter the name of his murderer. so and so, of ballarat." "it is wonderful i exclaimed. "', 'ing to utter the name of his murderer. so and so, of ballarat." "it is wonderful i exclaimed. "it is', 'o utter the name of his murderer. so and so, of ballarat." "it is wonderful i exclaimed. "it is obvi', 'er the name of his murderer. so and so, of ballarat." "it is wonderful i exclaimed. "it is obvious. ', 'e name of his murderer. so and so, of ballarat." "it is wonderful i exclaimed. "it is obvious. and n', 'e of his murderer. so and so, of ballarat." "it is wonderful i exclaimed. "it is obvious. and now, y', 'his murderer. so and so, of ballarat." "it is wonderful i exclaimed. "it is obvious. and now, you se', 'urderer. so and so, of ballarat." "it is wonderful i exclaimed. "it is obvious. and now, you see, i ', 'er. so and so, of ballarat." "it is wonderful i exclaimed. "it is obvious. and now, you see, i had n', 'o and so, of ballarat." "it is wonderful i exclaimed. "it is obvious. and now, you see, i had narrow', ' so, of ballarat." "it is wonderful i exclaimed. "it is obvious. and now, you see, i had narrowed th', 'of ballarat." "it is wonderful i exclaimed. "it is obvious. and now, you see, i had narrowed the fie', 'llarat." "it is wonderful i exclaimed. "it is obvious. and now, you see, i had narrowed the field do', 't." "it is wonderful i exclaimed. "it is obvious. and now, you see, i had narrowed the field down co', 'it is wonderful i exclaimed. "it is obvious. and now, you see, i had narrowed the field down conside', ' wonderful i exclaimed. "it is obvious. and now, you see, i had narrowed the field down considerably', 'erful i exclaimed. "it is obvious. and now, you see, i had narrowed the field down considerably. the', ' i exclaimed. "it is obvious. and now, you see, i had narrowed the field down considerably. the poss', 'claimed. "it is obvious. and now, you see, i had narrowed the field down considerably. the possessio', 'ed. "it is obvious. and now, you see, i had narrowed the field down considerably. the possession of ', 'it is obvious. and now, you see, i had narrowed the field down considerably. the possession of a gre', ' obvious. and now, you see, i had narrowed the field down considerably. the possession of a grey gar', 'ous. and now, you see, i had narrowed the field down considerably. the possession of a grey garment ', 'and now, you see, i had narrowed the field down considerably. the possession of a grey garment was a', 'ow, you see, i had narrowed the field down considerably. the possession of a grey garment was a thir', 'ou see, i had narrowed the field down considerably. the possession of a grey garment was a third poi', 'e, i had narrowed the field down considerably. the possession of a grey garment was a third point wh', 'had narrowed the field down considerably. the possession of a grey garment was a third point which, ', 'arrowed the field down considerably. the possession of a grey garment was a third point which, grant', 'ed the field down considerably. the possession of a grey garment was a third point which, granting t', 'e field down considerably. the possession of a grey garment was a third point which, granting the so', "ld down considerably. the possession of a grey garment was a third point which, granting the son's s", "wn considerably. the possession of a grey garment was a third point which, granting the son's statem", "nsiderably. the possession of a grey garment was a third point which, granting the son's statement t", "rably. the possession of a grey garment was a third point which, granting the son's statement to be ", ". the possession of a grey garment was a third point which, granting the son's statement to be corre", " possession of a grey garment was a third point which, granting the son's statement to be correct, w", "ession of a grey garment was a third point which, granting the son's statement to be correct, was a ", "n of a grey garment was a third point which, granting the son's statement to be correct, was a certa", "a grey garment was a third point which, granting the son's statement to be correct, was a certainty.", "y garment was a third point which, granting the son's statement to be correct, was a certainty. we h", "ment was a third point which, granting the son's statement to be correct, was a certainty. we have c", "was a third point which, granting the son's statement to be correct, was a certainty. we have come n", " third point which, granting the son's statement to be correct, was a certainty. we have come now ou", "d point which, granting the son's statement to be correct, was a certainty. we have come now out of ", "nt which, granting the son's statement to be correct, was a certainty. we have come now out of mere ", "ich, granting the son's statement to be correct, was a certainty. we have come now out of mere vague", "granting the son's statement to be correct, was a certainty. we have come now out of mere vagueness ", "ing the son's statement to be correct, was a certainty. we have come now out of mere vagueness to th", "he son's statement to be correct, was a certainty. we have come now out of mere vagueness to the def", "n's statement to be correct, was a certainty. we have come now out of mere vagueness to the definite", 'tatement to be correct, was a certainty. we have come now out of mere vagueness to the definite conc', 'ent to be correct, was a certainty. we have come now out of mere vagueness to the definite conceptio', 'o be correct, was a certainty. we have come now out of mere vagueness to the definite conception of ', 'correct, was a certainty. we have come now out of mere vagueness to the definite conception of an au', 'ct, was a certainty. we have come now out of mere vagueness to the definite conception of an austral', 'as a certainty. we have come now out of mere vagueness to the definite conception of an australian f', 'certainty. we have come now out of mere vagueness to the definite conception of an australian from b', 'inty. we have come now out of mere vagueness to the definite conception of an australian from ballar', ' we have come now out of mere vagueness to the definite conception of an australian from ballarat wi', 'ave come now out of mere vagueness to the definite conception of an australian from ballarat with a ', 'ome now out of mere vagueness to the definite conception of an australian from ballarat with a grey ', 'ow out of mere vagueness to the definite conception of an australian from ballarat with a grey cloak', 't of mere vagueness to the definite conception of an australian from ballarat with a grey cloak." "c', 'mere vagueness to the definite conception of an australian from ballarat with a grey cloak." "certai', 'vagueness to the definite conception of an australian from ballarat with a grey cloak." "certainly."', 'ness to the definite conception of an australian from ballarat with a grey cloak." "certainly." "and', 'to the definite conception of an australian from ballarat with a grey cloak." "certainly." "and one ', 'e definite conception of an australian from ballarat with a grey cloak." "certainly." "and one who w', 'inite conception of an australian from ballarat with a grey cloak." "certainly." "and one who was at', ' conception of an australian from ballarat with a grey cloak." "certainly." "and one who was at home', 'eption of an australian from ballarat with a grey cloak." "certainly." "and one who was at home in t', 'n of an australian from ballarat with a grey cloak." "certainly." "and one who was at home in the di', 'an australian from ballarat with a grey cloak." "certainly." "and one who was at home in the distric', 'stralian from ballarat with a grey cloak." "certainly." "and one who was at home in the district, fo', 'ian from ballarat with a grey cloak." "certainly." "and one who was at home in the district, for the', 'rom ballarat with a grey cloak." "certainly." "and one who was at home in the district, for the pool', 'allarat with a grey cloak." "certainly." "and one who was at home in the district, for the pool can ', 'at with a grey cloak." "certainly." "and one who was at home in the district, for the pool can only ', 'th a grey cloak." "certainly." "and one who was at home in the district, for the pool can only be ap', 'grey cloak." "certainly." "and one who was at home in the district, for the pool can only be approac', 'cloak." "certainly." "and one who was at home in the district, for the pool can only be approached b', '." "certainly." "and one who was at home in the district, for the pool can only be approached by the', 'ertainly." "and one who was at home in the district, for the pool can only be approached by the farm', 'nly." "and one who was at home in the district, for the pool can only be approached by the farm or b', ' "and one who was at home in the district, for the pool can only be approached by the farm or by the', ' one who was at home in the district, for the pool can only be approached by the farm or by the esta', 'who was at home in the district, for the pool can only be approached by the farm or by the estate, w', 'as at home in the district, for the pool can only be approached by the farm or by the estate, where ', ' home in the district, for the pool can only be approached by the farm or by the estate, where stran', ' in the district, for the pool can only be approached by the farm or by the estate, where strangers ', 'he district, for the pool can only be approached by the farm or by the estate, where strangers could', 'strict, for the pool can only be approached by the farm or by the estate, where strangers could hard', 't, for the pool can only be approached by the farm or by the estate, where strangers could hardly wa', 'r the pool can only be approached by the farm or by the estate, where strangers could hardly wander.', ' pool can only be approached by the farm or by the estate, where strangers could hardly wander." "qu', ' can only be approached by the farm or by the estate, where strangers could hardly wander." "quite s', 'only be approached by the farm or by the estate, where strangers could hardly wander." "quite so." "', 'be approached by the farm or by the estate, where strangers could hardly wander." "quite so." "then ', 'proached by the farm or by the estate, where strangers could hardly wander." "quite so." "then comes', 'hed by the farm or by the estate, where strangers could hardly wander." "quite so." "then comes our ', 'y the farm or by the estate, where strangers could hardly wander." "quite so." "then comes our exped', ' farm or by the estate, where strangers could hardly wander." "quite so." "then comes our expedition', ' or by the estate, where strangers could hardly wander." "quite so." "then comes our expedition of t', 'y the estate, where strangers could hardly wander." "quite so." "then comes our expedition of to-day', ' estate, where strangers could hardly wander." "quite so." "then comes our expedition of to-day. by ', 'te, where strangers could hardly wander." "quite so." "then comes our expedition of to-day. by an ex', 'here strangers could hardly wander." "quite so." "then comes our expedition of to-day. by an examina', 'strangers could hardly wander." "quite so." "then comes our expedition of to-day. by an examination ', 'gers could hardly wander." "quite so." "then comes our expedition of to-day. by an examination of th', 'could hardly wander." "quite so." "then comes our expedition of to-day. by an examination of the gro', ' hardly wander." "quite so." "then comes our expedition of to-day. by an examination of the ground i', 'ly wander." "quite so." "then comes our expedition of to-day. by an examination of the ground i gain', 'nder." "quite so." "then comes our expedition of to-day. by an examination of the ground i gained th', '" "quite so." "then comes our expedition of to-day. by an examination of the ground i gained the tri', 'ite so." "then comes our expedition of to-day. by an examination of the ground i gained the trifling', 'o." "then comes our expedition of to-day. by an examination of the ground i gained the trifling deta', 'then comes our expedition of to-day. by an examination of the ground i gained the trifling details w', 'comes our expedition of to-day. by an examination of the ground i gained the trifling details which ', ' our expedition of to-day. by an examination of the ground i gained the trifling details which i gav', 'expedition of to-day. by an examination of the ground i gained the trifling details which i gave to ', 'ition of to-day. by an examination of the ground i gained the trifling details which i gave to that ', ' of to-day. by an examination of the ground i gained the trifling details which i gave to that imbec', 'o-day. by an examination of the ground i gained the trifling details which i gave to that imbecile l', '. by an examination of the ground i gained the trifling details which i gave to that imbecile lestra', 'an examination of the ground i gained the trifling details which i gave to that imbecile lestrade, a', 'amination of the ground i gained the trifling details which i gave to that imbecile lestrade, as to ', 'tion of the ground i gained the trifling details which i gave to that imbecile lestrade, as to the p', 'of the ground i gained the trifling details which i gave to that imbecile lestrade, as to the person', 'e ground i gained the trifling details which i gave to that imbecile lestrade, as to the personality', 'und i gained the trifling details which i gave to that imbecile lestrade, as to the personality of t', ' gained the trifling details which i gave to that imbecile lestrade, as to the personality of the cr', 'ed the trifling details which i gave to that imbecile lestrade, as to the personality of the crimina', 'e trifling details which i gave to that imbecile lestrade, as to the personality of the criminal." "', 'fling details which i gave to that imbecile lestrade, as to the personality of the criminal." "but h', ' details which i gave to that imbecile lestrade, as to the personality of the criminal." "but how di', 'ils which i gave to that imbecile lestrade, as to the personality of the criminal." "but how did you', 'hich i gave to that imbecile lestrade, as to the personality of the criminal." "but how did you gain', 'i gave to that imbecile lestrade, as to the personality of the criminal." "but how did you gain them', 'e to that imbecile lestrade, as to the personality of the criminal." "but how did you gain them?" "y', 'that imbecile lestrade, as to the personality of the criminal." "but how did you gain them?" "you kn', 'imbecile lestrade, as to the personality of the criminal." "but how did you gain them?" "you know my', 'ile lestrade, as to the personality of the criminal." "but how did you gain them?" "you know my meth', 'estrade, as to the personality of the criminal." "but how did you gain them?" "you know my method. i', 'de, as to the personality of the criminal." "but how did you gain them?" "you know my method. it is ', 's to the personality of the criminal." "but how did you gain them?" "you know my method. it is found', 'the personality of the criminal." "but how did you gain them?" "you know my method. it is founded up', 'ersonality of the criminal." "but how did you gain them?" "you know my method. it is founded upon th', 'ality of the criminal." "but how did you gain them?" "you know my method. it is founded upon the obs', ' of the criminal." "but how did you gain them?" "you know my method. it is founded upon the observat', 'he criminal." "but how did you gain them?" "you know my method. it is founded upon the observation o', 'iminal." "but how did you gain them?" "you know my method. it is founded upon the observation of tri', 'l." "but how did you gain them?" "you know my method. it is founded upon the observation of trifles.', 'but how did you gain them?" "you know my method. it is founded upon the observation of trifles." "hi', 'ow did you gain them?" "you know my method. it is founded upon the observation of trifles." "his hei', 'd you gain them?" "you know my method. it is founded upon the observation of trifles." "his height i', ' gain them?" "you know my method. it is founded upon the observation of trifles." "his height i know', ' them?" "you know my method. it is founded upon the observation of trifles." "his height i know that', '?" "you know my method. it is founded upon the observation of trifles." "his height i know that you ', 'ou know my method. it is founded upon the observation of trifles." "his height i know that you might', 'ow my method. it is founded upon the observation of trifles." "his height i know that you might roug', ' method. it is founded upon the observation of trifles." "his height i know that you might roughly j', 'od. it is founded upon the observation of trifles." "his height i know that you might roughly judge ', 't is founded upon the observation of trifles." "his height i know that you might roughly judge from ', 'founded upon the observation of trifles." "his height i know that you might roughly judge from the l', 'ed upon the observation of trifles." "his height i know that you might roughly judge from the length', 'on the observation of trifles." "his height i know that you might roughly judge from the length of h', 'e observation of trifles." "his height i know that you might roughly judge from the length of his st', 'ervation of trifles." "his height i know that you might roughly judge from the length of his stride.', 'ion of trifles." "his height i know that you might roughly judge from the length of his stride. his ', 'f trifles." "his height i know that you might roughly judge from the length of his stride. his boots', 'fles." "his height i know that you might roughly judge from the length of his stride. his boots, too', '" "his height i know that you might roughly judge from the length of his stride. his boots, too, mig', 's height i know that you might roughly judge from the length of his stride. his boots, too, might be', 'ght i know that you might roughly judge from the length of his stride. his boots, too, might be told', ' know that you might roughly judge from the length of his stride. his boots, too, might be told from', ' that you might roughly judge from the length of his stride. his boots, too, might be told from thei', ' you might roughly judge from the length of his stride. his boots, too, might be told from their tra', 'might roughly judge from the length of his stride. his boots, too, might be told from their traces."', ' roughly judge from the length of his stride. his boots, too, might be told from their traces." "yes', 'hly judge from the length of his stride. his boots, too, might be told from their traces." "yes, the', 'udge from the length of his stride. his boots, too, might be told from their traces." "yes, they wer', 'from the length of his stride. his boots, too, might be told from their traces." "yes, they were pec', 'the length of his stride. his boots, too, might be told from their traces." "yes, they were peculiar', 'ength of his stride. his boots, too, might be told from their traces." "yes, they were peculiar boot', ' of his stride. his boots, too, might be told from their traces." "yes, they were peculiar boots." "', 'is stride. his boots, too, might be told from their traces." "yes, they were peculiar boots." "but h', 'ride. his boots, too, might be told from their traces." "yes, they were peculiar boots." "but his la', ' his boots, too, might be told from their traces." "yes, they were peculiar boots." "but his lamenes', 'boots, too, might be told from their traces." "yes, they were peculiar boots." "but his lameness?" "', ', too, might be told from their traces." "yes, they were peculiar boots." "but his lameness?" "the i', ', might be told from their traces." "yes, they were peculiar boots." "but his lameness?" "the impres', 'ht be told from their traces." "yes, they were peculiar boots." "but his lameness?" "the impression ', ' told from their traces." "yes, they were peculiar boots." "but his lameness?" "the impression of hi', ' from their traces." "yes, they were peculiar boots." "but his lameness?" "the impression of his rig', ' their traces." "yes, they were peculiar boots." "but his lameness?" "the impression of his right fo', 'r traces." "yes, they were peculiar boots." "but his lameness?" "the impression of his right foot wa', 'ces." "yes, they were peculiar boots." "but his lameness?" "the impression of his right foot was alw', ' "yes, they were peculiar boots." "but his lameness?" "the impression of his right foot was always l', ', they were peculiar boots." "but his lameness?" "the impression of his right foot was always less d', 'y were peculiar boots." "but his lameness?" "the impression of his right foot was always less distin', 'e peculiar boots." "but his lameness?" "the impression of his right foot was always less distinct th', 'uliar boots." "but his lameness?" "the impression of his right foot was always less distinct than hi', ' boots." "but his lameness?" "the impression of his right foot was always less distinct than his lef', 's." "but his lameness?" "the impression of his right foot was always less distinct than his left. he', 'but his lameness?" "the impression of his right foot was always less distinct than his left. he put ', 'is lameness?" "the impression of his right foot was always less distinct than his left. he put less ', 'meness?" "the impression of his right foot was always less distinct than his left. he put less weigh', 's?" "the impression of his right foot was always less distinct than his left. he put less weight upo', 'the impression of his right foot was always less distinct than his left. he put less weight upon it.', 'mpression of his right foot was always less distinct than his left. he put less weight upon it. why?', 'sion of his right foot was always less distinct than his left. he put less weight upon it. why? beca', 'of his right foot was always less distinct than his left. he put less weight upon it. why? because h', 's right foot was always less distinct than his left. he put less weight upon it. why? because he lim', 'ht foot was always less distinct than his left. he put less weight upon it. why? because he limpedhe', 'ot was always less distinct than his left. he put less weight upon it. why? because he limpedhe was ', 's always less distinct than his left. he put less weight upon it. why? because he limpedhe was lame.', 'ays less distinct than his left. he put less weight upon it. why? because he limpedhe was lame." "bu', 'ess distinct than his left. he put less weight upon it. why? because he limpedhe was lame." "but his', 'istinct than his left. he put less weight upon it. why? because he limpedhe was lame." "but his left', 'ct than his left. he put less weight upon it. why? because he limpedhe was lame." "but his left-hand', 'an his left. he put less weight upon it. why? because he limpedhe was lame." "but his left-handednes', 's left. he put less weight upon it. why? because he limpedhe was lame." "but his left-handedness." "', 't. he put less weight upon it. why? because he limpedhe was lame." "but his left-handedness." "you w', ' put less weight upon it. why? because he limpedhe was lame." "but his left-handedness." "you were y', 'less weight upon it. why? because he limpedhe was lame." "but his left-handedness." "you were yourse', 'weight upon it. why? because he limpedhe was lame." "but his left-handedness." "you were yourself st', 't upon it. why? because he limpedhe was lame." "but his left-handedness." "you were yourself struck ', 'n it. why? because he limpedhe was lame." "but his left-handedness." "you were yourself struck by th', ' why? because he limpedhe was lame." "but his left-handedness." "you were yourself struck by the nat', ' because he limpedhe was lame." "but his left-handedness." "you were yourself struck by the nature o', 'use he limpedhe was lame." "but his left-handedness." "you were yourself struck by the nature of the', 'e limpedhe was lame." "but his left-handedness." "you were yourself struck by the nature of the inju', 'pedhe was lame." "but his left-handedness." "you were yourself struck by the nature of the injury as', ' was lame." "but his left-handedness." "you were yourself struck by the nature of the injury as reco', 'lame." "but his left-handedness." "you were yourself struck by the nature of the injury as recorded ', '" "but his left-handedness." "you were yourself struck by the nature of the injury as recorded by th', 't his left-handedness." "you were yourself struck by the nature of the injury as recorded by the sur', ' left-handedness." "you were yourself struck by the nature of the injury as recorded by the surgeon ', '-handedness." "you were yourself struck by the nature of the injury as recorded by the surgeon at th', 'edness." "you were yourself struck by the nature of the injury as recorded by the surgeon at the inq', 's." "you were yourself struck by the nature of the injury as recorded by the surgeon at the inquest.', 'you were yourself struck by the nature of the injury as recorded by the surgeon at the inquest. the ', 'ere yourself struck by the nature of the injury as recorded by the surgeon at the inquest. the blow ', 'ourself struck by the nature of the injury as recorded by the surgeon at the inquest. the blow was s', 'lf struck by the nature of the injury as recorded by the surgeon at the inquest. the blow was struck', 'ruck by the nature of the injury as recorded by the surgeon at the inquest. the blow was struck from', 'by the nature of the injury as recorded by the surgeon at the inquest. the blow was struck from imme', 'e nature of the injury as recorded by the surgeon at the inquest. the blow was struck from immediate', 'ure of the injury as recorded by the surgeon at the inquest. the blow was struck from immediately be', 'f the injury as recorded by the surgeon at the inquest. the blow was struck from immediately behind,', ' injury as recorded by the surgeon at the inquest. the blow was struck from immediately behind, and ', 'ry as recorded by the surgeon at the inquest. the blow was struck from immediately behind, and yet w', ' recorded by the surgeon at the inquest. the blow was struck from immediately behind, and yet was up', 'rded by the surgeon at the inquest. the blow was struck from immediately behind, and yet was upon th', 'by the surgeon at the inquest. the blow was struck from immediately behind, and yet was upon the lef', 'e surgeon at the inquest. the blow was struck from immediately behind, and yet was upon the left sid', 'geon at the inquest. the blow was struck from immediately behind, and yet was upon the left side. no', 'at the inquest. the blow was struck from immediately behind, and yet was upon the left side. now, ho', 'e inquest. the blow was struck from immediately behind, and yet was upon the left side. now, how can', 'uest. the blow was struck from immediately behind, and yet was upon the left side. now, how can that', ' the blow was struck from immediately behind, and yet was upon the left side. now, how can that be u', 'blow was struck from immediately behind, and yet was upon the left side. now, how can that be unless', 'was struck from immediately behind, and yet was upon the left side. now, how can that be unless it w', 'truck from immediately behind, and yet was upon the left side. now, how can that be unless it were b', ' from immediately behind, and yet was upon the left side. now, how can that be unless it were by a l', ' immediately behind, and yet was upon the left side. now, how can that be unless it were by a left-h', 'diately behind, and yet was upon the left side. now, how can that be unless it were by a left-handed', 'ly behind, and yet was upon the left side. now, how can that be unless it were by a left-handed man?', 'hind, and yet was upon the left side. now, how can that be unless it were by a left-handed man? he h', ' and yet was upon the left side. now, how can that be unless it were by a left-handed man? he had st', 'yet was upon the left side. now, how can that be unless it were by a left-handed man? he had stood b', 'as upon the left side. now, how can that be unless it were by a left-handed man? he had stood behind', 'on the left side. now, how can that be unless it were by a left-handed man? he had stood behind that', 'e left side. now, how can that be unless it were by a left-handed man? he had stood behind that tree', 't side. now, how can that be unless it were by a left-handed man? he had stood behind that tree duri', 'e. now, how can that be unless it were by a left-handed man? he had stood behind that tree during th', 'w, how can that be unless it were by a left-handed man? he had stood behind that tree during the int', 'w can that be unless it were by a left-handed man? he had stood behind that tree during the intervie', ' that be unless it were by a left-handed man? he had stood behind that tree during the interview bet', ' be unless it were by a left-handed man? he had stood behind that tree during the interview between ', 'nless it were by a left-handed man? he had stood behind that tree during the interview between the f', ' it were by a left-handed man? he had stood behind that tree during the interview between the father', 'ere by a left-handed man? he had stood behind that tree during the interview between the father and ', 'y a left-handed man? he had stood behind that tree during the interview between the father and son. ', 'eft-handed man? he had stood behind that tree during the interview between the father and son. he ha', 'anded man? he had stood behind that tree during the interview between the father and son. he had eve', ' man? he had stood behind that tree during the interview between the father and son. he had even smo', ' he had stood behind that tree during the interview between the father and son. he had even smoked t', 'ad stood behind that tree during the interview between the father and son. he had even smoked there.', 'ood behind that tree during the interview between the father and son. he had even smoked there. i fo', 'ehind that tree during the interview between the father and son. he had even smoked there. i found t', ' that tree during the interview between the father and son. he had even smoked there. i found the as', ' tree during the interview between the father and son. he had even smoked there. i found the ash of ', ' during the interview between the father and son. he had even smoked there. i found the ash of a cig', 'ng the interview between the father and son. he had even smoked there. i found the ash of a cigar, w', 'e interview between the father and son. he had even smoked there. i found the ash of a cigar, which ', 'erview between the father and son. he had even smoked there. i found the ash of a cigar, which my sp', 'w between the father and son. he had even smoked there. i found the ash of a cigar, which my special', 'ween the father and son. he had even smoked there. i found the ash of a cigar, which my special know', 'the father and son. he had even smoked there. i found the ash of a cigar, which my special knowledge', 'ather and son. he had even smoked there. i found the ash of a cigar, which my special knowledge of t', ' and son. he had even smoked there. i found the ash of a cigar, which my special knowledge of tobacc', 'son. he had even smoked there. i found the ash of a cigar, which my special knowledge of tobacco ash', 'he had even smoked there. i found the ash of a cigar, which my special knowledge of tobacco ashes en', 'd even smoked there. i found the ash of a cigar, which my special knowledge of tobacco ashes enables', 'n smoked there. i found the ash of a cigar, which my special knowledge of tobacco ashes enables me t', 'ked there. i found the ash of a cigar, which my special knowledge of tobacco ashes enables me to pro', 'here. i found the ash of a cigar, which my special knowledge of tobacco ashes enables me to pronounc', ' i found the ash of a cigar, which my special knowledge of tobacco ashes enables me to pronounce as ', 'und the ash of a cigar, which my special knowledge of tobacco ashes enables me to pronounce as an in', 'he ash of a cigar, which my special knowledge of tobacco ashes enables me to pronounce as an indian ', 'h of a cigar, which my special knowledge of tobacco ashes enables me to pronounce as an indian cigar', 'a cigar, which my special knowledge of tobacco ashes enables me to pronounce as an indian cigar. i h', 'ar, which my special knowledge of tobacco ashes enables me to pronounce as an indian cigar. i have, ', 'hich my special knowledge of tobacco ashes enables me to pronounce as an indian cigar. i have, as yo', 'my special knowledge of tobacco ashes enables me to pronounce as an indian cigar. i have, as you kno', 'ecial knowledge of tobacco ashes enables me to pronounce as an indian cigar. i have, as you know, de', ' knowledge of tobacco ashes enables me to pronounce as an indian cigar. i have, as you know, devoted', 'ledge of tobacco ashes enables me to pronounce as an indian cigar. i have, as you know, devoted some', ' of tobacco ashes enables me to pronounce as an indian cigar. i have, as you know, devoted some atte', 'obacco ashes enables me to pronounce as an indian cigar. i have, as you know, devoted some attention', 'o ashes enables me to pronounce as an indian cigar. i have, as you know, devoted some attention to t', 'es enables me to pronounce as an indian cigar. i have, as you know, devoted some attention to this, ', 'ables me to pronounce as an indian cigar. i have, as you know, devoted some attention to this, and w', ' me to pronounce as an indian cigar. i have, as you know, devoted some attention to this, and writte', 'o pronounce as an indian cigar. i have, as you know, devoted some attention to this, and written a l', 'nounce as an indian cigar. i have, as you know, devoted some attention to this, and written a little', 'e as an indian cigar. i have, as you know, devoted some attention to this, and written a little mono', 'an indian cigar. i have, as you know, devoted some attention to this, and written a little monograph', 'dian cigar. i have, as you know, devoted some attention to this, and written a little monograph on t', 'cigar. i have, as you know, devoted some attention to this, and written a little monograph on the as', '. i have, as you know, devoted some attention to this, and written a little monograph on the ashes o', 'ave, as you know, devoted some attention to this, and written a little monograph on the ashes of d', 'as you know, devoted some attention to this, and written a little monograph on the ashes of differ', 'u know, devoted some attention to this, and written a little monograph on the ashes of different v', 'w, devoted some attention to this, and written a little monograph on the ashes of different variet', 'voted some attention to this, and written a little monograph on the ashes of different varieties o', ' some attention to this, and written a little monograph on the ashes of different varieties of pip', ' attention to this, and written a little monograph on the ashes of different varieties of pipe, ci', 'ntion to this, and written a little monograph on the ashes of different varieties of pipe, cigar, ', ' to this, and written a little monograph on the ashes of different varieties of pipe, cigar, and c', 'his, and written a little monograph on the ashes of different varieties of pipe, cigar, and cigare', 'and written a little monograph on the ashes of different varieties of pipe, cigar, and cigarette t', 'ritten a little monograph on the ashes of different varieties of pipe, cigar, and cigarette tobacc', 'n a little monograph on the ashes of different varieties of pipe, cigar, and cigarette tobacco. ha', 'ittle monograph on the ashes of different varieties of pipe, cigar, and cigarette tobacco. having ', ' monograph on the ashes of different varieties of pipe, cigar, and cigarette tobacco. having found', 'graph on the ashes of different varieties of pipe, cigar, and cigarette tobacco. having found the ', ' on the ashes of different varieties of pipe, cigar, and cigarette tobacco. having found the ash, ', 'he ashes of different varieties of pipe, cigar, and cigarette tobacco. having found the ash, i the', 'hes of different varieties of pipe, cigar, and cigarette tobacco. having found the ash, i then loo', 'f different varieties of pipe, cigar, and cigarette tobacco. having found the ash, i then looked r', 'ifferent varieties of pipe, cigar, and cigarette tobacco. having found the ash, i then looked round ', 'ent varieties of pipe, cigar, and cigarette tobacco. having found the ash, i then looked round and d', 'arieties of pipe, cigar, and cigarette tobacco. having found the ash, i then looked round and discov', 'ies of pipe, cigar, and cigarette tobacco. having found the ash, i then looked round and discovered ', 'f pipe, cigar, and cigarette tobacco. having found the ash, i then looked round and discovered the s', 'e, cigar, and cigarette tobacco. having found the ash, i then looked round and discovered the stump ', 'gar, and cigarette tobacco. having found the ash, i then looked round and discovered the stump among', 'and cigarette tobacco. having found the ash, i then looked round and discovered the stump among the ', 'igarette tobacco. having found the ash, i then looked round and discovered the stump among the moss ', 'tte tobacco. having found the ash, i then looked round and discovered the stump among the moss where', 'obacco. having found the ash, i then looked round and discovered the stump among the moss where he h', 'o. having found the ash, i then looked round and discovered the stump among the moss where he had to', 'ving found the ash, i then looked round and discovered the stump among the moss where he had tossed ', 'found the ash, i then looked round and discovered the stump among the moss where he had tossed it. i', ' the ash, i then looked round and discovered the stump among the moss where he had tossed it. it was', 'ash, i then looked round and discovered the stump among the moss where he had tossed it. it was an i', 'i then looked round and discovered the stump among the moss where he had tossed it. it was an indian', 'n looked round and discovered the stump among the moss where he had tossed it. it was an indian ciga', 'ked round and discovered the stump among the moss where he had tossed it. it was an indian cigar, of', 'ound and discovered the stump among the moss where he had tossed it. it was an indian cigar, of the ', 'and discovered the stump among the moss where he had tossed it. it was an indian cigar, of the varie', 'iscovered the stump among the moss where he had tossed it. it was an indian cigar, of the variety wh', 'ered the stump among the moss where he had tossed it. it was an indian cigar, of the variety which a', 'the stump among the moss where he had tossed it. it was an indian cigar, of the variety which are ro', 'tump among the moss where he had tossed it. it was an indian cigar, of the variety which are rolled ', 'among the moss where he had tossed it. it was an indian cigar, of the variety which are rolled in ro', ' the moss where he had tossed it. it was an indian cigar, of the variety which are rolled in rotterd', 'moss where he had tossed it. it was an indian cigar, of the variety which are rolled in rotterdam." ', 'where he had tossed it. it was an indian cigar, of the variety which are rolled in rotterdam." "and ', ' he had tossed it. it was an indian cigar, of the variety which are rolled in rotterdam." "and the c', 'ad tossed it. it was an indian cigar, of the variety which are rolled in rotterdam." "and the cigar-', 'ssed it. it was an indian cigar, of the variety which are rolled in rotterdam." "and the cigar-holde', 'it. it was an indian cigar, of the variety which are rolled in rotterdam." "and the cigar-holder?" "', 't was an indian cigar, of the variety which are rolled in rotterdam." "and the cigar-holder?" "i cou', ' an indian cigar, of the variety which are rolled in rotterdam." "and the cigar-holder?" "i could se', 'ndian cigar, of the variety which are rolled in rotterdam." "and the cigar-holder?" "i could see tha', ' cigar, of the variety which are rolled in rotterdam." "and the cigar-holder?" "i could see that the', 'r, of the variety which are rolled in rotterdam." "and the cigar-holder?" "i could see that the end ', ' the variety which are rolled in rotterdam." "and the cigar-holder?" "i could see that the end had n', 'variety which are rolled in rotterdam." "and the cigar-holder?" "i could see that the end had not be', 'ty which are rolled in rotterdam." "and the cigar-holder?" "i could see that the end had not been in', 'ich are rolled in rotterdam." "and the cigar-holder?" "i could see that the end had not been in his ', 're rolled in rotterdam." "and the cigar-holder?" "i could see that the end had not been in his mouth', 'lled in rotterdam." "and the cigar-holder?" "i could see that the end had not been in his mouth. the', 'in rotterdam." "and the cigar-holder?" "i could see that the end had not been in his mouth. therefor', 'tterdam." "and the cigar-holder?" "i could see that the end had not been in his mouth. therefore he ', 'am." "and the cigar-holder?" "i could see that the end had not been in his mouth. therefore he used ', '"and the cigar-holder?" "i could see that the end had not been in his mouth. therefore he used a hol', 'the cigar-holder?" "i could see that the end had not been in his mouth. therefore he used a holder. ', 'igar-holder?" "i could see that the end had not been in his mouth. therefore he used a holder. the t', 'holder?" "i could see that the end had not been in his mouth. therefore he used a holder. the tip ha', 'r?" "i could see that the end had not been in his mouth. therefore he used a holder. the tip had bee', 'i could see that the end had not been in his mouth. therefore he used a holder. the tip had been cut', 'ld see that the end had not been in his mouth. therefore he used a holder. the tip had been cut off,', 'e that the end had not been in his mouth. therefore he used a holder. the tip had been cut off, not ', 't the end had not been in his mouth. therefore he used a holder. the tip had been cut off, not bitte', ' end had not been in his mouth. therefore he used a holder. the tip had been cut off, not bitten off', 'had not been in his mouth. therefore he used a holder. the tip had been cut off, not bitten off, but', 'ot been in his mouth. therefore he used a holder. the tip had been cut off, not bitten off, but the ', 'en in his mouth. therefore he used a holder. the tip had been cut off, not bitten off, but the cut w', ' his mouth. therefore he used a holder. the tip had been cut off, not bitten off, but the cut was no', 'mouth. therefore he used a holder. the tip had been cut off, not bitten off, but the cut was not a c', '. therefore he used a holder. the tip had been cut off, not bitten off, but the cut was not a clean ', 'refore he used a holder. the tip had been cut off, not bitten off, but the cut was not a clean one, ', 'e he used a holder. the tip had been cut off, not bitten off, but the cut was not a clean one, so i ', 'used a holder. the tip had been cut off, not bitten off, but the cut was not a clean one, so i deduc', 'a holder. the tip had been cut off, not bitten off, but the cut was not a clean one, so i deduced a ', 'der. the tip had been cut off, not bitten off, but the cut was not a clean one, so i deduced a blunt', 'the tip had been cut off, not bitten off, but the cut was not a clean one, so i deduced a blunt pen-', 'ip had been cut off, not bitten off, but the cut was not a clean one, so i deduced a blunt pen-knife', 'd been cut off, not bitten off, but the cut was not a clean one, so i deduced a blunt pen-knife." "h', 'n cut off, not bitten off, but the cut was not a clean one, so i deduced a blunt pen-knife." "holmes', ' off, not bitten off, but the cut was not a clean one, so i deduced a blunt pen-knife." "holmes," i ', ' not bitten off, but the cut was not a clean one, so i deduced a blunt pen-knife." "holmes," i said,', 'bitten off, but the cut was not a clean one, so i deduced a blunt pen-knife." "holmes," i said, "you', 'n off, but the cut was not a clean one, so i deduced a blunt pen-knife." "holmes," i said, "you have', ', but the cut was not a clean one, so i deduced a blunt pen-knife." "holmes," i said, "you have draw', ' the cut was not a clean one, so i deduced a blunt pen-knife." "holmes," i said, "you have drawn a n', 'cut was not a clean one, so i deduced a blunt pen-knife." "holmes," i said, "you have drawn a net ro', 'as not a clean one, so i deduced a blunt pen-knife." "holmes," i said, "you have drawn a net round t', 't a clean one, so i deduced a blunt pen-knife." "holmes," i said, "you have drawn a net round this m', 'lean one, so i deduced a blunt pen-knife." "holmes," i said, "you have drawn a net round this man fr', 'one, so i deduced a blunt pen-knife." "holmes," i said, "you have drawn a net round this man from wh', 'so i deduced a blunt pen-knife." "holmes," i said, "you have drawn a net round this man from which h', 'deduced a blunt pen-knife." "holmes," i said, "you have drawn a net round this man from which he can', 'ed a blunt pen-knife." "holmes," i said, "you have drawn a net round this man from which he cannot e', 'blunt pen-knife." "holmes," i said, "you have drawn a net round this man from which he cannot escape', ' pen-knife." "holmes," i said, "you have drawn a net round this man from which he cannot escape, and', 'knife." "holmes," i said, "you have drawn a net round this man from which he cannot escape, and you ', '." "holmes," i said, "you have drawn a net round this man from which he cannot escape, and you have ', 'olmes," i said, "you have drawn a net round this man from which he cannot escape, and you have saved', '," i said, "you have drawn a net round this man from which he cannot escape, and you have saved an i', 'said, "you have drawn a net round this man from which he cannot escape, and you have saved an innoce', ' "you have drawn a net round this man from which he cannot escape, and you have saved an innocent hu', ' have drawn a net round this man from which he cannot escape, and you have saved an innocent human l', ' drawn a net round this man from which he cannot escape, and you have saved an innocent human life a', 'n a net round this man from which he cannot escape, and you have saved an innocent human life as tru', 'et round this man from which he cannot escape, and you have saved an innocent human life as truly as', 'und this man from which he cannot escape, and you have saved an innocent human life as truly as if y', 'his man from which he cannot escape, and you have saved an innocent human life as truly as if you ha', 'an from which he cannot escape, and you have saved an innocent human life as truly as if you had cut', 'om which he cannot escape, and you have saved an innocent human life as truly as if you had cut the ', 'ich he cannot escape, and you have saved an innocent human life as truly as if you had cut the cord ', 'e cannot escape, and you have saved an innocent human life as truly as if you had cut the cord which', 'not escape, and you have saved an innocent human life as truly as if you had cut the cord which was ', 'scape, and you have saved an innocent human life as truly as if you had cut the cord which was hangi', ', and you have saved an innocent human life as truly as if you had cut the cord which was hanging hi', ' you have saved an innocent human life as truly as if you had cut the cord which was hanging him. i ', 'have saved an innocent human life as truly as if you had cut the cord which was hanging him. i see t', 'saved an innocent human life as truly as if you had cut the cord which was hanging him. i see the di', ' an innocent human life as truly as if you had cut the cord which was hanging him. i see the directi', 'nnocent human life as truly as if you had cut the cord which was hanging him. i see the direction in', 'nt human life as truly as if you had cut the cord which was hanging him. i see the direction in whic', 'man life as truly as if you had cut the cord which was hanging him. i see the direction in which all', 'ife as truly as if you had cut the cord which was hanging him. i see the direction in which all this', 's truly as if you had cut the cord which was hanging him. i see the direction in which all this poin', 'ly as if you had cut the cord which was hanging him. i see the direction in which all this points. t', ' if you had cut the cord which was hanging him. i see the direction in which all this points. the cu', 'ou had cut the cord which was hanging him. i see the direction in which all this points. the culprit', 'd cut the cord which was hanging him. i see the direction in which all this points. the culprit is" ', ' the cord which was hanging him. i see the direction in which all this points. the culprit is" "mr. ', 'cord which was hanging him. i see the direction in which all this points. the culprit is" "mr. john ', 'which was hanging him. i see the direction in which all this points. the culprit is" "mr. john turne', ' was hanging him. i see the direction in which all this points. the culprit is" "mr. john turner," c', 'hanging him. i see the direction in which all this points. the culprit is" "mr. john turner," cried ', 'ng him. i see the direction in which all this points. the culprit is" "mr. john turner," cried the h', 'm. i see the direction in which all this points. the culprit is" "mr. john turner," cried the hotel ', 'see the direction in which all this points. the culprit is" "mr. john turner," cried the hotel waite', 'he direction in which all this points. the culprit is" "mr. john turner," cried the hotel waiter, op', 'rection in which all this points. the culprit is" "mr. john turner," cried the hotel waiter, opening', 'on in which all this points. the culprit is" "mr. john turner," cried the hotel waiter, opening the ', ' which all this points. the culprit is" "mr. john turner," cried the hotel waiter, opening the door ', 'h all this points. the culprit is" "mr. john turner," cried the hotel waiter, opening the door of ou', ' this points. the culprit is" "mr. john turner," cried the hotel waiter, opening the door of our sit', ' points. the culprit is" "mr. john turner," cried the hotel waiter, opening the door of our sitting-', 'ts. the culprit is" "mr. john turner," cried the hotel waiter, opening the door of our sitting-room,', 'he culprit is" "mr. john turner," cried the hotel waiter, opening the door of our sitting-room, and ', 'lprit is" "mr. john turner," cried the hotel waiter, opening the door of our sitting-room, and usher', ' is" "mr. john turner," cried the hotel waiter, opening the door of our sitting-room, and ushering i', '"mr. john turner," cried the hotel waiter, opening the door of our sitting-room, and ushering in a v', 'john turner," cried the hotel waiter, opening the door of our sitting-room, and ushering in a visito', 'turner," cried the hotel waiter, opening the door of our sitting-room, and ushering in a visitor. th', 'r," cried the hotel waiter, opening the door of our sitting-room, and ushering in a visitor. the man', 'ried the hotel waiter, opening the door of our sitting-room, and ushering in a visitor. the man who ', 'the hotel waiter, opening the door of our sitting-room, and ushering in a visitor. the man who enter', 'otel waiter, opening the door of our sitting-room, and ushering in a visitor. the man who entered wa', 'waiter, opening the door of our sitting-room, and ushering in a visitor. the man who entered was a s', 'r, opening the door of our sitting-room, and ushering in a visitor. the man who entered was a strang', 'ening the door of our sitting-room, and ushering in a visitor. the man who entered was a strange and', ' the door of our sitting-room, and ushering in a visitor. the man who entered was a strange and impr', 'door of our sitting-room, and ushering in a visitor. the man who entered was a strange and impressiv', 'of our sitting-room, and ushering in a visitor. the man who entered was a strange and impressive fig', 'r sitting-room, and ushering in a visitor. the man who entered was a strange and impressive figure. ', 'ting-room, and ushering in a visitor. the man who entered was a strange and impressive figure. his s', 'room, and ushering in a visitor. the man who entered was a strange and impressive figure. his slow, ', ' and ushering in a visitor. the man who entered was a strange and impressive figure. his slow, limpi', 'ushering in a visitor. the man who entered was a strange and impressive figure. his slow, limping st', 'ing in a visitor. the man who entered was a strange and impressive figure. his slow, limping step an', 'n a visitor. the man who entered was a strange and impressive figure. his slow, limping step and bow', 'isitor. the man who entered was a strange and impressive figure. his slow, limping step and bowed sh', 'r. the man who entered was a strange and impressive figure. his slow, limping step and bowed shoulde', 'e man who entered was a strange and impressive figure. his slow, limping step and bowed shoulders ga', ' who entered was a strange and impressive figure. his slow, limping step and bowed shoulders gave th', 'entered was a strange and impressive figure. his slow, limping step and bowed shoulders gave the app', 'ed was a strange and impressive figure. his slow, limping step and bowed shoulders gave the appearan', 's a strange and impressive figure. his slow, limping step and bowed shoulders gave the appearance of', 'trange and impressive figure. his slow, limping step and bowed shoulders gave the appearance of decr', 'e and impressive figure. his slow, limping step and bowed shoulders gave the appearance of decrepitu', ' impressive figure. his slow, limping step and bowed shoulders gave the appearance of decrepitude, a', 'essive figure. his slow, limping step and bowed shoulders gave the appearance of decrepitude, and ye', 'e figure. his slow, limping step and bowed shoulders gave the appearance of decrepitude, and yet his', 'ure. his slow, limping step and bowed shoulders gave the appearance of decrepitude, and yet his hard', 'his slow, limping step and bowed shoulders gave the appearance of decrepitude, and yet his hard, dee', 'low, limping step and bowed shoulders gave the appearance of decrepitude, and yet his hard, deep-lin', 'limping step and bowed shoulders gave the appearance of decrepitude, and yet his hard, deep-lined, c', 'ng step and bowed shoulders gave the appearance of decrepitude, and yet his hard, deep-lined, craggy', 'ep and bowed shoulders gave the appearance of decrepitude, and yet his hard, deep-lined, craggy feat', 'd bowed shoulders gave the appearance of decrepitude, and yet his hard, deep-lined, craggy features,', 'ed shoulders gave the appearance of decrepitude, and yet his hard, deep-lined, craggy features, and ', 'oulders gave the appearance of decrepitude, and yet his hard, deep-lined, craggy features, and his e', 'rs gave the appearance of decrepitude, and yet his hard, deep-lined, craggy features, and his enormo', 've the appearance of decrepitude, and yet his hard, deep-lined, craggy features, and his enormous li', 'e appearance of decrepitude, and yet his hard, deep-lined, craggy features, and his enormous limbs s', 'earance of decrepitude, and yet his hard, deep-lined, craggy features, and his enormous limbs showed', 'ce of decrepitude, and yet his hard, deep-lined, craggy features, and his enormous limbs showed that', ' decrepitude, and yet his hard, deep-lined, craggy features, and his enormous limbs showed that he w', 'epitude, and yet his hard, deep-lined, craggy features, and his enormous limbs showed that he was po', 'de, and yet his hard, deep-lined, craggy features, and his enormous limbs showed that he was possess', 'nd yet his hard, deep-lined, craggy features, and his enormous limbs showed that he was possessed of', 't his hard, deep-lined, craggy features, and his enormous limbs showed that he was possessed of unus', ' hard, deep-lined, craggy features, and his enormous limbs showed that he was possessed of unusual s', ', deep-lined, craggy features, and his enormous limbs showed that he was possessed of unusual streng', 'p-lined, craggy features, and his enormous limbs showed that he was possessed of unusual strength of', 'ed, craggy features, and his enormous limbs showed that he was possessed of unusual strength of body', 'raggy features, and his enormous limbs showed that he was possessed of unusual strength of body and ', ' features, and his enormous limbs showed that he was possessed of unusual strength of body and of ch', 'ures, and his enormous limbs showed that he was possessed of unusual strength of body and of charact', ' and his enormous limbs showed that he was possessed of unusual strength of body and of character. h', 'his enormous limbs showed that he was possessed of unusual strength of body and of character. his ta', 'normous limbs showed that he was possessed of unusual strength of body and of character. his tangled', 'us limbs showed that he was possessed of unusual strength of body and of character. his tangled bear', 'mbs showed that he was possessed of unusual strength of body and of character. his tangled beard, gr', 'howed that he was possessed of unusual strength of body and of character. his tangled beard, grizzle', ' that he was possessed of unusual strength of body and of character. his tangled beard, grizzled hai', ' he was possessed of unusual strength of body and of character. his tangled beard, grizzled hair, an', 'as possessed of unusual strength of body and of character. his tangled beard, grizzled hair, and out', 'ssessed of unusual strength of body and of character. his tangled beard, grizzled hair, and outstand', 'ed of unusual strength of body and of character. his tangled beard, grizzled hair, and outstanding, ', ' unusual strength of body and of character. his tangled beard, grizzled hair, and outstanding, droop', 'ual strength of body and of character. his tangled beard, grizzled hair, and outstanding, drooping e', 'trength of body and of character. his tangled beard, grizzled hair, and outstanding, drooping eyebro', 'th of body and of character. his tangled beard, grizzled hair, and outstanding, drooping eyebrows co', ' body and of character. his tangled beard, grizzled hair, and outstanding, drooping eyebrows combine', ' and of character. his tangled beard, grizzled hair, and outstanding, drooping eyebrows combined to ', 'of character. his tangled beard, grizzled hair, and outstanding, drooping eyebrows combined to give ', 'aracter. his tangled beard, grizzled hair, and outstanding, drooping eyebrows combined to give an ai', 'er. his tangled beard, grizzled hair, and outstanding, drooping eyebrows combined to give an air of ', 'is tangled beard, grizzled hair, and outstanding, drooping eyebrows combined to give an air of digni', 'ngled beard, grizzled hair, and outstanding, drooping eyebrows combined to give an air of dignity an', ' beard, grizzled hair, and outstanding, drooping eyebrows combined to give an air of dignity and pow', 'd, grizzled hair, and outstanding, drooping eyebrows combined to give an air of dignity and power to', 'izzled hair, and outstanding, drooping eyebrows combined to give an air of dignity and power to his ', 'd hair, and outstanding, drooping eyebrows combined to give an air of dignity and power to his appea', 'r, and outstanding, drooping eyebrows combined to give an air of dignity and power to his appearance', 'd outstanding, drooping eyebrows combined to give an air of dignity and power to his appearance, but', 'standing, drooping eyebrows combined to give an air of dignity and power to his appearance, but his ', 'ing, drooping eyebrows combined to give an air of dignity and power to his appearance, but his face ', 'drooping eyebrows combined to give an air of dignity and power to his appearance, but his face was o', 'ing eyebrows combined to give an air of dignity and power to his appearance, but his face was of an ', 'yebrows combined to give an air of dignity and power to his appearance, but his face was of an ashen', 'ws combined to give an air of dignity and power to his appearance, but his face was of an ashen whit', 'mbined to give an air of dignity and power to his appearance, but his face was of an ashen white, wh', 'd to give an air of dignity and power to his appearance, but his face was of an ashen white, while h', 'give an air of dignity and power to his appearance, but his face was of an ashen white, while his li', 'an air of dignity and power to his appearance, but his face was of an ashen white, while his lips an', 'r of dignity and power to his appearance, but his face was of an ashen white, while his lips and the', 'dignity and power to his appearance, but his face was of an ashen white, while his lips and the corn', 'ty and power to his appearance, but his face was of an ashen white, while his lips and the corners o', 'd power to his appearance, but his face was of an ashen white, while his lips and the corners of his', 'er to his appearance, but his face was of an ashen white, while his lips and the corners of his nost', ' his appearance, but his face was of an ashen white, while his lips and the corners of his nostrils ', 'appearance, but his face was of an ashen white, while his lips and the corners of his nostrils were ', 'rance, but his face was of an ashen white, while his lips and the corners of his nostrils were tinge', ', but his face was of an ashen white, while his lips and the corners of his nostrils were tinged wit', ' his face was of an ashen white, while his lips and the corners of his nostrils were tinged with a s', 'face was of an ashen white, while his lips and the corners of his nostrils were tinged with a shade ', 'was of an ashen white, while his lips and the corners of his nostrils were tinged with a shade of bl', 'f an ashen white, while his lips and the corners of his nostrils were tinged with a shade of blue. i', 'ashen white, while his lips and the corners of his nostrils were tinged with a shade of blue. it was', ' white, while his lips and the corners of his nostrils were tinged with a shade of blue. it was clea', 'e, while his lips and the corners of his nostrils were tinged with a shade of blue. it was clear to ', 'ile his lips and the corners of his nostrils were tinged with a shade of blue. it was clear to me at', 'is lips and the corners of his nostrils were tinged with a shade of blue. it was clear to me at a gl', 'ps and the corners of his nostrils were tinged with a shade of blue. it was clear to me at a glance ', 'd the corners of his nostrils were tinged with a shade of blue. it was clear to me at a glance that ', ' corners of his nostrils were tinged with a shade of blue. it was clear to me at a glance that he wa', 'ers of his nostrils were tinged with a shade of blue. it was clear to me at a glance that he was in ', 'f his nostrils were tinged with a shade of blue. it was clear to me at a glance that he was in the g', ' nostrils were tinged with a shade of blue. it was clear to me at a glance that he was in the grip o', 'rils were tinged with a shade of blue. it was clear to me at a glance that he was in the grip of som', 'were tinged with a shade of blue. it was clear to me at a glance that he was in the grip of some dea', 'tinged with a shade of blue. it was clear to me at a glance that he was in the grip of some deadly a', 'd with a shade of blue. it was clear to me at a glance that he was in the grip of some deadly and ch', 'h a shade of blue. it was clear to me at a glance that he was in the grip of some deadly and chronic', 'hade of blue. it was clear to me at a glance that he was in the grip of some deadly and chronic dise', 'of blue. it was clear to me at a glance that he was in the grip of some deadly and chronic disease. ', 'ue. it was clear to me at a glance that he was in the grip of some deadly and chronic disease. "pray', 't was clear to me at a glance that he was in the grip of some deadly and chronic disease. "pray sit ', ' clear to me at a glance that he was in the grip of some deadly and chronic disease. "pray sit down ', 'r to me at a glance that he was in the grip of some deadly and chronic disease. "pray sit down on th', 'me at a glance that he was in the grip of some deadly and chronic disease. "pray sit down on the sof', ' a glance that he was in the grip of some deadly and chronic disease. "pray sit down on the sofa," s', 'ance that he was in the grip of some deadly and chronic disease. "pray sit down on the sofa," said h', 'that he was in the grip of some deadly and chronic disease. "pray sit down on the sofa," said holmes', 'he was in the grip of some deadly and chronic disease. "pray sit down on the sofa," said holmes gent', 's in the grip of some deadly and chronic disease. "pray sit down on the sofa," said holmes gently. "', 'the grip of some deadly and chronic disease. "pray sit down on the sofa," said holmes gently. "you h', 'rip of some deadly and chronic disease. "pray sit down on the sofa," said holmes gently. "you had my', 'f some deadly and chronic disease. "pray sit down on the sofa," said holmes gently. "you had my note', 'e deadly and chronic disease. "pray sit down on the sofa," said holmes gently. "you had my note?" "y', 'dly and chronic disease. "pray sit down on the sofa," said holmes gently. "you had my note?" "yes, t', 'nd chronic disease. "pray sit down on the sofa," said holmes gently. "you had my note?" "yes, the lo', 'ronic disease. "pray sit down on the sofa," said holmes gently. "you had my note?" "yes, the lodge-k', ' disease. "pray sit down on the sofa," said holmes gently. "you had my note?" "yes, the lodge-keeper', 'ase. "pray sit down on the sofa," said holmes gently. "you had my note?" "yes, the lodge-keeper brou', '"pray sit down on the sofa," said holmes gently. "you had my note?" "yes, the lodge-keeper brought i', ' sit down on the sofa," said holmes gently. "you had my note?" "yes, the lodge-keeper brought it up.', 'down on the sofa," said holmes gently. "you had my note?" "yes, the lodge-keeper brought it up. you ', 'on the sofa," said holmes gently. "you had my note?" "yes, the lodge-keeper brought it up. you said ', 'e sofa," said holmes gently. "you had my note?" "yes, the lodge-keeper brought it up. you said that ', 'a," said holmes gently. "you had my note?" "yes, the lodge-keeper brought it up. you said that you w', 'aid holmes gently. "you had my note?" "yes, the lodge-keeper brought it up. you said that you wished', 'olmes gently. "you had my note?" "yes, the lodge-keeper brought it up. you said that you wished to s', ' gently. "you had my note?" "yes, the lodge-keeper brought it up. you said that you wished to see me', 'ly. "you had my note?" "yes, the lodge-keeper brought it up. you said that you wished to see me here', 'you had my note?" "yes, the lodge-keeper brought it up. you said that you wished to see me here to a', 'ad my note?" "yes, the lodge-keeper brought it up. you said that you wished to see me here to avoid ', ' note?" "yes, the lodge-keeper brought it up. you said that you wished to see me here to avoid scand', '?" "yes, the lodge-keeper brought it up. you said that you wished to see me here to avoid scandal." ', 'es, the lodge-keeper brought it up. you said that you wished to see me here to avoid scandal." "i th', 'he lodge-keeper brought it up. you said that you wished to see me here to avoid scandal." "i thought', 'dge-keeper brought it up. you said that you wished to see me here to avoid scandal." "i thought peop', 'eeper brought it up. you said that you wished to see me here to avoid scandal." "i thought people wo', ' brought it up. you said that you wished to see me here to avoid scandal." "i thought people would t', 'ght it up. you said that you wished to see me here to avoid scandal." "i thought people would talk i', 't up. you said that you wished to see me here to avoid scandal." "i thought people would talk if i w', ' you said that you wished to see me here to avoid scandal." "i thought people would talk if i went t', 'said that you wished to see me here to avoid scandal." "i thought people would talk if i went to the', 'that you wished to see me here to avoid scandal." "i thought people would talk if i went to the hall', 'you wished to see me here to avoid scandal." "i thought people would talk if i went to the hall." "a', 'ished to see me here to avoid scandal." "i thought people would talk if i went to the hall." "and wh', ' to see me here to avoid scandal." "i thought people would talk if i went to the hall." "and why did', 'ee me here to avoid scandal." "i thought people would talk if i went to the hall." "and why did you ', ' here to avoid scandal." "i thought people would talk if i went to the hall." "and why did you wish ', ' to avoid scandal." "i thought people would talk if i went to the hall." "and why did you wish to se', 'void scandal." "i thought people would talk if i went to the hall." "and why did you wish to see me?', 'scandal." "i thought people would talk if i went to the hall." "and why did you wish to see me?" he ', 'al." "i thought people would talk if i went to the hall." "and why did you wish to see me?" he looke', '"i thought people would talk if i went to the hall." "and why did you wish to see me?" he looked acr', 'ought people would talk if i went to the hall." "and why did you wish to see me?" he looked across a', ' people would talk if i went to the hall." "and why did you wish to see me?" he looked across at my ', 'le would talk if i went to the hall." "and why did you wish to see me?" he looked across at my compa', 'uld talk if i went to the hall." "and why did you wish to see me?" he looked across at my companion ', 'alk if i went to the hall." "and why did you wish to see me?" he looked across at my companion with ', 'f i went to the hall." "and why did you wish to see me?" he looked across at my companion with despa', 'ent to the hall." "and why did you wish to see me?" he looked across at my companion with despair in', 'o the hall." "and why did you wish to see me?" he looked across at my companion with despair in his ', ' hall." "and why did you wish to see me?" he looked across at my companion with despair in his weary', '." "and why did you wish to see me?" he looked across at my companion with despair in his weary eyes', 'nd why did you wish to see me?" he looked across at my companion with despair in his weary eyes, as ', 'y did you wish to see me?" he looked across at my companion with despair in his weary eyes, as thoug', ' you wish to see me?" he looked across at my companion with despair in his weary eyes, as though his', 'wish to see me?" he looked across at my companion with despair in his weary eyes, as though his ques', 'to see me?" he looked across at my companion with despair in his weary eyes, as though his question ', 'e me?" he looked across at my companion with despair in his weary eyes, as though his question was a', '" he looked across at my companion with despair in his weary eyes, as though his question was alread', 'looked across at my companion with despair in his weary eyes, as though his question was already ans', 'd across at my companion with despair in his weary eyes, as though his question was already answered', 'oss at my companion with despair in his weary eyes, as though his question was already answered. "ye', 't my companion with despair in his weary eyes, as though his question was already answered. "yes," s', 'companion with despair in his weary eyes, as though his question was already answered. "yes," said h', 'nion with despair in his weary eyes, as though his question was already answered. "yes," said holmes', 'with despair in his weary eyes, as though his question was already answered. "yes," said holmes, ans', 'despair in his weary eyes, as though his question was already answered. "yes," said holmes, answerin', 'ir in his weary eyes, as though his question was already answered. "yes," said holmes, answering the', ' his weary eyes, as though his question was already answered. "yes," said holmes, answering the look', 'weary eyes, as though his question was already answered. "yes," said holmes, answering the look rath', ' eyes, as though his question was already answered. "yes," said holmes, answering the look rather th', ', as though his question was already answered. "yes," said holmes, answering the look rather than th', 'though his question was already answered. "yes," said holmes, answering the look rather than the wor', 'h his question was already answered. "yes," said holmes, answering the look rather than the words. "', ' question was already answered. "yes," said holmes, answering the look rather than the words. "it is', 'tion was already answered. "yes," said holmes, answering the look rather than the words. "it is so. ', 'was already answered. "yes," said holmes, answering the look rather than the words. "it is so. i kno', 'lready answered. "yes," said holmes, answering the look rather than the words. "it is so. i know all', 'y answered. "yes," said holmes, answering the look rather than the words. "it is so. i know all abou', 'wered. "yes," said holmes, answering the look rather than the words. "it is so. i know all about mcc', '. "yes," said holmes, answering the look rather than the words. "it is so. i know all about mccarthy', 's," said holmes, answering the look rather than the words. "it is so. i know all about mccarthy." th', 'aid holmes, answering the look rather than the words. "it is so. i know all about mccarthy." the old', 'olmes, answering the look rather than the words. "it is so. i know all about mccarthy." the old man ', ', answering the look rather than the words. "it is so. i know all about mccarthy." the old man sank ', 'wering the look rather than the words. "it is so. i know all about mccarthy." the old man sank his f', 'g the look rather than the words. "it is so. i know all about mccarthy." the old man sank his face i', ' look rather than the words. "it is so. i know all about mccarthy." the old man sank his face in his', ' rather than the words. "it is so. i know all about mccarthy." the old man sank his face in his hand', 'er than the words. "it is so. i know all about mccarthy." the old man sank his face in his hands. "g', 'an the words. "it is so. i know all about mccarthy." the old man sank his face in his hands. "god he', 'e words. "it is so. i know all about mccarthy." the old man sank his face in his hands. "god help me', 'ds. "it is so. i know all about mccarthy." the old man sank his face in his hands. "god help me he c', 'it is so. i know all about mccarthy." the old man sank his face in his hands. "god help me he cried.', ' so. i know all about mccarthy." the old man sank his face in his hands. "god help me he cried. "but', 'i know all about mccarthy." the old man sank his face in his hands. "god help me he cried. "but i wo', 'w all about mccarthy." the old man sank his face in his hands. "god help me he cried. "but i would n', ' about mccarthy." the old man sank his face in his hands. "god help me he cried. "but i would not ha', 't mccarthy." the old man sank his face in his hands. "god help me he cried. "but i would not have le', 'arthy." the old man sank his face in his hands. "god help me he cried. "but i would not have let the', '." the old man sank his face in his hands. "god help me he cried. "but i would not have let the youn', 'e old man sank his face in his hands. "god help me he cried. "but i would not have let the young man', ' man sank his face in his hands. "god help me he cried. "but i would not have let the young man come', 'sank his face in his hands. "god help me he cried. "but i would not have let the young man come to h', 'his face in his hands. "god help me he cried. "but i would not have let the young man come to harm. ', 'ace in his hands. "god help me he cried. "but i would not have let the young man come to harm. i giv', 'n his hands. "god help me he cried. "but i would not have let the young man come to harm. i give you', ' hands. "god help me he cried. "but i would not have let the young man come to harm. i give you my w', 's. "god help me he cried. "but i would not have let the young man come to harm. i give you my word t', 'od help me he cried. "but i would not have let the young man come to harm. i give you my word that i', 'lp me he cried. "but i would not have let the young man come to harm. i give you my word that i woul', ' he cried. "but i would not have let the young man come to harm. i give you my word that i would hav', 'ried. "but i would not have let the young man come to harm. i give you my word that i would have spo', ' "but i would not have let the young man come to harm. i give you my word that i would have spoken o', ' i would not have let the young man come to harm. i give you my word that i would have spoken out if', 'uld not have let the young man come to harm. i give you my word that i would have spoken out if it w', 'ot have let the young man come to harm. i give you my word that i would have spoken out if it went a', 've let the young man come to harm. i give you my word that i would have spoken out if it went agains', 't the young man come to harm. i give you my word that i would have spoken out if it went against him', ' young man come to harm. i give you my word that i would have spoken out if it went against him at t', 'g man come to harm. i give you my word that i would have spoken out if it went against him at the as', ' come to harm. i give you my word that i would have spoken out if it went against him at the assizes', ' to harm. i give you my word that i would have spoken out if it went against him at the assizes." "i', 'arm. i give you my word that i would have spoken out if it went against him at the assizes." "i am g', 'i give you my word that i would have spoken out if it went against him at the assizes." "i am glad t', 'e you my word that i would have spoken out if it went against him at the assizes." "i am glad to hea', ' my word that i would have spoken out if it went against him at the assizes." "i am glad to hear you', 'ord that i would have spoken out if it went against him at the assizes." "i am glad to hear you say ', 'hat i would have spoken out if it went against him at the assizes." "i am glad to hear you say so," ', ' would have spoken out if it went against him at the assizes." "i am glad to hear you say so," said ', 'd have spoken out if it went against him at the assizes." "i am glad to hear you say so," said holme', 'e spoken out if it went against him at the assizes." "i am glad to hear you say so," said holmes gra', 'ken out if it went against him at the assizes." "i am glad to hear you say so," said holmes gravely.', 'ut if it went against him at the assizes." "i am glad to hear you say so," said holmes gravely. "i w', ' it went against him at the assizes." "i am glad to hear you say so," said holmes gravely. "i would ', 'ent against him at the assizes." "i am glad to hear you say so," said holmes gravely. "i would have ', 'gainst him at the assizes." "i am glad to hear you say so," said holmes gravely. "i would have spoke', 't him at the assizes." "i am glad to hear you say so," said holmes gravely. "i would have spoken now', ' at the assizes." "i am glad to hear you say so," said holmes gravely. "i would have spoken now had ', 'he assizes." "i am glad to hear you say so," said holmes gravely. "i would have spoken now had it no', 'sizes." "i am glad to hear you say so," said holmes gravely. "i would have spoken now had it not bee', '." "i am glad to hear you say so," said holmes gravely. "i would have spoken now had it not been for', ' am glad to hear you say so," said holmes gravely. "i would have spoken now had it not been for my d', 'lad to hear you say so," said holmes gravely. "i would have spoken now had it not been for my dear g', 'o hear you say so," said holmes gravely. "i would have spoken now had it not been for my dear girl. ', 'r you say so," said holmes gravely. "i would have spoken now had it not been for my dear girl. it wo', ' say so," said holmes gravely. "i would have spoken now had it not been for my dear girl. it would b', 'so," said holmes gravely. "i would have spoken now had it not been for my dear girl. it would break ', 'said holmes gravely. "i would have spoken now had it not been for my dear girl. it would break her h', 'holmes gravely. "i would have spoken now had it not been for my dear girl. it would break her hearti', 's gravely. "i would have spoken now had it not been for my dear girl. it would break her heartit wil', 'vely. "i would have spoken now had it not been for my dear girl. it would break her heartit will bre', ' "i would have spoken now had it not been for my dear girl. it would break her heartit will break he', 'ould have spoken now had it not been for my dear girl. it would break her heartit will break her hea', 'have spoken now had it not been for my dear girl. it would break her heartit will break her heart wh', 'spoken now had it not been for my dear girl. it would break her heartit will break her heart when sh', 'n now had it not been for my dear girl. it would break her heartit will break her heart when she hea', ' had it not been for my dear girl. it would break her heartit will break her heart when she hears th', 'it not been for my dear girl. it would break her heartit will break her heart when she hears that i ', 't been for my dear girl. it would break her heartit will break her heart when she hears that i am ar', 'n for my dear girl. it would break her heartit will break her heart when she hears that i am arreste', ' my dear girl. it would break her heartit will break her heart when she hears that i am arrested." "', 'ear girl. it would break her heartit will break her heart when she hears that i am arrested." "it ma', 'irl. it would break her heartit will break her heart when she hears that i am arrested." "it may not', 'it would break her heartit will break her heart when she hears that i am arrested." "it may not come', 'uld break her heartit will break her heart when she hears that i am arrested." "it may not come to t', 'reak her heartit will break her heart when she hears that i am arrested." "it may not come to that,"', 'her heartit will break her heart when she hears that i am arrested." "it may not come to that," said', 'eartit will break her heart when she hears that i am arrested." "it may not come to that," said holm', 't will break her heart when she hears that i am arrested." "it may not come to that," said holmes. "', 'l break her heart when she hears that i am arrested." "it may not come to that," said holmes. "what?', 'ak her heart when she hears that i am arrested." "it may not come to that," said holmes. "what?" "i ', 'r heart when she hears that i am arrested." "it may not come to that," said holmes. "what?" "i am no', 'rt when she hears that i am arrested." "it may not come to that," said holmes. "what?" "i am no offi', 'en she hears that i am arrested." "it may not come to that," said holmes. "what?" "i am no official ', 'e hears that i am arrested." "it may not come to that," said holmes. "what?" "i am no official agent', 'rs that i am arrested." "it may not come to that," said holmes. "what?" "i am no official agent. i u', 'at i am arrested." "it may not come to that," said holmes. "what?" "i am no official agent. i unders', 'am arrested." "it may not come to that," said holmes. "what?" "i am no official agent. i understand ', 'rested." "it may not come to that," said holmes. "what?" "i am no official agent. i understand that ', 'd." "it may not come to that," said holmes. "what?" "i am no official agent. i understand that it wa', 'it may not come to that," said holmes. "what?" "i am no official agent. i understand that it was you', 'y not come to that," said holmes. "what?" "i am no official agent. i understand that it was your dau', ' come to that," said holmes. "what?" "i am no official agent. i understand that it was your daughter', ' to that," said holmes. "what?" "i am no official agent. i understand that it was your daughter who ', 'hat," said holmes. "what?" "i am no official agent. i understand that it was your daughter who requi', ' said holmes. "what?" "i am no official agent. i understand that it was your daughter who required m', ' holmes. "what?" "i am no official agent. i understand that it was your daughter who required my pre', 'es. "what?" "i am no official agent. i understand that it was your daughter who required my presence', 'what?" "i am no official agent. i understand that it was your daughter who required my presence here', '" "i am no official agent. i understand that it was your daughter who required my presence here, and', 'am no official agent. i understand that it was your daughter who required my presence here, and i am', ' official agent. i understand that it was your daughter who required my presence here, and i am acti', 'cial agent. i understand that it was your daughter who required my presence here, and i am acting in', 'agent. i understand that it was your daughter who required my presence here, and i am acting in her ', '. i understand that it was your daughter who required my presence here, and i am acting in her inter', 'nderstand that it was your daughter who required my presence here, and i am acting in her interests.', 'tand that it was your daughter who required my presence here, and i am acting in her interests. youn', 'that it was your daughter who required my presence here, and i am acting in her interests. young mcc', 'it was your daughter who required my presence here, and i am acting in her interests. young mccarthy', 's your daughter who required my presence here, and i am acting in her interests. young mccarthy must', 'r daughter who required my presence here, and i am acting in her interests. young mccarthy must be g', 'ghter who required my presence here, and i am acting in her interests. young mccarthy must be got of', ' who required my presence here, and i am acting in her interests. young mccarthy must be got off, ho', 'required my presence here, and i am acting in her interests. young mccarthy must be got off, however', 'red my presence here, and i am acting in her interests. young mccarthy must be got off, however." "i', 'y presence here, and i am acting in her interests. young mccarthy must be got off, however." "i am a', 'sence here, and i am acting in her interests. young mccarthy must be got off, however." "i am a dyin', ' here, and i am acting in her interests. young mccarthy must be got off, however." "i am a dying man', ', and i am acting in her interests. young mccarthy must be got off, however." "i am a dying man," sa', ' i am acting in her interests. young mccarthy must be got off, however." "i am a dying man," said ol', ' acting in her interests. young mccarthy must be got off, however." "i am a dying man," said old tur', 'ng in her interests. young mccarthy must be got off, however." "i am a dying man," said old turner. ', ' her interests. young mccarthy must be got off, however." "i am a dying man," said old turner. "i ha', 'interests. young mccarthy must be got off, however." "i am a dying man," said old turner. "i have ha', 'ests. young mccarthy must be got off, however." "i am a dying man," said old turner. "i have had dia', ' young mccarthy must be got off, however." "i am a dying man," said old turner. "i have had diabetes', 'g mccarthy must be got off, however." "i am a dying man," said old turner. "i have had diabetes for ', 'arthy must be got off, however." "i am a dying man," said old turner. "i have had diabetes for years', ' must be got off, however." "i am a dying man," said old turner. "i have had diabetes for years. my ', ' be got off, however." "i am a dying man," said old turner. "i have had diabetes for years. my docto', 'ot off, however." "i am a dying man," said old turner. "i have had diabetes for years. my doctor say', 'f, however." "i am a dying man," said old turner. "i have had diabetes for years. my doctor says it ', 'wever." "i am a dying man," said old turner. "i have had diabetes for years. my doctor says it is a ', '." "i am a dying man," said old turner. "i have had diabetes for years. my doctor says it is a quest', ' am a dying man," said old turner. "i have had diabetes for years. my doctor says it is a question w', ' dying man," said old turner. "i have had diabetes for years. my doctor says it is a question whethe', 'g man," said old turner. "i have had diabetes for years. my doctor says it is a question whether i s', '," said old turner. "i have had diabetes for years. my doctor says it is a question whether i shall ', 'id old turner. "i have had diabetes for years. my doctor says it is a question whether i shall live ', 'd turner. "i have had diabetes for years. my doctor says it is a question whether i shall live a mon', 'ner. "i have had diabetes for years. my doctor says it is a question whether i shall live a month. y', '"i have had diabetes for years. my doctor says it is a question whether i shall live a month. yet i ', 've had diabetes for years. my doctor says it is a question whether i shall live a month. yet i would', 'd diabetes for years. my doctor says it is a question whether i shall live a month. yet i would rath', 'betes for years. my doctor says it is a question whether i shall live a month. yet i would rather di', ' for years. my doctor says it is a question whether i shall live a month. yet i would rather die und', 'years. my doctor says it is a question whether i shall live a month. yet i would rather die under my', '. my doctor says it is a question whether i shall live a month. yet i would rather die under my own ', 'doctor says it is a question whether i shall live a month. yet i would rather die under my own roof ', 'r says it is a question whether i shall live a month. yet i would rather die under my own roof than ', 's it is a question whether i shall live a month. yet i would rather die under my own roof than in a ', 'is a question whether i shall live a month. yet i would rather die under my own roof than in a gaol.', 'question whether i shall live a month. yet i would rather die under my own roof than in a gaol." hol', 'ion whether i shall live a month. yet i would rather die under my own roof than in a gaol." holmes r', 'hether i shall live a month. yet i would rather die under my own roof than in a gaol." holmes rose a', 'r i shall live a month. yet i would rather die under my own roof than in a gaol." holmes rose and sa', 'hall live a month. yet i would rather die under my own roof than in a gaol." holmes rose and sat dow', 'live a month. yet i would rather die under my own roof than in a gaol." holmes rose and sat down at ', 'a month. yet i would rather die under my own roof than in a gaol." holmes rose and sat down at the t', 'th. yet i would rather die under my own roof than in a gaol." holmes rose and sat down at the table ', 'et i would rather die under my own roof than in a gaol." holmes rose and sat down at the table with ', 'would rather die under my own roof than in a gaol." holmes rose and sat down at the table with his p', ' rather die under my own roof than in a gaol." holmes rose and sat down at the table with his pen in', 'er die under my own roof than in a gaol." holmes rose and sat down at the table with his pen in his ', 'e under my own roof than in a gaol." holmes rose and sat down at the table with his pen in his hand ', 'er my own roof than in a gaol." holmes rose and sat down at the table with his pen in his hand and a', ' own roof than in a gaol." holmes rose and sat down at the table with his pen in his hand and a bund', 'roof than in a gaol." holmes rose and sat down at the table with his pen in his hand and a bundle of', 'than in a gaol." holmes rose and sat down at the table with his pen in his hand and a bundle of pape', 'in a gaol." holmes rose and sat down at the table with his pen in his hand and a bundle of paper bef', 'gaol." holmes rose and sat down at the table with his pen in his hand and a bundle of paper before h', '" holmes rose and sat down at the table with his pen in his hand and a bundle of paper before him. "', 'mes rose and sat down at the table with his pen in his hand and a bundle of paper before him. "just ', 'ose and sat down at the table with his pen in his hand and a bundle of paper before him. "just tell ', 'nd sat down at the table with his pen in his hand and a bundle of paper before him. "just tell us th', 't down at the table with his pen in his hand and a bundle of paper before him. "just tell us the tru', 'n at the table with his pen in his hand and a bundle of paper before him. "just tell us the truth," ', 'the table with his pen in his hand and a bundle of paper before him. "just tell us the truth," he sa', 'able with his pen in his hand and a bundle of paper before him. "just tell us the truth," he said. "', 'with his pen in his hand and a bundle of paper before him. "just tell us the truth," he said. "i sha', 'his pen in his hand and a bundle of paper before him. "just tell us the truth," he said. "i shall jo', 'en in his hand and a bundle of paper before him. "just tell us the truth," he said. "i shall jot dow', ' his hand and a bundle of paper before him. "just tell us the truth," he said. "i shall jot down the', 'hand and a bundle of paper before him. "just tell us the truth," he said. "i shall jot down the fact', 'and a bundle of paper before him. "just tell us the truth," he said. "i shall jot down the facts. yo', ' bundle of paper before him. "just tell us the truth," he said. "i shall jot down the facts. you wil', 'le of paper before him. "just tell us the truth," he said. "i shall jot down the facts. you will sig', ' paper before him. "just tell us the truth," he said. "i shall jot down the facts. you will sign it,', 'r before him. "just tell us the truth," he said. "i shall jot down the facts. you will sign it, and ', 'ore him. "just tell us the truth," he said. "i shall jot down the facts. you will sign it, and watso', 'im. "just tell us the truth," he said. "i shall jot down the facts. you will sign it, and watson her', 'just tell us the truth," he said. "i shall jot down the facts. you will sign it, and watson here can', 'tell us the truth," he said. "i shall jot down the facts. you will sign it, and watson here can witn', 'us the truth," he said. "i shall jot down the facts. you will sign it, and watson here can witness i', 'e truth," he said. "i shall jot down the facts. you will sign it, and watson here can witness it. th', 'th," he said. "i shall jot down the facts. you will sign it, and watson here can witness it. then i ', 'he said. "i shall jot down the facts. you will sign it, and watson here can witness it. then i could', 'id. "i shall jot down the facts. you will sign it, and watson here can witness it. then i could prod', 'i shall jot down the facts. you will sign it, and watson here can witness it. then i could produce y', 'll jot down the facts. you will sign it, and watson here can witness it. then i could produce your c', 't down the facts. you will sign it, and watson here can witness it. then i could produce your confes', 'n the facts. you will sign it, and watson here can witness it. then i could produce your confession ', ' facts. you will sign it, and watson here can witness it. then i could produce your confession at th', 's. you will sign it, and watson here can witness it. then i could produce your confession at the las', 'u will sign it, and watson here can witness it. then i could produce your confession at the last ext', 'l sign it, and watson here can witness it. then i could produce your confession at the last extremit', 'n it, and watson here can witness it. then i could produce your confession at the last extremity to ', ' and watson here can witness it. then i could produce your confession at the last extremity to save ', 'watson here can witness it. then i could produce your confession at the last extremity to save young', 'n here can witness it. then i could produce your confession at the last extremity to save young mcca', 'e can witness it. then i could produce your confession at the last extremity to save young mccarthy.', ' witness it. then i could produce your confession at the last extremity to save young mccarthy. i pr', 'ess it. then i could produce your confession at the last extremity to save young mccarthy. i promise', 't. then i could produce your confession at the last extremity to save young mccarthy. i promise you ', 'en i could produce your confession at the last extremity to save young mccarthy. i promise you that ', 'could produce your confession at the last extremity to save young mccarthy. i promise you that i sha', ' produce your confession at the last extremity to save young mccarthy. i promise you that i shall no', 'uce your confession at the last extremity to save young mccarthy. i promise you that i shall not use', 'our confession at the last extremity to save young mccarthy. i promise you that i shall not use it u', 'onfession at the last extremity to save young mccarthy. i promise you that i shall not use it unless', 'sion at the last extremity to save young mccarthy. i promise you that i shall not use it unless it i', 'at the last extremity to save young mccarthy. i promise you that i shall not use it unless it is abs', 'e last extremity to save young mccarthy. i promise you that i shall not use it unless it is absolute', 't extremity to save young mccarthy. i promise you that i shall not use it unless it is absolutely ne', 'remity to save young mccarthy. i promise you that i shall not use it unless it is absolutely needed.', 'y to save young mccarthy. i promise you that i shall not use it unless it is absolutely needed." "it', 'save young mccarthy. i promise you that i shall not use it unless it is absolutely needed." "it\'s as', 'young mccarthy. i promise you that i shall not use it unless it is absolutely needed." "it\'s as well', ' mccarthy. i promise you that i shall not use it unless it is absolutely needed." "it\'s as well," sa', 'rthy. i promise you that i shall not use it unless it is absolutely needed." "it\'s as well," said th', ' i promise you that i shall not use it unless it is absolutely needed." "it\'s as well," said the old', 'omise you that i shall not use it unless it is absolutely needed." "it\'s as well," said the old man;', ' you that i shall not use it unless it is absolutely needed." "it\'s as well," said the old man; "it\'', 'that i shall not use it unless it is absolutely needed." "it\'s as well," said the old man; "it\'s a q', 'i shall not use it unless it is absolutely needed." "it\'s as well," said the old man; "it\'s a questi', 'll not use it unless it is absolutely needed." "it\'s as well," said the old man; "it\'s a question wh', 't use it unless it is absolutely needed." "it\'s as well," said the old man; "it\'s a question whether', ' it unless it is absolutely needed." "it\'s as well," said the old man; "it\'s a question whether i sh', 'nless it is absolutely needed." "it\'s as well," said the old man; "it\'s a question whether i shall l', ' it is absolutely needed." "it\'s as well," said the old man; "it\'s a question whether i shall live t', 's absolutely needed." "it\'s as well," said the old man; "it\'s a question whether i shall live to the', 'olutely needed." "it\'s as well," said the old man; "it\'s a question whether i shall live to the assi', 'ly needed." "it\'s as well," said the old man; "it\'s a question whether i shall live to the assizes, ', 'eded." "it\'s as well," said the old man; "it\'s a question whether i shall live to the assizes, so it', '" "it\'s as well," said the old man; "it\'s a question whether i shall live to the assizes, so it matt', '\'s as well," said the old man; "it\'s a question whether i shall live to the assizes, so it matters l', ' well," said the old man; "it\'s a question whether i shall live to the assizes, so it matters little', '," said the old man; "it\'s a question whether i shall live to the assizes, so it matters little to m', 'id the old man; "it\'s a question whether i shall live to the assizes, so it matters little to me, bu', 'e old man; "it\'s a question whether i shall live to the assizes, so it matters little to me, but i s', ' man; "it\'s a question whether i shall live to the assizes, so it matters little to me, but i should', ' "it\'s a question whether i shall live to the assizes, so it matters little to me, but i should wish', 's a question whether i shall live to the assizes, so it matters little to me, but i should wish to s', 'uestion whether i shall live to the assizes, so it matters little to me, but i should wish to spare ', 'on whether i shall live to the assizes, so it matters little to me, but i should wish to spare alice', 'ether i shall live to the assizes, so it matters little to me, but i should wish to spare alice the ', ' i shall live to the assizes, so it matters little to me, but i should wish to spare alice the shock', 'all live to the assizes, so it matters little to me, but i should wish to spare alice the shock. and', 'ive to the assizes, so it matters little to me, but i should wish to spare alice the shock. and now ', 'o the assizes, so it matters little to me, but i should wish to spare alice the shock. and now i wil', ' assizes, so it matters little to me, but i should wish to spare alice the shock. and now i will mak', 'zes, so it matters little to me, but i should wish to spare alice the shock. and now i will make the', 'so it matters little to me, but i should wish to spare alice the shock. and now i will make the thin', ' matters little to me, but i should wish to spare alice the shock. and now i will make the thing cle', 'ers little to me, but i should wish to spare alice the shock. and now i will make the thing clear to', 'ittle to me, but i should wish to spare alice the shock. and now i will make the thing clear to you;', ' to me, but i should wish to spare alice the shock. and now i will make the thing clear to you; it h', 'e, but i should wish to spare alice the shock. and now i will make the thing clear to you; it has be', 't i should wish to spare alice the shock. and now i will make the thing clear to you; it has been a ', 'hould wish to spare alice the shock. and now i will make the thing clear to you; it has been a long ', ' wish to spare alice the shock. and now i will make the thing clear to you; it has been a long time ', ' to spare alice the shock. and now i will make the thing clear to you; it has been a long time in th', 'pare alice the shock. and now i will make the thing clear to you; it has been a long time in the act', 'alice the shock. and now i will make the thing clear to you; it has been a long time in the acting, ', ' the shock. and now i will make the thing clear to you; it has been a long time in the acting, but w', 'shock. and now i will make the thing clear to you; it has been a long time in the acting, but will n', '. and now i will make the thing clear to you; it has been a long time in the acting, but will not ta', ' now i will make the thing clear to you; it has been a long time in the acting, but will not take me', 'i will make the thing clear to you; it has been a long time in the acting, but will not take me long', 'l make the thing clear to you; it has been a long time in the acting, but will not take me long to t', 'e the thing clear to you; it has been a long time in the acting, but will not take me long to tell. ', ' thing clear to you; it has been a long time in the acting, but will not take me long to tell. "you ', 'g clear to you; it has been a long time in the acting, but will not take me long to tell. "you didn\'', 'ar to you; it has been a long time in the acting, but will not take me long to tell. "you didn\'t kno', ' you; it has been a long time in the acting, but will not take me long to tell. "you didn\'t know thi', ' it has been a long time in the acting, but will not take me long to tell. "you didn\'t know this dea', 'as been a long time in the acting, but will not take me long to tell. "you didn\'t know this dead man', 'en a long time in the acting, but will not take me long to tell. "you didn\'t know this dead man, mcc', 'long time in the acting, but will not take me long to tell. "you didn\'t know this dead man, mccarthy', 'time in the acting, but will not take me long to tell. "you didn\'t know this dead man, mccarthy. he ', 'in the acting, but will not take me long to tell. "you didn\'t know this dead man, mccarthy. he was a', 'e acting, but will not take me long to tell. "you didn\'t know this dead man, mccarthy. he was a devi', 'ing, but will not take me long to tell. "you didn\'t know this dead man, mccarthy. he was a devil inc', 'but will not take me long to tell. "you didn\'t know this dead man, mccarthy. he was a devil incarnat', 'ill not take me long to tell. "you didn\'t know this dead man, mccarthy. he was a devil incarnate. i ', 'ot take me long to tell. "you didn\'t know this dead man, mccarthy. he was a devil incarnate. i tell ', 'ke me long to tell. "you didn\'t know this dead man, mccarthy. he was a devil incarnate. i tell you t', ' long to tell. "you didn\'t know this dead man, mccarthy. he was a devil incarnate. i tell you that. ', ' to tell. "you didn\'t know this dead man, mccarthy. he was a devil incarnate. i tell you that. god k', 'ell. "you didn\'t know this dead man, mccarthy. he was a devil incarnate. i tell you that. god keep y', '"you didn\'t know this dead man, mccarthy. he was a devil incarnate. i tell you that. god keep you ou', "didn't know this dead man, mccarthy. he was a devil incarnate. i tell you that. god keep you out of ", 't know this dead man, mccarthy. he was a devil incarnate. i tell you that. god keep you out of the c', 'w this dead man, mccarthy. he was a devil incarnate. i tell you that. god keep you out of the clutch', 's dead man, mccarthy. he was a devil incarnate. i tell you that. god keep you out of the clutches of', 'd man, mccarthy. he was a devil incarnate. i tell you that. god keep you out of the clutches of such', ', mccarthy. he was a devil incarnate. i tell you that. god keep you out of the clutches of such a ma', 'arthy. he was a devil incarnate. i tell you that. god keep you out of the clutches of such a man as ', '. he was a devil incarnate. i tell you that. god keep you out of the clutches of such a man as he. h', 'was a devil incarnate. i tell you that. god keep you out of the clutches of such a man as he. his gr', ' devil incarnate. i tell you that. god keep you out of the clutches of such a man as he. his grip ha', 'l incarnate. i tell you that. god keep you out of the clutches of such a man as he. his grip has bee', 'arnate. i tell you that. god keep you out of the clutches of such a man as he. his grip has been upo', 'e. i tell you that. god keep you out of the clutches of such a man as he. his grip has been upon me ', 'tell you that. god keep you out of the clutches of such a man as he. his grip has been upon me these', 'you that. god keep you out of the clutches of such a man as he. his grip has been upon me these twen', 'hat. god keep you out of the clutches of such a man as he. his grip has been upon me these twenty ye', 'god keep you out of the clutches of such a man as he. his grip has been upon me these twenty years, ', 'eep you out of the clutches of such a man as he. his grip has been upon me these twenty years, and h', 'ou out of the clutches of such a man as he. his grip has been upon me these twenty years, and he has', 't of the clutches of such a man as he. his grip has been upon me these twenty years, and he has blas', 'the clutches of such a man as he. his grip has been upon me these twenty years, and he has blasted m', 'lutches of such a man as he. his grip has been upon me these twenty years, and he has blasted my lif', "es of such a man as he. his grip has been upon me these twenty years, and he has blasted my life. i'", " such a man as he. his grip has been upon me these twenty years, and he has blasted my life. i'll te", " a man as he. his grip has been upon me these twenty years, and he has blasted my life. i'll tell yo", "n as he. his grip has been upon me these twenty years, and he has blasted my life. i'll tell you fir", "he. his grip has been upon me these twenty years, and he has blasted my life. i'll tell you first ho", "is grip has been upon me these twenty years, and he has blasted my life. i'll tell you first how i c", "ip has been upon me these twenty years, and he has blasted my life. i'll tell you first how i came t", "s been upon me these twenty years, and he has blasted my life. i'll tell you first how i came to be ", "n upon me these twenty years, and he has blasted my life. i'll tell you first how i came to be in hi", "n me these twenty years, and he has blasted my life. i'll tell you first how i came to be in his pow", 'these twenty years, and he has blasted my life. i\'ll tell you first how i came to be in his power. "', ' twenty years, and he has blasted my life. i\'ll tell you first how i came to be in his power. "it wa', 'ty years, and he has blasted my life. i\'ll tell you first how i came to be in his power. "it was in ', 'ars, and he has blasted my life. i\'ll tell you first how i came to be in his power. "it was in the e', 'and he has blasted my life. i\'ll tell you first how i came to be in his power. "it was in the early ', 'e has blasted my life. i\'ll tell you first how i came to be in his power. "it was in the early \' \'s ', ' blasted my life. i\'ll tell you first how i came to be in his power. "it was in the early \' \'s at th', 'ted my life. i\'ll tell you first how i came to be in his power. "it was in the early \' \'s at the dig', 'y life. i\'ll tell you first how i came to be in his power. "it was in the early \' \'s at the diggings', 'e. i\'ll tell you first how i came to be in his power. "it was in the early \' \'s at the diggings. i w', 'll tell you first how i came to be in his power. "it was in the early \' \'s at the diggings. i was a ', 'll you first how i came to be in his power. "it was in the early \' \'s at the diggings. i was a young', 'u first how i came to be in his power. "it was in the early \' \'s at the diggings. i was a young chap', 'st how i came to be in his power. "it was in the early \' \'s at the diggings. i was a young chap then', 'w i came to be in his power. "it was in the early \' \'s at the diggings. i was a young chap then, hot', 'ame to be in his power. "it was in the early \' \'s at the diggings. i was a young chap then, hot-bloo', 'o be in his power. "it was in the early \' \'s at the diggings. i was a young chap then, hot-blooded a', 'in his power. "it was in the early \' \'s at the diggings. i was a young chap then, hot-blooded and re', 's power. "it was in the early \' \'s at the diggings. i was a young chap then, hot-blooded and reckles', 'er. "it was in the early \' \'s at the diggings. i was a young chap then, hot-blooded and reckless, re', "it was in the early ' 's at the diggings. i was a young chap then, hot-blooded and reckless, ready t", "s in the early ' 's at the diggings. i was a young chap then, hot-blooded and reckless, ready to tur", "the early ' 's at the diggings. i was a young chap then, hot-blooded and reckless, ready to turn my ", "arly ' 's at the diggings. i was a young chap then, hot-blooded and reckless, ready to turn my hand ", "' 's at the diggings. i was a young chap then, hot-blooded and reckless, ready to turn my hand at an", 'at the diggings. i was a young chap then, hot-blooded and reckless, ready to turn my hand at anythin', 'e diggings. i was a young chap then, hot-blooded and reckless, ready to turn my hand at anything; i ', 'gings. i was a young chap then, hot-blooded and reckless, ready to turn my hand at anything; i got a', '. i was a young chap then, hot-blooded and reckless, ready to turn my hand at anything; i got among ', 'as a young chap then, hot-blooded and reckless, ready to turn my hand at anything; i got among bad c', 'young chap then, hot-blooded and reckless, ready to turn my hand at anything; i got among bad compan', ' chap then, hot-blooded and reckless, ready to turn my hand at anything; i got among bad companions,', ' then, hot-blooded and reckless, ready to turn my hand at anything; i got among bad companions, took', ', hot-blooded and reckless, ready to turn my hand at anything; i got among bad companions, took to d', '-blooded and reckless, ready to turn my hand at anything; i got among bad companions, took to drink,', 'ded and reckless, ready to turn my hand at anything; i got among bad companions, took to drink, had ', 'nd reckless, ready to turn my hand at anything; i got among bad companions, took to drink, had no lu', 'ckless, ready to turn my hand at anything; i got among bad companions, took to drink, had no luck wi', 's, ready to turn my hand at anything; i got among bad companions, took to drink, had no luck with my', 'ady to turn my hand at anything; i got among bad companions, took to drink, had no luck with my clai', 'o turn my hand at anything; i got among bad companions, took to drink, had no luck with my claim, to', 'n my hand at anything; i got among bad companions, took to drink, had no luck with my claim, took to', 'hand at anything; i got among bad companions, took to drink, had no luck with my claim, took to the ', 'at anything; i got among bad companions, took to drink, had no luck with my claim, took to the bush,', 'ything; i got among bad companions, took to drink, had no luck with my claim, took to the bush, and ', 'g; i got among bad companions, took to drink, had no luck with my claim, took to the bush, and in a ', 'got among bad companions, took to drink, had no luck with my claim, took to the bush, and in a word ', 'mong bad companions, took to drink, had no luck with my claim, took to the bush, and in a word becam', 'bad companions, took to drink, had no luck with my claim, took to the bush, and in a word became wha', 'ompanions, took to drink, had no luck with my claim, took to the bush, and in a word became what you', 'ions, took to drink, had no luck with my claim, took to the bush, and in a word became what you woul', ' took to drink, had no luck with my claim, took to the bush, and in a word became what you would cal', ' to drink, had no luck with my claim, took to the bush, and in a word became what you would call ove', 'rink, had no luck with my claim, took to the bush, and in a word became what you would call over her', ' had no luck with my claim, took to the bush, and in a word became what you would call over here a h', 'no luck with my claim, took to the bush, and in a word became what you would call over here a highwa', 'ck with my claim, took to the bush, and in a word became what you would call over here a highway rob', 'th my claim, took to the bush, and in a word became what you would call over here a highway robber. ', ' claim, took to the bush, and in a word became what you would call over here a highway robber. there', 'm, took to the bush, and in a word became what you would call over here a highway robber. there were', 'ok to the bush, and in a word became what you would call over here a highway robber. there were six ', ' the bush, and in a word became what you would call over here a highway robber. there were six of us', 'bush, and in a word became what you would call over here a highway robber. there were six of us, and', ' and in a word became what you would call over here a highway robber. there were six of us, and we h', 'in a word became what you would call over here a highway robber. there were six of us, and we had a ', 'word became what you would call over here a highway robber. there were six of us, and we had a wild,', 'became what you would call over here a highway robber. there were six of us, and we had a wild, free', 'e what you would call over here a highway robber. there were six of us, and we had a wild, free life', 't you would call over here a highway robber. there were six of us, and we had a wild, free life of i', ' would call over here a highway robber. there were six of us, and we had a wild, free life of it, st', 'd call over here a highway robber. there were six of us, and we had a wild, free life of it, stickin', 'l over here a highway robber. there were six of us, and we had a wild, free life of it, sticking up ', 'r here a highway robber. there were six of us, and we had a wild, free life of it, sticking up a sta', 'e a highway robber. there were six of us, and we had a wild, free life of it, sticking up a station ', 'ighway robber. there were six of us, and we had a wild, free life of it, sticking up a station from ', 'y robber. there were six of us, and we had a wild, free life of it, sticking up a station from time ', 'ber. there were six of us, and we had a wild, free life of it, sticking up a station from time to ti', 'there were six of us, and we had a wild, free life of it, sticking up a station from time to time, o', ' were six of us, and we had a wild, free life of it, sticking up a station from time to time, or sto', ' six of us, and we had a wild, free life of it, sticking up a station from time to time, or stopping', 'of us, and we had a wild, free life of it, sticking up a station from time to time, or stopping the ', ', and we had a wild, free life of it, sticking up a station from time to time, or stopping the wagon', ' we had a wild, free life of it, sticking up a station from time to time, or stopping the wagons on ', 'ad a wild, free life of it, sticking up a station from time to time, or stopping the wagons on the r', 'wild, free life of it, sticking up a station from time to time, or stopping the wagons on the road t', ' free life of it, sticking up a station from time to time, or stopping the wagons on the road to the', ' life of it, sticking up a station from time to time, or stopping the wagons on the road to the digg', ' of it, sticking up a station from time to time, or stopping the wagons on the road to the diggings.', 't, sticking up a station from time to time, or stopping the wagons on the road to the diggings. blac', 'icking up a station from time to time, or stopping the wagons on the road to the diggings. black jac', 'g up a station from time to time, or stopping the wagons on the road to the diggings. black jack of ', 'a station from time to time, or stopping the wagons on the road to the diggings. black jack of balla', 'tion from time to time, or stopping the wagons on the road to the diggings. black jack of ballarat w', 'from time to time, or stopping the wagons on the road to the diggings. black jack of ballarat was th', 'time to time, or stopping the wagons on the road to the diggings. black jack of ballarat was the nam', 'to time, or stopping the wagons on the road to the diggings. black jack of ballarat was the name i w', 'me, or stopping the wagons on the road to the diggings. black jack of ballarat was the name i went u', 'r stopping the wagons on the road to the diggings. black jack of ballarat was the name i went under,', 'pping the wagons on the road to the diggings. black jack of ballarat was the name i went under, and ', ' the wagons on the road to the diggings. black jack of ballarat was the name i went under, and our p', 'wagons on the road to the diggings. black jack of ballarat was the name i went under, and our party ', 's on the road to the diggings. black jack of ballarat was the name i went under, and our party is st', 'the road to the diggings. black jack of ballarat was the name i went under, and our party is still r', 'oad to the diggings. black jack of ballarat was the name i went under, and our party is still rememb', 'o the diggings. black jack of ballarat was the name i went under, and our party is still remembered ', ' diggings. black jack of ballarat was the name i went under, and our party is still remembered in th', 'ings. black jack of ballarat was the name i went under, and our party is still remembered in the col', ' black jack of ballarat was the name i went under, and our party is still remembered in the colony a', 'k jack of ballarat was the name i went under, and our party is still remembered in the colony as the', 'k of ballarat was the name i went under, and our party is still remembered in the colony as the ball', 'ballarat was the name i went under, and our party is still remembered in the colony as the ballarat ', 'rat was the name i went under, and our party is still remembered in the colony as the ballarat gang.', 'as the name i went under, and our party is still remembered in the colony as the ballarat gang. "one', 'e name i went under, and our party is still remembered in the colony as the ballarat gang. "one day ', 'e i went under, and our party is still remembered in the colony as the ballarat gang. "one day a gol', 'ent under, and our party is still remembered in the colony as the ballarat gang. "one day a gold con', 'nder, and our party is still remembered in the colony as the ballarat gang. "one day a gold convoy c', ' and our party is still remembered in the colony as the ballarat gang. "one day a gold convoy came d', 'our party is still remembered in the colony as the ballarat gang. "one day a gold convoy came down f', 'arty is still remembered in the colony as the ballarat gang. "one day a gold convoy came down from b', 'is still remembered in the colony as the ballarat gang. "one day a gold convoy came down from ballar', 'ill remembered in the colony as the ballarat gang. "one day a gold convoy came down from ballarat to', 'emembered in the colony as the ballarat gang. "one day a gold convoy came down from ballarat to melb', 'ered in the colony as the ballarat gang. "one day a gold convoy came down from ballarat to melbourne', 'in the colony as the ballarat gang. "one day a gold convoy came down from ballarat to melbourne, and', 'e colony as the ballarat gang. "one day a gold convoy came down from ballarat to melbourne, and we l', 'ony as the ballarat gang. "one day a gold convoy came down from ballarat to melbourne, and we lay in', 's the ballarat gang. "one day a gold convoy came down from ballarat to melbourne, and we lay in wait', ' ballarat gang. "one day a gold convoy came down from ballarat to melbourne, and we lay in wait for ', 'arat gang. "one day a gold convoy came down from ballarat to melbourne, and we lay in wait for it an', 'gang. "one day a gold convoy came down from ballarat to melbourne, and we lay in wait for it and att', ' "one day a gold convoy came down from ballarat to melbourne, and we lay in wait for it and attacked', ' day a gold convoy came down from ballarat to melbourne, and we lay in wait for it and attacked it. ', 'a gold convoy came down from ballarat to melbourne, and we lay in wait for it and attacked it. there', 'd convoy came down from ballarat to melbourne, and we lay in wait for it and attacked it. there were', 'voy came down from ballarat to melbourne, and we lay in wait for it and attacked it. there were six ', 'ame down from ballarat to melbourne, and we lay in wait for it and attacked it. there were six troop', 'own from ballarat to melbourne, and we lay in wait for it and attacked it. there were six troopers a', 'rom ballarat to melbourne, and we lay in wait for it and attacked it. there were six troopers and si', 'allarat to melbourne, and we lay in wait for it and attacked it. there were six troopers and six of ', 'at to melbourne, and we lay in wait for it and attacked it. there were six troopers and six of us, s', ' melbourne, and we lay in wait for it and attacked it. there were six troopers and six of us, so it ', 'ourne, and we lay in wait for it and attacked it. there were six troopers and six of us, so it was a', ', and we lay in wait for it and attacked it. there were six troopers and six of us, so it was a clos', ' we lay in wait for it and attacked it. there were six troopers and six of us, so it was a close thi', 'ay in wait for it and attacked it. there were six troopers and six of us, so it was a close thing, b', ' wait for it and attacked it. there were six troopers and six of us, so it was a close thing, but we', ' for it and attacked it. there were six troopers and six of us, so it was a close thing, but we empt', 'it and attacked it. there were six troopers and six of us, so it was a close thing, but we emptied f', 'd attacked it. there were six troopers and six of us, so it was a close thing, but we emptied four o', 'acked it. there were six troopers and six of us, so it was a close thing, but we emptied four of the', ' it. there were six troopers and six of us, so it was a close thing, but we emptied four of their sa', 'there were six troopers and six of us, so it was a close thing, but we emptied four of their saddles', ' were six troopers and six of us, so it was a close thing, but we emptied four of their saddles at t', ' six troopers and six of us, so it was a close thing, but we emptied four of their saddles at the fi', 'troopers and six of us, so it was a close thing, but we emptied four of their saddles at the first v', 'ers and six of us, so it was a close thing, but we emptied four of their saddles at the first volley', 'nd six of us, so it was a close thing, but we emptied four of their saddles at the first volley. thr', 'x of us, so it was a close thing, but we emptied four of their saddles at the first volley. three of', 'us, so it was a close thing, but we emptied four of their saddles at the first volley. three of our ', 'o it was a close thing, but we emptied four of their saddles at the first volley. three of our boys ', 'was a close thing, but we emptied four of their saddles at the first volley. three of our boys were ', ' close thing, but we emptied four of their saddles at the first volley. three of our boys were kille', 'e thing, but we emptied four of their saddles at the first volley. three of our boys were killed, ho', 'ng, but we emptied four of their saddles at the first volley. three of our boys were killed, however', 'ut we emptied four of their saddles at the first volley. three of our boys were killed, however, bef', ' emptied four of their saddles at the first volley. three of our boys were killed, however, before w', 'ied four of their saddles at the first volley. three of our boys were killed, however, before we got', 'our of their saddles at the first volley. three of our boys were killed, however, before we got the ', 'f their saddles at the first volley. three of our boys were killed, however, before we got the swag.', 'ir saddles at the first volley. three of our boys were killed, however, before we got the swag. i pu', 'ddles at the first volley. three of our boys were killed, however, before we got the swag. i put my ', ' at the first volley. three of our boys were killed, however, before we got the swag. i put my pisto', 'he first volley. three of our boys were killed, however, before we got the swag. i put my pistol to ', 'rst volley. three of our boys were killed, however, before we got the swag. i put my pistol to the h', 'olley. three of our boys were killed, however, before we got the swag. i put my pistol to the head o', '. three of our boys were killed, however, before we got the swag. i put my pistol to the head of the', 'ee of our boys were killed, however, before we got the swag. i put my pistol to the head of the wago', ' our boys were killed, however, before we got the swag. i put my pistol to the head of the wagon-dri', 'boys were killed, however, before we got the swag. i put my pistol to the head of the wagon-driver, ', 'were killed, however, before we got the swag. i put my pistol to the head of the wagon-driver, who w', 'killed, however, before we got the swag. i put my pistol to the head of the wagon-driver, who was th', 'd, however, before we got the swag. i put my pistol to the head of the wagon-driver, who was this ve', 'wever, before we got the swag. i put my pistol to the head of the wagon-driver, who was this very ma', ', before we got the swag. i put my pistol to the head of the wagon-driver, who was this very man mcc', 'ore we got the swag. i put my pistol to the head of the wagon-driver, who was this very man mccarthy', 'e got the swag. i put my pistol to the head of the wagon-driver, who was this very man mccarthy. i w', ' the swag. i put my pistol to the head of the wagon-driver, who was this very man mccarthy. i wish t', 'swag. i put my pistol to the head of the wagon-driver, who was this very man mccarthy. i wish to the', ' i put my pistol to the head of the wagon-driver, who was this very man mccarthy. i wish to the lord', 't my pistol to the head of the wagon-driver, who was this very man mccarthy. i wish to the lord that', 'pistol to the head of the wagon-driver, who was this very man mccarthy. i wish to the lord that i ha', 'l to the head of the wagon-driver, who was this very man mccarthy. i wish to the lord that i had sho', 'the head of the wagon-driver, who was this very man mccarthy. i wish to the lord that i had shot him', 'ead of the wagon-driver, who was this very man mccarthy. i wish to the lord that i had shot him then', 'f the wagon-driver, who was this very man mccarthy. i wish to the lord that i had shot him then, but', ' wagon-driver, who was this very man mccarthy. i wish to the lord that i had shot him then, but i sp', 'n-driver, who was this very man mccarthy. i wish to the lord that i had shot him then, but i spared ', 'ver, who was this very man mccarthy. i wish to the lord that i had shot him then, but i spared him, ', 'who was this very man mccarthy. i wish to the lord that i had shot him then, but i spared him, thoug', 'as this very man mccarthy. i wish to the lord that i had shot him then, but i spared him, though i s', 'is very man mccarthy. i wish to the lord that i had shot him then, but i spared him, though i saw hi', 'ry man mccarthy. i wish to the lord that i had shot him then, but i spared him, though i saw his wic', 'n mccarthy. i wish to the lord that i had shot him then, but i spared him, though i saw his wicked l', 'arthy. i wish to the lord that i had shot him then, but i spared him, though i saw his wicked little', '. i wish to the lord that i had shot him then, but i spared him, though i saw his wicked little eyes', 'ish to the lord that i had shot him then, but i spared him, though i saw his wicked little eyes fixe', 'o the lord that i had shot him then, but i spared him, though i saw his wicked little eyes fixed on ', ' lord that i had shot him then, but i spared him, though i saw his wicked little eyes fixed on my fa', ' that i had shot him then, but i spared him, though i saw his wicked little eyes fixed on my face, a', ' i had shot him then, but i spared him, though i saw his wicked little eyes fixed on my face, as tho', 'd shot him then, but i spared him, though i saw his wicked little eyes fixed on my face, as though t', 't him then, but i spared him, though i saw his wicked little eyes fixed on my face, as though to rem', ' then, but i spared him, though i saw his wicked little eyes fixed on my face, as though to remember', ', but i spared him, though i saw his wicked little eyes fixed on my face, as though to remember ever', ' i spared him, though i saw his wicked little eyes fixed on my face, as though to remember every fea', 'ared him, though i saw his wicked little eyes fixed on my face, as though to remember every feature.', 'him, though i saw his wicked little eyes fixed on my face, as though to remember every feature. we g', 'though i saw his wicked little eyes fixed on my face, as though to remember every feature. we got aw', 'h i saw his wicked little eyes fixed on my face, as though to remember every feature. we got away wi', 'aw his wicked little eyes fixed on my face, as though to remember every feature. we got away with th', 's wicked little eyes fixed on my face, as though to remember every feature. we got away with the gol', 'ked little eyes fixed on my face, as though to remember every feature. we got away with the gold, be', 'ittle eyes fixed on my face, as though to remember every feature. we got away with the gold, became ', ' eyes fixed on my face, as though to remember every feature. we got away with the gold, became wealt', ' fixed on my face, as though to remember every feature. we got away with the gold, became wealthy me', 'd on my face, as though to remember every feature. we got away with the gold, became wealthy men, an', 'my face, as though to remember every feature. we got away with the gold, became wealthy men, and mad', 'ce, as though to remember every feature. we got away with the gold, became wealthy men, and made our', 's though to remember every feature. we got away with the gold, became wealthy men, and made our way ', 'ugh to remember every feature. we got away with the gold, became wealthy men, and made our way over ', 'o remember every feature. we got away with the gold, became wealthy men, and made our way over to en', 'ember every feature. we got away with the gold, became wealthy men, and made our way over to england', ' every feature. we got away with the gold, became wealthy men, and made our way over to england with', 'y feature. we got away with the gold, became wealthy men, and made our way over to england without b', 'ture. we got away with the gold, became wealthy men, and made our way over to england without being ', ' we got away with the gold, became wealthy men, and made our way over to england without being suspe', 'ot away with the gold, became wealthy men, and made our way over to england without being suspected.', 'ay with the gold, became wealthy men, and made our way over to england without being suspected. ther', 'th the gold, became wealthy men, and made our way over to england without being suspected. there i p', 'e gold, became wealthy men, and made our way over to england without being suspected. there i parted', 'd, became wealthy men, and made our way over to england without being suspected. there i parted from', 'came wealthy men, and made our way over to england without being suspected. there i parted from my o', 'wealthy men, and made our way over to england without being suspected. there i parted from my old pa', 'hy men, and made our way over to england without being suspected. there i parted from my old pals an', 'n, and made our way over to england without being suspected. there i parted from my old pals and det', 'd made our way over to england without being suspected. there i parted from my old pals and determin', 'e our way over to england without being suspected. there i parted from my old pals and determined to', ' way over to england without being suspected. there i parted from my old pals and determined to sett', 'over to england without being suspected. there i parted from my old pals and determined to settle do', 'to england without being suspected. there i parted from my old pals and determined to settle down to', 'gland without being suspected. there i parted from my old pals and determined to settle down to a qu', ' without being suspected. there i parted from my old pals and determined to settle down to a quiet a', 'out being suspected. there i parted from my old pals and determined to settle down to a quiet and re', 'eing suspected. there i parted from my old pals and determined to settle down to a quiet and respect', 'suspected. there i parted from my old pals and determined to settle down to a quiet and respectable ', 'cted. there i parted from my old pals and determined to settle down to a quiet and respectable life.', ' there i parted from my old pals and determined to settle down to a quiet and respectable life. i bo', 'e i parted from my old pals and determined to settle down to a quiet and respectable life. i bought ', 'arted from my old pals and determined to settle down to a quiet and respectable life. i bought this ', ' from my old pals and determined to settle down to a quiet and respectable life. i bought this estat', ' my old pals and determined to settle down to a quiet and respectable life. i bought this estate, wh', 'ld pals and determined to settle down to a quiet and respectable life. i bought this estate, which c', 'ls and determined to settle down to a quiet and respectable life. i bought this estate, which chance', 'd determined to settle down to a quiet and respectable life. i bought this estate, which chanced to ', 'ermined to settle down to a quiet and respectable life. i bought this estate, which chanced to be in', 'ed to settle down to a quiet and respectable life. i bought this estate, which chanced to be in the ', ' settle down to a quiet and respectable life. i bought this estate, which chanced to be in the marke', 'le down to a quiet and respectable life. i bought this estate, which chanced to be in the market, an', 'wn to a quiet and respectable life. i bought this estate, which chanced to be in the market, and i s', ' a quiet and respectable life. i bought this estate, which chanced to be in the market, and i set my', 'iet and respectable life. i bought this estate, which chanced to be in the market, and i set myself ', 'nd respectable life. i bought this estate, which chanced to be in the market, and i set myself to do', 'spectable life. i bought this estate, which chanced to be in the market, and i set myself to do a li', 'able life. i bought this estate, which chanced to be in the market, and i set myself to do a little ', 'life. i bought this estate, which chanced to be in the market, and i set myself to do a little good ', ' i bought this estate, which chanced to be in the market, and i set myself to do a little good with ', 'ught this estate, which chanced to be in the market, and i set myself to do a little good with my mo', 'this estate, which chanced to be in the market, and i set myself to do a little good with my money, ', 'estate, which chanced to be in the market, and i set myself to do a little good with my money, to ma', 'e, which chanced to be in the market, and i set myself to do a little good with my money, to make up', 'ich chanced to be in the market, and i set myself to do a little good with my money, to make up for ', 'hanced to be in the market, and i set myself to do a little good with my money, to make up for the w', 'd to be in the market, and i set myself to do a little good with my money, to make up for the way in', 'be in the market, and i set myself to do a little good with my money, to make up for the way in whic', ' the market, and i set myself to do a little good with my money, to make up for the way in which i h', 'market, and i set myself to do a little good with my money, to make up for the way in which i had ea', 't, and i set myself to do a little good with my money, to make up for the way in which i had earned ', 'd i set myself to do a little good with my money, to make up for the way in which i had earned it. i', 'et myself to do a little good with my money, to make up for the way in which i had earned it. i marr', 'self to do a little good with my money, to make up for the way in which i had earned it. i married, ', 'to do a little good with my money, to make up for the way in which i had earned it. i married, too, ', ' a little good with my money, to make up for the way in which i had earned it. i married, too, and t', 'ttle good with my money, to make up for the way in which i had earned it. i married, too, and though', 'good with my money, to make up for the way in which i had earned it. i married, too, and though my w', 'with my money, to make up for the way in which i had earned it. i married, too, and though my wife d', 'my money, to make up for the way in which i had earned it. i married, too, and though my wife died y', 'ney, to make up for the way in which i had earned it. i married, too, and though my wife died young ', 'to make up for the way in which i had earned it. i married, too, and though my wife died young she l', 'ke up for the way in which i had earned it. i married, too, and though my wife died young she left m', ' for the way in which i had earned it. i married, too, and though my wife died young she left me my ', 'the way in which i had earned it. i married, too, and though my wife died young she left me my dear ', 'ay in which i had earned it. i married, too, and though my wife died young she left me my dear littl', ' which i had earned it. i married, too, and though my wife died young she left me my dear little ali', 'h i had earned it. i married, too, and though my wife died young she left me my dear little alice. e', 'ad earned it. i married, too, and though my wife died young she left me my dear little alice. even w', 'rned it. i married, too, and though my wife died young she left me my dear little alice. even when s', 'it. i married, too, and though my wife died young she left me my dear little alice. even when she wa', ' married, too, and though my wife died young she left me my dear little alice. even when she was jus', 'ied, too, and though my wife died young she left me my dear little alice. even when she was just a b', 'too, and though my wife died young she left me my dear little alice. even when she was just a baby h', 'and though my wife died young she left me my dear little alice. even when she was just a baby her we', 'hough my wife died young she left me my dear little alice. even when she was just a baby her wee han', ' my wife died young she left me my dear little alice. even when she was just a baby her wee hand see', 'ife died young she left me my dear little alice. even when she was just a baby her wee hand seemed t', 'ied young she left me my dear little alice. even when she was just a baby her wee hand seemed to lea', 'oung she left me my dear little alice. even when she was just a baby her wee hand seemed to lead me ', 'she left me my dear little alice. even when she was just a baby her wee hand seemed to lead me down ', 'eft me my dear little alice. even when she was just a baby her wee hand seemed to lead me down the r', 'e my dear little alice. even when she was just a baby her wee hand seemed to lead me down the right ', 'dear little alice. even when she was just a baby her wee hand seemed to lead me down the right path ', 'little alice. even when she was just a baby her wee hand seemed to lead me down the right path as no', 'e alice. even when she was just a baby her wee hand seemed to lead me down the right path as nothing', 'ce. even when she was just a baby her wee hand seemed to lead me down the right path as nothing else', 'ven when she was just a baby her wee hand seemed to lead me down the right path as nothing else had ', 'hen she was just a baby her wee hand seemed to lead me down the right path as nothing else had ever ', 'he was just a baby her wee hand seemed to lead me down the right path as nothing else had ever done.', 's just a baby her wee hand seemed to lead me down the right path as nothing else had ever done. in a', 't a baby her wee hand seemed to lead me down the right path as nothing else had ever done. in a word', 'aby her wee hand seemed to lead me down the right path as nothing else had ever done. in a word, i t', 'er wee hand seemed to lead me down the right path as nothing else had ever done. in a word, i turned', 'e hand seemed to lead me down the right path as nothing else had ever done. in a word, i turned over', 'd seemed to lead me down the right path as nothing else had ever done. in a word, i turned over a ne', 'med to lead me down the right path as nothing else had ever done. in a word, i turned over a new lea', 'o lead me down the right path as nothing else had ever done. in a word, i turned over a new leaf and', 'd me down the right path as nothing else had ever done. in a word, i turned over a new leaf and did ', 'down the right path as nothing else had ever done. in a word, i turned over a new leaf and did my be', 'the right path as nothing else had ever done. in a word, i turned over a new leaf and did my best to', 'ight path as nothing else had ever done. in a word, i turned over a new leaf and did my best to make', 'path as nothing else had ever done. in a word, i turned over a new leaf and did my best to make up f', 'as nothing else had ever done. in a word, i turned over a new leaf and did my best to make up for th', 'thing else had ever done. in a word, i turned over a new leaf and did my best to make up for the pas', ' else had ever done. in a word, i turned over a new leaf and did my best to make up for the past. al', ' had ever done. in a word, i turned over a new leaf and did my best to make up for the past. all was', 'ever done. in a word, i turned over a new leaf and did my best to make up for the past. all was goin', 'done. in a word, i turned over a new leaf and did my best to make up for the past. all was going wel', ' in a word, i turned over a new leaf and did my best to make up for the past. all was going well whe', ' word, i turned over a new leaf and did my best to make up for the past. all was going well when mcc', ', i turned over a new leaf and did my best to make up for the past. all was going well when mccarthy', 'urned over a new leaf and did my best to make up for the past. all was going well when mccarthy laid', ' over a new leaf and did my best to make up for the past. all was going well when mccarthy laid his ', ' a new leaf and did my best to make up for the past. all was going well when mccarthy laid his grip ', 'w leaf and did my best to make up for the past. all was going well when mccarthy laid his grip upon ', 'f and did my best to make up for the past. all was going well when mccarthy laid his grip upon me. "', ' did my best to make up for the past. all was going well when mccarthy laid his grip upon me. "i had', 'my best to make up for the past. all was going well when mccarthy laid his grip upon me. "i had gone', 'st to make up for the past. all was going well when mccarthy laid his grip upon me. "i had gone up t', ' make up for the past. all was going well when mccarthy laid his grip upon me. "i had gone up to tow', ' up for the past. all was going well when mccarthy laid his grip upon me. "i had gone up to town abo', 'or the past. all was going well when mccarthy laid his grip upon me. "i had gone up to town about an', 'e past. all was going well when mccarthy laid his grip upon me. "i had gone up to town about an inve', 't. all was going well when mccarthy laid his grip upon me. "i had gone up to town about an investmen', 'l was going well when mccarthy laid his grip upon me. "i had gone up to town about an investment, an', ' going well when mccarthy laid his grip upon me. "i had gone up to town about an investment, and i m', 'g well when mccarthy laid his grip upon me. "i had gone up to town about an investment, and i met hi', 'l when mccarthy laid his grip upon me. "i had gone up to town about an investment, and i met him in ', 'n mccarthy laid his grip upon me. "i had gone up to town about an investment, and i met him in regen', 'arthy laid his grip upon me. "i had gone up to town about an investment, and i met him in regent str', ' laid his grip upon me. "i had gone up to town about an investment, and i met him in regent street w', ' his grip upon me. "i had gone up to town about an investment, and i met him in regent street with h', 'grip upon me. "i had gone up to town about an investment, and i met him in regent street with hardly', 'upon me. "i had gone up to town about an investment, and i met him in regent street with hardly a co', 'me. "i had gone up to town about an investment, and i met him in regent street with hardly a coat to', 'i had gone up to town about an investment, and i met him in regent street with hardly a coat to his ', ' gone up to town about an investment, and i met him in regent street with hardly a coat to his back ', ' up to town about an investment, and i met him in regent street with hardly a coat to his back or a ', 'o town about an investment, and i met him in regent street with hardly a coat to his back or a boot ', 'n about an investment, and i met him in regent street with hardly a coat to his back or a boot to hi', 'ut an investment, and i met him in regent street with hardly a coat to his back or a boot to his foo', ' investment, and i met him in regent street with hardly a coat to his back or a boot to his foot. "\'', 'stment, and i met him in regent street with hardly a coat to his back or a boot to his foot. "\'here ', 't, and i met him in regent street with hardly a coat to his back or a boot to his foot. "\'here we ar', 'd i met him in regent street with hardly a coat to his back or a boot to his foot. "\'here we are, ja', 'et him in regent street with hardly a coat to his back or a boot to his foot. "\'here we are, jack,\' ', 'm in regent street with hardly a coat to his back or a boot to his foot. "\'here we are, jack,\' says ', 'regent street with hardly a coat to his back or a boot to his foot. "\'here we are, jack,\' says he, t', 't street with hardly a coat to his back or a boot to his foot. "\'here we are, jack,\' says he, touchi', 'eet with hardly a coat to his back or a boot to his foot. "\'here we are, jack,\' says he, touching me', 'ith hardly a coat to his back or a boot to his foot. "\'here we are, jack,\' says he, touching me on t', 'ardly a coat to his back or a boot to his foot. "\'here we are, jack,\' says he, touching me on the ar', ' a coat to his back or a boot to his foot. "\'here we are, jack,\' says he, touching me on the arm; \'w', 'at to his back or a boot to his foot. "\'here we are, jack,\' says he, touching me on the arm; \'we\'ll ', ' his back or a boot to his foot. "\'here we are, jack,\' says he, touching me on the arm; \'we\'ll be as', 'back or a boot to his foot. "\'here we are, jack,\' says he, touching me on the arm; \'we\'ll be as good', 'or a boot to his foot. "\'here we are, jack,\' says he, touching me on the arm; \'we\'ll be as good as a', 'boot to his foot. "\'here we are, jack,\' says he, touching me on the arm; \'we\'ll be as good as a fami', 'to his foot. "\'here we are, jack,\' says he, touching me on the arm; \'we\'ll be as good as a family to', 's foot. "\'here we are, jack,\' says he, touching me on the arm; \'we\'ll be as good as a family to you.', 't. "\'here we are, jack,\' says he, touching me on the arm; \'we\'ll be as good as a family to you. ther', "here we are, jack,' says he, touching me on the arm; 'we'll be as good as a family to you. there's t", "we are, jack,' says he, touching me on the arm; 'we'll be as good as a family to you. there's two of", "e, jack,' says he, touching me on the arm; 'we'll be as good as a family to you. there's two of us, ", "ck,' says he, touching me on the arm; 'we'll be as good as a family to you. there's two of us, me an", "says he, touching me on the arm; 'we'll be as good as a family to you. there's two of us, me and my ", "he, touching me on the arm; 'we'll be as good as a family to you. there's two of us, me and my son, ", "ouching me on the arm; 'we'll be as good as a family to you. there's two of us, me and my son, and y", "ng me on the arm; 'we'll be as good as a family to you. there's two of us, me and my son, and you ca", " on the arm; 'we'll be as good as a family to you. there's two of us, me and my son, and you can hav", "he arm; 'we'll be as good as a family to you. there's two of us, me and my son, and you can have the", "m; 'we'll be as good as a family to you. there's two of us, me and my son, and you can have the keep", "e'll be as good as a family to you. there's two of us, me and my son, and you can have the keeping o", "be as good as a family to you. there's two of us, me and my son, and you can have the keeping of us.", " good as a family to you. there's two of us, me and my son, and you can have the keeping of us. if y", " as a family to you. there's two of us, me and my son, and you can have the keeping of us. if you do", " family to you. there's two of us, me and my son, and you can have the keeping of us. if you don'tit", "ly to you. there's two of us, me and my son, and you can have the keeping of us. if you don'tit's a ", " you. there's two of us, me and my son, and you can have the keeping of us. if you don'tit's a fine,", " there's two of us, me and my son, and you can have the keeping of us. if you don'tit's a fine, law-", "e's two of us, me and my son, and you can have the keeping of us. if you don'tit's a fine, law-abidi", "wo of us, me and my son, and you can have the keeping of us. if you don'tit's a fine, law-abiding co", " us, me and my son, and you can have the keeping of us. if you don'tit's a fine, law-abiding country", "me and my son, and you can have the keeping of us. if you don'tit's a fine, law-abiding country is e", "d my son, and you can have the keeping of us. if you don'tit's a fine, law-abiding country is englan", "son, and you can have the keeping of us. if you don'tit's a fine, law-abiding country is england, an", "and you can have the keeping of us. if you don'tit's a fine, law-abiding country is england, and the", "ou can have the keeping of us. if you don'tit's a fine, law-abiding country is england, and there's ", "n have the keeping of us. if you don'tit's a fine, law-abiding country is england, and there's alway", "e the keeping of us. if you don'tit's a fine, law-abiding country is england, and there's always a p", " keeping of us. if you don'tit's a fine, law-abiding country is england, and there's always a police", "ing of us. if you don'tit's a fine, law-abiding country is england, and there's always a policeman w", "f us. if you don'tit's a fine, law-abiding country is england, and there's always a policeman within", " if you don'tit's a fine, law-abiding country is england, and there's always a policeman within hail", 'ou don\'tit\'s a fine, law-abiding country is england, and there\'s always a policeman within hail.\' "w', 'n\'tit\'s a fine, law-abiding country is england, and there\'s always a policeman within hail.\' "well, ', '\'s a fine, law-abiding country is england, and there\'s always a policeman within hail.\' "well, down ', 'fine, law-abiding country is england, and there\'s always a policeman within hail.\' "well, down they ', ' law-abiding country is england, and there\'s always a policeman within hail.\' "well, down they came ', 'abiding country is england, and there\'s always a policeman within hail.\' "well, down they came to th', 'ng country is england, and there\'s always a policeman within hail.\' "well, down they came to the wes', 'untry is england, and there\'s always a policeman within hail.\' "well, down they came to the west cou', ' is england, and there\'s always a policeman within hail.\' "well, down they came to the west country,', 'ngland, and there\'s always a policeman within hail.\' "well, down they came to the west country, ther', 'd, and there\'s always a policeman within hail.\' "well, down they came to the west country, there was', 'd there\'s always a policeman within hail.\' "well, down they came to the west country, there was no s', 're\'s always a policeman within hail.\' "well, down they came to the west country, there was no shakin', 'always a policeman within hail.\' "well, down they came to the west country, there was no shaking the', 's a policeman within hail.\' "well, down they came to the west country, there was no shaking them off', 'oliceman within hail.\' "well, down they came to the west country, there was no shaking them off, and', 'man within hail.\' "well, down they came to the west country, there was no shaking them off, and ther', 'ithin hail.\' "well, down they came to the west country, there was no shaking them off, and there the', ' hail.\' "well, down they came to the west country, there was no shaking them off, and there they hav', '.\' "well, down they came to the west country, there was no shaking them off, and there they have liv', 'ell, down they came to the west country, there was no shaking them off, and there they have lived re', 'down they came to the west country, there was no shaking them off, and there they have lived rent fr', 'they came to the west country, there was no shaking them off, and there they have lived rent free on', 'came to the west country, there was no shaking them off, and there they have lived rent free on my b', 'to the west country, there was no shaking them off, and there they have lived rent free on my best l', 'e west country, there was no shaking them off, and there they have lived rent free on my best land e', 't country, there was no shaking them off, and there they have lived rent free on my best land ever s', 'ntry, there was no shaking them off, and there they have lived rent free on my best land ever since.', ' there was no shaking them off, and there they have lived rent free on my best land ever since. ther', 'e was no shaking them off, and there they have lived rent free on my best land ever since. there was', ' no shaking them off, and there they have lived rent free on my best land ever since. there was no r', 'haking them off, and there they have lived rent free on my best land ever since. there was no rest f', 'g them off, and there they have lived rent free on my best land ever since. there was no rest for me', 'm off, and there they have lived rent free on my best land ever since. there was no rest for me, no ', ', and there they have lived rent free on my best land ever since. there was no rest for me, no peace', ' there they have lived rent free on my best land ever since. there was no rest for me, no peace, no ', 'e they have lived rent free on my best land ever since. there was no rest for me, no peace, no forge', 'y have lived rent free on my best land ever since. there was no rest for me, no peace, no forgetfuln', 'e lived rent free on my best land ever since. there was no rest for me, no peace, no forgetfulness; ', 'ed rent free on my best land ever since. there was no rest for me, no peace, no forgetfulness; turn ', 'nt free on my best land ever since. there was no rest for me, no peace, no forgetfulness; turn where', 'ee on my best land ever since. there was no rest for me, no peace, no forgetfulness; turn where i wo', ' my best land ever since. there was no rest for me, no peace, no forgetfulness; turn where i would, ', 'est land ever since. there was no rest for me, no peace, no forgetfulness; turn where i would, there', 'and ever since. there was no rest for me, no peace, no forgetfulness; turn where i would, there was ', 'ver since. there was no rest for me, no peace, no forgetfulness; turn where i would, there was his c', 'ince. there was no rest for me, no peace, no forgetfulness; turn where i would, there was his cunnin', ' there was no rest for me, no peace, no forgetfulness; turn where i would, there was his cunning, gr', 'e was no rest for me, no peace, no forgetfulness; turn where i would, there was his cunning, grinnin', ' no rest for me, no peace, no forgetfulness; turn where i would, there was his cunning, grinning fac', 'est for me, no peace, no forgetfulness; turn where i would, there was his cunning, grinning face at ', 'or me, no peace, no forgetfulness; turn where i would, there was his cunning, grinning face at my el', ', no peace, no forgetfulness; turn where i would, there was his cunning, grinning face at my elbow. ', 'peace, no forgetfulness; turn where i would, there was his cunning, grinning face at my elbow. it gr', ', no forgetfulness; turn where i would, there was his cunning, grinning face at my elbow. it grew wo', 'forgetfulness; turn where i would, there was his cunning, grinning face at my elbow. it grew worse a', 'tfulness; turn where i would, there was his cunning, grinning face at my elbow. it grew worse as ali', 'ess; turn where i would, there was his cunning, grinning face at my elbow. it grew worse as alice gr', 'turn where i would, there was his cunning, grinning face at my elbow. it grew worse as alice grew up', 'where i would, there was his cunning, grinning face at my elbow. it grew worse as alice grew up, for', ' i would, there was his cunning, grinning face at my elbow. it grew worse as alice grew up, for he s', 'uld, there was his cunning, grinning face at my elbow. it grew worse as alice grew up, for he soon s', 'there was his cunning, grinning face at my elbow. it grew worse as alice grew up, for he soon saw i ', ' was his cunning, grinning face at my elbow. it grew worse as alice grew up, for he soon saw i was m', 'his cunning, grinning face at my elbow. it grew worse as alice grew up, for he soon saw i was more a', 'unning, grinning face at my elbow. it grew worse as alice grew up, for he soon saw i was more afraid', 'g, grinning face at my elbow. it grew worse as alice grew up, for he soon saw i was more afraid of h', 'inning face at my elbow. it grew worse as alice grew up, for he soon saw i was more afraid of her kn', 'g face at my elbow. it grew worse as alice grew up, for he soon saw i was more afraid of her knowing', 'e at my elbow. it grew worse as alice grew up, for he soon saw i was more afraid of her knowing my p', 'my elbow. it grew worse as alice grew up, for he soon saw i was more afraid of her knowing my past t', 'bow. it grew worse as alice grew up, for he soon saw i was more afraid of her knowing my past than o', 'it grew worse as alice grew up, for he soon saw i was more afraid of her knowing my past than of the', 'ew worse as alice grew up, for he soon saw i was more afraid of her knowing my past than of the poli', 'rse as alice grew up, for he soon saw i was more afraid of her knowing my past than of the police. w', 's alice grew up, for he soon saw i was more afraid of her knowing my past than of the police. whatev', 'ce grew up, for he soon saw i was more afraid of her knowing my past than of the police. whatever he', 'ew up, for he soon saw i was more afraid of her knowing my past than of the police. whatever he want', ', for he soon saw i was more afraid of her knowing my past than of the police. whatever he wanted he', ' he soon saw i was more afraid of her knowing my past than of the police. whatever he wanted he must', 'oon saw i was more afraid of her knowing my past than of the police. whatever he wanted he must have', 'aw i was more afraid of her knowing my past than of the police. whatever he wanted he must have, and', 'was more afraid of her knowing my past than of the police. whatever he wanted he must have, and what', 'ore afraid of her knowing my past than of the police. whatever he wanted he must have, and whatever ', 'fraid of her knowing my past than of the police. whatever he wanted he must have, and whatever it wa', ' of her knowing my past than of the police. whatever he wanted he must have, and whatever it was i g', 'er knowing my past than of the police. whatever he wanted he must have, and whatever it was i gave h', 'owing my past than of the police. whatever he wanted he must have, and whatever it was i gave him wi', ' my past than of the police. whatever he wanted he must have, and whatever it was i gave him without', 'ast than of the police. whatever he wanted he must have, and whatever it was i gave him without ques', 'han of the police. whatever he wanted he must have, and whatever it was i gave him without question,', 'f the police. whatever he wanted he must have, and whatever it was i gave him without question, land', ' police. whatever he wanted he must have, and whatever it was i gave him without question, land, mon', 'ce. whatever he wanted he must have, and whatever it was i gave him without question, land, money, h', 'hatever he wanted he must have, and whatever it was i gave him without question, land, money, houses', 'er he wanted he must have, and whatever it was i gave him without question, land, money, houses, unt', ' wanted he must have, and whatever it was i gave him without question, land, money, houses, until at', 'ed he must have, and whatever it was i gave him without question, land, money, houses, until at last', ' must have, and whatever it was i gave him without question, land, money, houses, until at last he a', ' have, and whatever it was i gave him without question, land, money, houses, until at last he asked ', ', and whatever it was i gave him without question, land, money, houses, until at last he asked a thi', ' whatever it was i gave him without question, land, money, houses, until at last he asked a thing wh', 'ever it was i gave him without question, land, money, houses, until at last he asked a thing which i', 'it was i gave him without question, land, money, houses, until at last he asked a thing which i coul', 's i gave him without question, land, money, houses, until at last he asked a thing which i could not', 'ave him without question, land, money, houses, until at last he asked a thing which i could not give', 'im without question, land, money, houses, until at last he asked a thing which i could not give. he ', 'thout question, land, money, houses, until at last he asked a thing which i could not give. he asked', ' question, land, money, houses, until at last he asked a thing which i could not give. he asked for ', 'tion, land, money, houses, until at last he asked a thing which i could not give. he asked for alice', ' land, money, houses, until at last he asked a thing which i could not give. he asked for alice. "hi', ', money, houses, until at last he asked a thing which i could not give. he asked for alice. "his son', 'ey, houses, until at last he asked a thing which i could not give. he asked for alice. "his son, you', 'ouses, until at last he asked a thing which i could not give. he asked for alice. "his son, you see,', ', until at last he asked a thing which i could not give. he asked for alice. "his son, you see, had ', 'il at last he asked a thing which i could not give. he asked for alice. "his son, you see, had grown', ' last he asked a thing which i could not give. he asked for alice. "his son, you see, had grown up, ', ' he asked a thing which i could not give. he asked for alice. "his son, you see, had grown up, and s', 'sked a thing which i could not give. he asked for alice. "his son, you see, had grown up, and so had', 'a thing which i could not give. he asked for alice. "his son, you see, had grown up, and so had my g', 'ng which i could not give. he asked for alice. "his son, you see, had grown up, and so had my girl, ', 'ich i could not give. he asked for alice. "his son, you see, had grown up, and so had my girl, and a', ' could not give. he asked for alice. "his son, you see, had grown up, and so had my girl, and as i w', 'd not give. he asked for alice. "his son, you see, had grown up, and so had my girl, and as i was kn', ' give. he asked for alice. "his son, you see, had grown up, and so had my girl, and as i was known t', '. he asked for alice. "his son, you see, had grown up, and so had my girl, and as i was known to be ', 'asked for alice. "his son, you see, had grown up, and so had my girl, and as i was known to be in we', ' for alice. "his son, you see, had grown up, and so had my girl, and as i was known to be in weak he', 'alice. "his son, you see, had grown up, and so had my girl, and as i was known to be in weak health,', '. "his son, you see, had grown up, and so had my girl, and as i was known to be in weak health, it s', 's son, you see, had grown up, and so had my girl, and as i was known to be in weak health, it seemed', ', you see, had grown up, and so had my girl, and as i was known to be in weak health, it seemed a fi', ' see, had grown up, and so had my girl, and as i was known to be in weak health, it seemed a fine st', ' had grown up, and so had my girl, and as i was known to be in weak health, it seemed a fine stroke ', 'grown up, and so had my girl, and as i was known to be in weak health, it seemed a fine stroke to hi', ' up, and so had my girl, and as i was known to be in weak health, it seemed a fine stroke to him tha', 'and so had my girl, and as i was known to be in weak health, it seemed a fine stroke to him that his', 'o had my girl, and as i was known to be in weak health, it seemed a fine stroke to him that his lad ', ' my girl, and as i was known to be in weak health, it seemed a fine stroke to him that his lad shoul', 'irl, and as i was known to be in weak health, it seemed a fine stroke to him that his lad should ste', 'and as i was known to be in weak health, it seemed a fine stroke to him that his lad should step int', 's i was known to be in weak health, it seemed a fine stroke to him that his lad should step into the', 'as known to be in weak health, it seemed a fine stroke to him that his lad should step into the whol', 'own to be in weak health, it seemed a fine stroke to him that his lad should step into the whole pro', 'o be in weak health, it seemed a fine stroke to him that his lad should step into the whole property', 'in weak health, it seemed a fine stroke to him that his lad should step into the whole property. but', 'ak health, it seemed a fine stroke to him that his lad should step into the whole property. but ther', 'alth, it seemed a fine stroke to him that his lad should step into the whole property. but there i w', ' it seemed a fine stroke to him that his lad should step into the whole property. but there i was fi', 'eemed a fine stroke to him that his lad should step into the whole property. but there i was firm. i', ' a fine stroke to him that his lad should step into the whole property. but there i was firm. i woul', 'ne stroke to him that his lad should step into the whole property. but there i was firm. i would not', 'roke to him that his lad should step into the whole property. but there i was firm. i would not have', 'to him that his lad should step into the whole property. but there i was firm. i would not have his ', 'm that his lad should step into the whole property. but there i was firm. i would not have his curse', 't his lad should step into the whole property. but there i was firm. i would not have his cursed sto', ' lad should step into the whole property. but there i was firm. i would not have his cursed stock mi', 'should step into the whole property. but there i was firm. i would not have his cursed stock mixed w', 'd step into the whole property. but there i was firm. i would not have his cursed stock mixed with m', 'p into the whole property. but there i was firm. i would not have his cursed stock mixed with mine; ', 'o the whole property. but there i was firm. i would not have his cursed stock mixed with mine; not t', ' whole property. but there i was firm. i would not have his cursed stock mixed with mine; not that i', 'e property. but there i was firm. i would not have his cursed stock mixed with mine; not that i had ', 'perty. but there i was firm. i would not have his cursed stock mixed with mine; not that i had any d', '. but there i was firm. i would not have his cursed stock mixed with mine; not that i had any dislik', ' there i was firm. i would not have his cursed stock mixed with mine; not that i had any dislike to ', 'e i was firm. i would not have his cursed stock mixed with mine; not that i had any dislike to the l', 'as firm. i would not have his cursed stock mixed with mine; not that i had any dislike to the lad, b', 'rm. i would not have his cursed stock mixed with mine; not that i had any dislike to the lad, but hi', ' would not have his cursed stock mixed with mine; not that i had any dislike to the lad, but his blo', 'd not have his cursed stock mixed with mine; not that i had any dislike to the lad, but his blood wa', ' have his cursed stock mixed with mine; not that i had any dislike to the lad, but his blood was in ', ' his cursed stock mixed with mine; not that i had any dislike to the lad, but his blood was in him, ', 'cursed stock mixed with mine; not that i had any dislike to the lad, but his blood was in him, and t', 'd stock mixed with mine; not that i had any dislike to the lad, but his blood was in him, and that w', 'ck mixed with mine; not that i had any dislike to the lad, but his blood was in him, and that was en', 'xed with mine; not that i had any dislike to the lad, but his blood was in him, and that was enough.', 'ith mine; not that i had any dislike to the lad, but his blood was in him, and that was enough. i st', 'ine; not that i had any dislike to the lad, but his blood was in him, and that was enough. i stood f', 'not that i had any dislike to the lad, but his blood was in him, and that was enough. i stood firm. ', 'hat i had any dislike to the lad, but his blood was in him, and that was enough. i stood firm. mccar', ' had any dislike to the lad, but his blood was in him, and that was enough. i stood firm. mccarthy t', 'any dislike to the lad, but his blood was in him, and that was enough. i stood firm. mccarthy threat', 'islike to the lad, but his blood was in him, and that was enough. i stood firm. mccarthy threatened.', 'e to the lad, but his blood was in him, and that was enough. i stood firm. mccarthy threatened. i br', 'the lad, but his blood was in him, and that was enough. i stood firm. mccarthy threatened. i braved ', 'ad, but his blood was in him, and that was enough. i stood firm. mccarthy threatened. i braved him t', 'ut his blood was in him, and that was enough. i stood firm. mccarthy threatened. i braved him to do ', 's blood was in him, and that was enough. i stood firm. mccarthy threatened. i braved him to do his w', 'od was in him, and that was enough. i stood firm. mccarthy threatened. i braved him to do his worst.', 's in him, and that was enough. i stood firm. mccarthy threatened. i braved him to do his worst. we w', 'him, and that was enough. i stood firm. mccarthy threatened. i braved him to do his worst. we were t', 'and that was enough. i stood firm. mccarthy threatened. i braved him to do his worst. we were to mee', 'hat was enough. i stood firm. mccarthy threatened. i braved him to do his worst. we were to meet at ', 'as enough. i stood firm. mccarthy threatened. i braved him to do his worst. we were to meet at the p', 'ough. i stood firm. mccarthy threatened. i braved him to do his worst. we were to meet at the pool m', ' i stood firm. mccarthy threatened. i braved him to do his worst. we were to meet at the pool midway', 'ood firm. mccarthy threatened. i braved him to do his worst. we were to meet at the pool midway betw', 'irm. mccarthy threatened. i braved him to do his worst. we were to meet at the pool midway between o', 'mccarthy threatened. i braved him to do his worst. we were to meet at the pool midway between our ho', 'thy threatened. i braved him to do his worst. we were to meet at the pool midway between our houses ', 'hreatened. i braved him to do his worst. we were to meet at the pool midway between our houses to ta', 'ened. i braved him to do his worst. we were to meet at the pool midway between our houses to talk it', ' i braved him to do his worst. we were to meet at the pool midway between our houses to talk it over', 'aved him to do his worst. we were to meet at the pool midway between our houses to talk it over. "wh', 'him to do his worst. we were to meet at the pool midway between our houses to talk it over. "when i ', 'o do his worst. we were to meet at the pool midway between our houses to talk it over. "when i went ', 'his worst. we were to meet at the pool midway between our houses to talk it over. "when i went down ', 'orst. we were to meet at the pool midway between our houses to talk it over. "when i went down there', ' we were to meet at the pool midway between our houses to talk it over. "when i went down there i fo', 'ere to meet at the pool midway between our houses to talk it over. "when i went down there i found h', 'o meet at the pool midway between our houses to talk it over. "when i went down there i found him ta', 't at the pool midway between our houses to talk it over. "when i went down there i found him talking', 'the pool midway between our houses to talk it over. "when i went down there i found him talking with', 'ool midway between our houses to talk it over. "when i went down there i found him talking with his ', 'idway between our houses to talk it over. "when i went down there i found him talking with his son, ', ' between our houses to talk it over. "when i went down there i found him talking with his son, so i ', 'een our houses to talk it over. "when i went down there i found him talking with his son, so i smoke', 'ur houses to talk it over. "when i went down there i found him talking with his son, so i smoked a c', 'uses to talk it over. "when i went down there i found him talking with his son, so i smoked a cigar ', 'to talk it over. "when i went down there i found him talking with his son, so i smoked a cigar and w', 'lk it over. "when i went down there i found him talking with his son, so i smoked a cigar and waited', ' over. "when i went down there i found him talking with his son, so i smoked a cigar and waited behi', '. "when i went down there i found him talking with his son, so i smoked a cigar and waited behind a ', 'en i went down there i found him talking with his son, so i smoked a cigar and waited behind a tree ', 'went down there i found him talking with his son, so i smoked a cigar and waited behind a tree until', 'down there i found him talking with his son, so i smoked a cigar and waited behind a tree until he s', 'there i found him talking with his son, so i smoked a cigar and waited behind a tree until he should', ' i found him talking with his son, so i smoked a cigar and waited behind a tree until he should be a', 'und him talking with his son, so i smoked a cigar and waited behind a tree until he should be alone.', 'im talking with his son, so i smoked a cigar and waited behind a tree until he should be alone. but ', 'lking with his son, so i smoked a cigar and waited behind a tree until he should be alone. but as i ', ' with his son, so i smoked a cigar and waited behind a tree until he should be alone. but as i liste', ' his son, so i smoked a cigar and waited behind a tree until he should be alone. but as i listened t', 'son, so i smoked a cigar and waited behind a tree until he should be alone. but as i listened to his', 'so i smoked a cigar and waited behind a tree until he should be alone. but as i listened to his talk', 'smoked a cigar and waited behind a tree until he should be alone. but as i listened to his talk all ', 'd a cigar and waited behind a tree until he should be alone. but as i listened to his talk all that ', 'igar and waited behind a tree until he should be alone. but as i listened to his talk all that was b', 'and waited behind a tree until he should be alone. but as i listened to his talk all that was black ', 'aited behind a tree until he should be alone. but as i listened to his talk all that was black and b', ' behind a tree until he should be alone. but as i listened to his talk all that was black and bitter', 'nd a tree until he should be alone. but as i listened to his talk all that was black and bitter in m', 'tree until he should be alone. but as i listened to his talk all that was black and bitter in me see', 'until he should be alone. but as i listened to his talk all that was black and bitter in me seemed t', ' he should be alone. but as i listened to his talk all that was black and bitter in me seemed to com', 'hould be alone. but as i listened to his talk all that was black and bitter in me seemed to come upp', ' be alone. but as i listened to his talk all that was black and bitter in me seemed to come uppermos', 'lone. but as i listened to his talk all that was black and bitter in me seemed to come uppermost. he', ' but as i listened to his talk all that was black and bitter in me seemed to come uppermost. he was ', 'as i listened to his talk all that was black and bitter in me seemed to come uppermost. he was urgin', 'listened to his talk all that was black and bitter in me seemed to come uppermost. he was urging his', 'ned to his talk all that was black and bitter in me seemed to come uppermost. he was urging his son ', 'o his talk all that was black and bitter in me seemed to come uppermost. he was urging his son to ma', ' talk all that was black and bitter in me seemed to come uppermost. he was urging his son to marry m', ' all that was black and bitter in me seemed to come uppermost. he was urging his son to marry my dau', 'that was black and bitter in me seemed to come uppermost. he was urging his son to marry my daughter', 'was black and bitter in me seemed to come uppermost. he was urging his son to marry my daughter with', 'lack and bitter in me seemed to come uppermost. he was urging his son to marry my daughter with as l', 'and bitter in me seemed to come uppermost. he was urging his son to marry my daughter with as little', 'itter in me seemed to come uppermost. he was urging his son to marry my daughter with as little rega', ' in me seemed to come uppermost. he was urging his son to marry my daughter with as little regard fo', 'e seemed to come uppermost. he was urging his son to marry my daughter with as little regard for wha', 'med to come uppermost. he was urging his son to marry my daughter with as little regard for what she', 'o come uppermost. he was urging his son to marry my daughter with as little regard for what she migh', 'e uppermost. he was urging his son to marry my daughter with as little regard for what she might thi', 'ermost. he was urging his son to marry my daughter with as little regard for what she might think as', 't. he was urging his son to marry my daughter with as little regard for what she might think as if s', ' was urging his son to marry my daughter with as little regard for what she might think as if she we', 'urging his son to marry my daughter with as little regard for what she might think as if she were a ', 'g his son to marry my daughter with as little regard for what she might think as if she were a slut ', ' son to marry my daughter with as little regard for what she might think as if she were a slut from ', 'to marry my daughter with as little regard for what she might think as if she were a slut from off t', 'rry my daughter with as little regard for what she might think as if she were a slut from off the st', 'y daughter with as little regard for what she might think as if she were a slut from off the streets', 'ghter with as little regard for what she might think as if she were a slut from off the streets. it ', ' with as little regard for what she might think as if she were a slut from off the streets. it drove', ' as little regard for what she might think as if she were a slut from off the streets. it drove me m', 'ittle regard for what she might think as if she were a slut from off the streets. it drove me mad to', ' regard for what she might think as if she were a slut from off the streets. it drove me mad to thin', 'rd for what she might think as if she were a slut from off the streets. it drove me mad to think tha', 'r what she might think as if she were a slut from off the streets. it drove me mad to think that i a', 't she might think as if she were a slut from off the streets. it drove me mad to think that i and al', ' might think as if she were a slut from off the streets. it drove me mad to think that i and all tha', 't think as if she were a slut from off the streets. it drove me mad to think that i and all that i h', 'nk as if she were a slut from off the streets. it drove me mad to think that i and all that i held m', ' if she were a slut from off the streets. it drove me mad to think that i and all that i held most d', 'he were a slut from off the streets. it drove me mad to think that i and all that i held most dear s', 're a slut from off the streets. it drove me mad to think that i and all that i held most dear should', 'slut from off the streets. it drove me mad to think that i and all that i held most dear should be i', 'from off the streets. it drove me mad to think that i and all that i held most dear should be in the', 'off the streets. it drove me mad to think that i and all that i held most dear should be in the powe', 'he streets. it drove me mad to think that i and all that i held most dear should be in the power of ', 'reets. it drove me mad to think that i and all that i held most dear should be in the power of such ', '. it drove me mad to think that i and all that i held most dear should be in the power of such a man', 'drove me mad to think that i and all that i held most dear should be in the power of such a man as t', ' me mad to think that i and all that i held most dear should be in the power of such a man as this. ', 'ad to think that i and all that i held most dear should be in the power of such a man as this. could', ' think that i and all that i held most dear should be in the power of such a man as this. could i no', 'k that i and all that i held most dear should be in the power of such a man as this. could i not sna', 't i and all that i held most dear should be in the power of such a man as this. could i not snap the', 'nd all that i held most dear should be in the power of such a man as this. could i not snap the bond', 'l that i held most dear should be in the power of such a man as this. could i not snap the bond? i w', 't i held most dear should be in the power of such a man as this. could i not snap the bond? i was al', 'eld most dear should be in the power of such a man as this. could i not snap the bond? i was already', 'ost dear should be in the power of such a man as this. could i not snap the bond? i was already a dy', 'ear should be in the power of such a man as this. could i not snap the bond? i was already a dying a', 'hould be in the power of such a man as this. could i not snap the bond? i was already a dying and a ', ' be in the power of such a man as this. could i not snap the bond? i was already a dying and a despe', 'n the power of such a man as this. could i not snap the bond? i was already a dying and a desperate ', ' power of such a man as this. could i not snap the bond? i was already a dying and a desperate man. ', 'r of such a man as this. could i not snap the bond? i was already a dying and a desperate man. thoug', 'such a man as this. could i not snap the bond? i was already a dying and a desperate man. though cle', 'a man as this. could i not snap the bond? i was already a dying and a desperate man. though clear of', ' as this. could i not snap the bond? i was already a dying and a desperate man. though clear of mind', 'his. could i not snap the bond? i was already a dying and a desperate man. though clear of mind and ', 'could i not snap the bond? i was already a dying and a desperate man. though clear of mind and fairl', ' i not snap the bond? i was already a dying and a desperate man. though clear of mind and fairly str', 't snap the bond? i was already a dying and a desperate man. though clear of mind and fairly strong o', 'p the bond? i was already a dying and a desperate man. though clear of mind and fairly strong of lim', ' bond? i was already a dying and a desperate man. though clear of mind and fairly strong of limb, i ', '? i was already a dying and a desperate man. though clear of mind and fairly strong of limb, i knew ', 'as already a dying and a desperate man. though clear of mind and fairly strong of limb, i knew that ', 'ready a dying and a desperate man. though clear of mind and fairly strong of limb, i knew that my ow', ' a dying and a desperate man. though clear of mind and fairly strong of limb, i knew that my own fat', 'ing and a desperate man. though clear of mind and fairly strong of limb, i knew that my own fate was', 'nd a desperate man. though clear of mind and fairly strong of limb, i knew that my own fate was seal', 'desperate man. though clear of mind and fairly strong of limb, i knew that my own fate was sealed. b', 'rate man. though clear of mind and fairly strong of limb, i knew that my own fate was sealed. but my', 'man. though clear of mind and fairly strong of limb, i knew that my own fate was sealed. but my memo', 'though clear of mind and fairly strong of limb, i knew that my own fate was sealed. but my memory an', 'h clear of mind and fairly strong of limb, i knew that my own fate was sealed. but my memory and my ', 'ar of mind and fairly strong of limb, i knew that my own fate was sealed. but my memory and my girl!', ' mind and fairly strong of limb, i knew that my own fate was sealed. but my memory and my girl! both', ' and fairly strong of limb, i knew that my own fate was sealed. but my memory and my girl! both coul', 'fairly strong of limb, i knew that my own fate was sealed. but my memory and my girl! both could be ', 'y strong of limb, i knew that my own fate was sealed. but my memory and my girl! both could be saved', 'ong of limb, i knew that my own fate was sealed. but my memory and my girl! both could be saved if i', 'f limb, i knew that my own fate was sealed. but my memory and my girl! both could be saved if i coul', 'b, i knew that my own fate was sealed. but my memory and my girl! both could be saved if i could but', 'knew that my own fate was sealed. but my memory and my girl! both could be saved if i could but sile', 'that my own fate was sealed. but my memory and my girl! both could be saved if i could but silence t', 'my own fate was sealed. but my memory and my girl! both could be saved if i could but silence that f', 'n fate was sealed. but my memory and my girl! both could be saved if i could but silence that foul t', 'e was sealed. but my memory and my girl! both could be saved if i could but silence that foul tongue', ' sealed. but my memory and my girl! both could be saved if i could but silence that foul tongue. i d', 'ed. but my memory and my girl! both could be saved if i could but silence that foul tongue. i did it', 'ut my memory and my girl! both could be saved if i could but silence that foul tongue. i did it, mr.', ' memory and my girl! both could be saved if i could but silence that foul tongue. i did it, mr. holm', 'ry and my girl! both could be saved if i could but silence that foul tongue. i did it, mr. holmes. i', 'd my girl! both could be saved if i could but silence that foul tongue. i did it, mr. holmes. i woul', 'girl! both could be saved if i could but silence that foul tongue. i did it, mr. holmes. i would do ', ' both could be saved if i could but silence that foul tongue. i did it, mr. holmes. i would do it ag', ' could be saved if i could but silence that foul tongue. i did it, mr. holmes. i would do it again. ', 'd be saved if i could but silence that foul tongue. i did it, mr. holmes. i would do it again. deepl', 'saved if i could but silence that foul tongue. i did it, mr. holmes. i would do it again. deeply as ', ' if i could but silence that foul tongue. i did it, mr. holmes. i would do it again. deeply as i hav', ' could but silence that foul tongue. i did it, mr. holmes. i would do it again. deeply as i have sin', 'd but silence that foul tongue. i did it, mr. holmes. i would do it again. deeply as i have sinned, ', ' silence that foul tongue. i did it, mr. holmes. i would do it again. deeply as i have sinned, i hav', 'nce that foul tongue. i did it, mr. holmes. i would do it again. deeply as i have sinned, i have led', 'hat foul tongue. i did it, mr. holmes. i would do it again. deeply as i have sinned, i have led a li', 'oul tongue. i did it, mr. holmes. i would do it again. deeply as i have sinned, i have led a life of', 'ongue. i did it, mr. holmes. i would do it again. deeply as i have sinned, i have led a life of mart', '. i did it, mr. holmes. i would do it again. deeply as i have sinned, i have led a life of martyrdom', 'id it, mr. holmes. i would do it again. deeply as i have sinned, i have led a life of martyrdom to a', ', mr. holmes. i would do it again. deeply as i have sinned, i have led a life of martyrdom to atone ', ' holmes. i would do it again. deeply as i have sinned, i have led a life of martyrdom to atone for i', 'es. i would do it again. deeply as i have sinned, i have led a life of martyrdom to atone for it. bu', ' would do it again. deeply as i have sinned, i have led a life of martyrdom to atone for it. but tha', 'd do it again. deeply as i have sinned, i have led a life of martyrdom to atone for it. but that my ', 'it again. deeply as i have sinned, i have led a life of martyrdom to atone for it. but that my girl ', 'ain. deeply as i have sinned, i have led a life of martyrdom to atone for it. but that my girl shoul', 'deeply as i have sinned, i have led a life of martyrdom to atone for it. but that my girl should be ', 'y as i have sinned, i have led a life of martyrdom to atone for it. but that my girl should be entan', 'i have sinned, i have led a life of martyrdom to atone for it. but that my girl should be entangled ', 'e sinned, i have led a life of martyrdom to atone for it. but that my girl should be entangled in th', 'ned, i have led a life of martyrdom to atone for it. but that my girl should be entangled in the sam', 'i have led a life of martyrdom to atone for it. but that my girl should be entangled in the same mes', 'e led a life of martyrdom to atone for it. but that my girl should be entangled in the same meshes w', ' a life of martyrdom to atone for it. but that my girl should be entangled in the same meshes which ', 'fe of martyrdom to atone for it. but that my girl should be entangled in the same meshes which held ', ' martyrdom to atone for it. but that my girl should be entangled in the same meshes which held me wa', 'yrdom to atone for it. but that my girl should be entangled in the same meshes which held me was mor', ' to atone for it. but that my girl should be entangled in the same meshes which held me was more tha', 'tone for it. but that my girl should be entangled in the same meshes which held me was more than i c', 'for it. but that my girl should be entangled in the same meshes which held me was more than i could ', 't. but that my girl should be entangled in the same meshes which held me was more than i could suffe', 't that my girl should be entangled in the same meshes which held me was more than i could suffer. i ', 't my girl should be entangled in the same meshes which held me was more than i could suffer. i struc', 'girl should be entangled in the same meshes which held me was more than i could suffer. i struck him', 'should be entangled in the same meshes which held me was more than i could suffer. i struck him down', 'd be entangled in the same meshes which held me was more than i could suffer. i struck him down with', 'entangled in the same meshes which held me was more than i could suffer. i struck him down with no m', 'gled in the same meshes which held me was more than i could suffer. i struck him down with no more c', 'in the same meshes which held me was more than i could suffer. i struck him down with no more compun', 'e same meshes which held me was more than i could suffer. i struck him down with no more compunction', 'e meshes which held me was more than i could suffer. i struck him down with no more compunction than', 'hes which held me was more than i could suffer. i struck him down with no more compunction than if h', 'hich held me was more than i could suffer. i struck him down with no more compunction than if he had', 'held me was more than i could suffer. i struck him down with no more compunction than if he had been', 'me was more than i could suffer. i struck him down with no more compunction than if he had been some', 's more than i could suffer. i struck him down with no more compunction than if he had been some foul', 'e than i could suffer. i struck him down with no more compunction than if he had been some foul and ', 'n i could suffer. i struck him down with no more compunction than if he had been some foul and venom', 'ould suffer. i struck him down with no more compunction than if he had been some foul and venomous b', 'suffer. i struck him down with no more compunction than if he had been some foul and venomous beast.', 'r. i struck him down with no more compunction than if he had been some foul and venomous beast. his ', 'struck him down with no more compunction than if he had been some foul and venomous beast. his cry b', 'k him down with no more compunction than if he had been some foul and venomous beast. his cry brough', ' down with no more compunction than if he had been some foul and venomous beast. his cry brought bac', ' with no more compunction than if he had been some foul and venomous beast. his cry brought back his', ' no more compunction than if he had been some foul and venomous beast. his cry brought back his son;', 'ore compunction than if he had been some foul and venomous beast. his cry brought back his son; but ', 'ompunction than if he had been some foul and venomous beast. his cry brought back his son; but i had', 'ction than if he had been some foul and venomous beast. his cry brought back his son; but i had gain', ' than if he had been some foul and venomous beast. his cry brought back his son; but i had gained th', ' if he had been some foul and venomous beast. his cry brought back his son; but i had gained the cov', 'e had been some foul and venomous beast. his cry brought back his son; but i had gained the cover of', ' been some foul and venomous beast. his cry brought back his son; but i had gained the cover of the ', ' some foul and venomous beast. his cry brought back his son; but i had gained the cover of the wood,', ' foul and venomous beast. his cry brought back his son; but i had gained the cover of the wood, thou', ' and venomous beast. his cry brought back his son; but i had gained the cover of the wood, though i ', 'venomous beast. his cry brought back his son; but i had gained the cover of the wood, though i was f', 'ous beast. his cry brought back his son; but i had gained the cover of the wood, though i was forced', 'east. his cry brought back his son; but i had gained the cover of the wood, though i was forced to g', ' his cry brought back his son; but i had gained the cover of the wood, though i was forced to go bac', 'cry brought back his son; but i had gained the cover of the wood, though i was forced to go back to ', 'rought back his son; but i had gained the cover of the wood, though i was forced to go back to fetch', 't back his son; but i had gained the cover of the wood, though i was forced to go back to fetch the ', 'k his son; but i had gained the cover of the wood, though i was forced to go back to fetch the cloak', ' son; but i had gained the cover of the wood, though i was forced to go back to fetch the cloak whic', ' but i had gained the cover of the wood, though i was forced to go back to fetch the cloak which i h', 'i had gained the cover of the wood, though i was forced to go back to fetch the cloak which i had dr', ' gained the cover of the wood, though i was forced to go back to fetch the cloak which i had dropped', 'ed the cover of the wood, though i was forced to go back to fetch the cloak which i had dropped in m', 'e cover of the wood, though i was forced to go back to fetch the cloak which i had dropped in my fli', 'er of the wood, though i was forced to go back to fetch the cloak which i had dropped in my flight. ', ' the wood, though i was forced to go back to fetch the cloak which i had dropped in my flight. that ', 'wood, though i was forced to go back to fetch the cloak which i had dropped in my flight. that is th', ' though i was forced to go back to fetch the cloak which i had dropped in my flight. that is the tru', 'gh i was forced to go back to fetch the cloak which i had dropped in my flight. that is the true sto', 'was forced to go back to fetch the cloak which i had dropped in my flight. that is the true story, g', 'orced to go back to fetch the cloak which i had dropped in my flight. that is the true story, gentle', ' to go back to fetch the cloak which i had dropped in my flight. that is the true story, gentlemen, ', 'o back to fetch the cloak which i had dropped in my flight. that is the true story, gentlemen, of al', 'k to fetch the cloak which i had dropped in my flight. that is the true story, gentlemen, of all tha', 'fetch the cloak which i had dropped in my flight. that is the true story, gentlemen, of all that occ', ' the cloak which i had dropped in my flight. that is the true story, gentlemen, of all that occurred', 'cloak which i had dropped in my flight. that is the true story, gentlemen, of all that occurred." "w', ' which i had dropped in my flight. that is the true story, gentlemen, of all that occurred." "well, ', 'h i had dropped in my flight. that is the true story, gentlemen, of all that occurred." "well, it is', 'ad dropped in my flight. that is the true story, gentlemen, of all that occurred." "well, it is not ', 'opped in my flight. that is the true story, gentlemen, of all that occurred." "well, it is not for m', ' in my flight. that is the true story, gentlemen, of all that occurred." "well, it is not for me to ', 'y flight. that is the true story, gentlemen, of all that occurred." "well, it is not for me to judge', 'ght. that is the true story, gentlemen, of all that occurred." "well, it is not for me to judge you,', 'that is the true story, gentlemen, of all that occurred." "well, it is not for me to judge you," sai', 'is the true story, gentlemen, of all that occurred." "well, it is not for me to judge you," said hol', 'e true story, gentlemen, of all that occurred." "well, it is not for me to judge you," said holmes a', 'e story, gentlemen, of all that occurred." "well, it is not for me to judge you," said holmes as the', 'ry, gentlemen, of all that occurred." "well, it is not for me to judge you," said holmes as the old ', 'entlemen, of all that occurred." "well, it is not for me to judge you," said holmes as the old man s', 'men, of all that occurred." "well, it is not for me to judge you," said holmes as the old man signed', 'of all that occurred." "well, it is not for me to judge you," said holmes as the old man signed the ', 'l that occurred." "well, it is not for me to judge you," said holmes as the old man signed the state', 't occurred." "well, it is not for me to judge you," said holmes as the old man signed the statement ', 'urred." "well, it is not for me to judge you," said holmes as the old man signed the statement which', '." "well, it is not for me to judge you," said holmes as the old man signed the statement which had ', 'ell, it is not for me to judge you," said holmes as the old man signed the statement which had been ', 'it is not for me to judge you," said holmes as the old man signed the statement which had been drawn', ' not for me to judge you," said holmes as the old man signed the statement which had been drawn out.', 'for me to judge you," said holmes as the old man signed the statement which had been drawn out. "i p', 'e to judge you," said holmes as the old man signed the statement which had been drawn out. "i pray t', 'judge you," said holmes as the old man signed the statement which had been drawn out. "i pray that w', ' you," said holmes as the old man signed the statement which had been drawn out. "i pray that we may', '" said holmes as the old man signed the statement which had been drawn out. "i pray that we may neve', 'd holmes as the old man signed the statement which had been drawn out. "i pray that we may never be ', 'mes as the old man signed the statement which had been drawn out. "i pray that we may never be expos', 's the old man signed the statement which had been drawn out. "i pray that we may never be exposed to', ' old man signed the statement which had been drawn out. "i pray that we may never be exposed to such', 'man signed the statement which had been drawn out. "i pray that we may never be exposed to such a te', 'igned the statement which had been drawn out. "i pray that we may never be exposed to such a temptat', ' the statement which had been drawn out. "i pray that we may never be exposed to such a temptation."', 'statement which had been drawn out. "i pray that we may never be exposed to such a temptation." "i p', 'ment which had been drawn out. "i pray that we may never be exposed to such a temptation." "i pray n', 'which had been drawn out. "i pray that we may never be exposed to such a temptation." "i pray not, s', ' had been drawn out. "i pray that we may never be exposed to such a temptation." "i pray not, sir. a', 'been drawn out. "i pray that we may never be exposed to such a temptation." "i pray not, sir. and wh', 'drawn out. "i pray that we may never be exposed to such a temptation." "i pray not, sir. and what do', ' out. "i pray that we may never be exposed to such a temptation." "i pray not, sir. and what do you ', ' "i pray that we may never be exposed to such a temptation." "i pray not, sir. and what do you inten', 'ray that we may never be exposed to such a temptation." "i pray not, sir. and what do you intend to ', 'hat we may never be exposed to such a temptation." "i pray not, sir. and what do you intend to do?" ', 'e may never be exposed to such a temptation." "i pray not, sir. and what do you intend to do?" "in v', ' never be exposed to such a temptation." "i pray not, sir. and what do you intend to do?" "in view o', 'r be exposed to such a temptation." "i pray not, sir. and what do you intend to do?" "in view of you', 'exposed to such a temptation." "i pray not, sir. and what do you intend to do?" "in view of your hea', 'ed to such a temptation." "i pray not, sir. and what do you intend to do?" "in view of your health, ', ' such a temptation." "i pray not, sir. and what do you intend to do?" "in view of your health, nothi', ' a temptation." "i pray not, sir. and what do you intend to do?" "in view of your health, nothing. y', 'mptation." "i pray not, sir. and what do you intend to do?" "in view of your health, nothing. you ar', 'ion." "i pray not, sir. and what do you intend to do?" "in view of your health, nothing. you are you', ' "i pray not, sir. and what do you intend to do?" "in view of your health, nothing. you are yourself', 'ray not, sir. and what do you intend to do?" "in view of your health, nothing. you are yourself awar', 'ot, sir. and what do you intend to do?" "in view of your health, nothing. you are yourself aware tha', 'ir. and what do you intend to do?" "in view of your health, nothing. you are yourself aware that you', 'nd what do you intend to do?" "in view of your health, nothing. you are yourself aware that you will', 'at do you intend to do?" "in view of your health, nothing. you are yourself aware that you will soon', ' you intend to do?" "in view of your health, nothing. you are yourself aware that you will soon have', 'intend to do?" "in view of your health, nothing. you are yourself aware that you will soon have to a', 'd to do?" "in view of your health, nothing. you are yourself aware that you will soon have to answer', 'do?" "in view of your health, nothing. you are yourself aware that you will soon have to answer for ', '"in view of your health, nothing. you are yourself aware that you will soon have to answer for your ', 'iew of your health, nothing. you are yourself aware that you will soon have to answer for your deed ', 'f your health, nothing. you are yourself aware that you will soon have to answer for your deed at a ', 'r health, nothing. you are yourself aware that you will soon have to answer for your deed at a highe', 'lth, nothing. you are yourself aware that you will soon have to answer for your deed at a higher cou', 'nothing. you are yourself aware that you will soon have to answer for your deed at a higher court th', 'ng. you are yourself aware that you will soon have to answer for your deed at a higher court than th', 'ou are yourself aware that you will soon have to answer for your deed at a higher court than the ass', 'e yourself aware that you will soon have to answer for your deed at a higher court than the assizes.', 'rself aware that you will soon have to answer for your deed at a higher court than the assizes. i wi', ' aware that you will soon have to answer for your deed at a higher court than the assizes. i will ke', 'e that you will soon have to answer for your deed at a higher court than the assizes. i will keep yo', 't you will soon have to answer for your deed at a higher court than the assizes. i will keep your co', ' will soon have to answer for your deed at a higher court than the assizes. i will keep your confess', ' soon have to answer for your deed at a higher court than the assizes. i will keep your confession, ', ' have to answer for your deed at a higher court than the assizes. i will keep your confession, and i', ' to answer for your deed at a higher court than the assizes. i will keep your confession, and if mcc', 'nswer for your deed at a higher court than the assizes. i will keep your confession, and if mccarthy', ' for your deed at a higher court than the assizes. i will keep your confession, and if mccarthy is c', 'your deed at a higher court than the assizes. i will keep your confession, and if mccarthy is condem', 'deed at a higher court than the assizes. i will keep your confession, and if mccarthy is condemned i', 'at a higher court than the assizes. i will keep your confession, and if mccarthy is condemned i shal', 'higher court than the assizes. i will keep your confession, and if mccarthy is condemned i shall be ', 'r court than the assizes. i will keep your confession, and if mccarthy is condemned i shall be force', 'rt than the assizes. i will keep your confession, and if mccarthy is condemned i shall be forced to ', 'an the assizes. i will keep your confession, and if mccarthy is condemned i shall be forced to use i', 'e assizes. i will keep your confession, and if mccarthy is condemned i shall be forced to use it. if', 'izes. i will keep your confession, and if mccarthy is condemned i shall be forced to use it. if not,', ' i will keep your confession, and if mccarthy is condemned i shall be forced to use it. if not, it s', 'll keep your confession, and if mccarthy is condemned i shall be forced to use it. if not, it shall ', 'ep your confession, and if mccarthy is condemned i shall be forced to use it. if not, it shall never', 'ur confession, and if mccarthy is condemned i shall be forced to use it. if not, it shall never be s', 'nfession, and if mccarthy is condemned i shall be forced to use it. if not, it shall never be seen b', 'ion, and if mccarthy is condemned i shall be forced to use it. if not, it shall never be seen by mor', 'and if mccarthy is condemned i shall be forced to use it. if not, it shall never be seen by mortal e', 'f mccarthy is condemned i shall be forced to use it. if not, it shall never be seen by mortal eye; a', 'arthy is condemned i shall be forced to use it. if not, it shall never be seen by mortal eye; and yo', ' is condemned i shall be forced to use it. if not, it shall never be seen by mortal eye; and your se', 'ondemned i shall be forced to use it. if not, it shall never be seen by mortal eye; and your secret,', 'ned i shall be forced to use it. if not, it shall never be seen by mortal eye; and your secret, whet', ' shall be forced to use it. if not, it shall never be seen by mortal eye; and your secret, whether y', 'l be forced to use it. if not, it shall never be seen by mortal eye; and your secret, whether you be', 'forced to use it. if not, it shall never be seen by mortal eye; and your secret, whether you be aliv', 'd to use it. if not, it shall never be seen by mortal eye; and your secret, whether you be alive or ', 'use it. if not, it shall never be seen by mortal eye; and your secret, whether you be alive or dead,', 't. if not, it shall never be seen by mortal eye; and your secret, whether you be alive or dead, shal', ' not, it shall never be seen by mortal eye; and your secret, whether you be alive or dead, shall be ', ' it shall never be seen by mortal eye; and your secret, whether you be alive or dead, shall be safe ', 'hall never be seen by mortal eye; and your secret, whether you be alive or dead, shall be safe with ', 'never be seen by mortal eye; and your secret, whether you be alive or dead, shall be safe with us." ', ' be seen by mortal eye; and your secret, whether you be alive or dead, shall be safe with us." "fare', 'een by mortal eye; and your secret, whether you be alive or dead, shall be safe with us." "farewell,', 'y mortal eye; and your secret, whether you be alive or dead, shall be safe with us." "farewell, then', 'tal eye; and your secret, whether you be alive or dead, shall be safe with us." "farewell, then," sa', 'ye; and your secret, whether you be alive or dead, shall be safe with us." "farewell, then," said th', 'nd your secret, whether you be alive or dead, shall be safe with us." "farewell, then," said the old', 'ur secret, whether you be alive or dead, shall be safe with us." "farewell, then," said the old man ', 'cret, whether you be alive or dead, shall be safe with us." "farewell, then," said the old man solem', ' whether you be alive or dead, shall be safe with us." "farewell, then," said the old man solemnly. ', 'her you be alive or dead, shall be safe with us." "farewell, then," said the old man solemnly. "your', 'ou be alive or dead, shall be safe with us." "farewell, then," said the old man solemnly. "your own ', ' alive or dead, shall be safe with us." "farewell, then," said the old man solemnly. "your own death', 'e or dead, shall be safe with us." "farewell, then," said the old man solemnly. "your own deathbeds,', 'dead, shall be safe with us." "farewell, then," said the old man solemnly. "your own deathbeds, when', ' shall be safe with us." "farewell, then," said the old man solemnly. "your own deathbeds, when they', 'l be safe with us." "farewell, then," said the old man solemnly. "your own deathbeds, when they come', 'safe with us." "farewell, then," said the old man solemnly. "your own deathbeds, when they come, wil', 'with us." "farewell, then," said the old man solemnly. "your own deathbeds, when they come, will be ', 'us." "farewell, then," said the old man solemnly. "your own deathbeds, when they come, will be the e', '"farewell, then," said the old man solemnly. "your own deathbeds, when they come, will be the easier', 'well, then," said the old man solemnly. "your own deathbeds, when they come, will be the easier for ', ' then," said the old man solemnly. "your own deathbeds, when they come, will be the easier for the t', '," said the old man solemnly. "your own deathbeds, when they come, will be the easier for the though', 'id the old man solemnly. "your own deathbeds, when they come, will be the easier for the thought of ', 'e old man solemnly. "your own deathbeds, when they come, will be the easier for the thought of the p', ' man solemnly. "your own deathbeds, when they come, will be the easier for the thought of the peace ', 'solemnly. "your own deathbeds, when they come, will be the easier for the thought of the peace which', 'nly. "your own deathbeds, when they come, will be the easier for the thought of the peace which you ', '"your own deathbeds, when they come, will be the easier for the thought of the peace which you have ', ' own deathbeds, when they come, will be the easier for the thought of the peace which you have given', 'deathbeds, when they come, will be the easier for the thought of the peace which you have given to m', 'beds, when they come, will be the easier for the thought of the peace which you have given to mine."', ' when they come, will be the easier for the thought of the peace which you have given to mine." tott', ' they come, will be the easier for the thought of the peace which you have given to mine." tottering', ' come, will be the easier for the thought of the peace which you have given to mine." tottering and ', ', will be the easier for the thought of the peace which you have given to mine." tottering and shaki', 'l be the easier for the thought of the peace which you have given to mine." tottering and shaking in', 'the easier for the thought of the peace which you have given to mine." tottering and shaking in all ', 'asier for the thought of the peace which you have given to mine." tottering and shaking in all his g', ' for the thought of the peace which you have given to mine." tottering and shaking in all his giant ', 'the thought of the peace which you have given to mine." tottering and shaking in all his giant frame', 'hought of the peace which you have given to mine." tottering and shaking in all his giant frame, he ', 't of the peace which you have given to mine." tottering and shaking in all his giant frame, he stumb', 'the peace which you have given to mine." tottering and shaking in all his giant frame, he stumbled s', 'eace which you have given to mine." tottering and shaking in all his giant frame, he stumbled slowly', 'which you have given to mine." tottering and shaking in all his giant frame, he stumbled slowly from', ' you have given to mine." tottering and shaking in all his giant frame, he stumbled slowly from the ', 'have given to mine." tottering and shaking in all his giant frame, he stumbled slowly from the room.', 'given to mine." tottering and shaking in all his giant frame, he stumbled slowly from the room. "god', ' to mine." tottering and shaking in all his giant frame, he stumbled slowly from the room. "god help', 'ine." tottering and shaking in all his giant frame, he stumbled slowly from the room. "god help us s', ' tottering and shaking in all his giant frame, he stumbled slowly from the room. "god help us said h', 'ering and shaking in all his giant frame, he stumbled slowly from the room. "god help us said holmes', ' and shaking in all his giant frame, he stumbled slowly from the room. "god help us said holmes afte', 'shaking in all his giant frame, he stumbled slowly from the room. "god help us said holmes after a l', 'ng in all his giant frame, he stumbled slowly from the room. "god help us said holmes after a long s', ' all his giant frame, he stumbled slowly from the room. "god help us said holmes after a long silenc', 'his giant frame, he stumbled slowly from the room. "god help us said holmes after a long silence. "w', 'iant frame, he stumbled slowly from the room. "god help us said holmes after a long silence. "why do', 'frame, he stumbled slowly from the room. "god help us said holmes after a long silence. "why does fa', ', he stumbled slowly from the room. "god help us said holmes after a long silence. "why does fate pl', 'stumbled slowly from the room. "god help us said holmes after a long silence. "why does fate play su', 'led slowly from the room. "god help us said holmes after a long silence. "why does fate play such tr', 'lowly from the room. "god help us said holmes after a long silence. "why does fate play such tricks ', ' from the room. "god help us said holmes after a long silence. "why does fate play such tricks with ', ' the room. "god help us said holmes after a long silence. "why does fate play such tricks with poor,', 'room. "god help us said holmes after a long silence. "why does fate play such tricks with poor, help', ' "god help us said holmes after a long silence. "why does fate play such tricks with poor, helpless ', ' help us said holmes after a long silence. "why does fate play such tricks with poor, helpless worms', ' us said holmes after a long silence. "why does fate play such tricks with poor, helpless worms? i n', 'aid holmes after a long silence. "why does fate play such tricks with poor, helpless worms? i never ', 'olmes after a long silence. "why does fate play such tricks with poor, helpless worms? i never hear ', ' after a long silence. "why does fate play such tricks with poor, helpless worms? i never hear of su', 'r a long silence. "why does fate play such tricks with poor, helpless worms? i never hear of such a ', 'ong silence. "why does fate play such tricks with poor, helpless worms? i never hear of such a case ', 'ilence. "why does fate play such tricks with poor, helpless worms? i never hear of such a case as th', 'e. "why does fate play such tricks with poor, helpless worms? i never hear of such a case as this th', 'hy does fate play such tricks with poor, helpless worms? i never hear of such a case as this that i ', 'es fate play such tricks with poor, helpless worms? i never hear of such a case as this that i do no', 'te play such tricks with poor, helpless worms? i never hear of such a case as this that i do not thi', 'ay such tricks with poor, helpless worms? i never hear of such a case as this that i do not think of', 'ch tricks with poor, helpless worms? i never hear of such a case as this that i do not think of baxt', "icks with poor, helpless worms? i never hear of such a case as this that i do not think of baxter's ", "with poor, helpless worms? i never hear of such a case as this that i do not think of baxter's words", "poor, helpless worms? i never hear of such a case as this that i do not think of baxter's words, and", " helpless worms? i never hear of such a case as this that i do not think of baxter's words, and say,", "less worms? i never hear of such a case as this that i do not think of baxter's words, and say, 'the", "worms? i never hear of such a case as this that i do not think of baxter's words, and say, 'there, b", "? i never hear of such a case as this that i do not think of baxter's words, and say, 'there, but fo", "ever hear of such a case as this that i do not think of baxter's words, and say, 'there, but for the", "hear of such a case as this that i do not think of baxter's words, and say, 'there, but for the grac", "of such a case as this that i do not think of baxter's words, and say, 'there, but for the grace of ", "ch a case as this that i do not think of baxter's words, and say, 'there, but for the grace of god, ", "case as this that i do not think of baxter's words, and say, 'there, but for the grace of god, goes ", "as this that i do not think of baxter's words, and say, 'there, but for the grace of god, goes sherl", "is that i do not think of baxter's words, and say, 'there, but for the grace of god, goes sherlock h", "at i do not think of baxter's words, and say, 'there, but for the grace of god, goes sherlock holmes", 'do not think of baxter\'s words, and say, \'there, but for the grace of god, goes sherlock holmes.\'" j', 't think of baxter\'s words, and say, \'there, but for the grace of god, goes sherlock holmes.\'" james ', 'nk of baxter\'s words, and say, \'there, but for the grace of god, goes sherlock holmes.\'" james mccar', ' baxter\'s words, and say, \'there, but for the grace of god, goes sherlock holmes.\'" james mccarthy w', 'er\'s words, and say, \'there, but for the grace of god, goes sherlock holmes.\'" james mccarthy was ac', 'words, and say, \'there, but for the grace of god, goes sherlock holmes.\'" james mccarthy was acquitt', ', and say, \'there, but for the grace of god, goes sherlock holmes.\'" james mccarthy was acquitted at', ' say, \'there, but for the grace of god, goes sherlock holmes.\'" james mccarthy was acquitted at the ', ' \'there, but for the grace of god, goes sherlock holmes.\'" james mccarthy was acquitted at the assiz', 're, but for the grace of god, goes sherlock holmes.\'" james mccarthy was acquitted at the assizes on', 'ut for the grace of god, goes sherlock holmes.\'" james mccarthy was acquitted at the assizes on the ', 'r the grace of god, goes sherlock holmes.\'" james mccarthy was acquitted at the assizes on the stren', ' grace of god, goes sherlock holmes.\'" james mccarthy was acquitted at the assizes on the strength o', 'e of god, goes sherlock holmes.\'" james mccarthy was acquitted at the assizes on the strength of a n', 'god, goes sherlock holmes.\'" james mccarthy was acquitted at the assizes on the strength of a number', 'goes sherlock holmes.\'" james mccarthy was acquitted at the assizes on the strength of a number of o', 'sherlock holmes.\'" james mccarthy was acquitted at the assizes on the strength of a number of object', 'ock holmes.\'" james mccarthy was acquitted at the assizes on the strength of a number of objections ', 'olmes.\'" james mccarthy was acquitted at the assizes on the strength of a number of objections which', '.\'" james mccarthy was acquitted at the assizes on the strength of a number of objections which had ', 'ames mccarthy was acquitted at the assizes on the strength of a number of objections which had been ', 'mccarthy was acquitted at the assizes on the strength of a number of objections which had been drawn', 'thy was acquitted at the assizes on the strength of a number of objections which had been drawn out ', 'as acquitted at the assizes on the strength of a number of objections which had been drawn out by ho', 'quitted at the assizes on the strength of a number of objections which had been drawn out by holmes ', 'ed at the assizes on the strength of a number of objections which had been drawn out by holmes and s', ' the assizes on the strength of a number of objections which had been drawn out by holmes and submit', 'assizes on the strength of a number of objections which had been drawn out by holmes and submitted t', 'es on the strength of a number of objections which had been drawn out by holmes and submitted to the', ' the strength of a number of objections which had been drawn out by holmes and submitted to the defe', 'strength of a number of objections which had been drawn out by holmes and submitted to the defending', 'gth of a number of objections which had been drawn out by holmes and submitted to the defending coun', 'f a number of objections which had been drawn out by holmes and submitted to the defending counsel. ', 'umber of objections which had been drawn out by holmes and submitted to the defending counsel. old t', ' of objections which had been drawn out by holmes and submitted to the defending counsel. old turner', 'bjections which had been drawn out by holmes and submitted to the defending counsel. old turner live', 'ions which had been drawn out by holmes and submitted to the defending counsel. old turner lived for', 'which had been drawn out by holmes and submitted to the defending counsel. old turner lived for seve', ' had been drawn out by holmes and submitted to the defending counsel. old turner lived for seven mon', 'been drawn out by holmes and submitted to the defending counsel. old turner lived for seven months a', 'drawn out by holmes and submitted to the defending counsel. old turner lived for seven months after ', ' out by holmes and submitted to the defending counsel. old turner lived for seven months after our i', 'by holmes and submitted to the defending counsel. old turner lived for seven months after our interv', 'lmes and submitted to the defending counsel. old turner lived for seven months after our interview, ', 'and submitted to the defending counsel. old turner lived for seven months after our interview, but h', 'ubmitted to the defending counsel. old turner lived for seven months after our interview, but he is ', 'ted to the defending counsel. old turner lived for seven months after our interview, but he is now d', 'o the defending counsel. old turner lived for seven months after our interview, but he is now dead; ', ' defending counsel. old turner lived for seven months after our interview, but he is now dead; and t', 'nding counsel. old turner lived for seven months after our interview, but he is now dead; and there ', ' counsel. old turner lived for seven months after our interview, but he is now dead; and there is ev', 'sel. old turner lived for seven months after our interview, but he is now dead; and there is every p', 'old turner lived for seven months after our interview, but he is now dead; and there is every prospe', 'urner lived for seven months after our interview, but he is now dead; and there is every prospect th', ' lived for seven months after our interview, but he is now dead; and there is every prospect that th', 'd for seven months after our interview, but he is now dead; and there is every prospect that the son', ' seven months after our interview, but he is now dead; and there is every prospect that the son and ', 'n months after our interview, but he is now dead; and there is every prospect that the son and daugh', 'ths after our interview, but he is now dead; and there is every prospect that the son and daughter m', 'fter our interview, but he is now dead; and there is every prospect that the son and daughter may co', 'our interview, but he is now dead; and there is every prospect that the son and daughter may come to', 'nterview, but he is now dead; and there is every prospect that the son and daughter may come to live', 'iew, but he is now dead; and there is every prospect that the son and daughter may come to live happ', 'but he is now dead; and there is every prospect that the son and daughter may come to live happily t', 'e is now dead; and there is every prospect that the son and daughter may come to live happily togeth', 'now dead; and there is every prospect that the son and daughter may come to live happily together in', 'ead; and there is every prospect that the son and daughter may come to live happily together in igno', 'and there is every prospect that the son and daughter may come to live happily together in ignorance', 'here is every prospect that the son and daughter may come to live happily together in ignorance of t', 'is every prospect that the son and daughter may come to live happily together in ignorance of the bl', 'ery prospect that the son and daughter may come to live happily together in ignorance of the black c', 'rospect that the son and daughter may come to live happily together in ignorance of the black cloud ', 'ct that the son and daughter may come to live happily together in ignorance of the black cloud which', 'at the son and daughter may come to live happily together in ignorance of the black cloud which rest', 'e son and daughter may come to live happily together in ignorance of the black cloud which rests upo', ' and daughter may come to live happily together in ignorance of the black cloud which rests upon the', 'daughter may come to live happily together in ignorance of the black cloud which rests upon their pa', 'ter may come to live happily together in ignorance of the black cloud which rests upon their past. ', 'ay come to live happily together in ignorance of the black cloud which rests upon their past. adven', 'me to live happily together in ignorance of the black cloud which rests upon their past. adventure ', ' live happily together in ignorance of the black cloud which rests upon their past. adventure v. th', ' happily together in ignorance of the black cloud which rests upon their past. adventure v. the fiv', 'ily together in ignorance of the black cloud which rests upon their past. adventure v. the five ora', 'ogether in ignorance of the black cloud which rests upon their past. adventure v. the five orange p', 'er in ignorance of the black cloud which rests upon their past. adventure v. the five orange pips w', ' ignorance of the black cloud which rests upon their past. adventure v. the five orange pips when i', 'rance of the black cloud which rests upon their past. adventure v. the five orange pips when i glan', ' of the black cloud which rests upon their past. adventure v. the five orange pips when i glance ov', 'he black cloud which rests upon their past. adventure v. the five orange pips when i glance over my', 'ack cloud which rests upon their past. adventure v. the five orange pips when i glance over my note', 'loud which rests upon their past. adventure v. the five orange pips when i glance over my notes and', 'which rests upon their past. adventure v. the five orange pips when i glance over my notes and reco', ' rests upon their past. adventure v. the five orange pips when i glance over my notes and records o', 's upon their past. adventure v. the five orange pips when i glance over my notes and records of the', 'n their past. adventure v. the five orange pips when i glance over my notes and records of the sher', 'ir past. adventure v. the five orange pips when i glance over my notes and records of the sherlock ', 'st. adventure v. the five orange pips when i glance over my notes and records of the sherlock holme', 'adventure v. the five orange pips when i glance over my notes and records of the sherlock holmes cas', 'ture v. the five orange pips when i glance over my notes and records of the sherlock holmes cases be', 'v. the five orange pips when i glance over my notes and records of the sherlock holmes cases between', 'e five orange pips when i glance over my notes and records of the sherlock holmes cases between the ', 'e orange pips when i glance over my notes and records of the sherlock holmes cases between the years', "nge pips when i glance over my notes and records of the sherlock holmes cases between the years ' a", "ips when i glance over my notes and records of the sherlock holmes cases between the years ' and ' ", "hen i glance over my notes and records of the sherlock holmes cases between the years ' and ' , i a", " glance over my notes and records of the sherlock holmes cases between the years ' and ' , i am fac", "ce over my notes and records of the sherlock holmes cases between the years ' and ' , i am faced by", "er my notes and records of the sherlock holmes cases between the years ' and ' , i am faced by so m", " notes and records of the sherlock holmes cases between the years ' and ' , i am faced by so many w", "s and records of the sherlock holmes cases between the years ' and ' , i am faced by so many which ", " records of the sherlock holmes cases between the years ' and ' , i am faced by so many which prese", "rds of the sherlock holmes cases between the years ' and ' , i am faced by so many which present st", "f the sherlock holmes cases between the years ' and ' , i am faced by so many which present strange", " sherlock holmes cases between the years ' and ' , i am faced by so many which present strange and ", "lock holmes cases between the years ' and ' , i am faced by so many which present strange and inter", "holmes cases between the years ' and ' , i am faced by so many which present strange and interestin", "s cases between the years ' and ' , i am faced by so many which present strange and interesting fea", "es between the years ' and ' , i am faced by so many which present strange and interesting features", "tween the years ' and ' , i am faced by so many which present strange and interesting features that", " the years ' and ' , i am faced by so many which present strange and interesting features that it i", "years ' and ' , i am faced by so many which present strange and interesting features that it is no ", " ' and ' , i am faced by so many which present strange and interesting features that it is no easy ", "nd ' , i am faced by so many which present strange and interesting features that it is no easy matte", ', i am faced by so many which present strange and interesting features that it is no easy matter to ', 'm faced by so many which present strange and interesting features that it is no easy matter to know ', 'ed by so many which present strange and interesting features that it is no easy matter to know which', ' so many which present strange and interesting features that it is no easy matter to know which to c', 'any which present strange and interesting features that it is no easy matter to know which to choose', 'hich present strange and interesting features that it is no easy matter to know which to choose and ', 'present strange and interesting features that it is no easy matter to know which to choose and which', 'nt strange and interesting features that it is no easy matter to know which to choose and which to l', 'range and interesting features that it is no easy matter to know which to choose and which to leave.', ' and interesting features that it is no easy matter to know which to choose and which to leave. some', 'interesting features that it is no easy matter to know which to choose and which to leave. some, how', 'esting features that it is no easy matter to know which to choose and which to leave. some, however,', 'g features that it is no easy matter to know which to choose and which to leave. some, however, have', 'tures that it is no easy matter to know which to choose and which to leave. some, however, have alre', ' that it is no easy matter to know which to choose and which to leave. some, however, have already g', ' it is no easy matter to know which to choose and which to leave. some, however, have already gained', 's no easy matter to know which to choose and which to leave. some, however, have already gained publ', 'easy matter to know which to choose and which to leave. some, however, have already gained publicity', 'matter to know which to choose and which to leave. some, however, have already gained publicity thro', 'r to know which to choose and which to leave. some, however, have already gained publicity through t', 'know which to choose and which to leave. some, however, have already gained publicity through the pa', 'which to choose and which to leave. some, however, have already gained publicity through the papers,', ' to choose and which to leave. some, however, have already gained publicity through the papers, and ', 'hoose and which to leave. some, however, have already gained publicity through the papers, and other', ' and which to leave. some, however, have already gained publicity through the papers, and others hav', 'which to leave. some, however, have already gained publicity through the papers, and others have not', ' to leave. some, however, have already gained publicity through the papers, and others have not offe', 'eave. some, however, have already gained publicity through the papers, and others have not offered a', ' some, however, have already gained publicity through the papers, and others have not offered a fiel', ', however, have already gained publicity through the papers, and others have not offered a field for', 'ever, have already gained publicity through the papers, and others have not offered a field for thos', ' have already gained publicity through the papers, and others have not offered a field for those pec', ' already gained publicity through the papers, and others have not offered a field for those peculiar', 'ady gained publicity through the papers, and others have not offered a field for those peculiar qual', 'ained publicity through the papers, and others have not offered a field for those peculiar qualities', ' publicity through the papers, and others have not offered a field for those peculiar qualities whic', 'icity through the papers, and others have not offered a field for those peculiar qualities which my ', ' through the papers, and others have not offered a field for those peculiar qualities which my frien', 'ugh the papers, and others have not offered a field for those peculiar qualities which my friend pos', 'he papers, and others have not offered a field for those peculiar qualities which my friend possesse', 'pers, and others have not offered a field for those peculiar qualities which my friend possessed in ', ' and others have not offered a field for those peculiar qualities which my friend possessed in so hi', 'others have not offered a field for those peculiar qualities which my friend possessed in so high a ', 's have not offered a field for those peculiar qualities which my friend possessed in so high a degre', 'e not offered a field for those peculiar qualities which my friend possessed in so high a degree, an', ' offered a field for those peculiar qualities which my friend possessed in so high a degree, and whi', 'red a field for those peculiar qualities which my friend possessed in so high a degree, and which it', ' field for those peculiar qualities which my friend possessed in so high a degree, and which it is t', 'd for those peculiar qualities which my friend possessed in so high a degree, and which it is the ob', ' those peculiar qualities which my friend possessed in so high a degree, and which it is the object ', 'e peculiar qualities which my friend possessed in so high a degree, and which it is the object of th', 'uliar qualities which my friend possessed in so high a degree, and which it is the object of these p', ' qualities which my friend possessed in so high a degree, and which it is the object of these papers', 'ities which my friend possessed in so high a degree, and which it is the object of these papers to i', ' which my friend possessed in so high a degree, and which it is the object of these papers to illust', 'h my friend possessed in so high a degree, and which it is the object of these papers to illustrate.', 'friend possessed in so high a degree, and which it is the object of these papers to illustrate. some', 'd possessed in so high a degree, and which it is the object of these papers to illustrate. some, too', 'sessed in so high a degree, and which it is the object of these papers to illustrate. some, too, hav', 'd in so high a degree, and which it is the object of these papers to illustrate. some, too, have baf', 'so high a degree, and which it is the object of these papers to illustrate. some, too, have baffled ', 'gh a degree, and which it is the object of these papers to illustrate. some, too, have baffled his a', 'degree, and which it is the object of these papers to illustrate. some, too, have baffled his analyt', 'e, and which it is the object of these papers to illustrate. some, too, have baffled his analytical ', 'd which it is the object of these papers to illustrate. some, too, have baffled his analytical skill', 'ch it is the object of these papers to illustrate. some, too, have baffled his analytical skill, and', ' is the object of these papers to illustrate. some, too, have baffled his analytical skill, and woul', 'he object of these papers to illustrate. some, too, have baffled his analytical skill, and would be,', 'ject of these papers to illustrate. some, too, have baffled his analytical skill, and would be, as n', 'of these papers to illustrate. some, too, have baffled his analytical skill, and would be, as narrat', 'ese papers to illustrate. some, too, have baffled his analytical skill, and would be, as narratives,', 'apers to illustrate. some, too, have baffled his analytical skill, and would be, as narratives, begi', ' to illustrate. some, too, have baffled his analytical skill, and would be, as narratives, beginning', 'llustrate. some, too, have baffled his analytical skill, and would be, as narratives, beginnings wit', 'rate. some, too, have baffled his analytical skill, and would be, as narratives, beginnings without ', ' some, too, have baffled his analytical skill, and would be, as narratives, beginnings without an en', ', too, have baffled his analytical skill, and would be, as narratives, beginnings without an ending,', ', have baffled his analytical skill, and would be, as narratives, beginnings without an ending, whil', 'e baffled his analytical skill, and would be, as narratives, beginnings without an ending, while oth', 'fled his analytical skill, and would be, as narratives, beginnings without an ending, while others h', 'his analytical skill, and would be, as narratives, beginnings without an ending, while others have b', 'nalytical skill, and would be, as narratives, beginnings without an ending, while others have been b', 'ical skill, and would be, as narratives, beginnings without an ending, while others have been but pa', 'skill, and would be, as narratives, beginnings without an ending, while others have been but partial', ', and would be, as narratives, beginnings without an ending, while others have been but partially cl', ' would be, as narratives, beginnings without an ending, while others have been but partially cleared', 'd be, as narratives, beginnings without an ending, while others have been but partially cleared up, ', ' as narratives, beginnings without an ending, while others have been but partially cleared up, and h', 'arratives, beginnings without an ending, while others have been but partially cleared up, and have t', 'ives, beginnings without an ending, while others have been but partially cleared up, and have their ', ' beginnings without an ending, while others have been but partially cleared up, and have their expla', 'nnings without an ending, while others have been but partially cleared up, and have their explanatio', 's without an ending, while others have been but partially cleared up, and have their explanations fo', 'hout an ending, while others have been but partially cleared up, and have their explanations founded', 'an ending, while others have been but partially cleared up, and have their explanations founded rath', 'ding, while others have been but partially cleared up, and have their explanations founded rather up', ' while others have been but partially cleared up, and have their explanations founded rather upon co', 'e others have been but partially cleared up, and have their explanations founded rather upon conject', 'ers have been but partially cleared up, and have their explanations founded rather upon conjecture a', 'ave been but partially cleared up, and have their explanations founded rather upon conjecture and su', 'een but partially cleared up, and have their explanations founded rather upon conjecture and surmise', 'ut partially cleared up, and have their explanations founded rather upon conjecture and surmise than', 'rtially cleared up, and have their explanations founded rather upon conjecture and surmise than on t', 'ly cleared up, and have their explanations founded rather upon conjecture and surmise than on that a', 'eared up, and have their explanations founded rather upon conjecture and surmise than on that absolu', ' up, and have their explanations founded rather upon conjecture and surmise than on that absolute lo', 'and have their explanations founded rather upon conjecture and surmise than on that absolute logical', 'ave their explanations founded rather upon conjecture and surmise than on that absolute logical proo', 'heir explanations founded rather upon conjecture and surmise than on that absolute logical proof whi', 'explanations founded rather upon conjecture and surmise than on that absolute logical proof which wa', 'nations founded rather upon conjecture and surmise than on that absolute logical proof which was so ', 'ns founded rather upon conjecture and surmise than on that absolute logical proof which was so dear ', 'unded rather upon conjecture and surmise than on that absolute logical proof which was so dear to hi', ' rather upon conjecture and surmise than on that absolute logical proof which was so dear to him. th', 'er upon conjecture and surmise than on that absolute logical proof which was so dear to him. there i', 'on conjecture and surmise than on that absolute logical proof which was so dear to him. there is, ho', 'njecture and surmise than on that absolute logical proof which was so dear to him. there is, however', 'ure and surmise than on that absolute logical proof which was so dear to him. there is, however, one', 'nd surmise than on that absolute logical proof which was so dear to him. there is, however, one of t', 'rmise than on that absolute logical proof which was so dear to him. there is, however, one of these ', ' than on that absolute logical proof which was so dear to him. there is, however, one of these last ', ' on that absolute logical proof which was so dear to him. there is, however, one of these last which', 'hat absolute logical proof which was so dear to him. there is, however, one of these last which was ', 'bsolute logical proof which was so dear to him. there is, however, one of these last which was so re', 'te logical proof which was so dear to him. there is, however, one of these last which was so remarka', 'gical proof which was so dear to him. there is, however, one of these last which was so remarkable i', ' proof which was so dear to him. there is, however, one of these last which was so remarkable in its', 'f which was so dear to him. there is, however, one of these last which was so remarkable in its deta', 'ch was so dear to him. there is, however, one of these last which was so remarkable in its details a', 's so dear to him. there is, however, one of these last which was so remarkable in its details and so', 'dear to him. there is, however, one of these last which was so remarkable in its details and so star', 'to him. there is, however, one of these last which was so remarkable in its details and so startling', 'm. there is, however, one of these last which was so remarkable in its details and so startling in i', 'ere is, however, one of these last which was so remarkable in its details and so startling in its re', 's, however, one of these last which was so remarkable in its details and so startling in its results', 'wever, one of these last which was so remarkable in its details and so startling in its results that', ', one of these last which was so remarkable in its details and so startling in its results that i am', ' of these last which was so remarkable in its details and so startling in its results that i am temp', 'hese last which was so remarkable in its details and so startling in its results that i am tempted t', 'last which was so remarkable in its details and so startling in its results that i am tempted to giv', 'which was so remarkable in its details and so startling in its results that i am tempted to give som', ' was so remarkable in its details and so startling in its results that i am tempted to give some acc', 'so remarkable in its details and so startling in its results that i am tempted to give some account ', 'markable in its details and so startling in its results that i am tempted to give some account of it', 'ble in its details and so startling in its results that i am tempted to give some account of it in s', 'n its details and so startling in its results that i am tempted to give some account of it in spite ', ' details and so startling in its results that i am tempted to give some account of it in spite of th', 'ils and so startling in its results that i am tempted to give some account of it in spite of the fac', 'nd so startling in its results that i am tempted to give some account of it in spite of the fact tha', ' startling in its results that i am tempted to give some account of it in spite of the fact that the', 'tling in its results that i am tempted to give some account of it in spite of the fact that there ar', ' in its results that i am tempted to give some account of it in spite of the fact that there are poi', 'ts results that i am tempted to give some account of it in spite of the fact that there are points i', 'sults that i am tempted to give some account of it in spite of the fact that there are points in con', ' that i am tempted to give some account of it in spite of the fact that there are points in connecti', ' i am tempted to give some account of it in spite of the fact that there are points in connection wi', ' tempted to give some account of it in spite of the fact that there are points in connection with it', 'ted to give some account of it in spite of the fact that there are points in connection with it whic', 'o give some account of it in spite of the fact that there are points in connection with it which nev', 'e some account of it in spite of the fact that there are points in connection with it which never ha', 'e account of it in spite of the fact that there are points in connection with it which never have be', 'ount of it in spite of the fact that there are points in connection with it which never have been, a', 'of it in spite of the fact that there are points in connection with it which never have been, and pr', ' in spite of the fact that there are points in connection with it which never have been, and probabl', 'pite of the fact that there are points in connection with it which never have been, and probably nev', 'of the fact that there are points in connection with it which never have been, and probably never wi', 'e fact that there are points in connection with it which never have been, and probably never will be', 't that there are points in connection with it which never have been, and probably never will be, ent', 't there are points in connection with it which never have been, and probably never will be, entirely', 're are points in connection with it which never have been, and probably never will be, entirely clea', 'e points in connection with it which never have been, and probably never will be, entirely cleared u', 'nts in connection with it which never have been, and probably never will be, entirely cleared up. th', 'n connection with it which never have been, and probably never will be, entirely cleared up. the yea', "nection with it which never have been, and probably never will be, entirely cleared up. the year ' ", "on with it which never have been, and probably never will be, entirely cleared up. the year ' furni", "th it which never have been, and probably never will be, entirely cleared up. the year ' furnished ", " which never have been, and probably never will be, entirely cleared up. the year ' furnished us wi", "h never have been, and probably never will be, entirely cleared up. the year ' furnished us with a ", "er have been, and probably never will be, entirely cleared up. the year ' furnished us with a long ", "ve been, and probably never will be, entirely cleared up. the year ' furnished us with a long serie", "en, and probably never will be, entirely cleared up. the year ' furnished us with a long series of ", "nd probably never will be, entirely cleared up. the year ' furnished us with a long series of cases", "obably never will be, entirely cleared up. the year ' furnished us with a long series of cases of g", "y never will be, entirely cleared up. the year ' furnished us with a long series of cases of greate", "er will be, entirely cleared up. the year ' furnished us with a long series of cases of greater or ", "ll be, entirely cleared up. the year ' furnished us with a long series of cases of greater or less ", ", entirely cleared up. the year ' furnished us with a long series of cases of greater or less inter", "irely cleared up. the year ' furnished us with a long series of cases of greater or less interest, ", " cleared up. the year ' furnished us with a long series of cases of greater or less interest, of wh", "red up. the year ' furnished us with a long series of cases of greater or less interest, of which i", "p. the year ' furnished us with a long series of cases of greater or less interest, of which i reta", "e year ' furnished us with a long series of cases of greater or less interest, of which i retain th", "r ' furnished us with a long series of cases of greater or less interest, of which i retain the rec", 'furnished us with a long series of cases of greater or less interest, of which i retain the records.', 'shed us with a long series of cases of greater or less interest, of which i retain the records. amon', 'us with a long series of cases of greater or less interest, of which i retain the records. among my ', 'th a long series of cases of greater or less interest, of which i retain the records. among my headi', 'long series of cases of greater or less interest, of which i retain the records. among my headings u', 'series of cases of greater or less interest, of which i retain the records. among my headings under ', 's of cases of greater or less interest, of which i retain the records. among my headings under this ', 'cases of greater or less interest, of which i retain the records. among my headings under this one t', ' of greater or less interest, of which i retain the records. among my headings under this one twelve', 'reater or less interest, of which i retain the records. among my headings under this one twelve mont', 'r or less interest, of which i retain the records. among my headings under this one twelve months i ', 'less interest, of which i retain the records. among my headings under this one twelve months i find ', 'interest, of which i retain the records. among my headings under this one twelve months i find an ac', 'est, of which i retain the records. among my headings under this one twelve months i find an account', 'of which i retain the records. among my headings under this one twelve months i find an account of t', 'ich i retain the records. among my headings under this one twelve months i find an account of the ad', ' retain the records. among my headings under this one twelve months i find an account of the adventu', 'in the records. among my headings under this one twelve months i find an account of the adventure of', 'e records. among my headings under this one twelve months i find an account of the adventure of the ', 'ords. among my headings under this one twelve months i find an account of the adventure of the parad', ' among my headings under this one twelve months i find an account of the adventure of the paradol ch', 'g my headings under this one twelve months i find an account of the adventure of the paradol chamber', 'headings under this one twelve months i find an account of the adventure of the paradol chamber, of ', 'ngs under this one twelve months i find an account of the adventure of the paradol chamber, of the a', 'nder this one twelve months i find an account of the adventure of the paradol chamber, of the amateu', 'this one twelve months i find an account of the adventure of the paradol chamber, of the amateur men', 'one twelve months i find an account of the adventure of the paradol chamber, of the amateur mendican', 'welve months i find an account of the adventure of the paradol chamber, of the amateur mendicant soc', ' months i find an account of the adventure of the paradol chamber, of the amateur mendicant society,', 'hs i find an account of the adventure of the paradol chamber, of the amateur mendicant society, who ', 'find an account of the adventure of the paradol chamber, of the amateur mendicant society, who held ', 'an account of the adventure of the paradol chamber, of the amateur mendicant society, who held a lux', 'count of the adventure of the paradol chamber, of the amateur mendicant society, who held a luxuriou', ' of the adventure of the paradol chamber, of the amateur mendicant society, who held a luxurious clu', 'he adventure of the paradol chamber, of the amateur mendicant society, who held a luxurious club in ', 'venture of the paradol chamber, of the amateur mendicant society, who held a luxurious club in the l', 're of the paradol chamber, of the amateur mendicant society, who held a luxurious club in the lower ', ' the paradol chamber, of the amateur mendicant society, who held a luxurious club in the lower vault', 'paradol chamber, of the amateur mendicant society, who held a luxurious club in the lower vault of a', 'ol chamber, of the amateur mendicant society, who held a luxurious club in the lower vault of a furn', 'amber, of the amateur mendicant society, who held a luxurious club in the lower vault of a furniture', ', of the amateur mendicant society, who held a luxurious club in the lower vault of a furniture ware', 'the amateur mendicant society, who held a luxurious club in the lower vault of a furniture warehouse', 'mateur mendicant society, who held a luxurious club in the lower vault of a furniture warehouse, of ', 'r mendicant society, who held a luxurious club in the lower vault of a furniture warehouse, of the f', 'dicant society, who held a luxurious club in the lower vault of a furniture warehouse, of the facts ', 't society, who held a luxurious club in the lower vault of a furniture warehouse, of the facts conne', 'iety, who held a luxurious club in the lower vault of a furniture warehouse, of the facts connected ', ' who held a luxurious club in the lower vault of a furniture warehouse, of the facts connected with ', 'held a luxurious club in the lower vault of a furniture warehouse, of the facts connected with the l', 'a luxurious club in the lower vault of a furniture warehouse, of the facts connected with the loss o', 'urious club in the lower vault of a furniture warehouse, of the facts connected with the loss of the', 's club in the lower vault of a furniture warehouse, of the facts connected with the loss of the brit', 'b in the lower vault of a furniture warehouse, of the facts connected with the loss of the british b', 'the lower vault of a furniture warehouse, of the facts connected with the loss of the british barque', 'ower vault of a furniture warehouse, of the facts connected with the loss of the british barque "sop', 'vault of a furniture warehouse, of the facts connected with the loss of the british barque "sophy an', ' of a furniture warehouse, of the facts connected with the loss of the british barque "sophy anderso', ' furniture warehouse, of the facts connected with the loss of the british barque "sophy anderson", o', 'iture warehouse, of the facts connected with the loss of the british barque "sophy anderson", of the', ' warehouse, of the facts connected with the loss of the british barque "sophy anderson", of the sing', 'house, of the facts connected with the loss of the british barque "sophy anderson", of the singular ', ', of the facts connected with the loss of the british barque "sophy anderson", of the singular adven', 'the facts connected with the loss of the british barque "sophy anderson", of the singular adventures', 'acts connected with the loss of the british barque "sophy anderson", of the singular adventures of t', 'connected with the loss of the british barque "sophy anderson", of the singular adventures of the gr', 'cted with the loss of the british barque "sophy anderson", of the singular adventures of the grice p', 'with the loss of the british barque "sophy anderson", of the singular adventures of the grice paters', 'the loss of the british barque "sophy anderson", of the singular adventures of the grice patersons i', 'oss of the british barque "sophy anderson", of the singular adventures of the grice patersons in the', 'f the british barque "sophy anderson", of the singular adventures of the grice patersons in the isla', ' british barque "sophy anderson", of the singular adventures of the grice patersons in the island of', 'ish barque "sophy anderson", of the singular adventures of the grice patersons in the island of uffa', 'arque "sophy anderson", of the singular adventures of the grice patersons in the island of uffa, and', ' "sophy anderson", of the singular adventures of the grice patersons in the island of uffa, and fina', 'hy anderson", of the singular adventures of the grice patersons in the island of uffa, and finally o', 'derson", of the singular adventures of the grice patersons in the island of uffa, and finally of the', 'n", of the singular adventures of the grice patersons in the island of uffa, and finally of the camb', 'f the singular adventures of the grice patersons in the island of uffa, and finally of the camberwel', ' singular adventures of the grice patersons in the island of uffa, and finally of the camberwell poi', 'ular adventures of the grice patersons in the island of uffa, and finally of the camberwell poisonin', 'adventures of the grice patersons in the island of uffa, and finally of the camberwell poisoning cas', 'tures of the grice patersons in the island of uffa, and finally of the camberwell poisoning case. in', ' of the grice patersons in the island of uffa, and finally of the camberwell poisoning case. in the ', 'he grice patersons in the island of uffa, and finally of the camberwell poisoning case. in the latte', 'ice patersons in the island of uffa, and finally of the camberwell poisoning case. in the latter, as', 'atersons in the island of uffa, and finally of the camberwell poisoning case. in the latter, as may ', 'ons in the island of uffa, and finally of the camberwell poisoning case. in the latter, as may be re', 'n the island of uffa, and finally of the camberwell poisoning case. in the latter, as may be remembe', ' island of uffa, and finally of the camberwell poisoning case. in the latter, as may be remembered, ', 'nd of uffa, and finally of the camberwell poisoning case. in the latter, as may be remembered, sherl', ' uffa, and finally of the camberwell poisoning case. in the latter, as may be remembered, sherlock h', ', and finally of the camberwell poisoning case. in the latter, as may be remembered, sherlock holmes', ' finally of the camberwell poisoning case. in the latter, as may be remembered, sherlock holmes was ', 'lly of the camberwell poisoning case. in the latter, as may be remembered, sherlock holmes was able,', 'f the camberwell poisoning case. in the latter, as may be remembered, sherlock holmes was able, by w', ' camberwell poisoning case. in the latter, as may be remembered, sherlock holmes was able, by windin', 'erwell poisoning case. in the latter, as may be remembered, sherlock holmes was able, by winding up ', 'l poisoning case. in the latter, as may be remembered, sherlock holmes was able, by winding up the d', 'soning case. in the latter, as may be remembered, sherlock holmes was able, by winding up the dead m', "g case. in the latter, as may be remembered, sherlock holmes was able, by winding up the dead man's ", "e. in the latter, as may be remembered, sherlock holmes was able, by winding up the dead man's watch", " the latter, as may be remembered, sherlock holmes was able, by winding up the dead man's watch, to ", "latter, as may be remembered, sherlock holmes was able, by winding up the dead man's watch, to prove", "r, as may be remembered, sherlock holmes was able, by winding up the dead man's watch, to prove that", " may be remembered, sherlock holmes was able, by winding up the dead man's watch, to prove that it h", "be remembered, sherlock holmes was able, by winding up the dead man's watch, to prove that it had be", "membered, sherlock holmes was able, by winding up the dead man's watch, to prove that it had been wo", "red, sherlock holmes was able, by winding up the dead man's watch, to prove that it had been wound u", "sherlock holmes was able, by winding up the dead man's watch, to prove that it had been wound up two", "ock holmes was able, by winding up the dead man's watch, to prove that it had been wound up two hour", "olmes was able, by winding up the dead man's watch, to prove that it had been wound up two hours bef", " was able, by winding up the dead man's watch, to prove that it had been wound up two hours before, ", "able, by winding up the dead man's watch, to prove that it had been wound up two hours before, and t", " by winding up the dead man's watch, to prove that it had been wound up two hours before, and that t", "inding up the dead man's watch, to prove that it had been wound up two hours before, and that theref", "g up the dead man's watch, to prove that it had been wound up two hours before, and that therefore t", "the dead man's watch, to prove that it had been wound up two hours before, and that therefore the de", "ead man's watch, to prove that it had been wound up two hours before, and that therefore the decease", "an's watch, to prove that it had been wound up two hours before, and that therefore the deceased had", 'watch, to prove that it had been wound up two hours before, and that therefore the deceased had gone', ', to prove that it had been wound up two hours before, and that therefore the deceased had gone to b', 'prove that it had been wound up two hours before, and that therefore the deceased had gone to bed wi', ' that it had been wound up two hours before, and that therefore the deceased had gone to bed within ', ' it had been wound up two hours before, and that therefore the deceased had gone to bed within that ', 'ad been wound up two hours before, and that therefore the deceased had gone to bed within that timea', 'en wound up two hours before, and that therefore the deceased had gone to bed within that timea dedu', 'und up two hours before, and that therefore the deceased had gone to bed within that timea deduction', 'p two hours before, and that therefore the deceased had gone to bed within that timea deduction whic', ' hours before, and that therefore the deceased had gone to bed within that timea deduction which was', 's before, and that therefore the deceased had gone to bed within that timea deduction which was of t', 'ore, and that therefore the deceased had gone to bed within that timea deduction which was of the gr', 'and that therefore the deceased had gone to bed within that timea deduction which was of the greates', 'hat therefore the deceased had gone to bed within that timea deduction which was of the greatest imp', 'herefore the deceased had gone to bed within that timea deduction which was of the greatest importan', 'ore the deceased had gone to bed within that timea deduction which was of the greatest importance in', 'he deceased had gone to bed within that timea deduction which was of the greatest importance in clea', 'ceased had gone to bed within that timea deduction which was of the greatest importance in clearing ', 'd had gone to bed within that timea deduction which was of the greatest importance in clearing up th', ' gone to bed within that timea deduction which was of the greatest importance in clearing up the cas', ' to bed within that timea deduction which was of the greatest importance in clearing up the case. al', 'ed within that timea deduction which was of the greatest importance in clearing up the case. all the', 'thin that timea deduction which was of the greatest importance in clearing up the case. all these i ', 'that timea deduction which was of the greatest importance in clearing up the case. all these i may s', 'timea deduction which was of the greatest importance in clearing up the case. all these i may sketch', ' deduction which was of the greatest importance in clearing up the case. all these i may sketch out ', 'ction which was of the greatest importance in clearing up the case. all these i may sketch out at so', ' which was of the greatest importance in clearing up the case. all these i may sketch out at some fu', 'h was of the greatest importance in clearing up the case. all these i may sketch out at some future ', ' of the greatest importance in clearing up the case. all these i may sketch out at some future date,', 'he greatest importance in clearing up the case. all these i may sketch out at some future date, but ', 'eatest importance in clearing up the case. all these i may sketch out at some future date, but none ', 't importance in clearing up the case. all these i may sketch out at some future date, but none of th', 'ortance in clearing up the case. all these i may sketch out at some future date, but none of them pr', 'ce in clearing up the case. all these i may sketch out at some future date, but none of them present', ' clearing up the case. all these i may sketch out at some future date, but none of them present such', 'ring up the case. all these i may sketch out at some future date, but none of them present such sing', 'up the case. all these i may sketch out at some future date, but none of them present such singular ', 'e case. all these i may sketch out at some future date, but none of them present such singular featu', 'e. all these i may sketch out at some future date, but none of them present such singular features a', 'l these i may sketch out at some future date, but none of them present such singular features as the', 'se i may sketch out at some future date, but none of them present such singular features as the stra', 'may sketch out at some future date, but none of them present such singular features as the strange t', 'ketch out at some future date, but none of them present such singular features as the strange train ', ' out at some future date, but none of them present such singular features as the strange train of ci', 'at some future date, but none of them present such singular features as the strange train of circums', 'me future date, but none of them present such singular features as the strange train of circumstance', 'ture date, but none of them present such singular features as the strange train of circumstances whi', 'date, but none of them present such singular features as the strange train of circumstances which i ', ' but none of them present such singular features as the strange train of circumstances which i have ', 'none of them present such singular features as the strange train of circumstances which i have now t', 'of them present such singular features as the strange train of circumstances which i have now taken ', 'em present such singular features as the strange train of circumstances which i have now taken up my', 'esent such singular features as the strange train of circumstances which i have now taken up my pen ', ' such singular features as the strange train of circumstances which i have now taken up my pen to de', ' singular features as the strange train of circumstances which i have now taken up my pen to describ', 'ular features as the strange train of circumstances which i have now taken up my pen to describe. it', 'features as the strange train of circumstances which i have now taken up my pen to describe. it was ', 'res as the strange train of circumstances which i have now taken up my pen to describe. it was in th', 's the strange train of circumstances which i have now taken up my pen to describe. it was in the lat', ' strange train of circumstances which i have now taken up my pen to describe. it was in the latter d', 'nge train of circumstances which i have now taken up my pen to describe. it was in the latter days o', 'rain of circumstances which i have now taken up my pen to describe. it was in the latter days of sep', 'of circumstances which i have now taken up my pen to describe. it was in the latter days of septembe', 'rcumstances which i have now taken up my pen to describe. it was in the latter days of september, an', 'tances which i have now taken up my pen to describe. it was in the latter days of september, and the', 's which i have now taken up my pen to describe. it was in the latter days of september, and the equi', 'ch i have now taken up my pen to describe. it was in the latter days of september, and the equinocti', 'have now taken up my pen to describe. it was in the latter days of september, and the equinoctial ga', 'now taken up my pen to describe. it was in the latter days of september, and the equinoctial gales h', 'aken up my pen to describe. it was in the latter days of september, and the equinoctial gales had se', 'up my pen to describe. it was in the latter days of september, and the equinoctial gales had set in ', ' pen to describe. it was in the latter days of september, and the equinoctial gales had set in with ', 'to describe. it was in the latter days of september, and the equinoctial gales had set in with excep', 'scribe. it was in the latter days of september, and the equinoctial gales had set in with exceptiona', 'e. it was in the latter days of september, and the equinoctial gales had set in with exceptional vio', ' was in the latter days of september, and the equinoctial gales had set in with exceptional violence', 'in the latter days of september, and the equinoctial gales had set in with exceptional violence. all', 'e latter days of september, and the equinoctial gales had set in with exceptional violence. all day ', 'ter days of september, and the equinoctial gales had set in with exceptional violence. all day the w', 'ays of september, and the equinoctial gales had set in with exceptional violence. all day the wind h', 'f september, and the equinoctial gales had set in with exceptional violence. all day the wind had sc', 'tember, and the equinoctial gales had set in with exceptional violence. all day the wind had screame', 'r, and the equinoctial gales had set in with exceptional violence. all day the wind had screamed and', 'd the equinoctial gales had set in with exceptional violence. all day the wind had screamed and the ', ' equinoctial gales had set in with exceptional violence. all day the wind had screamed and the rain ', 'noctial gales had set in with exceptional violence. all day the wind had screamed and the rain had b', 'al gales had set in with exceptional violence. all day the wind had screamed and the rain had beaten', 'les had set in with exceptional violence. all day the wind had screamed and the rain had beaten agai', 'ad set in with exceptional violence. all day the wind had screamed and the rain had beaten against t', 't in with exceptional violence. all day the wind had screamed and the rain had beaten against the wi', 'with exceptional violence. all day the wind had screamed and the rain had beaten against the windows', 'exceptional violence. all day the wind had screamed and the rain had beaten against the windows, so ', 'tional violence. all day the wind had screamed and the rain had beaten against the windows, so that ', 'l violence. all day the wind had screamed and the rain had beaten against the windows, so that even ', 'lence. all day the wind had screamed and the rain had beaten against the windows, so that even here ', '. all day the wind had screamed and the rain had beaten against the windows, so that even here in th', ' day the wind had screamed and the rain had beaten against the windows, so that even here in the hea', 'the wind had screamed and the rain had beaten against the windows, so that even here in the heart of', 'ind had screamed and the rain had beaten against the windows, so that even here in the heart of grea', 'ad screamed and the rain had beaten against the windows, so that even here in the heart of great, ha', 'reamed and the rain had beaten against the windows, so that even here in the heart of great, hand-ma', 'd and the rain had beaten against the windows, so that even here in the heart of great, hand-made lo', ' the rain had beaten against the windows, so that even here in the heart of great, hand-made london ', 'rain had beaten against the windows, so that even here in the heart of great, hand-made london we we', 'had beaten against the windows, so that even here in the heart of great, hand-made london we were fo', 'eaten against the windows, so that even here in the heart of great, hand-made london we were forced ', ' against the windows, so that even here in the heart of great, hand-made london we were forced to ra', 'nst the windows, so that even here in the heart of great, hand-made london we were forced to raise o', 'he windows, so that even here in the heart of great, hand-made london we were forced to raise our mi', 'ndows, so that even here in the heart of great, hand-made london we were forced to raise our minds f', ', so that even here in the heart of great, hand-made london we were forced to raise our minds for th', 'that even here in the heart of great, hand-made london we were forced to raise our minds for the ins', 'even here in the heart of great, hand-made london we were forced to raise our minds for the instant ', 'here in the heart of great, hand-made london we were forced to raise our minds for the instant from ', 'in the heart of great, hand-made london we were forced to raise our minds for the instant from the r', 'e heart of great, hand-made london we were forced to raise our minds for the instant from the routin', 'rt of great, hand-made london we were forced to raise our minds for the instant from the routine of ', ' great, hand-made london we were forced to raise our minds for the instant from the routine of life ', 't, hand-made london we were forced to raise our minds for the instant from the routine of life and t', 'nd-made london we were forced to raise our minds for the instant from the routine of life and to rec', 'de london we were forced to raise our minds for the instant from the routine of life and to recognis', 'ndon we were forced to raise our minds for the instant from the routine of life and to recognise the', 'we were forced to raise our minds for the instant from the routine of life and to recognise the pres', 're forced to raise our minds for the instant from the routine of life and to recognise the presence ', 'rced to raise our minds for the instant from the routine of life and to recognise the presence of th', 'to raise our minds for the instant from the routine of life and to recognise the presence of those g', 'ise our minds for the instant from the routine of life and to recognise the presence of those great ', 'ur minds for the instant from the routine of life and to recognise the presence of those great eleme', 'nds for the instant from the routine of life and to recognise the presence of those great elemental ', 'or the instant from the routine of life and to recognise the presence of those great elemental force', 'e instant from the routine of life and to recognise the presence of those great elemental forces whi', 'tant from the routine of life and to recognise the presence of those great elemental forces which sh', 'from the routine of life and to recognise the presence of those great elemental forces which shriek ', 'the routine of life and to recognise the presence of those great elemental forces which shriek at ma', 'outine of life and to recognise the presence of those great elemental forces which shriek at mankind', 'e of life and to recognise the presence of those great elemental forces which shriek at mankind thro', 'life and to recognise the presence of those great elemental forces which shriek at mankind through t', 'and to recognise the presence of those great elemental forces which shriek at mankind through the ba', 'o recognise the presence of those great elemental forces which shriek at mankind through the bars of', 'ognise the presence of those great elemental forces which shriek at mankind through the bars of his ', 'e the presence of those great elemental forces which shriek at mankind through the bars of his civil', ' presence of those great elemental forces which shriek at mankind through the bars of his civilisati', 'ence of those great elemental forces which shriek at mankind through the bars of his civilisation, l', 'of those great elemental forces which shriek at mankind through the bars of his civilisation, like u', 'ose great elemental forces which shriek at mankind through the bars of his civilisation, like untame', 'reat elemental forces which shriek at mankind through the bars of his civilisation, like untamed bea', 'elemental forces which shriek at mankind through the bars of his civilisation, like untamed beasts i', 'ntal forces which shriek at mankind through the bars of his civilisation, like untamed beasts in a c', 'forces which shriek at mankind through the bars of his civilisation, like untamed beasts in a cage. ', 's which shriek at mankind through the bars of his civilisation, like untamed beasts in a cage. as ev', 'ch shriek at mankind through the bars of his civilisation, like untamed beasts in a cage. as evening', 'riek at mankind through the bars of his civilisation, like untamed beasts in a cage. as evening drew', 'at mankind through the bars of his civilisation, like untamed beasts in a cage. as evening drew in, ', 'nkind through the bars of his civilisation, like untamed beasts in a cage. as evening drew in, the s', ' through the bars of his civilisation, like untamed beasts in a cage. as evening drew in, the storm ', 'ugh the bars of his civilisation, like untamed beasts in a cage. as evening drew in, the storm grew ', 'he bars of his civilisation, like untamed beasts in a cage. as evening drew in, the storm grew highe', 'rs of his civilisation, like untamed beasts in a cage. as evening drew in, the storm grew higher and', ' his civilisation, like untamed beasts in a cage. as evening drew in, the storm grew higher and loud', 'civilisation, like untamed beasts in a cage. as evening drew in, the storm grew higher and louder, a', 'isation, like untamed beasts in a cage. as evening drew in, the storm grew higher and louder, and th', 'on, like untamed beasts in a cage. as evening drew in, the storm grew higher and louder, and the win', 'ike untamed beasts in a cage. as evening drew in, the storm grew higher and louder, and the wind cri', 'ntamed beasts in a cage. as evening drew in, the storm grew higher and louder, and the wind cried an', 'd beasts in a cage. as evening drew in, the storm grew higher and louder, and the wind cried and sob', 'sts in a cage. as evening drew in, the storm grew higher and louder, and the wind cried and sobbed l', 'n a cage. as evening drew in, the storm grew higher and louder, and the wind cried and sobbed like a', 'age. as evening drew in, the storm grew higher and louder, and the wind cried and sobbed like a chil', 'as evening drew in, the storm grew higher and louder, and the wind cried and sobbed like a child in ', 'ening drew in, the storm grew higher and louder, and the wind cried and sobbed like a child in the c', ' drew in, the storm grew higher and louder, and the wind cried and sobbed like a child in the chimne', ' in, the storm grew higher and louder, and the wind cried and sobbed like a child in the chimney. sh', 'the storm grew higher and louder, and the wind cried and sobbed like a child in the chimney. sherloc', 'torm grew higher and louder, and the wind cried and sobbed like a child in the chimney. sherlock hol', 'grew higher and louder, and the wind cried and sobbed like a child in the chimney. sherlock holmes s', 'higher and louder, and the wind cried and sobbed like a child in the chimney. sherlock holmes sat mo', 'r and louder, and the wind cried and sobbed like a child in the chimney. sherlock holmes sat moodily', ' louder, and the wind cried and sobbed like a child in the chimney. sherlock holmes sat moodily at o', 'er, and the wind cried and sobbed like a child in the chimney. sherlock holmes sat moodily at one si', 'nd the wind cried and sobbed like a child in the chimney. sherlock holmes sat moodily at one side of', 'e wind cried and sobbed like a child in the chimney. sherlock holmes sat moodily at one side of the ', 'd cried and sobbed like a child in the chimney. sherlock holmes sat moodily at one side of the firep', 'ed and sobbed like a child in the chimney. sherlock holmes sat moodily at one side of the fireplace ', 'd sobbed like a child in the chimney. sherlock holmes sat moodily at one side of the fireplace cross', 'bed like a child in the chimney. sherlock holmes sat moodily at one side of the fireplace cross-inde', 'ike a child in the chimney. sherlock holmes sat moodily at one side of the fireplace cross-indexing ', ' child in the chimney. sherlock holmes sat moodily at one side of the fireplace cross-indexing his r', 'd in the chimney. sherlock holmes sat moodily at one side of the fireplace cross-indexing his record', 'the chimney. sherlock holmes sat moodily at one side of the fireplace cross-indexing his records of ', 'himney. sherlock holmes sat moodily at one side of the fireplace cross-indexing his records of crime', 'y. sherlock holmes sat moodily at one side of the fireplace cross-indexing his records of crime, whi', 'erlock holmes sat moodily at one side of the fireplace cross-indexing his records of crime, while i ', 'k holmes sat moodily at one side of the fireplace cross-indexing his records of crime, while i at th', 'mes sat moodily at one side of the fireplace cross-indexing his records of crime, while i at the oth', 'at moodily at one side of the fireplace cross-indexing his records of crime, while i at the other wa', 'odily at one side of the fireplace cross-indexing his records of crime, while i at the other was dee', ' at one side of the fireplace cross-indexing his records of crime, while i at the other was deep in ', 'ne side of the fireplace cross-indexing his records of crime, while i at the other was deep in one o', 'de of the fireplace cross-indexing his records of crime, while i at the other was deep in one of cla', ' the fireplace cross-indexing his records of crime, while i at the other was deep in one of clark ru', 'fireplace cross-indexing his records of crime, while i at the other was deep in one of clark russell', "lace cross-indexing his records of crime, while i at the other was deep in one of clark russell's fi", "cross-indexing his records of crime, while i at the other was deep in one of clark russell's fine se", "-indexing his records of crime, while i at the other was deep in one of clark russell's fine sea-sto", "xing his records of crime, while i at the other was deep in one of clark russell's fine sea-stories ", "his records of crime, while i at the other was deep in one of clark russell's fine sea-stories until", "ecords of crime, while i at the other was deep in one of clark russell's fine sea-stories until the ", "s of crime, while i at the other was deep in one of clark russell's fine sea-stories until the howl ", "crime, while i at the other was deep in one of clark russell's fine sea-stories until the howl of th", ", while i at the other was deep in one of clark russell's fine sea-stories until the howl of the gal", "le i at the other was deep in one of clark russell's fine sea-stories until the howl of the gale fro", "at the other was deep in one of clark russell's fine sea-stories until the howl of the gale from wit", "e other was deep in one of clark russell's fine sea-stories until the howl of the gale from without ", "er was deep in one of clark russell's fine sea-stories until the howl of the gale from without seeme", "s deep in one of clark russell's fine sea-stories until the howl of the gale from without seemed to ", "p in one of clark russell's fine sea-stories until the howl of the gale from without seemed to blend", "one of clark russell's fine sea-stories until the howl of the gale from without seemed to blend with", "f clark russell's fine sea-stories until the howl of the gale from without seemed to blend with the ", "rk russell's fine sea-stories until the howl of the gale from without seemed to blend with the text,", "ssell's fine sea-stories until the howl of the gale from without seemed to blend with the text, and ", "'s fine sea-stories until the howl of the gale from without seemed to blend with the text, and the s", 'ne sea-stories until the howl of the gale from without seemed to blend with the text, and the splash', 'a-stories until the howl of the gale from without seemed to blend with the text, and the splash of t', 'ries until the howl of the gale from without seemed to blend with the text, and the splash of the ra', 'until the howl of the gale from without seemed to blend with the text, and the splash of the rain to', ' the howl of the gale from without seemed to blend with the text, and the splash of the rain to leng', 'howl of the gale from without seemed to blend with the text, and the splash of the rain to lengthen ', 'of the gale from without seemed to blend with the text, and the splash of the rain to lengthen out i', 'e gale from without seemed to blend with the text, and the splash of the rain to lengthen out into t', 'e from without seemed to blend with the text, and the splash of the rain to lengthen out into the lo', 'm without seemed to blend with the text, and the splash of the rain to lengthen out into the long sw', 'hout seemed to blend with the text, and the splash of the rain to lengthen out into the long swash o', 'seemed to blend with the text, and the splash of the rain to lengthen out into the long swash of the', 'd to blend with the text, and the splash of the rain to lengthen out into the long swash of the sea ', 'blend with the text, and the splash of the rain to lengthen out into the long swash of the sea waves', ' with the text, and the splash of the rain to lengthen out into the long swash of the sea waves. my ', ' the text, and the splash of the rain to lengthen out into the long swash of the sea waves. my wife ', 'text, and the splash of the rain to lengthen out into the long swash of the sea waves. my wife was o', ' and the splash of the rain to lengthen out into the long swash of the sea waves. my wife was on a v', 'the splash of the rain to lengthen out into the long swash of the sea waves. my wife was on a visit ', 'plash of the rain to lengthen out into the long swash of the sea waves. my wife was on a visit to he', ' of the rain to lengthen out into the long swash of the sea waves. my wife was on a visit to her mot', "he rain to lengthen out into the long swash of the sea waves. my wife was on a visit to her mother's", "in to lengthen out into the long swash of the sea waves. my wife was on a visit to her mother's, and", " lengthen out into the long swash of the sea waves. my wife was on a visit to her mother's, and for ", "then out into the long swash of the sea waves. my wife was on a visit to her mother's, and for a few", "out into the long swash of the sea waves. my wife was on a visit to her mother's, and for a few days", "nto the long swash of the sea waves. my wife was on a visit to her mother's, and for a few days i wa", "he long swash of the sea waves. my wife was on a visit to her mother's, and for a few days i was a d", "ng swash of the sea waves. my wife was on a visit to her mother's, and for a few days i was a dwelle", "ash of the sea waves. my wife was on a visit to her mother's, and for a few days i was a dweller onc", "f the sea waves. my wife was on a visit to her mother's, and for a few days i was a dweller once mor", " sea waves. my wife was on a visit to her mother's, and for a few days i was a dweller once more in ", "waves. my wife was on a visit to her mother's, and for a few days i was a dweller once more in my ol", ". my wife was on a visit to her mother's, and for a few days i was a dweller once more in my old qua", "wife was on a visit to her mother's, and for a few days i was a dweller once more in my old quarters", "was on a visit to her mother's, and for a few days i was a dweller once more in my old quarters at b", "n a visit to her mother's, and for a few days i was a dweller once more in my old quarters at baker ", "isit to her mother's, and for a few days i was a dweller once more in my old quarters at baker stree", 'to her mother\'s, and for a few days i was a dweller once more in my old quarters at baker street. "w', 'r mother\'s, and for a few days i was a dweller once more in my old quarters at baker street. "why," ', 'her\'s, and for a few days i was a dweller once more in my old quarters at baker street. "why," said ', ', and for a few days i was a dweller once more in my old quarters at baker street. "why," said i, gl', ' for a few days i was a dweller once more in my old quarters at baker street. "why," said i, glancin', 'a few days i was a dweller once more in my old quarters at baker street. "why," said i, glancing up ', ' days i was a dweller once more in my old quarters at baker street. "why," said i, glancing up at my', ' i was a dweller once more in my old quarters at baker street. "why," said i, glancing up at my comp', 's a dweller once more in my old quarters at baker street. "why," said i, glancing up at my companion', 'weller once more in my old quarters at baker street. "why," said i, glancing up at my companion, "th', 'r once more in my old quarters at baker street. "why," said i, glancing up at my companion, "that wa', 'e more in my old quarters at baker street. "why," said i, glancing up at my companion, "that was sur', 'e in my old quarters at baker street. "why," said i, glancing up at my companion, "that was surely t', 'my old quarters at baker street. "why," said i, glancing up at my companion, "that was surely the be', 'd quarters at baker street. "why," said i, glancing up at my companion, "that was surely the bell. w', 'rters at baker street. "why," said i, glancing up at my companion, "that was surely the bell. who co', ' at baker street. "why," said i, glancing up at my companion, "that was surely the bell. who could c', 'aker street. "why," said i, glancing up at my companion, "that was surely the bell. who could come t', 'street. "why," said i, glancing up at my companion, "that was surely the bell. who could come to-nig', 't. "why," said i, glancing up at my companion, "that was surely the bell. who could come to-night? s', 'hy," said i, glancing up at my companion, "that was surely the bell. who could come to-night? some f', 'said i, glancing up at my companion, "that was surely the bell. who could come to-night? some friend', 'i, glancing up at my companion, "that was surely the bell. who could come to-night? some friend of y', 'ancing up at my companion, "that was surely the bell. who could come to-night? some friend of yours,', 'g up at my companion, "that was surely the bell. who could come to-night? some friend of yours, perh', 'at my companion, "that was surely the bell. who could come to-night? some friend of yours, perhaps?"', ' companion, "that was surely the bell. who could come to-night? some friend of yours, perhaps?" "exc', 'anion, "that was surely the bell. who could come to-night? some friend of yours, perhaps?" "except y', ', "that was surely the bell. who could come to-night? some friend of yours, perhaps?" "except yourse', 'at was surely the bell. who could come to-night? some friend of yours, perhaps?" "except yourself i ', 's surely the bell. who could come to-night? some friend of yours, perhaps?" "except yourself i have ', 'ely the bell. who could come to-night? some friend of yours, perhaps?" "except yourself i have none,', 'he bell. who could come to-night? some friend of yours, perhaps?" "except yourself i have none," he ', 'll. who could come to-night? some friend of yours, perhaps?" "except yourself i have none," he answe', 'ho could come to-night? some friend of yours, perhaps?" "except yourself i have none," he answered. ', 'uld come to-night? some friend of yours, perhaps?" "except yourself i have none," he answered. "i do', 'ome to-night? some friend of yours, perhaps?" "except yourself i have none," he answered. "i do not ', 'o-night? some friend of yours, perhaps?" "except yourself i have none," he answered. "i do not encou', 'ht? some friend of yours, perhaps?" "except yourself i have none," he answered. "i do not encourage ', 'ome friend of yours, perhaps?" "except yourself i have none," he answered. "i do not encourage visit', 'riend of yours, perhaps?" "except yourself i have none," he answered. "i do not encourage visitors."', ' of yours, perhaps?" "except yourself i have none," he answered. "i do not encourage visitors." "a c', 'ours, perhaps?" "except yourself i have none," he answered. "i do not encourage visitors." "a client', ' perhaps?" "except yourself i have none," he answered. "i do not encourage visitors." "a client, the', 'aps?" "except yourself i have none," he answered. "i do not encourage visitors." "a client, then?" "', ' "except yourself i have none," he answered. "i do not encourage visitors." "a client, then?" "if so', 'ept yourself i have none," he answered. "i do not encourage visitors." "a client, then?" "if so, it ', 'ourself i have none," he answered. "i do not encourage visitors." "a client, then?" "if so, it is a ', 'lf i have none," he answered. "i do not encourage visitors." "a client, then?" "if so, it is a serio', 'have none," he answered. "i do not encourage visitors." "a client, then?" "if so, it is a serious ca', 'none," he answered. "i do not encourage visitors." "a client, then?" "if so, it is a serious case. n', '" he answered. "i do not encourage visitors." "a client, then?" "if so, it is a serious case. nothin', 'answered. "i do not encourage visitors." "a client, then?" "if so, it is a serious case. nothing les', 'red. "i do not encourage visitors." "a client, then?" "if so, it is a serious case. nothing less wou', '"i do not encourage visitors." "a client, then?" "if so, it is a serious case. nothing less would br', ' not encourage visitors." "a client, then?" "if so, it is a serious case. nothing less would bring a', 'encourage visitors." "a client, then?" "if so, it is a serious case. nothing less would bring a man ', 'rage visitors." "a client, then?" "if so, it is a serious case. nothing less would bring a man out o', 'visitors." "a client, then?" "if so, it is a serious case. nothing less would bring a man out on suc', 'ors." "a client, then?" "if so, it is a serious case. nothing less would bring a man out on such a d', ' "a client, then?" "if so, it is a serious case. nothing less would bring a man out on such a day an', 'lient, then?" "if so, it is a serious case. nothing less would bring a man out on such a day and at ', ', then?" "if so, it is a serious case. nothing less would bring a man out on such a day and at such ', 'n?" "if so, it is a serious case. nothing less would bring a man out on such a day and at such an ho', 'if so, it is a serious case. nothing less would bring a man out on such a day and at such an hour. b', ', it is a serious case. nothing less would bring a man out on such a day and at such an hour. but i ', 'is a serious case. nothing less would bring a man out on such a day and at such an hour. but i take ', 'serious case. nothing less would bring a man out on such a day and at such an hour. but i take it th', 'us case. nothing less would bring a man out on such a day and at such an hour. but i take it that it', 'se. nothing less would bring a man out on such a day and at such an hour. but i take it that it is m', 'othing less would bring a man out on such a day and at such an hour. but i take it that it is more l', 'g less would bring a man out on such a day and at such an hour. but i take it that it is more likely', 's would bring a man out on such a day and at such an hour. but i take it that it is more likely to b', 'ld bring a man out on such a day and at such an hour. but i take it that it is more likely to be som', 'ing a man out on such a day and at such an hour. but i take it that it is more likely to be some cro', ' man out on such a day and at such an hour. but i take it that it is more likely to be some crony of', 'out on such a day and at such an hour. but i take it that it is more likely to be some crony of the ', 'n such a day and at such an hour. but i take it that it is more likely to be some crony of the landl', "h a day and at such an hour. but i take it that it is more likely to be some crony of the landlady's", 'ay and at such an hour. but i take it that it is more likely to be some crony of the landlady\'s." sh', 'd at such an hour. but i take it that it is more likely to be some crony of the landlady\'s." sherloc', 'such an hour. but i take it that it is more likely to be some crony of the landlady\'s." sherlock hol', 'an hour. but i take it that it is more likely to be some crony of the landlady\'s." sherlock holmes w', 'ur. but i take it that it is more likely to be some crony of the landlady\'s." sherlock holmes was wr', 'ut i take it that it is more likely to be some crony of the landlady\'s." sherlock holmes was wrong i', 'take it that it is more likely to be some crony of the landlady\'s." sherlock holmes was wrong in his', 'it that it is more likely to be some crony of the landlady\'s." sherlock holmes was wrong in his conj', 'at it is more likely to be some crony of the landlady\'s." sherlock holmes was wrong in his conjectur', ' is more likely to be some crony of the landlady\'s." sherlock holmes was wrong in his conjecture, ho', 'ore likely to be some crony of the landlady\'s." sherlock holmes was wrong in his conjecture, however', 'ikely to be some crony of the landlady\'s." sherlock holmes was wrong in his conjecture, however, for', ' to be some crony of the landlady\'s." sherlock holmes was wrong in his conjecture, however, for ther', 'e some crony of the landlady\'s." sherlock holmes was wrong in his conjecture, however, for there cam', 'e crony of the landlady\'s." sherlock holmes was wrong in his conjecture, however, for there came a s', 'ny of the landlady\'s." sherlock holmes was wrong in his conjecture, however, for there came a step i', ' the landlady\'s." sherlock holmes was wrong in his conjecture, however, for there came a step in the', 'landlady\'s." sherlock holmes was wrong in his conjecture, however, for there came a step in the pass', 'ady\'s." sherlock holmes was wrong in his conjecture, however, for there came a step in the passage a', '." sherlock holmes was wrong in his conjecture, however, for there came a step in the passage and a ', 'erlock holmes was wrong in his conjecture, however, for there came a step in the passage and a tappi', 'k holmes was wrong in his conjecture, however, for there came a step in the passage and a tapping at', 'mes was wrong in his conjecture, however, for there came a step in the passage and a tapping at the ', 'as wrong in his conjecture, however, for there came a step in the passage and a tapping at the door.', 'ong in his conjecture, however, for there came a step in the passage and a tapping at the door. he s', 'n his conjecture, however, for there came a step in the passage and a tapping at the door. he stretc', ' conjecture, however, for there came a step in the passage and a tapping at the door. he stretched o', 'ecture, however, for there came a step in the passage and a tapping at the door. he stretched out hi', 'e, however, for there came a step in the passage and a tapping at the door. he stretched out his lon', 'wever, for there came a step in the passage and a tapping at the door. he stretched out his long arm', ', for there came a step in the passage and a tapping at the door. he stretched out his long arm to t', ' there came a step in the passage and a tapping at the door. he stretched out his long arm to turn t', 'e came a step in the passage and a tapping at the door. he stretched out his long arm to turn the la', 'e a step in the passage and a tapping at the door. he stretched out his long arm to turn the lamp aw', 'tep in the passage and a tapping at the door. he stretched out his long arm to turn the lamp away fr', 'n the passage and a tapping at the door. he stretched out his long arm to turn the lamp away from hi', ' passage and a tapping at the door. he stretched out his long arm to turn the lamp away from himself', 'age and a tapping at the door. he stretched out his long arm to turn the lamp away from himself and ', 'nd a tapping at the door. he stretched out his long arm to turn the lamp away from himself and towar', 'tapping at the door. he stretched out his long arm to turn the lamp away from himself and towards th', 'ng at the door. he stretched out his long arm to turn the lamp away from himself and towards the vac', ' the door. he stretched out his long arm to turn the lamp away from himself and towards the vacant c', 'door. he stretched out his long arm to turn the lamp away from himself and towards the vacant chair ', ' he stretched out his long arm to turn the lamp away from himself and towards the vacant chair upon ', 'tretched out his long arm to turn the lamp away from himself and towards the vacant chair upon which', 'hed out his long arm to turn the lamp away from himself and towards the vacant chair upon which a ne', 'ut his long arm to turn the lamp away from himself and towards the vacant chair upon which a newcome', 's long arm to turn the lamp away from himself and towards the vacant chair upon which a newcomer mus', 'g arm to turn the lamp away from himself and towards the vacant chair upon which a newcomer must sit', ' to turn the lamp away from himself and towards the vacant chair upon which a newcomer must sit. "co', 'urn the lamp away from himself and towards the vacant chair upon which a newcomer must sit. "come in', 'he lamp away from himself and towards the vacant chair upon which a newcomer must sit. "come in said', 'mp away from himself and towards the vacant chair upon which a newcomer must sit. "come in said he. ', 'ay from himself and towards the vacant chair upon which a newcomer must sit. "come in said he. the m', 'om himself and towards the vacant chair upon which a newcomer must sit. "come in said he. the man wh', 'mself and towards the vacant chair upon which a newcomer must sit. "come in said he. the man who ent', ' and towards the vacant chair upon which a newcomer must sit. "come in said he. the man who entered ', 'towards the vacant chair upon which a newcomer must sit. "come in said he. the man who entered was y', 'ds the vacant chair upon which a newcomer must sit. "come in said he. the man who entered was young,', 'e vacant chair upon which a newcomer must sit. "come in said he. the man who entered was young, some', 'ant chair upon which a newcomer must sit. "come in said he. the man who entered was young, some two-', 'hair upon which a newcomer must sit. "come in said he. the man who entered was young, some two-and-t', 'upon which a newcomer must sit. "come in said he. the man who entered was young, some two-and-twenty', 'which a newcomer must sit. "come in said he. the man who entered was young, some two-and-twenty at t', ' a newcomer must sit. "come in said he. the man who entered was young, some two-and-twenty at the ou', 'wcomer must sit. "come in said he. the man who entered was young, some two-and-twenty at the outside', 'r must sit. "come in said he. the man who entered was young, some two-and-twenty at the outside, wel', 't sit. "come in said he. the man who entered was young, some two-and-twenty at the outside, well-gro', '. "come in said he. the man who entered was young, some two-and-twenty at the outside, well-groomed ', 'me in said he. the man who entered was young, some two-and-twenty at the outside, well-groomed and t', ' said he. the man who entered was young, some two-and-twenty at the outside, well-groomed and trimly', ' he. the man who entered was young, some two-and-twenty at the outside, well-groomed and trimly clad', 'the man who entered was young, some two-and-twenty at the outside, well-groomed and trimly clad, wit', 'an who entered was young, some two-and-twenty at the outside, well-groomed and trimly clad, with som', 'o entered was young, some two-and-twenty at the outside, well-groomed and trimly clad, with somethin', 'ered was young, some two-and-twenty at the outside, well-groomed and trimly clad, with something of ', 'was young, some two-and-twenty at the outside, well-groomed and trimly clad, with something of refin', 'oung, some two-and-twenty at the outside, well-groomed and trimly clad, with something of refinement', ' some two-and-twenty at the outside, well-groomed and trimly clad, with something of refinement and ', ' two-and-twenty at the outside, well-groomed and trimly clad, with something of refinement and delic', 'and-twenty at the outside, well-groomed and trimly clad, with something of refinement and delicacy i', 'wenty at the outside, well-groomed and trimly clad, with something of refinement and delicacy in his', ' at the outside, well-groomed and trimly clad, with something of refinement and delicacy in his bear', 'he outside, well-groomed and trimly clad, with something of refinement and delicacy in his bearing. ', 'tside, well-groomed and trimly clad, with something of refinement and delicacy in his bearing. the s', ', well-groomed and trimly clad, with something of refinement and delicacy in his bearing. the stream', 'l-groomed and trimly clad, with something of refinement and delicacy in his bearing. the streaming u', 'omed and trimly clad, with something of refinement and delicacy in his bearing. the streaming umbrel', 'and trimly clad, with something of refinement and delicacy in his bearing. the streaming umbrella wh', 'rimly clad, with something of refinement and delicacy in his bearing. the streaming umbrella which h', ' clad, with something of refinement and delicacy in his bearing. the streaming umbrella which he hel', ', with something of refinement and delicacy in his bearing. the streaming umbrella which he held in ', 'h something of refinement and delicacy in his bearing. the streaming umbrella which he held in his h', 'ething of refinement and delicacy in his bearing. the streaming umbrella which he held in his hand, ', 'g of refinement and delicacy in his bearing. the streaming umbrella which he held in his hand, and h', 'refinement and delicacy in his bearing. the streaming umbrella which he held in his hand, and his lo', 'ement and delicacy in his bearing. the streaming umbrella which he held in his hand, and his long sh', ' and delicacy in his bearing. the streaming umbrella which he held in his hand, and his long shining', 'delicacy in his bearing. the streaming umbrella which he held in his hand, and his long shining wate', 'acy in his bearing. the streaming umbrella which he held in his hand, and his long shining waterproo', 'n his bearing. the streaming umbrella which he held in his hand, and his long shining waterproof tol', ' bearing. the streaming umbrella which he held in his hand, and his long shining waterproof told of ', 'ing. the streaming umbrella which he held in his hand, and his long shining waterproof told of the f', 'the streaming umbrella which he held in his hand, and his long shining waterproof told of the fierce', 'treaming umbrella which he held in his hand, and his long shining waterproof told of the fierce weat', 'ing umbrella which he held in his hand, and his long shining waterproof told of the fierce weather t', 'mbrella which he held in his hand, and his long shining waterproof told of the fierce weather throug', 'la which he held in his hand, and his long shining waterproof told of the fierce weather through whi', 'ich he held in his hand, and his long shining waterproof told of the fierce weather through which he', 'e held in his hand, and his long shining waterproof told of the fierce weather through which he had ', 'd in his hand, and his long shining waterproof told of the fierce weather through which he had come.', 'his hand, and his long shining waterproof told of the fierce weather through which he had come. he l', 'and, and his long shining waterproof told of the fierce weather through which he had come. he looked', 'and his long shining waterproof told of the fierce weather through which he had come. he looked abou', 'is long shining waterproof told of the fierce weather through which he had come. he looked about him', 'ng shining waterproof told of the fierce weather through which he had come. he looked about him anxi', 'ining waterproof told of the fierce weather through which he had come. he looked about him anxiously', ' waterproof told of the fierce weather through which he had come. he looked about him anxiously in t', 'rproof told of the fierce weather through which he had come. he looked about him anxiously in the gl', 'f told of the fierce weather through which he had come. he looked about him anxiously in the glare o', 'd of the fierce weather through which he had come. he looked about him anxiously in the glare of the', 'the fierce weather through which he had come. he looked about him anxiously in the glare of the lamp', 'ierce weather through which he had come. he looked about him anxiously in the glare of the lamp, and', ' weather through which he had come. he looked about him anxiously in the glare of the lamp, and i co', 'her through which he had come. he looked about him anxiously in the glare of the lamp, and i could s', 'hrough which he had come. he looked about him anxiously in the glare of the lamp, and i could see th', 'h which he had come. he looked about him anxiously in the glare of the lamp, and i could see that hi', 'ch he had come. he looked about him anxiously in the glare of the lamp, and i could see that his fac', ' had come. he looked about him anxiously in the glare of the lamp, and i could see that his face was', 'come. he looked about him anxiously in the glare of the lamp, and i could see that his face was pale', ' he looked about him anxiously in the glare of the lamp, and i could see that his face was pale and ', 'ooked about him anxiously in the glare of the lamp, and i could see that his face was pale and his e', ' about him anxiously in the glare of the lamp, and i could see that his face was pale and his eyes h', 't him anxiously in the glare of the lamp, and i could see that his face was pale and his eyes heavy,', ' anxiously in the glare of the lamp, and i could see that his face was pale and his eyes heavy, like', 'ously in the glare of the lamp, and i could see that his face was pale and his eyes heavy, like thos', ' in the glare of the lamp, and i could see that his face was pale and his eyes heavy, like those of ', 'he glare of the lamp, and i could see that his face was pale and his eyes heavy, like those of a man', 'are of the lamp, and i could see that his face was pale and his eyes heavy, like those of a man who ', 'f the lamp, and i could see that his face was pale and his eyes heavy, like those of a man who is we', ' lamp, and i could see that his face was pale and his eyes heavy, like those of a man who is weighed', ', and i could see that his face was pale and his eyes heavy, like those of a man who is weighed down', ' i could see that his face was pale and his eyes heavy, like those of a man who is weighed down with', 'uld see that his face was pale and his eyes heavy, like those of a man who is weighed down with some', 'ee that his face was pale and his eyes heavy, like those of a man who is weighed down with some grea', 'at his face was pale and his eyes heavy, like those of a man who is weighed down with some great anx', 's face was pale and his eyes heavy, like those of a man who is weighed down with some great anxiety.', 'e was pale and his eyes heavy, like those of a man who is weighed down with some great anxiety. "i o', ' pale and his eyes heavy, like those of a man who is weighed down with some great anxiety. "i owe yo', ' and his eyes heavy, like those of a man who is weighed down with some great anxiety. "i owe you an ', 'his eyes heavy, like those of a man who is weighed down with some great anxiety. "i owe you an apolo', 'yes heavy, like those of a man who is weighed down with some great anxiety. "i owe you an apology," ', 'eavy, like those of a man who is weighed down with some great anxiety. "i owe you an apology," he sa', ' like those of a man who is weighed down with some great anxiety. "i owe you an apology," he said, r', ' those of a man who is weighed down with some great anxiety. "i owe you an apology," he said, raisin', 'e of a man who is weighed down with some great anxiety. "i owe you an apology," he said, raising his', 'a man who is weighed down with some great anxiety. "i owe you an apology," he said, raising his gold', ' who is weighed down with some great anxiety. "i owe you an apology," he said, raising his golden pi', 'is weighed down with some great anxiety. "i owe you an apology," he said, raising his golden pince-n', 'ighed down with some great anxiety. "i owe you an apology," he said, raising his golden pince-nez to', ' down with some great anxiety. "i owe you an apology," he said, raising his golden pince-nez to his ', ' with some great anxiety. "i owe you an apology," he said, raising his golden pince-nez to his eyes.', ' some great anxiety. "i owe you an apology," he said, raising his golden pince-nez to his eyes. "i t', ' great anxiety. "i owe you an apology," he said, raising his golden pince-nez to his eyes. "i trust ', 't anxiety. "i owe you an apology," he said, raising his golden pince-nez to his eyes. "i trust that ', 'iety. "i owe you an apology," he said, raising his golden pince-nez to his eyes. "i trust that i am ', ' "i owe you an apology," he said, raising his golden pince-nez to his eyes. "i trust that i am not i', 'we you an apology," he said, raising his golden pince-nez to his eyes. "i trust that i am not intrud', 'u an apology," he said, raising his golden pince-nez to his eyes. "i trust that i am not intruding. ', 'apology," he said, raising his golden pince-nez to his eyes. "i trust that i am not intruding. i fea', 'gy," he said, raising his golden pince-nez to his eyes. "i trust that i am not intruding. i fear tha', 'he said, raising his golden pince-nez to his eyes. "i trust that i am not intruding. i fear that i h', 'id, raising his golden pince-nez to his eyes. "i trust that i am not intruding. i fear that i have b', 'aising his golden pince-nez to his eyes. "i trust that i am not intruding. i fear that i have brough', 'g his golden pince-nez to his eyes. "i trust that i am not intruding. i fear that i have brought som', ' golden pince-nez to his eyes. "i trust that i am not intruding. i fear that i have brought some tra', 'en pince-nez to his eyes. "i trust that i am not intruding. i fear that i have brought some traces o', 'nce-nez to his eyes. "i trust that i am not intruding. i fear that i have brought some traces of the', 'ez to his eyes. "i trust that i am not intruding. i fear that i have brought some traces of the stor', ' his eyes. "i trust that i am not intruding. i fear that i have brought some traces of the storm and', 'eyes. "i trust that i am not intruding. i fear that i have brought some traces of the storm and rain', ' "i trust that i am not intruding. i fear that i have brought some traces of the storm and rain into', 'rust that i am not intruding. i fear that i have brought some traces of the storm and rain into your', 'that i am not intruding. i fear that i have brought some traces of the storm and rain into your snug', 'i am not intruding. i fear that i have brought some traces of the storm and rain into your snug cham', 'not intruding. i fear that i have brought some traces of the storm and rain into your snug chamber."', 'ntruding. i fear that i have brought some traces of the storm and rain into your snug chamber." "giv', 'ing. i fear that i have brought some traces of the storm and rain into your snug chamber." "give me ', 'i fear that i have brought some traces of the storm and rain into your snug chamber." "give me your ', 'r that i have brought some traces of the storm and rain into your snug chamber." "give me your coat ', 't i have brought some traces of the storm and rain into your snug chamber." "give me your coat and u', 'ave brought some traces of the storm and rain into your snug chamber." "give me your coat and umbrel', 'rought some traces of the storm and rain into your snug chamber." "give me your coat and umbrella," ', 't some traces of the storm and rain into your snug chamber." "give me your coat and umbrella," said ', 'e traces of the storm and rain into your snug chamber." "give me your coat and umbrella," said holme', 'ces of the storm and rain into your snug chamber." "give me your coat and umbrella," said holmes. "t', 'f the storm and rain into your snug chamber." "give me your coat and umbrella," said holmes. "they m', ' storm and rain into your snug chamber." "give me your coat and umbrella," said holmes. "they may re', 'm and rain into your snug chamber." "give me your coat and umbrella," said holmes. "they may rest he', ' rain into your snug chamber." "give me your coat and umbrella," said holmes. "they may rest here on', ' into your snug chamber." "give me your coat and umbrella," said holmes. "they may rest here on the ', ' your snug chamber." "give me your coat and umbrella," said holmes. "they may rest here on the hook ', ' snug chamber." "give me your coat and umbrella," said holmes. "they may rest here on the hook and w', ' chamber." "give me your coat and umbrella," said holmes. "they may rest here on the hook and will b', 'ber." "give me your coat and umbrella," said holmes. "they may rest here on the hook and will be dry', ' "give me your coat and umbrella," said holmes. "they may rest here on the hook and will be dry pres', 'e me your coat and umbrella," said holmes. "they may rest here on the hook and will be dry presently', 'your coat and umbrella," said holmes. "they may rest here on the hook and will be dry presently. you', 'coat and umbrella," said holmes. "they may rest here on the hook and will be dry presently. you have', 'and umbrella," said holmes. "they may rest here on the hook and will be dry presently. you have come', 'mbrella," said holmes. "they may rest here on the hook and will be dry presently. you have come up f', 'la," said holmes. "they may rest here on the hook and will be dry presently. you have come up from t', 'said holmes. "they may rest here on the hook and will be dry presently. you have come up from the so', 'holmes. "they may rest here on the hook and will be dry presently. you have come up from the south-w', 's. "they may rest here on the hook and will be dry presently. you have come up from the south-west, ', 'hey may rest here on the hook and will be dry presently. you have come up from the south-west, i see', 'ay rest here on the hook and will be dry presently. you have come up from the south-west, i see." "y', 'st here on the hook and will be dry presently. you have come up from the south-west, i see." "yes, f', 're on the hook and will be dry presently. you have come up from the south-west, i see." "yes, from h', ' the hook and will be dry presently. you have come up from the south-west, i see." "yes, from horsha', 'hook and will be dry presently. you have come up from the south-west, i see." "yes, from horsham." "', 'and will be dry presently. you have come up from the south-west, i see." "yes, from horsham." "that ', 'ill be dry presently. you have come up from the south-west, i see." "yes, from horsham." "that clay ', 'e dry presently. you have come up from the south-west, i see." "yes, from horsham." "that clay and c', ' presently. you have come up from the south-west, i see." "yes, from horsham." "that clay and chalk ', 'ently. you have come up from the south-west, i see." "yes, from horsham." "that clay and chalk mixtu', '. you have come up from the south-west, i see." "yes, from horsham." "that clay and chalk mixture wh', ' have come up from the south-west, i see." "yes, from horsham." "that clay and chalk mixture which i', ' come up from the south-west, i see." "yes, from horsham." "that clay and chalk mixture which i see ', ' up from the south-west, i see." "yes, from horsham." "that clay and chalk mixture which i see upon ', 'rom the south-west, i see." "yes, from horsham." "that clay and chalk mixture which i see upon your ', 'he south-west, i see." "yes, from horsham." "that clay and chalk mixture which i see upon your toe c', 'uth-west, i see." "yes, from horsham." "that clay and chalk mixture which i see upon your toe caps i', 'est, i see." "yes, from horsham." "that clay and chalk mixture which i see upon your toe caps is qui', 'i see." "yes, from horsham." "that clay and chalk mixture which i see upon your toe caps is quite di', '." "yes, from horsham." "that clay and chalk mixture which i see upon your toe caps is quite distinc', 'es, from horsham." "that clay and chalk mixture which i see upon your toe caps is quite distinctive.', 'rom horsham." "that clay and chalk mixture which i see upon your toe caps is quite distinctive." "i ', 'orsham." "that clay and chalk mixture which i see upon your toe caps is quite distinctive." "i have ', 'm." "that clay and chalk mixture which i see upon your toe caps is quite distinctive." "i have come ', 'that clay and chalk mixture which i see upon your toe caps is quite distinctive." "i have come for a', 'clay and chalk mixture which i see upon your toe caps is quite distinctive." "i have come for advice', 'and chalk mixture which i see upon your toe caps is quite distinctive." "i have come for advice." "t', 'halk mixture which i see upon your toe caps is quite distinctive." "i have come for advice." "that i', 'mixture which i see upon your toe caps is quite distinctive." "i have come for advice." "that is eas', 're which i see upon your toe caps is quite distinctive." "i have come for advice." "that is easily g', 'ich i see upon your toe caps is quite distinctive." "i have come for advice." "that is easily got." ', ' see upon your toe caps is quite distinctive." "i have come for advice." "that is easily got." "and ', 'upon your toe caps is quite distinctive." "i have come for advice." "that is easily got." "and help.', 'your toe caps is quite distinctive." "i have come for advice." "that is easily got." "and help." "th', 'toe caps is quite distinctive." "i have come for advice." "that is easily got." "and help." "that is', 'aps is quite distinctive." "i have come for advice." "that is easily got." "and help." "that is not ', 's quite distinctive." "i have come for advice." "that is easily got." "and help." "that is not alway', 'te distinctive." "i have come for advice." "that is easily got." "and help." "that is not always so ', 'stinctive." "i have come for advice." "that is easily got." "and help." "that is not always so easy.', 'tive." "i have come for advice." "that is easily got." "and help." "that is not always so easy." "i ', '" "i have come for advice." "that is easily got." "and help." "that is not always so easy." "i have ', 'have come for advice." "that is easily got." "and help." "that is not always so easy." "i have heard', 'come for advice." "that is easily got." "and help." "that is not always so easy." "i have heard of y', 'for advice." "that is easily got." "and help." "that is not always so easy." "i have heard of you, m', 'dvice." "that is easily got." "and help." "that is not always so easy." "i have heard of you, mr. ho', '." "that is easily got." "and help." "that is not always so easy." "i have heard of you, mr. holmes.', 'hat is easily got." "and help." "that is not always so easy." "i have heard of you, mr. holmes. i he', 's easily got." "and help." "that is not always so easy." "i have heard of you, mr. holmes. i heard f', 'ily got." "and help." "that is not always so easy." "i have heard of you, mr. holmes. i heard from m', 'ot." "and help." "that is not always so easy." "i have heard of you, mr. holmes. i heard from major ', '"and help." "that is not always so easy." "i have heard of you, mr. holmes. i heard from major prend', 'help." "that is not always so easy." "i have heard of you, mr. holmes. i heard from major prendergas', '" "that is not always so easy." "i have heard of you, mr. holmes. i heard from major prendergast how', 'at is not always so easy." "i have heard of you, mr. holmes. i heard from major prendergast how you ', ' not always so easy." "i have heard of you, mr. holmes. i heard from major prendergast how you saved', 'always so easy." "i have heard of you, mr. holmes. i heard from major prendergast how you saved him ', 's so easy." "i have heard of you, mr. holmes. i heard from major prendergast how you saved him in th', 'easy." "i have heard of you, mr. holmes. i heard from major prendergast how you saved him in the tan', '" "i have heard of you, mr. holmes. i heard from major prendergast how you saved him in the tankervi', 'have heard of you, mr. holmes. i heard from major prendergast how you saved him in the tankerville c', 'heard of you, mr. holmes. i heard from major prendergast how you saved him in the tankerville club s', ' of you, mr. holmes. i heard from major prendergast how you saved him in the tankerville club scanda', 'ou, mr. holmes. i heard from major prendergast how you saved him in the tankerville club scandal." "', 'r. holmes. i heard from major prendergast how you saved him in the tankerville club scandal." "ah, o', 'lmes. i heard from major prendergast how you saved him in the tankerville club scandal." "ah, of cou', ' i heard from major prendergast how you saved him in the tankerville club scandal." "ah, of course. ', 'ard from major prendergast how you saved him in the tankerville club scandal." "ah, of course. he wa', 'rom major prendergast how you saved him in the tankerville club scandal." "ah, of course. he was wro', 'ajor prendergast how you saved him in the tankerville club scandal." "ah, of course. he was wrongful', 'prendergast how you saved him in the tankerville club scandal." "ah, of course. he was wrongfully ac', 'ergast how you saved him in the tankerville club scandal." "ah, of course. he was wrongfully accused', 't how you saved him in the tankerville club scandal." "ah, of course. he was wrongfully accused of c', ' you saved him in the tankerville club scandal." "ah, of course. he was wrongfully accused of cheati', 'saved him in the tankerville club scandal." "ah, of course. he was wrongfully accused of cheating at', ' him in the tankerville club scandal." "ah, of course. he was wrongfully accused of cheating at card', 'in the tankerville club scandal." "ah, of course. he was wrongfully accused of cheating at cards." "', 'e tankerville club scandal." "ah, of course. he was wrongfully accused of cheating at cards." "he sa', 'kerville club scandal." "ah, of course. he was wrongfully accused of cheating at cards." "he said th', 'lle club scandal." "ah, of course. he was wrongfully accused of cheating at cards." "he said that yo', 'lub scandal." "ah, of course. he was wrongfully accused of cheating at cards." "he said that you cou', 'candal." "ah, of course. he was wrongfully accused of cheating at cards." "he said that you could so', 'l." "ah, of course. he was wrongfully accused of cheating at cards." "he said that you could solve a', 'ah, of course. he was wrongfully accused of cheating at cards." "he said that you could solve anythi', 'f course. he was wrongfully accused of cheating at cards." "he said that you could solve anything." ', 'rse. he was wrongfully accused of cheating at cards." "he said that you could solve anything." "he s', 'he was wrongfully accused of cheating at cards." "he said that you could solve anything." "he said t', 's wrongfully accused of cheating at cards." "he said that you could solve anything." "he said too mu', 'ngfully accused of cheating at cards." "he said that you could solve anything." "he said too much." ', 'ly accused of cheating at cards." "he said that you could solve anything." "he said too much." "that', 'cused of cheating at cards." "he said that you could solve anything." "he said too much." "that you ', ' of cheating at cards." "he said that you could solve anything." "he said too much." "that you are n', 'heating at cards." "he said that you could solve anything." "he said too much." "that you are never ', 'ng at cards." "he said that you could solve anything." "he said too much." "that you are never beate', ' cards." "he said that you could solve anything." "he said too much." "that you are never beaten." "', 's." "he said that you could solve anything." "he said too much." "that you are never beaten." "i hav', 'he said that you could solve anything." "he said too much." "that you are never beaten." "i have bee', 'id that you could solve anything." "he said too much." "that you are never beaten." "i have been bea', 'at you could solve anything." "he said too much." "that you are never beaten." "i have been beaten f', 'u could solve anything." "he said too much." "that you are never beaten." "i have been beaten four t', 'ld solve anything." "he said too much." "that you are never beaten." "i have been beaten four timest', 'lve anything." "he said too much." "that you are never beaten." "i have been beaten four timesthree ', 'nything." "he said too much." "that you are never beaten." "i have been beaten four timesthree times', 'ng." "he said too much." "that you are never beaten." "i have been beaten four timesthree times by m', '"he said too much." "that you are never beaten." "i have been beaten four timesthree times by men, a', 'aid too much." "that you are never beaten." "i have been beaten four timesthree times by men, and on', 'oo much." "that you are never beaten." "i have been beaten four timesthree times by men, and once by', 'ch." "that you are never beaten." "i have been beaten four timesthree times by men, and once by a wo', '"that you are never beaten." "i have been beaten four timesthree times by men, and once by a woman."', ' you are never beaten." "i have been beaten four timesthree times by men, and once by a woman." "but', 'are never beaten." "i have been beaten four timesthree times by men, and once by a woman." "but what', 'ever beaten." "i have been beaten four timesthree times by men, and once by a woman." "but what is t', 'beaten." "i have been beaten four timesthree times by men, and once by a woman." "but what is that c', 'n." "i have been beaten four timesthree times by men, and once by a woman." "but what is that compar', 'i have been beaten four timesthree times by men, and once by a woman." "but what is that compared wi', 'e been beaten four timesthree times by men, and once by a woman." "but what is that compared with th', 'n beaten four timesthree times by men, and once by a woman." "but what is that compared with the num', 'ten four timesthree times by men, and once by a woman." "but what is that compared with the number o', 'our timesthree times by men, and once by a woman." "but what is that compared with the number of you', 'imesthree times by men, and once by a woman." "but what is that compared with the number of your suc', 'hree times by men, and once by a woman." "but what is that compared with the number of your successe', 'times by men, and once by a woman." "but what is that compared with the number of your successes?" "', ' by men, and once by a woman." "but what is that compared with the number of your successes?" "it is', 'en, and once by a woman." "but what is that compared with the number of your successes?" "it is true', 'nd once by a woman." "but what is that compared with the number of your successes?" "it is true that', 'ce by a woman." "but what is that compared with the number of your successes?" "it is true that i ha', ' a woman." "but what is that compared with the number of your successes?" "it is true that i have be', 'man." "but what is that compared with the number of your successes?" "it is true that i have been ge', ' "but what is that compared with the number of your successes?" "it is true that i have been general', ' what is that compared with the number of your successes?" "it is true that i have been generally su', ' is that compared with the number of your successes?" "it is true that i have been generally success', 'hat compared with the number of your successes?" "it is true that i have been generally successful."', 'ompared with the number of your successes?" "it is true that i have been generally successful." "the', 'ed with the number of your successes?" "it is true that i have been generally successful." "then you', 'th the number of your successes?" "it is true that i have been generally successful." "then you may ', 'e number of your successes?" "it is true that i have been generally successful." "then you may be so', 'ber of your successes?" "it is true that i have been generally successful." "then you may be so with', 'f your successes?" "it is true that i have been generally successful." "then you may be so with me."', 'r successes?" "it is true that i have been generally successful." "then you may be so with me." "i b', 'cesses?" "it is true that i have been generally successful." "then you may be so with me." "i beg th', 's?" "it is true that i have been generally successful." "then you may be so with me." "i beg that yo', 'it is true that i have been generally successful." "then you may be so with me." "i beg that you wil', ' true that i have been generally successful." "then you may be so with me." "i beg that you will dra', ' that i have been generally successful." "then you may be so with me." "i beg that you will draw you', ' i have been generally successful." "then you may be so with me." "i beg that you will draw your cha', 've been generally successful." "then you may be so with me." "i beg that you will draw your chair up', 'en generally successful." "then you may be so with me." "i beg that you will draw your chair up to t', 'nerally successful." "then you may be so with me." "i beg that you will draw your chair up to the fi', 'ly successful." "then you may be so with me." "i beg that you will draw your chair up to the fire an', 'ccessful." "then you may be so with me." "i beg that you will draw your chair up to the fire and fav', 'ful." "then you may be so with me." "i beg that you will draw your chair up to the fire and favour m', ' "then you may be so with me." "i beg that you will draw your chair up to the fire and favour me wit', 'n you may be so with me." "i beg that you will draw your chair up to the fire and favour me with som', ' may be so with me." "i beg that you will draw your chair up to the fire and favour me with some det', 'be so with me." "i beg that you will draw your chair up to the fire and favour me with some details ', ' with me." "i beg that you will draw your chair up to the fire and favour me with some details as to', ' me." "i beg that you will draw your chair up to the fire and favour me with some details as to your', ' "i beg that you will draw your chair up to the fire and favour me with some details as to your case', 'eg that you will draw your chair up to the fire and favour me with some details as to your case." "i', 'at you will draw your chair up to the fire and favour me with some details as to your case." "it is ', 'u will draw your chair up to the fire and favour me with some details as to your case." "it is no or', 'l draw your chair up to the fire and favour me with some details as to your case." "it is no ordinar', 'w your chair up to the fire and favour me with some details as to your case." "it is no ordinary one', 'r chair up to the fire and favour me with some details as to your case." "it is no ordinary one." "n', 'ir up to the fire and favour me with some details as to your case." "it is no ordinary one." "none o', ' to the fire and favour me with some details as to your case." "it is no ordinary one." "none of tho', 'he fire and favour me with some details as to your case." "it is no ordinary one." "none of those wh', 're and favour me with some details as to your case." "it is no ordinary one." "none of those which c', 'd favour me with some details as to your case." "it is no ordinary one." "none of those which come t', 'our me with some details as to your case." "it is no ordinary one." "none of those which come to me ', 'e with some details as to your case." "it is no ordinary one." "none of those which come to me are. ', 'h some details as to your case." "it is no ordinary one." "none of those which come to me are. i am ', 'e details as to your case." "it is no ordinary one." "none of those which come to me are. i am the l', 'ails as to your case." "it is no ordinary one." "none of those which come to me are. i am the last c', 'as to your case." "it is no ordinary one." "none of those which come to me are. i am the last court ', ' your case." "it is no ordinary one." "none of those which come to me are. i am the last court of ap', ' case." "it is no ordinary one." "none of those which come to me are. i am the last court of appeal.', '." "it is no ordinary one." "none of those which come to me are. i am the last court of appeal." "an', 't is no ordinary one." "none of those which come to me are. i am the last court of appeal." "and yet', 'no ordinary one." "none of those which come to me are. i am the last court of appeal." "and yet i qu', 'dinary one." "none of those which come to me are. i am the last court of appeal." "and yet i questio', 'y one." "none of those which come to me are. i am the last court of appeal." "and yet i question, si', '." "none of those which come to me are. i am the last court of appeal." "and yet i question, sir, wh', 'one of those which come to me are. i am the last court of appeal." "and yet i question, sir, whether', 'f those which come to me are. i am the last court of appeal." "and yet i question, sir, whether, in ', 'se which come to me are. i am the last court of appeal." "and yet i question, sir, whether, in all y', 'ich come to me are. i am the last court of appeal." "and yet i question, sir, whether, in all your e', 'ome to me are. i am the last court of appeal." "and yet i question, sir, whether, in all your experi', 'o me are. i am the last court of appeal." "and yet i question, sir, whether, in all your experience,', 'are. i am the last court of appeal." "and yet i question, sir, whether, in all your experience, you ', 'i am the last court of appeal." "and yet i question, sir, whether, in all your experience, you have ', 'the last court of appeal." "and yet i question, sir, whether, in all your experience, you have ever ', 'ast court of appeal." "and yet i question, sir, whether, in all your experience, you have ever liste', 'ourt of appeal." "and yet i question, sir, whether, in all your experience, you have ever listened t', 'of appeal." "and yet i question, sir, whether, in all your experience, you have ever listened to a m', 'peal." "and yet i question, sir, whether, in all your experience, you have ever listened to a more m', '" "and yet i question, sir, whether, in all your experience, you have ever listened to a more myster', 'd yet i question, sir, whether, in all your experience, you have ever listened to a more mysterious ', ' i question, sir, whether, in all your experience, you have ever listened to a more mysterious and i', 'estion, sir, whether, in all your experience, you have ever listened to a more mysterious and inexpl', 'n, sir, whether, in all your experience, you have ever listened to a more mysterious and inexplicabl', 'r, whether, in all your experience, you have ever listened to a more mysterious and inexplicable cha', 'ether, in all your experience, you have ever listened to a more mysterious and inexplicable chain of', ', in all your experience, you have ever listened to a more mysterious and inexplicable chain of even', 'all your experience, you have ever listened to a more mysterious and inexplicable chain of events th', 'our experience, you have ever listened to a more mysterious and inexplicable chain of events than th', 'xperience, you have ever listened to a more mysterious and inexplicable chain of events than those w', 'ence, you have ever listened to a more mysterious and inexplicable chain of events than those which ', ' you have ever listened to a more mysterious and inexplicable chain of events than those which have ', 'have ever listened to a more mysterious and inexplicable chain of events than those which have happe', 'ever listened to a more mysterious and inexplicable chain of events than those which have happened i', 'listened to a more mysterious and inexplicable chain of events than those which have happened in my ', 'ned to a more mysterious and inexplicable chain of events than those which have happened in my own f', 'o a more mysterious and inexplicable chain of events than those which have happened in my own family', 'ore mysterious and inexplicable chain of events than those which have happened in my own family." "y', 'ysterious and inexplicable chain of events than those which have happened in my own family." "you fi', 'ious and inexplicable chain of events than those which have happened in my own family." "you fill me', 'and inexplicable chain of events than those which have happened in my own family." "you fill me with', 'nexplicable chain of events than those which have happened in my own family." "you fill me with inte', 'icable chain of events than those which have happened in my own family." "you fill me with interest,', 'e chain of events than those which have happened in my own family." "you fill me with interest," sai', 'in of events than those which have happened in my own family." "you fill me with interest," said hol', ' events than those which have happened in my own family." "you fill me with interest," said holmes. ', 'ts than those which have happened in my own family." "you fill me with interest," said holmes. "pray', 'an those which have happened in my own family." "you fill me with interest," said holmes. "pray give', 'ose which have happened in my own family." "you fill me with interest," said holmes. "pray give us t', 'hich have happened in my own family." "you fill me with interest," said holmes. "pray give us the es', 'have happened in my own family." "you fill me with interest," said holmes. "pray give us the essenti', 'happened in my own family." "you fill me with interest," said holmes. "pray give us the essential fa', 'ned in my own family." "you fill me with interest," said holmes. "pray give us the essential facts f', 'n my own family." "you fill me with interest," said holmes. "pray give us the essential facts from t', 'own family." "you fill me with interest," said holmes. "pray give us the essential facts from the co', 'amily." "you fill me with interest," said holmes. "pray give us the essential facts from the commenc', '." "you fill me with interest," said holmes. "pray give us the essential facts from the commencement', 'ou fill me with interest," said holmes. "pray give us the essential facts from the commencement, and', 'll me with interest," said holmes. "pray give us the essential facts from the commencement, and i ca', ' with interest," said holmes. "pray give us the essential facts from the commencement, and i can aft', ' interest," said holmes. "pray give us the essential facts from the commencement, and i can afterwar', 'rest," said holmes. "pray give us the essential facts from the commencement, and i can afterwards qu', '" said holmes. "pray give us the essential facts from the commencement, and i can afterwards questio', 'd holmes. "pray give us the essential facts from the commencement, and i can afterwards question you', 'mes. "pray give us the essential facts from the commencement, and i can afterwards question you as t', '"pray give us the essential facts from the commencement, and i can afterwards question you as to tho', ' give us the essential facts from the commencement, and i can afterwards question you as to those de', ' us the essential facts from the commencement, and i can afterwards question you as to those details', 'he essential facts from the commencement, and i can afterwards question you as to those details whic', 'sential facts from the commencement, and i can afterwards question you as to those details which see', 'al facts from the commencement, and i can afterwards question you as to those details which seem to ', 'cts from the commencement, and i can afterwards question you as to those details which seem to me to', 'rom the commencement, and i can afterwards question you as to those details which seem to me to be m', 'he commencement, and i can afterwards question you as to those details which seem to me to be most i', 'mmencement, and i can afterwards question you as to those details which seem to me to be most import', 'ement, and i can afterwards question you as to those details which seem to me to be most important."', ', and i can afterwards question you as to those details which seem to me to be most important." the ', ' i can afterwards question you as to those details which seem to me to be most important." the young', 'n afterwards question you as to those details which seem to me to be most important." the young man ', 'erwards question you as to those details which seem to me to be most important." the young man pulle', 'ds question you as to those details which seem to me to be most important." the young man pulled his', 'estion you as to those details which seem to me to be most important." the young man pulled his chai', 'n you as to those details which seem to me to be most important." the young man pulled his chair up ', ' as to those details which seem to me to be most important." the young man pulled his chair up and p', 'o those details which seem to me to be most important." the young man pulled his chair up and pushed', 'se details which seem to me to be most important." the young man pulled his chair up and pushed his ', 'tails which seem to me to be most important." the young man pulled his chair up and pushed his wet f', ' which seem to me to be most important." the young man pulled his chair up and pushed his wet feet o', 'h seem to me to be most important." the young man pulled his chair up and pushed his wet feet out to', 'm to me to be most important." the young man pulled his chair up and pushed his wet feet out towards', 'me to be most important." the young man pulled his chair up and pushed his wet feet out towards the ', ' be most important." the young man pulled his chair up and pushed his wet feet out towards the blaze', 'ost important." the young man pulled his chair up and pushed his wet feet out towards the blaze. "my', 'mportant." the young man pulled his chair up and pushed his wet feet out towards the blaze. "my name', 'ant." the young man pulled his chair up and pushed his wet feet out towards the blaze. "my name," sa', ' the young man pulled his chair up and pushed his wet feet out towards the blaze. "my name," said he', 'young man pulled his chair up and pushed his wet feet out towards the blaze. "my name," said he, "is', ' man pulled his chair up and pushed his wet feet out towards the blaze. "my name," said he, "is john', 'pulled his chair up and pushed his wet feet out towards the blaze. "my name," said he, "is john open', 'd his chair up and pushed his wet feet out towards the blaze. "my name," said he, "is john openshaw,', ' chair up and pushed his wet feet out towards the blaze. "my name," said he, "is john openshaw, but ', 'r up and pushed his wet feet out towards the blaze. "my name," said he, "is john openshaw, but my ow', 'and pushed his wet feet out towards the blaze. "my name," said he, "is john openshaw, but my own aff', 'ushed his wet feet out towards the blaze. "my name," said he, "is john openshaw, but my own affairs ', ' his wet feet out towards the blaze. "my name," said he, "is john openshaw, but my own affairs have,', 'wet feet out towards the blaze. "my name," said he, "is john openshaw, but my own affairs have, as f', 'eet out towards the blaze. "my name," said he, "is john openshaw, but my own affairs have, as far as', 'ut towards the blaze. "my name," said he, "is john openshaw, but my own affairs have, as far as i ca', 'wards the blaze. "my name," said he, "is john openshaw, but my own affairs have, as far as i can und', ' the blaze. "my name," said he, "is john openshaw, but my own affairs have, as far as i can understa', 'blaze. "my name," said he, "is john openshaw, but my own affairs have, as far as i can understand, l', '. "my name," said he, "is john openshaw, but my own affairs have, as far as i can understand, little', ' name," said he, "is john openshaw, but my own affairs have, as far as i can understand, little to d', '," said he, "is john openshaw, but my own affairs have, as far as i can understand, little to do wit', 'id he, "is john openshaw, but my own affairs have, as far as i can understand, little to do with thi', ', "is john openshaw, but my own affairs have, as far as i can understand, little to do with this awf', ' john openshaw, but my own affairs have, as far as i can understand, little to do with this awful bu', ' openshaw, but my own affairs have, as far as i can understand, little to do with this awful busines', 'shaw, but my own affairs have, as far as i can understand, little to do with this awful business. it', ' but my own affairs have, as far as i can understand, little to do with this awful business. it is a', 'my own affairs have, as far as i can understand, little to do with this awful business. it is a here', 'n affairs have, as far as i can understand, little to do with this awful business. it is a hereditar', 'airs have, as far as i can understand, little to do with this awful business. it is a hereditary mat', 'have, as far as i can understand, little to do with this awful business. it is a hereditary matter; ', ' as far as i can understand, little to do with this awful business. it is a hereditary matter; so in', 'ar as i can understand, little to do with this awful business. it is a hereditary matter; so in orde', ' i can understand, little to do with this awful business. it is a hereditary matter; so in order to ', 'n understand, little to do with this awful business. it is a hereditary matter; so in order to give ', 'erstand, little to do with this awful business. it is a hereditary matter; so in order to give you a', 'nd, little to do with this awful business. it is a hereditary matter; so in order to give you an ide', 'ittle to do with this awful business. it is a hereditary matter; so in order to give you an idea of ', ' to do with this awful business. it is a hereditary matter; so in order to give you an idea of the f', 'o with this awful business. it is a hereditary matter; so in order to give you an idea of the facts,', 'h this awful business. it is a hereditary matter; so in order to give you an idea of the facts, i mu', 's awful business. it is a hereditary matter; so in order to give you an idea of the facts, i must go', 'ul business. it is a hereditary matter; so in order to give you an idea of the facts, i must go back', 'siness. it is a hereditary matter; so in order to give you an idea of the facts, i must go back to t', 's. it is a hereditary matter; so in order to give you an idea of the facts, i must go back to the co', ' is a hereditary matter; so in order to give you an idea of the facts, i must go back to the commenc', ' hereditary matter; so in order to give you an idea of the facts, i must go back to the commencement', 'ditary matter; so in order to give you an idea of the facts, i must go back to the commencement of t', 'y matter; so in order to give you an idea of the facts, i must go back to the commencement of the af', 'ter; so in order to give you an idea of the facts, i must go back to the commencement of the affair.', 'so in order to give you an idea of the facts, i must go back to the commencement of the affair. "you', ' order to give you an idea of the facts, i must go back to the commencement of the affair. "you must', 'r to give you an idea of the facts, i must go back to the commencement of the affair. "you must know', 'give you an idea of the facts, i must go back to the commencement of the affair. "you must know that', 'you an idea of the facts, i must go back to the commencement of the affair. "you must know that my g', 'n idea of the facts, i must go back to the commencement of the affair. "you must know that my grandf', 'a of the facts, i must go back to the commencement of the affair. "you must know that my grandfather', 'the facts, i must go back to the commencement of the affair. "you must know that my grandfather had ', 'acts, i must go back to the commencement of the affair. "you must know that my grandfather had two s', ' i must go back to the commencement of the affair. "you must know that my grandfather had two sonsmy', 'st go back to the commencement of the affair. "you must know that my grandfather had two sonsmy uncl', ' back to the commencement of the affair. "you must know that my grandfather had two sonsmy uncle eli', ' to the commencement of the affair. "you must know that my grandfather had two sonsmy uncle elias an', 'he commencement of the affair. "you must know that my grandfather had two sonsmy uncle elias and my ', 'mmencement of the affair. "you must know that my grandfather had two sonsmy uncle elias and my fathe', 'ement of the affair. "you must know that my grandfather had two sonsmy uncle elias and my father jos', ' of the affair. "you must know that my grandfather had two sonsmy uncle elias and my father joseph. ', 'he affair. "you must know that my grandfather had two sonsmy uncle elias and my father joseph. my fa', 'fair. "you must know that my grandfather had two sonsmy uncle elias and my father joseph. my father ', ' "you must know that my grandfather had two sonsmy uncle elias and my father joseph. my father had a', ' must know that my grandfather had two sonsmy uncle elias and my father joseph. my father had a smal', ' know that my grandfather had two sonsmy uncle elias and my father joseph. my father had a small fac', ' that my grandfather had two sonsmy uncle elias and my father joseph. my father had a small factory ', ' my grandfather had two sonsmy uncle elias and my father joseph. my father had a small factory at co', 'randfather had two sonsmy uncle elias and my father joseph. my father had a small factory at coventr', 'ather had two sonsmy uncle elias and my father joseph. my father had a small factory at coventry, wh', ' had two sonsmy uncle elias and my father joseph. my father had a small factory at coventry, which h', 'two sonsmy uncle elias and my father joseph. my father had a small factory at coventry, which he enl', 'onsmy uncle elias and my father joseph. my father had a small factory at coventry, which he enlarged', ' uncle elias and my father joseph. my father had a small factory at coventry, which he enlarged at t', 'e elias and my father joseph. my father had a small factory at coventry, which he enlarged at the ti', 'as and my father joseph. my father had a small factory at coventry, which he enlarged at the time of', 'd my father joseph. my father had a small factory at coventry, which he enlarged at the time of the ', 'father joseph. my father had a small factory at coventry, which he enlarged at the time of the inven', 'r joseph. my father had a small factory at coventry, which he enlarged at the time of the invention ', 'eph. my father had a small factory at coventry, which he enlarged at the time of the invention of bi', 'my father had a small factory at coventry, which he enlarged at the time of the invention of bicycli', 'ther had a small factory at coventry, which he enlarged at the time of the invention of bicycling. h', 'had a small factory at coventry, which he enlarged at the time of the invention of bicycling. he was', ' small factory at coventry, which he enlarged at the time of the invention of bicycling. he was a pa', 'l factory at coventry, which he enlarged at the time of the invention of bicycling. he was a patente', 'tory at coventry, which he enlarged at the time of the invention of bicycling. he was a patentee of ', 'at coventry, which he enlarged at the time of the invention of bicycling. he was a patentee of the o', 'ventry, which he enlarged at the time of the invention of bicycling. he was a patentee of the opensh', 'y, which he enlarged at the time of the invention of bicycling. he was a patentee of the openshaw un', 'ich he enlarged at the time of the invention of bicycling. he was a patentee of the openshaw unbreak', 'e enlarged at the time of the invention of bicycling. he was a patentee of the openshaw unbreakable ', 'arged at the time of the invention of bicycling. he was a patentee of the openshaw unbreakable tire,', ' at the time of the invention of bicycling. he was a patentee of the openshaw unbreakable tire, and ', 'he time of the invention of bicycling. he was a patentee of the openshaw unbreakable tire, and his b', 'me of the invention of bicycling. he was a patentee of the openshaw unbreakable tire, and his busine', ' the invention of bicycling. he was a patentee of the openshaw unbreakable tire, and his business me', 'invention of bicycling. he was a patentee of the openshaw unbreakable tire, and his business met wit', 'tion of bicycling. he was a patentee of the openshaw unbreakable tire, and his business met with suc', 'of bicycling. he was a patentee of the openshaw unbreakable tire, and his business met with such suc', 'cycling. he was a patentee of the openshaw unbreakable tire, and his business met with such success ', 'ng. he was a patentee of the openshaw unbreakable tire, and his business met with such success that ', 'e was a patentee of the openshaw unbreakable tire, and his business met with such success that he wa', ' a patentee of the openshaw unbreakable tire, and his business met with such success that he was abl', 'tentee of the openshaw unbreakable tire, and his business met with such success that he was able to ', 'e of the openshaw unbreakable tire, and his business met with such success that he was able to sell ', 'the openshaw unbreakable tire, and his business met with such success that he was able to sell it an', 'penshaw unbreakable tire, and his business met with such success that he was able to sell it and to ', 'aw unbreakable tire, and his business met with such success that he was able to sell it and to retir', 'breakable tire, and his business met with such success that he was able to sell it and to retire upo', 'able tire, and his business met with such success that he was able to sell it and to retire upon a h', 'tire, and his business met with such success that he was able to sell it and to retire upon a handso', ' and his business met with such success that he was able to sell it and to retire upon a handsome co', 'his business met with such success that he was able to sell it and to retire upon a handsome compete', 'usiness met with such success that he was able to sell it and to retire upon a handsome competence. ', 'ss met with such success that he was able to sell it and to retire upon a handsome competence. "my u', 't with such success that he was able to sell it and to retire upon a handsome competence. "my uncle ', 'h such success that he was able to sell it and to retire upon a handsome competence. "my uncle elias', 'h success that he was able to sell it and to retire upon a handsome competence. "my uncle elias emig', 'cess that he was able to sell it and to retire upon a handsome competence. "my uncle elias emigrated', 'that he was able to sell it and to retire upon a handsome competence. "my uncle elias emigrated to a', 'he was able to sell it and to retire upon a handsome competence. "my uncle elias emigrated to americ', 's able to sell it and to retire upon a handsome competence. "my uncle elias emigrated to america whe', 'e to sell it and to retire upon a handsome competence. "my uncle elias emigrated to america when he ', 'sell it and to retire upon a handsome competence. "my uncle elias emigrated to america when he was a', 'it and to retire upon a handsome competence. "my uncle elias emigrated to america when he was a youn', 'd to retire upon a handsome competence. "my uncle elias emigrated to america when he was a young man', 'retire upon a handsome competence. "my uncle elias emigrated to america when he was a young man and ', 'e upon a handsome competence. "my uncle elias emigrated to america when he was a young man and becam', 'n a handsome competence. "my uncle elias emigrated to america when he was a young man and became a p', 'andsome competence. "my uncle elias emigrated to america when he was a young man and became a plante', 'me competence. "my uncle elias emigrated to america when he was a young man and became a planter in ', 'mpetence. "my uncle elias emigrated to america when he was a young man and became a planter in flori', 'nce. "my uncle elias emigrated to america when he was a young man and became a planter in florida, w', '"my uncle elias emigrated to america when he was a young man and became a planter in florida, where ', 'ncle elias emigrated to america when he was a young man and became a planter in florida, where he wa', 'elias emigrated to america when he was a young man and became a planter in florida, where he was rep', ' emigrated to america when he was a young man and became a planter in florida, where he was reported', 'rated to america when he was a young man and became a planter in florida, where he was reported to h', ' to america when he was a young man and became a planter in florida, where he was reported to have d', 'merica when he was a young man and became a planter in florida, where he was reported to have done v', 'a when he was a young man and became a planter in florida, where he was reported to have done very w', 'n he was a young man and became a planter in florida, where he was reported to have done very well. ', 'was a young man and became a planter in florida, where he was reported to have done very well. at th', ' young man and became a planter in florida, where he was reported to have done very well. at the tim', 'g man and became a planter in florida, where he was reported to have done very well. at the time of ', ' and became a planter in florida, where he was reported to have done very well. at the time of the w', 'became a planter in florida, where he was reported to have done very well. at the time of the war he', 'e a planter in florida, where he was reported to have done very well. at the time of the war he foug', 'lanter in florida, where he was reported to have done very well. at the time of the war he fought in', 'r in florida, where he was reported to have done very well. at the time of the war he fought in jack', "florida, where he was reported to have done very well. at the time of the war he fought in jackson's", "da, where he was reported to have done very well. at the time of the war he fought in jackson's army", "here he was reported to have done very well. at the time of the war he fought in jackson's army, and", "he was reported to have done very well. at the time of the war he fought in jackson's army, and afte", "s reported to have done very well. at the time of the war he fought in jackson's army, and afterward", "orted to have done very well. at the time of the war he fought in jackson's army, and afterwards und", " to have done very well. at the time of the war he fought in jackson's army, and afterwards under ho", "ave done very well. at the time of the war he fought in jackson's army, and afterwards under hood, w", "one very well. at the time of the war he fought in jackson's army, and afterwards under hood, where ", "ery well. at the time of the war he fought in jackson's army, and afterwards under hood, where he ro", "ell. at the time of the war he fought in jackson's army, and afterwards under hood, where he rose to", "at the time of the war he fought in jackson's army, and afterwards under hood, where he rose to be a", "e time of the war he fought in jackson's army, and afterwards under hood, where he rose to be a colo", "e of the war he fought in jackson's army, and afterwards under hood, where he rose to be a colonel. ", "the war he fought in jackson's army, and afterwards under hood, where he rose to be a colonel. when ", "ar he fought in jackson's army, and afterwards under hood, where he rose to be a colonel. when lee l", " fought in jackson's army, and afterwards under hood, where he rose to be a colonel. when lee laid d", "ht in jackson's army, and afterwards under hood, where he rose to be a colonel. when lee laid down h", " jackson's army, and afterwards under hood, where he rose to be a colonel. when lee laid down his ar", "son's army, and afterwards under hood, where he rose to be a colonel. when lee laid down his arms my", ' army, and afterwards under hood, where he rose to be a colonel. when lee laid down his arms my uncl', ', and afterwards under hood, where he rose to be a colonel. when lee laid down his arms my uncle ret', ' afterwards under hood, where he rose to be a colonel. when lee laid down his arms my uncle returned', 'rwards under hood, where he rose to be a colonel. when lee laid down his arms my uncle returned to h', 's under hood, where he rose to be a colonel. when lee laid down his arms my uncle returned to his pl', 'er hood, where he rose to be a colonel. when lee laid down his arms my uncle returned to his plantat', 'od, where he rose to be a colonel. when lee laid down his arms my uncle returned to his plantation, ', 'here he rose to be a colonel. when lee laid down his arms my uncle returned to his plantation, where', 'he rose to be a colonel. when lee laid down his arms my uncle returned to his plantation, where he r', 'se to be a colonel. when lee laid down his arms my uncle returned to his plantation, where he remain', ' be a colonel. when lee laid down his arms my uncle returned to his plantation, where he remained fo', ' colonel. when lee laid down his arms my uncle returned to his plantation, where he remained for thr', 'nel. when lee laid down his arms my uncle returned to his plantation, where he remained for three or', 'when lee laid down his arms my uncle returned to his plantation, where he remained for three or four', 'lee laid down his arms my uncle returned to his plantation, where he remained for three or four year', 'aid down his arms my uncle returned to his plantation, where he remained for three or four years. ab', 'own his arms my uncle returned to his plantation, where he remained for three or four years. about ', 'is arms my uncle returned to his plantation, where he remained for three or four years. about or ', 'ms my uncle returned to his plantation, where he remained for three or four years. about or he c', ' uncle returned to his plantation, where he remained for three or four years. about or he came b', 'e returned to his plantation, where he remained for three or four years. about or he came back t', 'urned to his plantation, where he remained for three or four years. about or he came back to eur', ' to his plantation, where he remained for three or four years. about or he came back to europe a', 'is plantation, where he remained for three or four years. about or he came back to europe and to', 'antation, where he remained for three or four years. about or he came back to europe and took a ', 'ion, where he remained for three or four years. about or he came back to europe and took a small', 'where he remained for three or four years. about or he came back to europe and took a small esta', ' he remained for three or four years. about or he came back to europe and took a small estate in', 'emained for three or four years. about or he came back to europe and took a small estate in suss', 'ed for three or four years. about or he came back to europe and took a small estate in sussex, n', 'r three or four years. about or he came back to europe and took a small estate in sussex, near h', 'ee or four years. about or he came back to europe and took a small estate in sussex, near horsha', ' four years. about or he came back to europe and took a small estate in sussex, near horsham. he', ' years. about or he came back to europe and took a small estate in sussex, near horsham. he had ', 's. about or he came back to europe and took a small estate in sussex, near horsham. he had made ', 'out or he came back to europe and took a small estate in sussex, near horsham. he had made a ver', ' or he came back to europe and took a small estate in sussex, near horsham. he had made a very con', ' he came back to europe and took a small estate in sussex, near horsham. he had made a very consider', 'ame back to europe and took a small estate in sussex, near horsham. he had made a very considerable ', 'ack to europe and took a small estate in sussex, near horsham. he had made a very considerable fortu', 'o europe and took a small estate in sussex, near horsham. he had made a very considerable fortune in', 'ope and took a small estate in sussex, near horsham. he had made a very considerable fortune in the ', 'nd took a small estate in sussex, near horsham. he had made a very considerable fortune in the state', 'ok a small estate in sussex, near horsham. he had made a very considerable fortune in the states, an', 'small estate in sussex, near horsham. he had made a very considerable fortune in the states, and his', ' estate in sussex, near horsham. he had made a very considerable fortune in the states, and his reas', 'te in sussex, near horsham. he had made a very considerable fortune in the states, and his reason fo', ' sussex, near horsham. he had made a very considerable fortune in the states, and his reason for lea', 'ex, near horsham. he had made a very considerable fortune in the states, and his reason for leaving ', 'ear horsham. he had made a very considerable fortune in the states, and his reason for leaving them ', 'orsham. he had made a very considerable fortune in the states, and his reason for leaving them was h', 'm. he had made a very considerable fortune in the states, and his reason for leaving them was his av', ' had made a very considerable fortune in the states, and his reason for leaving them was his aversio', 'made a very considerable fortune in the states, and his reason for leaving them was his aversion to ', 'a very considerable fortune in the states, and his reason for leaving them was his aversion to the n', 'y considerable fortune in the states, and his reason for leaving them was his aversion to the negroe', 'siderable fortune in the states, and his reason for leaving them was his aversion to the negroes, an', 'able fortune in the states, and his reason for leaving them was his aversion to the negroes, and his', 'fortune in the states, and his reason for leaving them was his aversion to the negroes, and his disl', 'ne in the states, and his reason for leaving them was his aversion to the negroes, and his dislike o', ' the states, and his reason for leaving them was his aversion to the negroes, and his dislike of the', 'states, and his reason for leaving them was his aversion to the negroes, and his dislike of the repu', 's, and his reason for leaving them was his aversion to the negroes, and his dislike of the republica', 'd his reason for leaving them was his aversion to the negroes, and his dislike of the republican pol', ' reason for leaving them was his aversion to the negroes, and his dislike of the republican policy i', 'on for leaving them was his aversion to the negroes, and his dislike of the republican policy in ext', 'r leaving them was his aversion to the negroes, and his dislike of the republican policy in extendin', 'ving them was his aversion to the negroes, and his dislike of the republican policy in extending the', 'them was his aversion to the negroes, and his dislike of the republican policy in extending the fran', 'was his aversion to the negroes, and his dislike of the republican policy in extending the franchise', 'is aversion to the negroes, and his dislike of the republican policy in extending the franchise to t', 'ersion to the negroes, and his dislike of the republican policy in extending the franchise to them. ', 'n to the negroes, and his dislike of the republican policy in extending the franchise to them. he wa', 'the negroes, and his dislike of the republican policy in extending the franchise to them. he was a s', 'egroes, and his dislike of the republican policy in extending the franchise to them. he was a singul', 's, and his dislike of the republican policy in extending the franchise to them. he was a singular ma', 'd his dislike of the republican policy in extending the franchise to them. he was a singular man, fi', ' dislike of the republican policy in extending the franchise to them. he was a singular man, fierce ', 'ike of the republican policy in extending the franchise to them. he was a singular man, fierce and q', 'f the republican policy in extending the franchise to them. he was a singular man, fierce and quick-', ' republican policy in extending the franchise to them. he was a singular man, fierce and quick-tempe', 'blican policy in extending the franchise to them. he was a singular man, fierce and quick-tempered, ', 'n policy in extending the franchise to them. he was a singular man, fierce and quick-tempered, very ', 'icy in extending the franchise to them. he was a singular man, fierce and quick-tempered, very foul-', 'n extending the franchise to them. he was a singular man, fierce and quick-tempered, very foul-mouth', 'ending the franchise to them. he was a singular man, fierce and quick-tempered, very foul-mouthed wh', 'g the franchise to them. he was a singular man, fierce and quick-tempered, very foul-mouthed when he', ' franchise to them. he was a singular man, fierce and quick-tempered, very foul-mouthed when he was ', 'chise to them. he was a singular man, fierce and quick-tempered, very foul-mouthed when he was angry', ' to them. he was a singular man, fierce and quick-tempered, very foul-mouthed when he was angry, and', 'hem. he was a singular man, fierce and quick-tempered, very foul-mouthed when he was angry, and of a', 'he was a singular man, fierce and quick-tempered, very foul-mouthed when he was angry, and of a most', 's a singular man, fierce and quick-tempered, very foul-mouthed when he was angry, and of a most reti', 'ingular man, fierce and quick-tempered, very foul-mouthed when he was angry, and of a most retiring ', 'ar man, fierce and quick-tempered, very foul-mouthed when he was angry, and of a most retiring dispo', 'n, fierce and quick-tempered, very foul-mouthed when he was angry, and of a most retiring dispositio', 'erce and quick-tempered, very foul-mouthed when he was angry, and of a most retiring disposition. du', 'and quick-tempered, very foul-mouthed when he was angry, and of a most retiring disposition. during ', 'uick-tempered, very foul-mouthed when he was angry, and of a most retiring disposition. during all t', 'tempered, very foul-mouthed when he was angry, and of a most retiring disposition. during all the ye', 'red, very foul-mouthed when he was angry, and of a most retiring disposition. during all the years t', 'very foul-mouthed when he was angry, and of a most retiring disposition. during all the years that h', 'foul-mouthed when he was angry, and of a most retiring disposition. during all the years that he liv', 'mouthed when he was angry, and of a most retiring disposition. during all the years that he lived at', 'ed when he was angry, and of a most retiring disposition. during all the years that he lived at hors', 'en he was angry, and of a most retiring disposition. during all the years that he lived at horsham, ', ' was angry, and of a most retiring disposition. during all the years that he lived at horsham, i dou', 'angry, and of a most retiring disposition. during all the years that he lived at horsham, i doubt if', ', and of a most retiring disposition. during all the years that he lived at horsham, i doubt if ever', ' of a most retiring disposition. during all the years that he lived at horsham, i doubt if ever he s', ' most retiring disposition. during all the years that he lived at horsham, i doubt if ever he set fo', ' retiring disposition. during all the years that he lived at horsham, i doubt if ever he set foot in', 'ring disposition. during all the years that he lived at horsham, i doubt if ever he set foot in the ', 'disposition. during all the years that he lived at horsham, i doubt if ever he set foot in the town.', 'sition. during all the years that he lived at horsham, i doubt if ever he set foot in the town. he h', 'n. during all the years that he lived at horsham, i doubt if ever he set foot in the town. he had a ', 'ring all the years that he lived at horsham, i doubt if ever he set foot in the town. he had a garde', 'all the years that he lived at horsham, i doubt if ever he set foot in the town. he had a garden and', 'he years that he lived at horsham, i doubt if ever he set foot in the town. he had a garden and two ', 'ars that he lived at horsham, i doubt if ever he set foot in the town. he had a garden and two or th', 'hat he lived at horsham, i doubt if ever he set foot in the town. he had a garden and two or three f', 'e lived at horsham, i doubt if ever he set foot in the town. he had a garden and two or three fields', 'ed at horsham, i doubt if ever he set foot in the town. he had a garden and two or three fields roun', ' horsham, i doubt if ever he set foot in the town. he had a garden and two or three fields round his', 'ham, i doubt if ever he set foot in the town. he had a garden and two or three fields round his hous', 'i doubt if ever he set foot in the town. he had a garden and two or three fields round his house, an', 'bt if ever he set foot in the town. he had a garden and two or three fields round his house, and the', ' ever he set foot in the town. he had a garden and two or three fields round his house, and there he', ' he set foot in the town. he had a garden and two or three fields round his house, and there he woul', 'et foot in the town. he had a garden and two or three fields round his house, and there he would tak', 'ot in the town. he had a garden and two or three fields round his house, and there he would take his', ' the town. he had a garden and two or three fields round his house, and there he would take his exer', 'town. he had a garden and two or three fields round his house, and there he would take his exercise,', ' he had a garden and two or three fields round his house, and there he would take his exercise, thou', 'ad a garden and two or three fields round his house, and there he would take his exercise, though ve', 'garden and two or three fields round his house, and there he would take his exercise, though very of', 'n and two or three fields round his house, and there he would take his exercise, though very often f', ' two or three fields round his house, and there he would take his exercise, though very often for we', 'or three fields round his house, and there he would take his exercise, though very often for weeks o', 'ree fields round his house, and there he would take his exercise, though very often for weeks on end', 'ields round his house, and there he would take his exercise, though very often for weeks on end he w', ' round his house, and there he would take his exercise, though very often for weeks on end he would ', 'd his house, and there he would take his exercise, though very often for weeks on end he would never', ' house, and there he would take his exercise, though very often for weeks on end he would never leav', 'e, and there he would take his exercise, though very often for weeks on end he would never leave his', 'd there he would take his exercise, though very often for weeks on end he would never leave his room', 're he would take his exercise, though very often for weeks on end he would never leave his room. he ', ' would take his exercise, though very often for weeks on end he would never leave his room. he drank', 'd take his exercise, though very often for weeks on end he would never leave his room. he drank a gr', 'e his exercise, though very often for weeks on end he would never leave his room. he drank a great d', ' exercise, though very often for weeks on end he would never leave his room. he drank a great deal o', 'cise, though very often for weeks on end he would never leave his room. he drank a great deal of bra', ' though very often for weeks on end he would never leave his room. he drank a great deal of brandy a', 'gh very often for weeks on end he would never leave his room. he drank a great deal of brandy and sm', 'ry often for weeks on end he would never leave his room. he drank a great deal of brandy and smoked ', 'ten for weeks on end he would never leave his room. he drank a great deal of brandy and smoked very ', 'or weeks on end he would never leave his room. he drank a great deal of brandy and smoked very heavi', 'eks on end he would never leave his room. he drank a great deal of brandy and smoked very heavily, b', 'n end he would never leave his room. he drank a great deal of brandy and smoked very heavily, but he', ' he would never leave his room. he drank a great deal of brandy and smoked very heavily, but he woul', 'ould never leave his room. he drank a great deal of brandy and smoked very heavily, but he would see', 'never leave his room. he drank a great deal of brandy and smoked very heavily, but he would see no s', ' leave his room. he drank a great deal of brandy and smoked very heavily, but he would see no societ', 'e his room. he drank a great deal of brandy and smoked very heavily, but he would see no society and', ' room. he drank a great deal of brandy and smoked very heavily, but he would see no society and did ', '. he drank a great deal of brandy and smoked very heavily, but he would see no society and did not w', 'drank a great deal of brandy and smoked very heavily, but he would see no society and did not want a', ' a great deal of brandy and smoked very heavily, but he would see no society and did not want any fr', 'eat deal of brandy and smoked very heavily, but he would see no society and did not want any friends', 'eal of brandy and smoked very heavily, but he would see no society and did not want any friends, not', 'f brandy and smoked very heavily, but he would see no society and did not want any friends, not even', 'ndy and smoked very heavily, but he would see no society and did not want any friends, not even his ', 'nd smoked very heavily, but he would see no society and did not want any friends, not even his own b', 'oked very heavily, but he would see no society and did not want any friends, not even his own brothe', 'very heavily, but he would see no society and did not want any friends, not even his own brother. "h', 'heavily, but he would see no society and did not want any friends, not even his own brother. "he did', 'ly, but he would see no society and did not want any friends, not even his own brother. "he didn\'t m', 'ut he would see no society and did not want any friends, not even his own brother. "he didn\'t mind m', ' would see no society and did not want any friends, not even his own brother. "he didn\'t mind me; in', 'd see no society and did not want any friends, not even his own brother. "he didn\'t mind me; in fact', ' no society and did not want any friends, not even his own brother. "he didn\'t mind me; in fact, he ', 'ociety and did not want any friends, not even his own brother. "he didn\'t mind me; in fact, he took ', 'y and did not want any friends, not even his own brother. "he didn\'t mind me; in fact, he took a fan', ' did not want any friends, not even his own brother. "he didn\'t mind me; in fact, he took a fancy to', 'not want any friends, not even his own brother. "he didn\'t mind me; in fact, he took a fancy to me, ', 'ant any friends, not even his own brother. "he didn\'t mind me; in fact, he took a fancy to me, for a', 'ny friends, not even his own brother. "he didn\'t mind me; in fact, he took a fancy to me, for at the', 'iends, not even his own brother. "he didn\'t mind me; in fact, he took a fancy to me, for at the time', ', not even his own brother. "he didn\'t mind me; in fact, he took a fancy to me, for at the time when', ' even his own brother. "he didn\'t mind me; in fact, he took a fancy to me, for at the time when he s', ' his own brother. "he didn\'t mind me; in fact, he took a fancy to me, for at the time when he saw me', 'own brother. "he didn\'t mind me; in fact, he took a fancy to me, for at the time when he saw me firs', 'rother. "he didn\'t mind me; in fact, he took a fancy to me, for at the time when he saw me first i w', 'r. "he didn\'t mind me; in fact, he took a fancy to me, for at the time when he saw me first i was a ', "e didn't mind me; in fact, he took a fancy to me, for at the time when he saw me first i was a young", "n't mind me; in fact, he took a fancy to me, for at the time when he saw me first i was a youngster ", 'ind me; in fact, he took a fancy to me, for at the time when he saw me first i was a youngster of tw', 'e; in fact, he took a fancy to me, for at the time when he saw me first i was a youngster of twelve ', ' fact, he took a fancy to me, for at the time when he saw me first i was a youngster of twelve or so', ', he took a fancy to me, for at the time when he saw me first i was a youngster of twelve or so. thi', 'took a fancy to me, for at the time when he saw me first i was a youngster of twelve or so. this wou', 'a fancy to me, for at the time when he saw me first i was a youngster of twelve or so. this would be', 'cy to me, for at the time when he saw me first i was a youngster of twelve or so. this would be in t', ' me, for at the time when he saw me first i was a youngster of twelve or so. this would be in the ye', 'for at the time when he saw me first i was a youngster of twelve or so. this would be in the year ', 't the time when he saw me first i was a youngster of twelve or so. this would be in the year , aft', ' time when he saw me first i was a youngster of twelve or so. this would be in the year , after he', ' when he saw me first i was a youngster of twelve or so. this would be in the year , after he had ', ' he saw me first i was a youngster of twelve or so. this would be in the year , after he had been ', 'aw me first i was a youngster of twelve or so. this would be in the year , after he had been eight', ' first i was a youngster of twelve or so. this would be in the year , after he had been eight or n', 't i was a youngster of twelve or so. this would be in the year , after he had been eight or nine y', 'as a youngster of twelve or so. this would be in the year , after he had been eight or nine years ', 'youngster of twelve or so. this would be in the year , after he had been eight or nine years in en', 'ster of twelve or so. this would be in the year , after he had been eight or nine years in england', 'of twelve or so. this would be in the year , after he had been eight or nine years in england. he ', 'elve or so. this would be in the year , after he had been eight or nine years in england. he begge', 'or so. this would be in the year , after he had been eight or nine years in england. he begged my ', '. this would be in the year , after he had been eight or nine years in england. he begged my fathe', 's would be in the year , after he had been eight or nine years in england. he begged my father to ', 'ld be in the year , after he had been eight or nine years in england. he begged my father to let m', ' in the year , after he had been eight or nine years in england. he begged my father to let me liv', 'he year , after he had been eight or nine years in england. he begged my father to let me live wit', 'ar , after he had been eight or nine years in england. he begged my father to let me live with him', ', after he had been eight or nine years in england. he begged my father to let me live with him and ', 'er he had been eight or nine years in england. he begged my father to let me live with him and he wa', ' had been eight or nine years in england. he begged my father to let me live with him and he was ver', 'been eight or nine years in england. he begged my father to let me live with him and he was very kin', 'eight or nine years in england. he begged my father to let me live with him and he was very kind to ', ' or nine years in england. he begged my father to let me live with him and he was very kind to me in', 'ine years in england. he begged my father to let me live with him and he was very kind to me in his ', 'ears in england. he begged my father to let me live with him and he was very kind to me in his way. ', 'in england. he begged my father to let me live with him and he was very kind to me in his way. when ', 'gland. he begged my father to let me live with him and he was very kind to me in his way. when he wa', '. he begged my father to let me live with him and he was very kind to me in his way. when he was sob', 'begged my father to let me live with him and he was very kind to me in his way. when he was sober he', 'd my father to let me live with him and he was very kind to me in his way. when he was sober he used', 'father to let me live with him and he was very kind to me in his way. when he was sober he used to b', 'r to let me live with him and he was very kind to me in his way. when he was sober he used to be fon', 'let me live with him and he was very kind to me in his way. when he was sober he used to be fond of ', 'e live with him and he was very kind to me in his way. when he was sober he used to be fond of playi', 'e with him and he was very kind to me in his way. when he was sober he used to be fond of playing ba', 'h him and he was very kind to me in his way. when he was sober he used to be fond of playing backgam', ' and he was very kind to me in his way. when he was sober he used to be fond of playing backgammon a', 'he was very kind to me in his way. when he was sober he used to be fond of playing backgammon and dr', 's very kind to me in his way. when he was sober he used to be fond of playing backgammon and draught', 'y kind to me in his way. when he was sober he used to be fond of playing backgammon and draughts wit', 'd to me in his way. when he was sober he used to be fond of playing backgammon and draughts with me,', 'me in his way. when he was sober he used to be fond of playing backgammon and draughts with me, and ', ' his way. when he was sober he used to be fond of playing backgammon and draughts with me, and he wo', 'way. when he was sober he used to be fond of playing backgammon and draughts with me, and he would m', 'when he was sober he used to be fond of playing backgammon and draughts with me, and he would make m', 'he was sober he used to be fond of playing backgammon and draughts with me, and he would make me his', 's sober he used to be fond of playing backgammon and draughts with me, and he would make me his repr', 'er he used to be fond of playing backgammon and draughts with me, and he would make me his represent', ' used to be fond of playing backgammon and draughts with me, and he would make me his representative', ' to be fond of playing backgammon and draughts with me, and he would make me his representative both', 'e fond of playing backgammon and draughts with me, and he would make me his representative both with', 'd of playing backgammon and draughts with me, and he would make me his representative both with the ', 'playing backgammon and draughts with me, and he would make me his representative both with the serva', 'ng backgammon and draughts with me, and he would make me his representative both with the servants a', 'ckgammon and draughts with me, and he would make me his representative both with the servants and wi', 'mon and draughts with me, and he would make me his representative both with the servants and with th', 'nd draughts with me, and he would make me his representative both with the servants and with the tra', 'aughts with me, and he would make me his representative both with the servants and with the tradespe', 's with me, and he would make me his representative both with the servants and with the tradespeople,', 'h me, and he would make me his representative both with the servants and with the tradespeople, so t', ' and he would make me his representative both with the servants and with the tradespeople, so that b', 'he would make me his representative both with the servants and with the tradespeople, so that by the', 'uld make me his representative both with the servants and with the tradespeople, so that by the time', 'ake me his representative both with the servants and with the tradespeople, so that by the time that', 'e his representative both with the servants and with the tradespeople, so that by the time that i wa', ' representative both with the servants and with the tradespeople, so that by the time that i was six', 'esentative both with the servants and with the tradespeople, so that by the time that i was sixteen ', 'ative both with the servants and with the tradespeople, so that by the time that i was sixteen i was', ' both with the servants and with the tradespeople, so that by the time that i was sixteen i was quit', ' with the servants and with the tradespeople, so that by the time that i was sixteen i was quite mas', ' the servants and with the tradespeople, so that by the time that i was sixteen i was quite master o', 'servants and with the tradespeople, so that by the time that i was sixteen i was quite master of the', 'nts and with the tradespeople, so that by the time that i was sixteen i was quite master of the hous', 'nd with the tradespeople, so that by the time that i was sixteen i was quite master of the house. i ', 'th the tradespeople, so that by the time that i was sixteen i was quite master of the house. i kept ', 'e tradespeople, so that by the time that i was sixteen i was quite master of the house. i kept all t', 'despeople, so that by the time that i was sixteen i was quite master of the house. i kept all the ke', 'ople, so that by the time that i was sixteen i was quite master of the house. i kept all the keys an', ' so that by the time that i was sixteen i was quite master of the house. i kept all the keys and cou', 'hat by the time that i was sixteen i was quite master of the house. i kept all the keys and could go', 'y the time that i was sixteen i was quite master of the house. i kept all the keys and could go wher', ' time that i was sixteen i was quite master of the house. i kept all the keys and could go where i l', ' that i was sixteen i was quite master of the house. i kept all the keys and could go where i liked ', ' i was sixteen i was quite master of the house. i kept all the keys and could go where i liked and d', 's sixteen i was quite master of the house. i kept all the keys and could go where i liked and do wha', 'teen i was quite master of the house. i kept all the keys and could go where i liked and do what i l', 'i was quite master of the house. i kept all the keys and could go where i liked and do what i liked,', ' quite master of the house. i kept all the keys and could go where i liked and do what i liked, so l', 'e master of the house. i kept all the keys and could go where i liked and do what i liked, so long a', 'ter of the house. i kept all the keys and could go where i liked and do what i liked, so long as i d', 'f the house. i kept all the keys and could go where i liked and do what i liked, so long as i did no', ' house. i kept all the keys and could go where i liked and do what i liked, so long as i did not dis', 'e. i kept all the keys and could go where i liked and do what i liked, so long as i did not disturb ', 'kept all the keys and could go where i liked and do what i liked, so long as i did not disturb him i', 'all the keys and could go where i liked and do what i liked, so long as i did not disturb him in his', 'he keys and could go where i liked and do what i liked, so long as i did not disturb him in his priv', 'ys and could go where i liked and do what i liked, so long as i did not disturb him in his privacy. ', 'd could go where i liked and do what i liked, so long as i did not disturb him in his privacy. there', 'ld go where i liked and do what i liked, so long as i did not disturb him in his privacy. there was ', ' where i liked and do what i liked, so long as i did not disturb him in his privacy. there was one s', 'e i liked and do what i liked, so long as i did not disturb him in his privacy. there was one singul', 'iked and do what i liked, so long as i did not disturb him in his privacy. there was one singular ex', 'and do what i liked, so long as i did not disturb him in his privacy. there was one singular excepti', 'o what i liked, so long as i did not disturb him in his privacy. there was one singular exception, h', 't i liked, so long as i did not disturb him in his privacy. there was one singular exception, howeve', 'iked, so long as i did not disturb him in his privacy. there was one singular exception, however, fo', ' so long as i did not disturb him in his privacy. there was one singular exception, however, for he ', 'ong as i did not disturb him in his privacy. there was one singular exception, however, for he had a', 's i did not disturb him in his privacy. there was one singular exception, however, for he had a sing', 'id not disturb him in his privacy. there was one singular exception, however, for he had a single ro', 't disturb him in his privacy. there was one singular exception, however, for he had a single room, a', 'turb him in his privacy. there was one singular exception, however, for he had a single room, a lumb', 'him in his privacy. there was one singular exception, however, for he had a single room, a lumber-ro', 'n his privacy. there was one singular exception, however, for he had a single room, a lumber-room up', ' privacy. there was one singular exception, however, for he had a single room, a lumber-room up amon', 'acy. there was one singular exception, however, for he had a single room, a lumber-room up among the', 'there was one singular exception, however, for he had a single room, a lumber-room up among the atti', ' was one singular exception, however, for he had a single room, a lumber-room up among the attics, w', 'one singular exception, however, for he had a single room, a lumber-room up among the attics, which ', 'ingular exception, however, for he had a single room, a lumber-room up among the attics, which was i', 'ar exception, however, for he had a single room, a lumber-room up among the attics, which was invari', 'ception, however, for he had a single room, a lumber-room up among the attics, which was invariably ', 'on, however, for he had a single room, a lumber-room up among the attics, which was invariably locke', 'owever, for he had a single room, a lumber-room up among the attics, which was invariably locked, an', 'r, for he had a single room, a lumber-room up among the attics, which was invariably locked, and whi', 'r he had a single room, a lumber-room up among the attics, which was invariably locked, and which he', 'had a single room, a lumber-room up among the attics, which was invariably locked, and which he woul', ' single room, a lumber-room up among the attics, which was invariably locked, and which he would nev', 'le room, a lumber-room up among the attics, which was invariably locked, and which he would never pe', 'om, a lumber-room up among the attics, which was invariably locked, and which he would never permit ', ' lumber-room up among the attics, which was invariably locked, and which he would never permit eithe', 'er-room up among the attics, which was invariably locked, and which he would never permit either me ', 'om up among the attics, which was invariably locked, and which he would never permit either me or an', ' among the attics, which was invariably locked, and which he would never permit either me or anyone ', 'g the attics, which was invariably locked, and which he would never permit either me or anyone else ', ' attics, which was invariably locked, and which he would never permit either me or anyone else to en', 'cs, which was invariably locked, and which he would never permit either me or anyone else to enter. ', 'hich was invariably locked, and which he would never permit either me or anyone else to enter. with ', 'was invariably locked, and which he would never permit either me or anyone else to enter. with a boy', "nvariably locked, and which he would never permit either me or anyone else to enter. with a boy's cu", "ably locked, and which he would never permit either me or anyone else to enter. with a boy's curiosi", "locked, and which he would never permit either me or anyone else to enter. with a boy's curiosity i ", "d, and which he would never permit either me or anyone else to enter. with a boy's curiosity i have ", "d which he would never permit either me or anyone else to enter. with a boy's curiosity i have peepe", "ch he would never permit either me or anyone else to enter. with a boy's curiosity i have peeped thr", " would never permit either me or anyone else to enter. with a boy's curiosity i have peeped through ", "d never permit either me or anyone else to enter. with a boy's curiosity i have peeped through the k", "er permit either me or anyone else to enter. with a boy's curiosity i have peeped through the keyhol", "rmit either me or anyone else to enter. with a boy's curiosity i have peeped through the keyhole, bu", "either me or anyone else to enter. with a boy's curiosity i have peeped through the keyhole, but i w", "r me or anyone else to enter. with a boy's curiosity i have peeped through the keyhole, but i was ne", "or anyone else to enter. with a boy's curiosity i have peeped through the keyhole, but i was never a", "yone else to enter. with a boy's curiosity i have peeped through the keyhole, but i was never able t", "else to enter. with a boy's curiosity i have peeped through the keyhole, but i was never able to see", "to enter. with a boy's curiosity i have peeped through the keyhole, but i was never able to see more", "ter. with a boy's curiosity i have peeped through the keyhole, but i was never able to see more than", "with a boy's curiosity i have peeped through the keyhole, but i was never able to see more than such", "a boy's curiosity i have peeped through the keyhole, but i was never able to see more than such a co", "'s curiosity i have peeped through the keyhole, but i was never able to see more than such a collect", 'riosity i have peeped through the keyhole, but i was never able to see more than such a collection o', 'ty i have peeped through the keyhole, but i was never able to see more than such a collection of old', 'have peeped through the keyhole, but i was never able to see more than such a collection of old trun', 'peeped through the keyhole, but i was never able to see more than such a collection of old trunks an', 'd through the keyhole, but i was never able to see more than such a collection of old trunks and bun', 'ough the keyhole, but i was never able to see more than such a collection of old trunks and bundles ', 'the keyhole, but i was never able to see more than such a collection of old trunks and bundles as wo', 'eyhole, but i was never able to see more than such a collection of old trunks and bundles as would b', 'e, but i was never able to see more than such a collection of old trunks and bundles as would be exp', 't i was never able to see more than such a collection of old trunks and bundles as would be expected', 'as never able to see more than such a collection of old trunks and bundles as would be expected in s', 'ver able to see more than such a collection of old trunks and bundles as would be expected in such a', 'ble to see more than such a collection of old trunks and bundles as would be expected in such a room', 'o see more than such a collection of old trunks and bundles as would be expected in such a room. "on', ' more than such a collection of old trunks and bundles as would be expected in such a room. "one day', ' than such a collection of old trunks and bundles as would be expected in such a room. "one dayit wa', ' such a collection of old trunks and bundles as would be expected in such a room. "one dayit was in ', ' a collection of old trunks and bundles as would be expected in such a room. "one dayit was in march', 'llection of old trunks and bundles as would be expected in such a room. "one dayit was in march, a', 'ion of old trunks and bundles as would be expected in such a room. "one dayit was in march, a lett', 'f old trunks and bundles as would be expected in such a room. "one dayit was in march, a letter wi', ' trunks and bundles as would be expected in such a room. "one dayit was in march, a letter with a ', 'ks and bundles as would be expected in such a room. "one dayit was in march, a letter with a forei', 'd bundles as would be expected in such a room. "one dayit was in march, a letter with a foreign st', 'dles as would be expected in such a room. "one dayit was in march, a letter with a foreign stamp l', 'as would be expected in such a room. "one dayit was in march, a letter with a foreign stamp lay up', 'uld be expected in such a room. "one dayit was in march, a letter with a foreign stamp lay upon th', 'e expected in such a room. "one dayit was in march, a letter with a foreign stamp lay upon the tab', 'ected in such a room. "one dayit was in march, a letter with a foreign stamp lay upon the table in', ' in such a room. "one dayit was in march, a letter with a foreign stamp lay upon the table in fron', 'uch a room. "one dayit was in march, a letter with a foreign stamp lay upon the table in front of ', ' room. "one dayit was in march, a letter with a foreign stamp lay upon the table in front of the c', '. "one dayit was in march, a letter with a foreign stamp lay upon the table in front of the colone', "e dayit was in march, a letter with a foreign stamp lay upon the table in front of the colonel's p", "it was in march, a letter with a foreign stamp lay upon the table in front of the colonel's plate.", "s in march, a letter with a foreign stamp lay upon the table in front of the colonel's plate. it w", "march, a letter with a foreign stamp lay upon the table in front of the colonel's plate. it was no", ", a letter with a foreign stamp lay upon the table in front of the colonel's plate. it was not a c", " letter with a foreign stamp lay upon the table in front of the colonel's plate. it was not a common", "er with a foreign stamp lay upon the table in front of the colonel's plate. it was not a common thin", "th a foreign stamp lay upon the table in front of the colonel's plate. it was not a common thing for", "foreign stamp lay upon the table in front of the colonel's plate. it was not a common thing for him ", "gn stamp lay upon the table in front of the colonel's plate. it was not a common thing for him to re", "amp lay upon the table in front of the colonel's plate. it was not a common thing for him to receive", "ay upon the table in front of the colonel's plate. it was not a common thing for him to receive lett", "on the table in front of the colonel's plate. it was not a common thing for him to receive letters, ", "e table in front of the colonel's plate. it was not a common thing for him to receive letters, for h", "le in front of the colonel's plate. it was not a common thing for him to receive letters, for his bi", " front of the colonel's plate. it was not a common thing for him to receive letters, for his bills w", "t of the colonel's plate. it was not a common thing for him to receive letters, for his bills were a", "the colonel's plate. it was not a common thing for him to receive letters, for his bills were all pa", "olonel's plate. it was not a common thing for him to receive letters, for his bills were all paid in", "l's plate. it was not a common thing for him to receive letters, for his bills were all paid in read", 'late. it was not a common thing for him to receive letters, for his bills were all paid in ready mon', ' it was not a common thing for him to receive letters, for his bills were all paid in ready money, a', 'as not a common thing for him to receive letters, for his bills were all paid in ready money, and he', 't a common thing for him to receive letters, for his bills were all paid in ready money, and he had ', 'ommon thing for him to receive letters, for his bills were all paid in ready money, and he had no fr', ' thing for him to receive letters, for his bills were all paid in ready money, and he had no friends', 'g for him to receive letters, for his bills were all paid in ready money, and he had no friends of a', ' him to receive letters, for his bills were all paid in ready money, and he had no friends of any so', "to receive letters, for his bills were all paid in ready money, and he had no friends of any sort. '", "ceive letters, for his bills were all paid in ready money, and he had no friends of any sort. 'from ", " letters, for his bills were all paid in ready money, and he had no friends of any sort. 'from india", "ers, for his bills were all paid in ready money, and he had no friends of any sort. 'from india said", "for his bills were all paid in ready money, and he had no friends of any sort. 'from india said he a", "is bills were all paid in ready money, and he had no friends of any sort. 'from india said he as he ", "lls were all paid in ready money, and he had no friends of any sort. 'from india said he as he took ", "ere all paid in ready money, and he had no friends of any sort. 'from india said he as he took it up", "ll paid in ready money, and he had no friends of any sort. 'from india said he as he took it up, 'po", "id in ready money, and he had no friends of any sort. 'from india said he as he took it up, 'pondich", " ready money, and he had no friends of any sort. 'from india said he as he took it up, 'pondicherry ", "y money, and he had no friends of any sort. 'from india said he as he took it up, 'pondicherry postm", "ey, and he had no friends of any sort. 'from india said he as he took it up, 'pondicherry postmark! ", "nd he had no friends of any sort. 'from india said he as he took it up, 'pondicherry postmark! what ", " had no friends of any sort. 'from india said he as he took it up, 'pondicherry postmark! what can t", "no friends of any sort. 'from india said he as he took it up, 'pondicherry postmark! what can this b", "iends of any sort. 'from india said he as he took it up, 'pondicherry postmark! what can this be?' o", " of any sort. 'from india said he as he took it up, 'pondicherry postmark! what can this be?' openin", "ny sort. 'from india said he as he took it up, 'pondicherry postmark! what can this be?' opening it ", "rt. 'from india said he as he took it up, 'pondicherry postmark! what can this be?' opening it hurri", "from india said he as he took it up, 'pondicherry postmark! what can this be?' opening it hurriedly,", "india said he as he took it up, 'pondicherry postmark! what can this be?' opening it hurriedly, out ", " said he as he took it up, 'pondicherry postmark! what can this be?' opening it hurriedly, out there", " he as he took it up, 'pondicherry postmark! what can this be?' opening it hurriedly, out there jump", "s he took it up, 'pondicherry postmark! what can this be?' opening it hurriedly, out there jumped fi", "took it up, 'pondicherry postmark! what can this be?' opening it hurriedly, out there jumped five li", "it up, 'pondicherry postmark! what can this be?' opening it hurriedly, out there jumped five little ", ", 'pondicherry postmark! what can this be?' opening it hurriedly, out there jumped five little dried", "ndicherry postmark! what can this be?' opening it hurriedly, out there jumped five little dried oran", "erry postmark! what can this be?' opening it hurriedly, out there jumped five little dried orange pi", "postmark! what can this be?' opening it hurriedly, out there jumped five little dried orange pips, w", "ark! what can this be?' opening it hurriedly, out there jumped five little dried orange pips, which ", "what can this be?' opening it hurriedly, out there jumped five little dried orange pips, which patte", "can this be?' opening it hurriedly, out there jumped five little dried orange pips, which pattered d", "his be?' opening it hurriedly, out there jumped five little dried orange pips, which pattered down u", "e?' opening it hurriedly, out there jumped five little dried orange pips, which pattered down upon h", 'pening it hurriedly, out there jumped five little dried orange pips, which pattered down upon his pl', 'g it hurriedly, out there jumped five little dried orange pips, which pattered down upon his plate. ', 'hurriedly, out there jumped five little dried orange pips, which pattered down upon his plate. i beg', 'edly, out there jumped five little dried orange pips, which pattered down upon his plate. i began to', ' out there jumped five little dried orange pips, which pattered down upon his plate. i began to laug', 'there jumped five little dried orange pips, which pattered down upon his plate. i began to laugh at ', ' jumped five little dried orange pips, which pattered down upon his plate. i began to laugh at this,', 'ed five little dried orange pips, which pattered down upon his plate. i began to laugh at this, but ', 've little dried orange pips, which pattered down upon his plate. i began to laugh at this, but the l', 'ttle dried orange pips, which pattered down upon his plate. i began to laugh at this, but the laugh ', 'dried orange pips, which pattered down upon his plate. i began to laugh at this, but the laugh was s', ' orange pips, which pattered down upon his plate. i began to laugh at this, but the laugh was struck', 'ge pips, which pattered down upon his plate. i began to laugh at this, but the laugh was struck from', 'ps, which pattered down upon his plate. i began to laugh at this, but the laugh was struck from my l', 'hich pattered down upon his plate. i began to laugh at this, but the laugh was struck from my lips a', 'pattered down upon his plate. i began to laugh at this, but the laugh was struck from my lips at the', 'red down upon his plate. i began to laugh at this, but the laugh was struck from my lips at the sigh', 'own upon his plate. i began to laugh at this, but the laugh was struck from my lips at the sight of ', 'pon his plate. i began to laugh at this, but the laugh was struck from my lips at the sight of his f', 'is plate. i began to laugh at this, but the laugh was struck from my lips at the sight of his face. ', 'ate. i began to laugh at this, but the laugh was struck from my lips at the sight of his face. his l', 'i began to laugh at this, but the laugh was struck from my lips at the sight of his face. his lip ha', 'an to laugh at this, but the laugh was struck from my lips at the sight of his face. his lip had fal', ' laugh at this, but the laugh was struck from my lips at the sight of his face. his lip had fallen, ', 'h at this, but the laugh was struck from my lips at the sight of his face. his lip had fallen, his e', 'this, but the laugh was struck from my lips at the sight of his face. his lip had fallen, his eyes w', ' but the laugh was struck from my lips at the sight of his face. his lip had fallen, his eyes were p', 'the laugh was struck from my lips at the sight of his face. his lip had fallen, his eyes were protru', 'augh was struck from my lips at the sight of his face. his lip had fallen, his eyes were protruding,', 'was struck from my lips at the sight of his face. his lip had fallen, his eyes were protruding, his ', 'truck from my lips at the sight of his face. his lip had fallen, his eyes were protruding, his skin ', ' from my lips at the sight of his face. his lip had fallen, his eyes were protruding, his skin the c', ' my lips at the sight of his face. his lip had fallen, his eyes were protruding, his skin the colour', 'ips at the sight of his face. his lip had fallen, his eyes were protruding, his skin the colour of p', 't the sight of his face. his lip had fallen, his eyes were protruding, his skin the colour of putty,', ' sight of his face. his lip had fallen, his eyes were protruding, his skin the colour of putty, and ', 't of his face. his lip had fallen, his eyes were protruding, his skin the colour of putty, and he gl', 'his face. his lip had fallen, his eyes were protruding, his skin the colour of putty, and he glared ', 'ace. his lip had fallen, his eyes were protruding, his skin the colour of putty, and he glared at th', 'his lip had fallen, his eyes were protruding, his skin the colour of putty, and he glared at the env', 'ip had fallen, his eyes were protruding, his skin the colour of putty, and he glared at the envelope', 'd fallen, his eyes were protruding, his skin the colour of putty, and he glared at the envelope whic', 'len, his eyes were protruding, his skin the colour of putty, and he glared at the envelope which he ', 'his eyes were protruding, his skin the colour of putty, and he glared at the envelope which he still', 'yes were protruding, his skin the colour of putty, and he glared at the envelope which he still held', 'ere protruding, his skin the colour of putty, and he glared at the envelope which he still held in h', 'rotruding, his skin the colour of putty, and he glared at the envelope which he still held in his tr', 'ding, his skin the colour of putty, and he glared at the envelope which he still held in his trembli', ' his skin the colour of putty, and he glared at the envelope which he still held in his trembling ha', "skin the colour of putty, and he glared at the envelope which he still held in his trembling hand, '", "the colour of putty, and he glared at the envelope which he still held in his trembling hand, 'k. k.", "olour of putty, and he glared at the envelope which he still held in his trembling hand, 'k. k. k. h", " of putty, and he glared at the envelope which he still held in his trembling hand, 'k. k. k. he shr", "utty, and he glared at the envelope which he still held in his trembling hand, 'k. k. k. he shrieked", " and he glared at the envelope which he still held in his trembling hand, 'k. k. k. he shrieked, and", "he glared at the envelope which he still held in his trembling hand, 'k. k. k. he shrieked, and then", "ared at the envelope which he still held in his trembling hand, 'k. k. k. he shrieked, and then, 'my", "at the envelope which he still held in his trembling hand, 'k. k. k. he shrieked, and then, 'my god,", "e envelope which he still held in his trembling hand, 'k. k. k. he shrieked, and then, 'my god, my g", "elope which he still held in his trembling hand, 'k. k. k. he shrieked, and then, 'my god, my god, m", " which he still held in his trembling hand, 'k. k. k. he shrieked, and then, 'my god, my god, my sin", "h he still held in his trembling hand, 'k. k. k. he shrieked, and then, 'my god, my god, my sins hav", "still held in his trembling hand, 'k. k. k. he shrieked, and then, 'my god, my god, my sins have ove", " held in his trembling hand, 'k. k. k. he shrieked, and then, 'my god, my god, my sins have overtake", " in his trembling hand, 'k. k. k. he shrieked, and then, 'my god, my god, my sins have overtaken me ", 'is trembling hand, \'k. k. k. he shrieked, and then, \'my god, my god, my sins have overtaken me "\'wh', 'embling hand, \'k. k. k. he shrieked, and then, \'my god, my god, my sins have overtaken me "\'what is', 'ng hand, \'k. k. k. he shrieked, and then, \'my god, my god, my sins have overtaken me "\'what is it, ', 'nd, \'k. k. k. he shrieked, and then, \'my god, my god, my sins have overtaken me "\'what is it, uncle', 'k. k. k. he shrieked, and then, \'my god, my god, my sins have overtaken me "\'what is it, uncle?\' i ', ' k. he shrieked, and then, \'my god, my god, my sins have overtaken me "\'what is it, uncle?\' i cried', 'e shrieked, and then, \'my god, my god, my sins have overtaken me "\'what is it, uncle?\' i cried. "\'d', 'ieked, and then, \'my god, my god, my sins have overtaken me "\'what is it, uncle?\' i cried. "\'death,', ', and then, \'my god, my god, my sins have overtaken me "\'what is it, uncle?\' i cried. "\'death,\' sai', ' then, \'my god, my god, my sins have overtaken me "\'what is it, uncle?\' i cried. "\'death,\' said he,', ', \'my god, my god, my sins have overtaken me "\'what is it, uncle?\' i cried. "\'death,\' said he, and ', ' god, my god, my sins have overtaken me "\'what is it, uncle?\' i cried. "\'death,\' said he, and risin', ' my god, my sins have overtaken me "\'what is it, uncle?\' i cried. "\'death,\' said he, and rising fro', 'od, my sins have overtaken me "\'what is it, uncle?\' i cried. "\'death,\' said he, and rising from the', 'y sins have overtaken me "\'what is it, uncle?\' i cried. "\'death,\' said he, and rising from the tabl', 's have overtaken me "\'what is it, uncle?\' i cried. "\'death,\' said he, and rising from the table he ', 'e overtaken me "\'what is it, uncle?\' i cried. "\'death,\' said he, and rising from the table he retir', 'rtaken me "\'what is it, uncle?\' i cried. "\'death,\' said he, and rising from the table he retired to', 'n me "\'what is it, uncle?\' i cried. "\'death,\' said he, and rising from the table he retired to his ', ' "\'what is it, uncle?\' i cried. "\'death,\' said he, and rising from the table he retired to his room,', 'at is it, uncle?\' i cried. "\'death,\' said he, and rising from the table he retired to his room, leav', ' it, uncle?\' i cried. "\'death,\' said he, and rising from the table he retired to his room, leaving m', 'uncle?\' i cried. "\'death,\' said he, and rising from the table he retired to his room, leaving me pal', '?\' i cried. "\'death,\' said he, and rising from the table he retired to his room, leaving me palpitat', 'cried. "\'death,\' said he, and rising from the table he retired to his room, leaving me palpitating w', '. "\'death,\' said he, and rising from the table he retired to his room, leaving me palpitating with h', "eath,' said he, and rising from the table he retired to his room, leaving me palpitating with horror", "' said he, and rising from the table he retired to his room, leaving me palpitating with horror. i t", 'd he, and rising from the table he retired to his room, leaving me palpitating with horror. i took u', ' and rising from the table he retired to his room, leaving me palpitating with horror. i took up the', 'rising from the table he retired to his room, leaving me palpitating with horror. i took up the enve', 'g from the table he retired to his room, leaving me palpitating with horror. i took up the envelope ', 'm the table he retired to his room, leaving me palpitating with horror. i took up the envelope and s', ' table he retired to his room, leaving me palpitating with horror. i took up the envelope and saw sc', 'e he retired to his room, leaving me palpitating with horror. i took up the envelope and saw scrawle', 'retired to his room, leaving me palpitating with horror. i took up the envelope and saw scrawled in ', 'ed to his room, leaving me palpitating with horror. i took up the envelope and saw scrawled in red i', ' his room, leaving me palpitating with horror. i took up the envelope and saw scrawled in red ink up', 'room, leaving me palpitating with horror. i took up the envelope and saw scrawled in red ink upon th', ' leaving me palpitating with horror. i took up the envelope and saw scrawled in red ink upon the inn', 'ing me palpitating with horror. i took up the envelope and saw scrawled in red ink upon the inner fl', 'e palpitating with horror. i took up the envelope and saw scrawled in red ink upon the inner flap, j', 'pitating with horror. i took up the envelope and saw scrawled in red ink upon the inner flap, just a', 'ing with horror. i took up the envelope and saw scrawled in red ink upon the inner flap, just above ', 'ith horror. i took up the envelope and saw scrawled in red ink upon the inner flap, just above the g', 'orror. i took up the envelope and saw scrawled in red ink upon the inner flap, just above the gum, t', '. i took up the envelope and saw scrawled in red ink upon the inner flap, just above the gum, the le', 'ook up the envelope and saw scrawled in red ink upon the inner flap, just above the gum, the letter ', 'p the envelope and saw scrawled in red ink upon the inner flap, just above the gum, the letter k thr', ' envelope and saw scrawled in red ink upon the inner flap, just above the gum, the letter k three ti', 'lope and saw scrawled in red ink upon the inner flap, just above the gum, the letter k three times r', 'and saw scrawled in red ink upon the inner flap, just above the gum, the letter k three times repeat', 'aw scrawled in red ink upon the inner flap, just above the gum, the letter k three times repeated. t', 'rawled in red ink upon the inner flap, just above the gum, the letter k three times repeated. there ', 'd in red ink upon the inner flap, just above the gum, the letter k three times repeated. there was n', 'red ink upon the inner flap, just above the gum, the letter k three times repeated. there was nothin', 'nk upon the inner flap, just above the gum, the letter k three times repeated. there was nothing els', 'on the inner flap, just above the gum, the letter k three times repeated. there was nothing else sav', 'e inner flap, just above the gum, the letter k three times repeated. there was nothing else save the', 'er flap, just above the gum, the letter k three times repeated. there was nothing else save the five', 'ap, just above the gum, the letter k three times repeated. there was nothing else save the five drie', 'ust above the gum, the letter k three times repeated. there was nothing else save the five dried pip', 'bove the gum, the letter k three times repeated. there was nothing else save the five dried pips. wh', 'the gum, the letter k three times repeated. there was nothing else save the five dried pips. what co', 'um, the letter k three times repeated. there was nothing else save the five dried pips. what could b', 'he letter k three times repeated. there was nothing else save the five dried pips. what could be the', 'tter k three times repeated. there was nothing else save the five dried pips. what could be the reas', 'k three times repeated. there was nothing else save the five dried pips. what could be the reason of', 'ee times repeated. there was nothing else save the five dried pips. what could be the reason of his ', 'mes repeated. there was nothing else save the five dried pips. what could be the reason of his overp', 'epeated. there was nothing else save the five dried pips. what could be the reason of his overpoweri', 'ed. there was nothing else save the five dried pips. what could be the reason of his overpowering te', 'here was nothing else save the five dried pips. what could be the reason of his overpowering terror?', 'was nothing else save the five dried pips. what could be the reason of his overpowering terror? i le', 'othing else save the five dried pips. what could be the reason of his overpowering terror? i left th', 'g else save the five dried pips. what could be the reason of his overpowering terror? i left the bre', 'e save the five dried pips. what could be the reason of his overpowering terror? i left the breakfas', 'e the five dried pips. what could be the reason of his overpowering terror? i left the breakfast-tab', ' five dried pips. what could be the reason of his overpowering terror? i left the breakfast-table, a', ' dried pips. what could be the reason of his overpowering terror? i left the breakfast-table, and as', 'd pips. what could be the reason of his overpowering terror? i left the breakfast-table, and as i as', 's. what could be the reason of his overpowering terror? i left the breakfast-table, and as i ascende', 'at could be the reason of his overpowering terror? i left the breakfast-table, and as i ascended the', 'uld be the reason of his overpowering terror? i left the breakfast-table, and as i ascended the stai', 'e the reason of his overpowering terror? i left the breakfast-table, and as i ascended the stair i m', ' reason of his overpowering terror? i left the breakfast-table, and as i ascended the stair i met hi', 'on of his overpowering terror? i left the breakfast-table, and as i ascended the stair i met him com', ' his overpowering terror? i left the breakfast-table, and as i ascended the stair i met him coming d', 'overpowering terror? i left the breakfast-table, and as i ascended the stair i met him coming down w', 'owering terror? i left the breakfast-table, and as i ascended the stair i met him coming down with a', 'ng terror? i left the breakfast-table, and as i ascended the stair i met him coming down with an old', 'rror? i left the breakfast-table, and as i ascended the stair i met him coming down with an old rust', ' i left the breakfast-table, and as i ascended the stair i met him coming down with an old rusty key', 'ft the breakfast-table, and as i ascended the stair i met him coming down with an old rusty key, whi', 'e breakfast-table, and as i ascended the stair i met him coming down with an old rusty key, which mu', 'akfast-table, and as i ascended the stair i met him coming down with an old rusty key, which must ha', 't-table, and as i ascended the stair i met him coming down with an old rusty key, which must have be', 'le, and as i ascended the stair i met him coming down with an old rusty key, which must have belonge', 'nd as i ascended the stair i met him coming down with an old rusty key, which must have belonged to ', ' i ascended the stair i met him coming down with an old rusty key, which must have belonged to the a', 'cended the stair i met him coming down with an old rusty key, which must have belonged to the attic,', 'd the stair i met him coming down with an old rusty key, which must have belonged to the attic, in o', ' stair i met him coming down with an old rusty key, which must have belonged to the attic, in one ha', 'r i met him coming down with an old rusty key, which must have belonged to the attic, in one hand, a', 'et him coming down with an old rusty key, which must have belonged to the attic, in one hand, and a ', 'm coming down with an old rusty key, which must have belonged to the attic, in one hand, and a small', 'ing down with an old rusty key, which must have belonged to the attic, in one hand, and a small bras', 'own with an old rusty key, which must have belonged to the attic, in one hand, and a small brass box', 'ith an old rusty key, which must have belonged to the attic, in one hand, and a small brass box, lik', 'n old rusty key, which must have belonged to the attic, in one hand, and a small brass box, like a c', ' rusty key, which must have belonged to the attic, in one hand, and a small brass box, like a cashbo', 'y key, which must have belonged to the attic, in one hand, and a small brass box, like a cashbox, in', ', which must have belonged to the attic, in one hand, and a small brass box, like a cashbox, in the ', 'ch must have belonged to the attic, in one hand, and a small brass box, like a cashbox, in the other', 'st have belonged to the attic, in one hand, and a small brass box, like a cashbox, in the other. "\'t', 've belonged to the attic, in one hand, and a small brass box, like a cashbox, in the other. "\'they m', 'longed to the attic, in one hand, and a small brass box, like a cashbox, in the other. "\'they may do', 'd to the attic, in one hand, and a small brass box, like a cashbox, in the other. "\'they may do what', 'the attic, in one hand, and a small brass box, like a cashbox, in the other. "\'they may do what they', 'ttic, in one hand, and a small brass box, like a cashbox, in the other. "\'they may do what they like', ' in one hand, and a small brass box, like a cashbox, in the other. "\'they may do what they like, but', 'ne hand, and a small brass box, like a cashbox, in the other. "\'they may do what they like, but i\'ll', 'nd, and a small brass box, like a cashbox, in the other. "\'they may do what they like, but i\'ll chec', 'nd a small brass box, like a cashbox, in the other. "\'they may do what they like, but i\'ll checkmate', 'small brass box, like a cashbox, in the other. "\'they may do what they like, but i\'ll checkmate them', ' brass box, like a cashbox, in the other. "\'they may do what they like, but i\'ll checkmate them stil', 's box, like a cashbox, in the other. "\'they may do what they like, but i\'ll checkmate them still,\' s', ', like a cashbox, in the other. "\'they may do what they like, but i\'ll checkmate them still,\' said h', 'e a cashbox, in the other. "\'they may do what they like, but i\'ll checkmate them still,\' said he wit', 'ashbox, in the other. "\'they may do what they like, but i\'ll checkmate them still,\' said he with an ', 'x, in the other. "\'they may do what they like, but i\'ll checkmate them still,\' said he with an oath.', ' the other. "\'they may do what they like, but i\'ll checkmate them still,\' said he with an oath. \'tel', 'other. "\'they may do what they like, but i\'ll checkmate them still,\' said he with an oath. \'tell mar', '. "\'they may do what they like, but i\'ll checkmate them still,\' said he with an oath. \'tell mary tha', "hey may do what they like, but i'll checkmate them still,' said he with an oath. 'tell mary that i s", "ay do what they like, but i'll checkmate them still,' said he with an oath. 'tell mary that i shall ", " what they like, but i'll checkmate them still,' said he with an oath. 'tell mary that i shall want ", " they like, but i'll checkmate them still,' said he with an oath. 'tell mary that i shall want a fir", " like, but i'll checkmate them still,' said he with an oath. 'tell mary that i shall want a fire in ", ", but i'll checkmate them still,' said he with an oath. 'tell mary that i shall want a fire in my ro", " i'll checkmate them still,' said he with an oath. 'tell mary that i shall want a fire in my room to", " checkmate them still,' said he with an oath. 'tell mary that i shall want a fire in my room to-day,", "kmate them still,' said he with an oath. 'tell mary that i shall want a fire in my room to-day, and ", " them still,' said he with an oath. 'tell mary that i shall want a fire in my room to-day, and send ", " still,' said he with an oath. 'tell mary that i shall want a fire in my room to-day, and send down ", "l,' said he with an oath. 'tell mary that i shall want a fire in my room to-day, and send down to fo", "aid he with an oath. 'tell mary that i shall want a fire in my room to-day, and send down to fordham", "e with an oath. 'tell mary that i shall want a fire in my room to-day, and send down to fordham, the", "h an oath. 'tell mary that i shall want a fire in my room to-day, and send down to fordham, the hors", "oath. 'tell mary that i shall want a fire in my room to-day, and send down to fordham, the horsham l", " 'tell mary that i shall want a fire in my room to-day, and send down to fordham, the horsham lawyer", 'l mary that i shall want a fire in my room to-day, and send down to fordham, the horsham lawyer.\' "i', 'y that i shall want a fire in my room to-day, and send down to fordham, the horsham lawyer.\' "i did ', 't i shall want a fire in my room to-day, and send down to fordham, the horsham lawyer.\' "i did as he', 'hall want a fire in my room to-day, and send down to fordham, the horsham lawyer.\' "i did as he orde', 'want a fire in my room to-day, and send down to fordham, the horsham lawyer.\' "i did as he ordered, ', 'a fire in my room to-day, and send down to fordham, the horsham lawyer.\' "i did as he ordered, and w', 'e in my room to-day, and send down to fordham, the horsham lawyer.\' "i did as he ordered, and when t', 'my room to-day, and send down to fordham, the horsham lawyer.\' "i did as he ordered, and when the la', 'om to-day, and send down to fordham, the horsham lawyer.\' "i did as he ordered, and when the lawyer ', '-day, and send down to fordham, the horsham lawyer.\' "i did as he ordered, and when the lawyer arriv', ' and send down to fordham, the horsham lawyer.\' "i did as he ordered, and when the lawyer arrived i ', 'send down to fordham, the horsham lawyer.\' "i did as he ordered, and when the lawyer arrived i was a', 'down to fordham, the horsham lawyer.\' "i did as he ordered, and when the lawyer arrived i was asked ', 'to fordham, the horsham lawyer.\' "i did as he ordered, and when the lawyer arrived i was asked to st', 'rdham, the horsham lawyer.\' "i did as he ordered, and when the lawyer arrived i was asked to step up', ', the horsham lawyer.\' "i did as he ordered, and when the lawyer arrived i was asked to step up to t', ' horsham lawyer.\' "i did as he ordered, and when the lawyer arrived i was asked to step up to the ro', 'ham lawyer.\' "i did as he ordered, and when the lawyer arrived i was asked to step up to the room. t', 'awyer.\' "i did as he ordered, and when the lawyer arrived i was asked to step up to the room. the fi', '.\' "i did as he ordered, and when the lawyer arrived i was asked to step up to the room. the fire wa', ' did as he ordered, and when the lawyer arrived i was asked to step up to the room. the fire was bur', 'as he ordered, and when the lawyer arrived i was asked to step up to the room. the fire was burning ', ' ordered, and when the lawyer arrived i was asked to step up to the room. the fire was burning brigh', 'red, and when the lawyer arrived i was asked to step up to the room. the fire was burning brightly, ', 'and when the lawyer arrived i was asked to step up to the room. the fire was burning brightly, and i', 'hen the lawyer arrived i was asked to step up to the room. the fire was burning brightly, and in the', 'he lawyer arrived i was asked to step up to the room. the fire was burning brightly, and in the grat', 'wyer arrived i was asked to step up to the room. the fire was burning brightly, and in the grate the', 'arrived i was asked to step up to the room. the fire was burning brightly, and in the grate there wa', 'ed i was asked to step up to the room. the fire was burning brightly, and in the grate there was a m', 'was asked to step up to the room. the fire was burning brightly, and in the grate there was a mass o', 'sked to step up to the room. the fire was burning brightly, and in the grate there was a mass of bla', 'to step up to the room. the fire was burning brightly, and in the grate there was a mass of black, f', 'ep up to the room. the fire was burning brightly, and in the grate there was a mass of black, fluffy', ' to the room. the fire was burning brightly, and in the grate there was a mass of black, fluffy ashe', 'he room. the fire was burning brightly, and in the grate there was a mass of black, fluffy ashes, as', 'om. the fire was burning brightly, and in the grate there was a mass of black, fluffy ashes, as of b', 'he fire was burning brightly, and in the grate there was a mass of black, fluffy ashes, as of burned', 're was burning brightly, and in the grate there was a mass of black, fluffy ashes, as of burned pape', 's burning brightly, and in the grate there was a mass of black, fluffy ashes, as of burned paper, wh', 'ning brightly, and in the grate there was a mass of black, fluffy ashes, as of burned paper, while t', 'brightly, and in the grate there was a mass of black, fluffy ashes, as of burned paper, while the br', 'tly, and in the grate there was a mass of black, fluffy ashes, as of burned paper, while the brass b', 'and in the grate there was a mass of black, fluffy ashes, as of burned paper, while the brass box st', 'n the grate there was a mass of black, fluffy ashes, as of burned paper, while the brass box stood o', ' grate there was a mass of black, fluffy ashes, as of burned paper, while the brass box stood open a', 'e there was a mass of black, fluffy ashes, as of burned paper, while the brass box stood open and em', 're was a mass of black, fluffy ashes, as of burned paper, while the brass box stood open and empty b', 's a mass of black, fluffy ashes, as of burned paper, while the brass box stood open and empty beside', 'ass of black, fluffy ashes, as of burned paper, while the brass box stood open and empty beside it. ', 'f black, fluffy ashes, as of burned paper, while the brass box stood open and empty beside it. as i ', 'ck, fluffy ashes, as of burned paper, while the brass box stood open and empty beside it. as i glanc', 'luffy ashes, as of burned paper, while the brass box stood open and empty beside it. as i glanced at', ' ashes, as of burned paper, while the brass box stood open and empty beside it. as i glanced at the ', 's, as of burned paper, while the brass box stood open and empty beside it. as i glanced at the box i', ' of burned paper, while the brass box stood open and empty beside it. as i glanced at the box i noti', 'urned paper, while the brass box stood open and empty beside it. as i glanced at the box i noticed, ', ' paper, while the brass box stood open and empty beside it. as i glanced at the box i noticed, with ', 'r, while the brass box stood open and empty beside it. as i glanced at the box i noticed, with a sta', 'ile the brass box stood open and empty beside it. as i glanced at the box i noticed, with a start, t', 'he brass box stood open and empty beside it. as i glanced at the box i noticed, with a start, that u', 'ass box stood open and empty beside it. as i glanced at the box i noticed, with a start, that upon t', 'ox stood open and empty beside it. as i glanced at the box i noticed, with a start, that upon the li', 'ood open and empty beside it. as i glanced at the box i noticed, with a start, that upon the lid was', 'pen and empty beside it. as i glanced at the box i noticed, with a start, that upon the lid was prin', 'nd empty beside it. as i glanced at the box i noticed, with a start, that upon the lid was printed t', 'pty beside it. as i glanced at the box i noticed, with a start, that upon the lid was printed the tr', 'eside it. as i glanced at the box i noticed, with a start, that upon the lid was printed the treble ', ' it. as i glanced at the box i noticed, with a start, that upon the lid was printed the treble k whi', 'as i glanced at the box i noticed, with a start, that upon the lid was printed the treble k which i ', 'glanced at the box i noticed, with a start, that upon the lid was printed the treble k which i had r', 'ed at the box i noticed, with a start, that upon the lid was printed the treble k which i had read i', ' the box i noticed, with a start, that upon the lid was printed the treble k which i had read in the', 'box i noticed, with a start, that upon the lid was printed the treble k which i had read in the morn', ' noticed, with a start, that upon the lid was printed the treble k which i had read in the morning u', 'ced, with a start, that upon the lid was printed the treble k which i had read in the morning upon t', 'with a start, that upon the lid was printed the treble k which i had read in the morning upon the en', 'a start, that upon the lid was printed the treble k which i had read in the morning upon the envelop', 'rt, that upon the lid was printed the treble k which i had read in the morning upon the envelope. "\'', 'hat upon the lid was printed the treble k which i had read in the morning upon the envelope. "\'i wis', 'pon the lid was printed the treble k which i had read in the morning upon the envelope. "\'i wish you', 'he lid was printed the treble k which i had read in the morning upon the envelope. "\'i wish you, joh', 'd was printed the treble k which i had read in the morning upon the envelope. "\'i wish you, john,\' s', ' printed the treble k which i had read in the morning upon the envelope. "\'i wish you, john,\' said m', 'ted the treble k which i had read in the morning upon the envelope. "\'i wish you, john,\' said my unc', 'he treble k which i had read in the morning upon the envelope. "\'i wish you, john,\' said my uncle, \'', 'eble k which i had read in the morning upon the envelope. "\'i wish you, john,\' said my uncle, \'to wi', 'k which i had read in the morning upon the envelope. "\'i wish you, john,\' said my uncle, \'to witness', 'ch i had read in the morning upon the envelope. "\'i wish you, john,\' said my uncle, \'to witness my w', 'had read in the morning upon the envelope. "\'i wish you, john,\' said my uncle, \'to witness my will. ', 'ead in the morning upon the envelope. "\'i wish you, john,\' said my uncle, \'to witness my will. i lea', 'n the morning upon the envelope. "\'i wish you, john,\' said my uncle, \'to witness my will. i leave my', ' morning upon the envelope. "\'i wish you, john,\' said my uncle, \'to witness my will. i leave my esta', 'ing upon the envelope. "\'i wish you, john,\' said my uncle, \'to witness my will. i leave my estate, w', 'pon the envelope. "\'i wish you, john,\' said my uncle, \'to witness my will. i leave my estate, with a', 'he envelope. "\'i wish you, john,\' said my uncle, \'to witness my will. i leave my estate, with all it', 'velope. "\'i wish you, john,\' said my uncle, \'to witness my will. i leave my estate, with all its adv', 'e. "\'i wish you, john,\' said my uncle, \'to witness my will. i leave my estate, with all its advantag', "i wish you, john,' said my uncle, 'to witness my will. i leave my estate, with all its advantages an", "h you, john,' said my uncle, 'to witness my will. i leave my estate, with all its advantages and all", ", john,' said my uncle, 'to witness my will. i leave my estate, with all its advantages and all its ", "n,' said my uncle, 'to witness my will. i leave my estate, with all its advantages and all its disad", "aid my uncle, 'to witness my will. i leave my estate, with all its advantages and all its disadvanta", "y uncle, 'to witness my will. i leave my estate, with all its advantages and all its disadvantages, ", "le, 'to witness my will. i leave my estate, with all its advantages and all its disadvantages, to my", 'to witness my will. i leave my estate, with all its advantages and all its disadvantages, to my brot', 'tness my will. i leave my estate, with all its advantages and all its disadvantages, to my brother, ', ' my will. i leave my estate, with all its advantages and all its disadvantages, to my brother, your ', 'ill. i leave my estate, with all its advantages and all its disadvantages, to my brother, your fathe', 'i leave my estate, with all its advantages and all its disadvantages, to my brother, your father, wh', 've my estate, with all its advantages and all its disadvantages, to my brother, your father, whence ', ' estate, with all its advantages and all its disadvantages, to my brother, your father, whence it wi', 'te, with all its advantages and all its disadvantages, to my brother, your father, whence it will, n', 'ith all its advantages and all its disadvantages, to my brother, your father, whence it will, no dou', 'll its advantages and all its disadvantages, to my brother, your father, whence it will, no doubt, d', 's advantages and all its disadvantages, to my brother, your father, whence it will, no doubt, descen', 'antages and all its disadvantages, to my brother, your father, whence it will, no doubt, descend to ', 'es and all its disadvantages, to my brother, your father, whence it will, no doubt, descend to you. ', 'd all its disadvantages, to my brother, your father, whence it will, no doubt, descend to you. if yo', ' its disadvantages, to my brother, your father, whence it will, no doubt, descend to you. if you can', 'disadvantages, to my brother, your father, whence it will, no doubt, descend to you. if you can enjo', 'vantages, to my brother, your father, whence it will, no doubt, descend to you. if you can enjoy it ', 'ges, to my brother, your father, whence it will, no doubt, descend to you. if you can enjoy it in pe', 'to my brother, your father, whence it will, no doubt, descend to you. if you can enjoy it in peace, ', ' brother, your father, whence it will, no doubt, descend to you. if you can enjoy it in peace, well ', 'her, your father, whence it will, no doubt, descend to you. if you can enjoy it in peace, well and g', 'your father, whence it will, no doubt, descend to you. if you can enjoy it in peace, well and good! ', 'father, whence it will, no doubt, descend to you. if you can enjoy it in peace, well and good! if yo', 'r, whence it will, no doubt, descend to you. if you can enjoy it in peace, well and good! if you fin', 'ence it will, no doubt, descend to you. if you can enjoy it in peace, well and good! if you find you', 'it will, no doubt, descend to you. if you can enjoy it in peace, well and good! if you find you cann', 'll, no doubt, descend to you. if you can enjoy it in peace, well and good! if you find you cannot, t', 'o doubt, descend to you. if you can enjoy it in peace, well and good! if you find you cannot, take m', 'bt, descend to you. if you can enjoy it in peace, well and good! if you find you cannot, take my adv', 'escend to you. if you can enjoy it in peace, well and good! if you find you cannot, take my advice, ', 'd to you. if you can enjoy it in peace, well and good! if you find you cannot, take my advice, my bo', 'you. if you can enjoy it in peace, well and good! if you find you cannot, take my advice, my boy, an', 'if you can enjoy it in peace, well and good! if you find you cannot, take my advice, my boy, and lea', 'u can enjoy it in peace, well and good! if you find you cannot, take my advice, my boy, and leave it', ' enjoy it in peace, well and good! if you find you cannot, take my advice, my boy, and leave it to y', 'y it in peace, well and good! if you find you cannot, take my advice, my boy, and leave it to your d', 'in peace, well and good! if you find you cannot, take my advice, my boy, and leave it to your deadli', 'ace, well and good! if you find you cannot, take my advice, my boy, and leave it to your deadliest e', 'well and good! if you find you cannot, take my advice, my boy, and leave it to your deadliest enemy.', 'and good! if you find you cannot, take my advice, my boy, and leave it to your deadliest enemy. i am', 'ood! if you find you cannot, take my advice, my boy, and leave it to your deadliest enemy. i am sorr', 'if you find you cannot, take my advice, my boy, and leave it to your deadliest enemy. i am sorry to ', 'u find you cannot, take my advice, my boy, and leave it to your deadliest enemy. i am sorry to give ', 'd you cannot, take my advice, my boy, and leave it to your deadliest enemy. i am sorry to give you s', ' cannot, take my advice, my boy, and leave it to your deadliest enemy. i am sorry to give you such a', 'ot, take my advice, my boy, and leave it to your deadliest enemy. i am sorry to give you such a two-', 'ake my advice, my boy, and leave it to your deadliest enemy. i am sorry to give you such a two-edged', 'y advice, my boy, and leave it to your deadliest enemy. i am sorry to give you such a two-edged thin', 'ice, my boy, and leave it to your deadliest enemy. i am sorry to give you such a two-edged thing, bu', 'my boy, and leave it to your deadliest enemy. i am sorry to give you such a two-edged thing, but i c', "y, and leave it to your deadliest enemy. i am sorry to give you such a two-edged thing, but i can't ", "d leave it to your deadliest enemy. i am sorry to give you such a two-edged thing, but i can't say w", "ve it to your deadliest enemy. i am sorry to give you such a two-edged thing, but i can't say what t", " to your deadliest enemy. i am sorry to give you such a two-edged thing, but i can't say what turn t", "our deadliest enemy. i am sorry to give you such a two-edged thing, but i can't say what turn things", "eadliest enemy. i am sorry to give you such a two-edged thing, but i can't say what turn things are ", "est enemy. i am sorry to give you such a two-edged thing, but i can't say what turn things are going", "nemy. i am sorry to give you such a two-edged thing, but i can't say what turn things are going to t", " i am sorry to give you such a two-edged thing, but i can't say what turn things are going to take. ", " sorry to give you such a two-edged thing, but i can't say what turn things are going to take. kindl", "y to give you such a two-edged thing, but i can't say what turn things are going to take. kindly sig", "give you such a two-edged thing, but i can't say what turn things are going to take. kindly sign the", "you such a two-edged thing, but i can't say what turn things are going to take. kindly sign the pape", "uch a two-edged thing, but i can't say what turn things are going to take. kindly sign the paper whe", " two-edged thing, but i can't say what turn things are going to take. kindly sign the paper where mr", "edged thing, but i can't say what turn things are going to take. kindly sign the paper where mr. for", " thing, but i can't say what turn things are going to take. kindly sign the paper where mr. fordham ", "g, but i can't say what turn things are going to take. kindly sign the paper where mr. fordham shows", "t i can't say what turn things are going to take. kindly sign the paper where mr. fordham shows you.", 'an\'t say what turn things are going to take. kindly sign the paper where mr. fordham shows you.\' "i ', 'say what turn things are going to take. kindly sign the paper where mr. fordham shows you.\' "i signe', 'hat turn things are going to take. kindly sign the paper where mr. fordham shows you.\' "i signed the', 'urn things are going to take. kindly sign the paper where mr. fordham shows you.\' "i signed the pape', 'hings are going to take. kindly sign the paper where mr. fordham shows you.\' "i signed the paper as ', ' are going to take. kindly sign the paper where mr. fordham shows you.\' "i signed the paper as direc', 'going to take. kindly sign the paper where mr. fordham shows you.\' "i signed the paper as directed, ', ' to take. kindly sign the paper where mr. fordham shows you.\' "i signed the paper as directed, and t', 'ake. kindly sign the paper where mr. fordham shows you.\' "i signed the paper as directed, and the la', 'kindly sign the paper where mr. fordham shows you.\' "i signed the paper as directed, and the lawyer ', 'y sign the paper where mr. fordham shows you.\' "i signed the paper as directed, and the lawyer took ', 'n the paper where mr. fordham shows you.\' "i signed the paper as directed, and the lawyer took it aw', ' paper where mr. fordham shows you.\' "i signed the paper as directed, and the lawyer took it away wi', 'r where mr. fordham shows you.\' "i signed the paper as directed, and the lawyer took it away with hi', 're mr. fordham shows you.\' "i signed the paper as directed, and the lawyer took it away with him. th', '. fordham shows you.\' "i signed the paper as directed, and the lawyer took it away with him. the sin', 'dham shows you.\' "i signed the paper as directed, and the lawyer took it away with him. the singular', 'shows you.\' "i signed the paper as directed, and the lawyer took it away with him. the singular inci', ' you.\' "i signed the paper as directed, and the lawyer took it away with him. the singular incident ', '\' "i signed the paper as directed, and the lawyer took it away with him. the singular incident made,', 'signed the paper as directed, and the lawyer took it away with him. the singular incident made, as y', 'd the paper as directed, and the lawyer took it away with him. the singular incident made, as you ma', ' paper as directed, and the lawyer took it away with him. the singular incident made, as you may thi', 'r as directed, and the lawyer took it away with him. the singular incident made, as you may think, t', 'directed, and the lawyer took it away with him. the singular incident made, as you may think, the de', 'ted, and the lawyer took it away with him. the singular incident made, as you may think, the deepest', 'and the lawyer took it away with him. the singular incident made, as you may think, the deepest impr', 'he lawyer took it away with him. the singular incident made, as you may think, the deepest impressio', 'wyer took it away with him. the singular incident made, as you may think, the deepest impression upo', 'took it away with him. the singular incident made, as you may think, the deepest impression upon me,', 'it away with him. the singular incident made, as you may think, the deepest impression upon me, and ', 'ay with him. the singular incident made, as you may think, the deepest impression upon me, and i pon', 'th him. the singular incident made, as you may think, the deepest impression upon me, and i pondered', 'm. the singular incident made, as you may think, the deepest impression upon me, and i pondered over', 'e singular incident made, as you may think, the deepest impression upon me, and i pondered over it a', 'gular incident made, as you may think, the deepest impression upon me, and i pondered over it and tu', ' incident made, as you may think, the deepest impression upon me, and i pondered over it and turned ', 'dent made, as you may think, the deepest impression upon me, and i pondered over it and turned it ev', 'made, as you may think, the deepest impression upon me, and i pondered over it and turned it every w', ' as you may think, the deepest impression upon me, and i pondered over it and turned it every way in', 'ou may think, the deepest impression upon me, and i pondered over it and turned it every way in my m', 'y think, the deepest impression upon me, and i pondered over it and turned it every way in my mind w', 'nk, the deepest impression upon me, and i pondered over it and turned it every way in my mind withou', 'he deepest impression upon me, and i pondered over it and turned it every way in my mind without bei', 'epest impression upon me, and i pondered over it and turned it every way in my mind without being ab', ' impression upon me, and i pondered over it and turned it every way in my mind without being able to', 'ession upon me, and i pondered over it and turned it every way in my mind without being able to make', 'n upon me, and i pondered over it and turned it every way in my mind without being able to make anyt', 'n me, and i pondered over it and turned it every way in my mind without being able to make anything ', ' and i pondered over it and turned it every way in my mind without being able to make anything of it', 'i pondered over it and turned it every way in my mind without being able to make anything of it. yet', 'dered over it and turned it every way in my mind without being able to make anything of it. yet i co', ' over it and turned it every way in my mind without being able to make anything of it. yet i could n', ' it and turned it every way in my mind without being able to make anything of it. yet i could not sh', 'nd turned it every way in my mind without being able to make anything of it. yet i could not shake o', 'rned it every way in my mind without being able to make anything of it. yet i could not shake off th', 'it every way in my mind without being able to make anything of it. yet i could not shake off the vag', 'ery way in my mind without being able to make anything of it. yet i could not shake off the vague fe', 'ay in my mind without being able to make anything of it. yet i could not shake off the vague feeling', ' my mind without being able to make anything of it. yet i could not shake off the vague feeling of d', 'ind without being able to make anything of it. yet i could not shake off the vague feeling of dread ', 'ithout being able to make anything of it. yet i could not shake off the vague feeling of dread which', 't being able to make anything of it. yet i could not shake off the vague feeling of dread which it l', 'ng able to make anything of it. yet i could not shake off the vague feeling of dread which it left b', 'le to make anything of it. yet i could not shake off the vague feeling of dread which it left behind', ' make anything of it. yet i could not shake off the vague feeling of dread which it left behind, tho', ' anything of it. yet i could not shake off the vague feeling of dread which it left behind, though t', 'hing of it. yet i could not shake off the vague feeling of dread which it left behind, though the se', 'of it. yet i could not shake off the vague feeling of dread which it left behind, though the sensati', '. yet i could not shake off the vague feeling of dread which it left behind, though the sensation gr', ' i could not shake off the vague feeling of dread which it left behind, though the sensation grew le', 'uld not shake off the vague feeling of dread which it left behind, though the sensation grew less ke', 'ot shake off the vague feeling of dread which it left behind, though the sensation grew less keen as', 'ake off the vague feeling of dread which it left behind, though the sensation grew less keen as the ', 'ff the vague feeling of dread which it left behind, though the sensation grew less keen as the weeks', 'e vague feeling of dread which it left behind, though the sensation grew less keen as the weeks pass', 'ue feeling of dread which it left behind, though the sensation grew less keen as the weeks passed an', 'eling of dread which it left behind, though the sensation grew less keen as the weeks passed and not', ' of dread which it left behind, though the sensation grew less keen as the weeks passed and nothing ', 'read which it left behind, though the sensation grew less keen as the weeks passed and nothing happe', 'which it left behind, though the sensation grew less keen as the weeks passed and nothing happened t', ' it left behind, though the sensation grew less keen as the weeks passed and nothing happened to dis', 'eft behind, though the sensation grew less keen as the weeks passed and nothing happened to disturb ', 'ehind, though the sensation grew less keen as the weeks passed and nothing happened to disturb the u', ', though the sensation grew less keen as the weeks passed and nothing happened to disturb the usual ', 'ugh the sensation grew less keen as the weeks passed and nothing happened to disturb the usual routi', 'he sensation grew less keen as the weeks passed and nothing happened to disturb the usual routine of', 'nsation grew less keen as the weeks passed and nothing happened to disturb the usual routine of our ', 'on grew less keen as the weeks passed and nothing happened to disturb the usual routine of our lives', 'ew less keen as the weeks passed and nothing happened to disturb the usual routine of our lives. i c', 'ss keen as the weeks passed and nothing happened to disturb the usual routine of our lives. i could ', 'en as the weeks passed and nothing happened to disturb the usual routine of our lives. i could see a', ' the weeks passed and nothing happened to disturb the usual routine of our lives. i could see a chan', 'weeks passed and nothing happened to disturb the usual routine of our lives. i could see a change in', ' passed and nothing happened to disturb the usual routine of our lives. i could see a change in my u', 'ed and nothing happened to disturb the usual routine of our lives. i could see a change in my uncle,', 'd nothing happened to disturb the usual routine of our lives. i could see a change in my uncle, howe', 'hing happened to disturb the usual routine of our lives. i could see a change in my uncle, however. ', 'happened to disturb the usual routine of our lives. i could see a change in my uncle, however. he dr', 'ned to disturb the usual routine of our lives. i could see a change in my uncle, however. he drank m', 'o disturb the usual routine of our lives. i could see a change in my uncle, however. he drank more t', 'turb the usual routine of our lives. i could see a change in my uncle, however. he drank more than e', 'the usual routine of our lives. i could see a change in my uncle, however. he drank more than ever, ', 'sual routine of our lives. i could see a change in my uncle, however. he drank more than ever, and h', 'routine of our lives. i could see a change in my uncle, however. he drank more than ever, and he was', 'ne of our lives. i could see a change in my uncle, however. he drank more than ever, and he was less', ' our lives. i could see a change in my uncle, however. he drank more than ever, and he was less incl', 'lives. i could see a change in my uncle, however. he drank more than ever, and he was less inclined ', '. i could see a change in my uncle, however. he drank more than ever, and he was less inclined for a', 'ould see a change in my uncle, however. he drank more than ever, and he was less inclined for any so', 'see a change in my uncle, however. he drank more than ever, and he was less inclined for any sort of', ' change in my uncle, however. he drank more than ever, and he was less inclined for any sort of soci', 'ge in my uncle, however. he drank more than ever, and he was less inclined for any sort of society. ', ' my uncle, however. he drank more than ever, and he was less inclined for any sort of society. most ', 'ncle, however. he drank more than ever, and he was less inclined for any sort of society. most of hi', ' however. he drank more than ever, and he was less inclined for any sort of society. most of his tim', 'ver. he drank more than ever, and he was less inclined for any sort of society. most of his time he ', 'he drank more than ever, and he was less inclined for any sort of society. most of his time he would', 'ank more than ever, and he was less inclined for any sort of society. most of his time he would spen', 'ore than ever, and he was less inclined for any sort of society. most of his time he would spend in ', 'han ever, and he was less inclined for any sort of society. most of his time he would spend in his r', 'ver, and he was less inclined for any sort of society. most of his time he would spend in his room, ', 'and he was less inclined for any sort of society. most of his time he would spend in his room, with ', 'e was less inclined for any sort of society. most of his time he would spend in his room, with the d', ' less inclined for any sort of society. most of his time he would spend in his room, with the door l', ' inclined for any sort of society. most of his time he would spend in his room, with the door locked', 'ined for any sort of society. most of his time he would spend in his room, with the door locked upon', 'for any sort of society. most of his time he would spend in his room, with the door locked upon the ', 'ny sort of society. most of his time he would spend in his room, with the door locked upon the insid', 'rt of society. most of his time he would spend in his room, with the door locked upon the inside, bu', ' society. most of his time he would spend in his room, with the door locked upon the inside, but som', 'ety. most of his time he would spend in his room, with the door locked upon the inside, but sometime', 'most of his time he would spend in his room, with the door locked upon the inside, but sometimes he ', 'of his time he would spend in his room, with the door locked upon the inside, but sometimes he would', 's time he would spend in his room, with the door locked upon the inside, but sometimes he would emer', 'e he would spend in his room, with the door locked upon the inside, but sometimes he would emerge in', 'would spend in his room, with the door locked upon the inside, but sometimes he would emerge in a so', ' spend in his room, with the door locked upon the inside, but sometimes he would emerge in a sort of', 'd in his room, with the door locked upon the inside, but sometimes he would emerge in a sort of drun', 'his room, with the door locked upon the inside, but sometimes he would emerge in a sort of drunken f', 'oom, with the door locked upon the inside, but sometimes he would emerge in a sort of drunken frenzy', 'with the door locked upon the inside, but sometimes he would emerge in a sort of drunken frenzy and ', 'the door locked upon the inside, but sometimes he would emerge in a sort of drunken frenzy and would', 'oor locked upon the inside, but sometimes he would emerge in a sort of drunken frenzy and would burs', 'ocked upon the inside, but sometimes he would emerge in a sort of drunken frenzy and would burst out', ' upon the inside, but sometimes he would emerge in a sort of drunken frenzy and would burst out of t', ' the inside, but sometimes he would emerge in a sort of drunken frenzy and would burst out of the ho', 'inside, but sometimes he would emerge in a sort of drunken frenzy and would burst out of the house a', 'e, but sometimes he would emerge in a sort of drunken frenzy and would burst out of the house and te', 't sometimes he would emerge in a sort of drunken frenzy and would burst out of the house and tear ab', 'etimes he would emerge in a sort of drunken frenzy and would burst out of the house and tear about t', 's he would emerge in a sort of drunken frenzy and would burst out of the house and tear about the ga', 'would emerge in a sort of drunken frenzy and would burst out of the house and tear about the garden ', ' emerge in a sort of drunken frenzy and would burst out of the house and tear about the garden with ', 'ge in a sort of drunken frenzy and would burst out of the house and tear about the garden with a rev', ' a sort of drunken frenzy and would burst out of the house and tear about the garden with a revolver', 'rt of drunken frenzy and would burst out of the house and tear about the garden with a revolver in h', ' drunken frenzy and would burst out of the house and tear about the garden with a revolver in his ha', 'ken frenzy and would burst out of the house and tear about the garden with a revolver in his hand, s', 'renzy and would burst out of the house and tear about the garden with a revolver in his hand, scream', ' and would burst out of the house and tear about the garden with a revolver in his hand, screaming o', 'would burst out of the house and tear about the garden with a revolver in his hand, screaming out th', ' burst out of the house and tear about the garden with a revolver in his hand, screaming out that he', 't out of the house and tear about the garden with a revolver in his hand, screaming out that he was ', ' of the house and tear about the garden with a revolver in his hand, screaming out that he was afrai', 'he house and tear about the garden with a revolver in his hand, screaming out that he was afraid of ', 'use and tear about the garden with a revolver in his hand, screaming out that he was afraid of no ma', 'nd tear about the garden with a revolver in his hand, screaming out that he was afraid of no man, an', 'ar about the garden with a revolver in his hand, screaming out that he was afraid of no man, and tha', 'out the garden with a revolver in his hand, screaming out that he was afraid of no man, and that he ', 'he garden with a revolver in his hand, screaming out that he was afraid of no man, and that he was n', 'rden with a revolver in his hand, screaming out that he was afraid of no man, and that he was not to', 'with a revolver in his hand, screaming out that he was afraid of no man, and that he was not to be c', 'a revolver in his hand, screaming out that he was afraid of no man, and that he was not to be cooped', 'olver in his hand, screaming out that he was afraid of no man, and that he was not to be cooped up, ', ' in his hand, screaming out that he was afraid of no man, and that he was not to be cooped up, like ', 'is hand, screaming out that he was afraid of no man, and that he was not to be cooped up, like a she', 'nd, screaming out that he was afraid of no man, and that he was not to be cooped up, like a sheep in', 'creaming out that he was afraid of no man, and that he was not to be cooped up, like a sheep in a pe', 'ing out that he was afraid of no man, and that he was not to be cooped up, like a sheep in a pen, by', 'ut that he was afraid of no man, and that he was not to be cooped up, like a sheep in a pen, by man ', 'at he was afraid of no man, and that he was not to be cooped up, like a sheep in a pen, by man or de', ' was afraid of no man, and that he was not to be cooped up, like a sheep in a pen, by man or devil. ', 'afraid of no man, and that he was not to be cooped up, like a sheep in a pen, by man or devil. when ', 'd of no man, and that he was not to be cooped up, like a sheep in a pen, by man or devil. when these', 'no man, and that he was not to be cooped up, like a sheep in a pen, by man or devil. when these hot ', 'n, and that he was not to be cooped up, like a sheep in a pen, by man or devil. when these hot fits ', 'd that he was not to be cooped up, like a sheep in a pen, by man or devil. when these hot fits were ', 't he was not to be cooped up, like a sheep in a pen, by man or devil. when these hot fits were over,', 'was not to be cooped up, like a sheep in a pen, by man or devil. when these hot fits were over, howe', 'ot to be cooped up, like a sheep in a pen, by man or devil. when these hot fits were over, however, ', ' be cooped up, like a sheep in a pen, by man or devil. when these hot fits were over, however, he wo', 'ooped up, like a sheep in a pen, by man or devil. when these hot fits were over, however, he would r', ' up, like a sheep in a pen, by man or devil. when these hot fits were over, however, he would rush t', 'like a sheep in a pen, by man or devil. when these hot fits were over, however, he would rush tumult', 'a sheep in a pen, by man or devil. when these hot fits were over, however, he would rush tumultuousl', 'ep in a pen, by man or devil. when these hot fits were over, however, he would rush tumultuously in ', ' a pen, by man or devil. when these hot fits were over, however, he would rush tumultuously in at th', 'n, by man or devil. when these hot fits were over, however, he would rush tumultuously in at the doo', ' man or devil. when these hot fits were over, however, he would rush tumultuously in at the door and', 'or devil. when these hot fits were over, however, he would rush tumultuously in at the door and lock', 'vil. when these hot fits were over, however, he would rush tumultuously in at the door and lock and ', 'when these hot fits were over, however, he would rush tumultuously in at the door and lock and bar i', 'these hot fits were over, however, he would rush tumultuously in at the door and lock and bar it beh', ' hot fits were over, however, he would rush tumultuously in at the door and lock and bar it behind h', 'fits were over, however, he would rush tumultuously in at the door and lock and bar it behind him, l', 'were over, however, he would rush tumultuously in at the door and lock and bar it behind him, like a', 'over, however, he would rush tumultuously in at the door and lock and bar it behind him, like a man ', ' however, he would rush tumultuously in at the door and lock and bar it behind him, like a man who c', 'ver, he would rush tumultuously in at the door and lock and bar it behind him, like a man who can br', 'he would rush tumultuously in at the door and lock and bar it behind him, like a man who can brazen ', 'uld rush tumultuously in at the door and lock and bar it behind him, like a man who can brazen it ou', 'ush tumultuously in at the door and lock and bar it behind him, like a man who can brazen it out no ', 'umultuously in at the door and lock and bar it behind him, like a man who can brazen it out no longe', 'uously in at the door and lock and bar it behind him, like a man who can brazen it out no longer aga', 'y in at the door and lock and bar it behind him, like a man who can brazen it out no longer against ', 'at the door and lock and bar it behind him, like a man who can brazen it out no longer against the t', 'e door and lock and bar it behind him, like a man who can brazen it out no longer against the terror', 'r and lock and bar it behind him, like a man who can brazen it out no longer against the terror whic', ' lock and bar it behind him, like a man who can brazen it out no longer against the terror which lie', ' and bar it behind him, like a man who can brazen it out no longer against the terror which lies at ', 'bar it behind him, like a man who can brazen it out no longer against the terror which lies at the r', 't behind him, like a man who can brazen it out no longer against the terror which lies at the roots ', 'ind him, like a man who can brazen it out no longer against the terror which lies at the roots of hi', 'im, like a man who can brazen it out no longer against the terror which lies at the roots of his sou', 'ike a man who can brazen it out no longer against the terror which lies at the roots of his soul. at', ' man who can brazen it out no longer against the terror which lies at the roots of his soul. at such', 'who can brazen it out no longer against the terror which lies at the roots of his soul. at such time', 'an brazen it out no longer against the terror which lies at the roots of his soul. at such times i h', 'azen it out no longer against the terror which lies at the roots of his soul. at such times i have s', 'it out no longer against the terror which lies at the roots of his soul. at such times i have seen h', 't no longer against the terror which lies at the roots of his soul. at such times i have seen his fa', 'longer against the terror which lies at the roots of his soul. at such times i have seen his face, e', 'r against the terror which lies at the roots of his soul. at such times i have seen his face, even o', 'inst the terror which lies at the roots of his soul. at such times i have seen his face, even on a c', 'the terror which lies at the roots of his soul. at such times i have seen his face, even on a cold d', 'error which lies at the roots of his soul. at such times i have seen his face, even on a cold day, g', ' which lies at the roots of his soul. at such times i have seen his face, even on a cold day, gliste', 'h lies at the roots of his soul. at such times i have seen his face, even on a cold day, glisten wit', 's at the roots of his soul. at such times i have seen his face, even on a cold day, glisten with moi', 'the roots of his soul. at such times i have seen his face, even on a cold day, glisten with moisture', 'oots of his soul. at such times i have seen his face, even on a cold day, glisten with moisture, as ', 'of his soul. at such times i have seen his face, even on a cold day, glisten with moisture, as thoug', 's soul. at such times i have seen his face, even on a cold day, glisten with moisture, as though it ', 'l. at such times i have seen his face, even on a cold day, glisten with moisture, as though it were ', ' such times i have seen his face, even on a cold day, glisten with moisture, as though it were new r', ' times i have seen his face, even on a cold day, glisten with moisture, as though it were new raised', 's i have seen his face, even on a cold day, glisten with moisture, as though it were new raised from', 'ave seen his face, even on a cold day, glisten with moisture, as though it were new raised from a ba', 'een his face, even on a cold day, glisten with moisture, as though it were new raised from a basin. ', 'is face, even on a cold day, glisten with moisture, as though it were new raised from a basin. "well', 'ce, even on a cold day, glisten with moisture, as though it were new raised from a basin. "well, to ', 'ven on a cold day, glisten with moisture, as though it were new raised from a basin. "well, to come ', 'n a cold day, glisten with moisture, as though it were new raised from a basin. "well, to come to an', 'old day, glisten with moisture, as though it were new raised from a basin. "well, to come to an end ', 'ay, glisten with moisture, as though it were new raised from a basin. "well, to come to an end of th', 'listen with moisture, as though it were new raised from a basin. "well, to come to an end of the mat', 'n with moisture, as though it were new raised from a basin. "well, to come to an end of the matter, ', 'h moisture, as though it were new raised from a basin. "well, to come to an end of the matter, mr. h', 'sture, as though it were new raised from a basin. "well, to come to an end of the matter, mr. holmes', ', as though it were new raised from a basin. "well, to come to an end of the matter, mr. holmes, and', 'though it were new raised from a basin. "well, to come to an end of the matter, mr. holmes, and not ', 'h it were new raised from a basin. "well, to come to an end of the matter, mr. holmes, and not to ab', 'were new raised from a basin. "well, to come to an end of the matter, mr. holmes, and not to abuse y', 'new raised from a basin. "well, to come to an end of the matter, mr. holmes, and not to abuse your p', 'aised from a basin. "well, to come to an end of the matter, mr. holmes, and not to abuse your patien', ' from a basin. "well, to come to an end of the matter, mr. holmes, and not to abuse your patience, t', ' a basin. "well, to come to an end of the matter, mr. holmes, and not to abuse your patience, there ', 'sin. "well, to come to an end of the matter, mr. holmes, and not to abuse your patience, there came ', '"well, to come to an end of the matter, mr. holmes, and not to abuse your patience, there came a nig', ', to come to an end of the matter, mr. holmes, and not to abuse your patience, there came a night wh', 'come to an end of the matter, mr. holmes, and not to abuse your patience, there came a night when he', 'to an end of the matter, mr. holmes, and not to abuse your patience, there came a night when he made', ' end of the matter, mr. holmes, and not to abuse your patience, there came a night when he made one ', 'of the matter, mr. holmes, and not to abuse your patience, there came a night when he made one of th', 'e matter, mr. holmes, and not to abuse your patience, there came a night when he made one of those d', 'ter, mr. holmes, and not to abuse your patience, there came a night when he made one of those drunke', 'mr. holmes, and not to abuse your patience, there came a night when he made one of those drunken sal', 'olmes, and not to abuse your patience, there came a night when he made one of those drunken sallies ', ', and not to abuse your patience, there came a night when he made one of those drunken sallies from ', ' not to abuse your patience, there came a night when he made one of those drunken sallies from which', 'to abuse your patience, there came a night when he made one of those drunken sallies from which he n', 'use your patience, there came a night when he made one of those drunken sallies from which he never ', 'our patience, there came a night when he made one of those drunken sallies from which he never came ', 'atience, there came a night when he made one of those drunken sallies from which he never came back.', 'ce, there came a night when he made one of those drunken sallies from which he never came back. we f', 'here came a night when he made one of those drunken sallies from which he never came back. we found ', 'came a night when he made one of those drunken sallies from which he never came back. we found him, ', 'a night when he made one of those drunken sallies from which he never came back. we found him, when ', 'ht when he made one of those drunken sallies from which he never came back. we found him, when we we', 'en he made one of those drunken sallies from which he never came back. we found him, when we went to', ' made one of those drunken sallies from which he never came back. we found him, when we went to sear', ' one of those drunken sallies from which he never came back. we found him, when we went to search fo', 'of those drunken sallies from which he never came back. we found him, when we went to search for him', 'ose drunken sallies from which he never came back. we found him, when we went to search for him, fac', 'runken sallies from which he never came back. we found him, when we went to search for him, face dow', 'n sallies from which he never came back. we found him, when we went to search for him, face downward', 'lies from which he never came back. we found him, when we went to search for him, face downward in a', 'from which he never came back. we found him, when we went to search for him, face downward in a litt', 'which he never came back. we found him, when we went to search for him, face downward in a little gr', ' he never came back. we found him, when we went to search for him, face downward in a little green-s', 'ever came back. we found him, when we went to search for him, face downward in a little green-scumme', 'came back. we found him, when we went to search for him, face downward in a little green-scummed poo', 'back. we found him, when we went to search for him, face downward in a little green-scummed pool, wh', ' we found him, when we went to search for him, face downward in a little green-scummed pool, which l', 'ound him, when we went to search for him, face downward in a little green-scummed pool, which lay at', 'him, when we went to search for him, face downward in a little green-scummed pool, which lay at the ', 'when we went to search for him, face downward in a little green-scummed pool, which lay at the foot ', 'we went to search for him, face downward in a little green-scummed pool, which lay at the foot of th', 'nt to search for him, face downward in a little green-scummed pool, which lay at the foot of the gar', ' search for him, face downward in a little green-scummed pool, which lay at the foot of the garden. ', 'ch for him, face downward in a little green-scummed pool, which lay at the foot of the garden. there', 'r him, face downward in a little green-scummed pool, which lay at the foot of the garden. there was ', ', face downward in a little green-scummed pool, which lay at the foot of the garden. there was no si', 'e downward in a little green-scummed pool, which lay at the foot of the garden. there was no sign of', 'nward in a little green-scummed pool, which lay at the foot of the garden. there was no sign of any ', ' in a little green-scummed pool, which lay at the foot of the garden. there was no sign of any viole', ' little green-scummed pool, which lay at the foot of the garden. there was no sign of any violence, ', 'le green-scummed pool, which lay at the foot of the garden. there was no sign of any violence, and t', 'een-scummed pool, which lay at the foot of the garden. there was no sign of any violence, and the wa', 'cummed pool, which lay at the foot of the garden. there was no sign of any violence, and the water w', 'd pool, which lay at the foot of the garden. there was no sign of any violence, and the water was bu', 'l, which lay at the foot of the garden. there was no sign of any violence, and the water was but two', 'ich lay at the foot of the garden. there was no sign of any violence, and the water was but two feet', 'ay at the foot of the garden. there was no sign of any violence, and the water was but two feet deep', ' the foot of the garden. there was no sign of any violence, and the water was but two feet deep, so ', 'foot of the garden. there was no sign of any violence, and the water was but two feet deep, so that ', 'of the garden. there was no sign of any violence, and the water was but two feet deep, so that the j', 'e garden. there was no sign of any violence, and the water was but two feet deep, so that the jury, ', 'den. there was no sign of any violence, and the water was but two feet deep, so that the jury, havin', 'there was no sign of any violence, and the water was but two feet deep, so that the jury, having reg', ' was no sign of any violence, and the water was but two feet deep, so that the jury, having regard t', 'no sign of any violence, and the water was but two feet deep, so that the jury, having regard to his', 'gn of any violence, and the water was but two feet deep, so that the jury, having regard to his know', ' any violence, and the water was but two feet deep, so that the jury, having regard to his known ecc', 'violence, and the water was but two feet deep, so that the jury, having regard to his known eccentri', 'nce, and the water was but two feet deep, so that the jury, having regard to his known eccentricity,', 'and the water was but two feet deep, so that the jury, having regard to his known eccentricity, brou', 'he water was but two feet deep, so that the jury, having regard to his known eccentricity, brought i', 'ter was but two feet deep, so that the jury, having regard to his known eccentricity, brought in a v', 'as but two feet deep, so that the jury, having regard to his known eccentricity, brought in a verdic', 't two feet deep, so that the jury, having regard to his known eccentricity, brought in a verdict of ', " feet deep, so that the jury, having regard to his known eccentricity, brought in a verdict of 'suic", " deep, so that the jury, having regard to his known eccentricity, brought in a verdict of 'suicide.'", ", so that the jury, having regard to his known eccentricity, brought in a verdict of 'suicide.' but ", "that the jury, having regard to his known eccentricity, brought in a verdict of 'suicide.' but i, wh", "the jury, having regard to his known eccentricity, brought in a verdict of 'suicide.' but i, who kne", "ury, having regard to his known eccentricity, brought in a verdict of 'suicide.' but i, who knew how", "having regard to his known eccentricity, brought in a verdict of 'suicide.' but i, who knew how he w", "g regard to his known eccentricity, brought in a verdict of 'suicide.' but i, who knew how he winced", "ard to his known eccentricity, brought in a verdict of 'suicide.' but i, who knew how he winced from", "o his known eccentricity, brought in a verdict of 'suicide.' but i, who knew how he winced from the ", " known eccentricity, brought in a verdict of 'suicide.' but i, who knew how he winced from the very ", "n eccentricity, brought in a verdict of 'suicide.' but i, who knew how he winced from the very thoug", "entricity, brought in a verdict of 'suicide.' but i, who knew how he winced from the very thought of", "city, brought in a verdict of 'suicide.' but i, who knew how he winced from the very thought of deat", " brought in a verdict of 'suicide.' but i, who knew how he winced from the very thought of death, ha", "ght in a verdict of 'suicide.' but i, who knew how he winced from the very thought of death, had muc", "n a verdict of 'suicide.' but i, who knew how he winced from the very thought of death, had much ado", "erdict of 'suicide.' but i, who knew how he winced from the very thought of death, had much ado to p", "t of 'suicide.' but i, who knew how he winced from the very thought of death, had much ado to persua", "'suicide.' but i, who knew how he winced from the very thought of death, had much ado to persuade my", "ide.' but i, who knew how he winced from the very thought of death, had much ado to persuade myself ", ' but i, who knew how he winced from the very thought of death, had much ado to persuade myself that ', 'i, who knew how he winced from the very thought of death, had much ado to persuade myself that he ha', 'o knew how he winced from the very thought of death, had much ado to persuade myself that he had gon', 'w how he winced from the very thought of death, had much ado to persuade myself that he had gone out', ' he winced from the very thought of death, had much ado to persuade myself that he had gone out of h', 'inced from the very thought of death, had much ado to persuade myself that he had gone out of his wa', ' from the very thought of death, had much ado to persuade myself that he had gone out of his way to ', ' the very thought of death, had much ado to persuade myself that he had gone out of his way to meet ', 'very thought of death, had much ado to persuade myself that he had gone out of his way to meet it. t', 'thought of death, had much ado to persuade myself that he had gone out of his way to meet it. the ma', 'ht of death, had much ado to persuade myself that he had gone out of his way to meet it. the matter ', ' death, had much ado to persuade myself that he had gone out of his way to meet it. the matter passe', 'h, had much ado to persuade myself that he had gone out of his way to meet it. the matter passed, ho', 'd much ado to persuade myself that he had gone out of his way to meet it. the matter passed, however', 'h ado to persuade myself that he had gone out of his way to meet it. the matter passed, however, and', ' to persuade myself that he had gone out of his way to meet it. the matter passed, however, and my f', 'ersuade myself that he had gone out of his way to meet it. the matter passed, however, and my father', 'de myself that he had gone out of his way to meet it. the matter passed, however, and my father ente', 'self that he had gone out of his way to meet it. the matter passed, however, and my father entered i', 'that he had gone out of his way to meet it. the matter passed, however, and my father entered into p', 'he had gone out of his way to meet it. the matter passed, however, and my father entered into posses', 'd gone out of his way to meet it. the matter passed, however, and my father entered into possession ', 'e out of his way to meet it. the matter passed, however, and my father entered into possession of th', ' of his way to meet it. the matter passed, however, and my father entered into possession of the est', 'is way to meet it. the matter passed, however, and my father entered into possession of the estate, ', 'y to meet it. the matter passed, however, and my father entered into possession of the estate, and o', 'meet it. the matter passed, however, and my father entered into possession of the estate, and of som', 'it. the matter passed, however, and my father entered into possession of the estate, and of some , ', 'he matter passed, however, and my father entered into possession of the estate, and of some , poun', 'tter passed, however, and my father entered into possession of the estate, and of some , pounds, w', 'passed, however, and my father entered into possession of the estate, and of some , pounds, which ', 'd, however, and my father entered into possession of the estate, and of some , pounds, which lay t', 'wever, and my father entered into possession of the estate, and of some , pounds, which lay to his', ', and my father entered into possession of the estate, and of some , pounds, which lay to his cred', ' my father entered into possession of the estate, and of some , pounds, which lay to his credit at', 'ather entered into possession of the estate, and of some , pounds, which lay to his credit at the ', ' entered into possession of the estate, and of some , pounds, which lay to his credit at the bank.', 'red into possession of the estate, and of some , pounds, which lay to his credit at the bank." "on', 'nto possession of the estate, and of some , pounds, which lay to his credit at the bank." "one mom', 'ossession of the estate, and of some , pounds, which lay to his credit at the bank." "one moment,"', 'sion of the estate, and of some , pounds, which lay to his credit at the bank." "one moment," holm', 'of the estate, and of some , pounds, which lay to his credit at the bank." "one moment," holmes in', 'e estate, and of some , pounds, which lay to his credit at the bank." "one moment," holmes interpo', 'ate, and of some , pounds, which lay to his credit at the bank." "one moment," holmes interposed, ', 'and of some , pounds, which lay to his credit at the bank." "one moment," holmes interposed, "your', 'f some , pounds, which lay to his credit at the bank." "one moment," holmes interposed, "your stat', 'e , pounds, which lay to his credit at the bank." "one moment," holmes interposed, "your statement', ' pounds, which lay to his credit at the bank." "one moment," holmes interposed, "your statement is, ', 'ds, which lay to his credit at the bank." "one moment," holmes interposed, "your statement is, i for', 'hich lay to his credit at the bank." "one moment," holmes interposed, "your statement is, i foresee,', 'lay to his credit at the bank." "one moment," holmes interposed, "your statement is, i foresee, one ', 'o his credit at the bank." "one moment," holmes interposed, "your statement is, i foresee, one of th', ' credit at the bank." "one moment," holmes interposed, "your statement is, i foresee, one of the mos', 'it at the bank." "one moment," holmes interposed, "your statement is, i foresee, one of the most rem', ' the bank." "one moment," holmes interposed, "your statement is, i foresee, one of the most remarkab', 'bank." "one moment," holmes interposed, "your statement is, i foresee, one of the most remarkable to', '" "one moment," holmes interposed, "your statement is, i foresee, one of the most remarkable to whic', 'e moment," holmes interposed, "your statement is, i foresee, one of the most remarkable to which i h', 'ent," holmes interposed, "your statement is, i foresee, one of the most remarkable to which i have e', ' holmes interposed, "your statement is, i foresee, one of the most remarkable to which i have ever l', 'es interposed, "your statement is, i foresee, one of the most remarkable to which i have ever listen', 'terposed, "your statement is, i foresee, one of the most remarkable to which i have ever listened. l', 'sed, "your statement is, i foresee, one of the most remarkable to which i have ever listened. let me', '"your statement is, i foresee, one of the most remarkable to which i have ever listened. let me have', ' statement is, i foresee, one of the most remarkable to which i have ever listened. let me have the ', 'ement is, i foresee, one of the most remarkable to which i have ever listened. let me have the date ', ' is, i foresee, one of the most remarkable to which i have ever listened. let me have the date of th', 'i foresee, one of the most remarkable to which i have ever listened. let me have the date of the rec', 'esee, one of the most remarkable to which i have ever listened. let me have the date of the receptio', ' one of the most remarkable to which i have ever listened. let me have the date of the reception by ', 'of the most remarkable to which i have ever listened. let me have the date of the reception by your ', 'e most remarkable to which i have ever listened. let me have the date of the reception by your uncle', 't remarkable to which i have ever listened. let me have the date of the reception by your uncle of t', 'arkable to which i have ever listened. let me have the date of the reception by your uncle of the le', 'le to which i have ever listened. let me have the date of the reception by your uncle of the letter,', ' which i have ever listened. let me have the date of the reception by your uncle of the letter, and ', 'h i have ever listened. let me have the date of the reception by your uncle of the letter, and the d', 'ave ever listened. let me have the date of the reception by your uncle of the letter, and the date o', 'ver listened. let me have the date of the reception by your uncle of the letter, and the date of his', 'istened. let me have the date of the reception by your uncle of the letter, and the date of his supp', 'ed. let me have the date of the reception by your uncle of the letter, and the date of his supposed ', 'et me have the date of the reception by your uncle of the letter, and the date of his supposed suici', ' have the date of the reception by your uncle of the letter, and the date of his supposed suicide." ', ' the date of the reception by your uncle of the letter, and the date of his supposed suicide." "the ', 'date of the reception by your uncle of the letter, and the date of his supposed suicide." "the lette', 'of the reception by your uncle of the letter, and the date of his supposed suicide." "the letter arr', 'e reception by your uncle of the letter, and the date of his supposed suicide." "the letter arrived ', 'eption by your uncle of the letter, and the date of his supposed suicide." "the letter arrived on ma', 'n by your uncle of the letter, and the date of his supposed suicide." "the letter arrived on march ', 'your uncle of the letter, and the date of his supposed suicide." "the letter arrived on march , .', 'uncle of the letter, and the date of his supposed suicide." "the letter arrived on march , . his ', ' of the letter, and the date of his supposed suicide." "the letter arrived on march , . his death', 'he letter, and the date of his supposed suicide." "the letter arrived on march , . his death was ', 'tter, and the date of his supposed suicide." "the letter arrived on march , . his death was seven', ' and the date of his supposed suicide." "the letter arrived on march , . his death was seven week', 'the date of his supposed suicide." "the letter arrived on march , . his death was seven weeks lat', 'ate of his supposed suicide." "the letter arrived on march , . his death was seven weeks later, u', 'f his supposed suicide." "the letter arrived on march , . his death was seven weeks later, upon t', ' supposed suicide." "the letter arrived on march , . his death was seven weeks later, upon the ni', 'osed suicide." "the letter arrived on march , . his death was seven weeks later, upon the night o', 'suicide." "the letter arrived on march , . his death was seven weeks later, upon the night of may', 'de." "the letter arrived on march , . his death was seven weeks later, upon the night of may nd."', '"the letter arrived on march , . his death was seven weeks later, upon the night of may nd." "tha', 'letter arrived on march , . his death was seven weeks later, upon the night of may nd." "thank yo', 'r arrived on march , . his death was seven weeks later, upon the night of may nd." "thank you. pr', 'ived on march , . his death was seven weeks later, upon the night of may nd." "thank you. pray pr', 'on march , . his death was seven weeks later, upon the night of may nd." "thank you. pray proceed', 'rch , . his death was seven weeks later, upon the night of may nd." "thank you. pray proceed." "w', ', . his death was seven weeks later, upon the night of may nd." "thank you. pray proceed." "when m', ' his death was seven weeks later, upon the night of may nd." "thank you. pray proceed." "when my fat', 'death was seven weeks later, upon the night of may nd." "thank you. pray proceed." "when my father t', ' was seven weeks later, upon the night of may nd." "thank you. pray proceed." "when my father took o', 'seven weeks later, upon the night of may nd." "thank you. pray proceed." "when my father took over t', ' weeks later, upon the night of may nd." "thank you. pray proceed." "when my father took over the ho', 's later, upon the night of may nd." "thank you. pray proceed." "when my father took over the horsham', 'er, upon the night of may nd." "thank you. pray proceed." "when my father took over the horsham prop', 'pon the night of may nd." "thank you. pray proceed." "when my father took over the horsham property,', 'he night of may nd." "thank you. pray proceed." "when my father took over the horsham property, he, ', 'ght of may nd." "thank you. pray proceed." "when my father took over the horsham property, he, at my', 'f may nd." "thank you. pray proceed." "when my father took over the horsham property, he, at my requ', ' nd." "thank you. pray proceed." "when my father took over the horsham property, he, at my request, ', ' "thank you. pray proceed." "when my father took over the horsham property, he, at my request, made ', 'nk you. pray proceed." "when my father took over the horsham property, he, at my request, made a car', 'u. pray proceed." "when my father took over the horsham property, he, at my request, made a careful ', 'ay proceed." "when my father took over the horsham property, he, at my request, made a careful exami', 'oceed." "when my father took over the horsham property, he, at my request, made a careful examinatio', '." "when my father took over the horsham property, he, at my request, made a careful examination of ', 'hen my father took over the horsham property, he, at my request, made a careful examination of the a', 'y father took over the horsham property, he, at my request, made a careful examination of the attic,', 'her took over the horsham property, he, at my request, made a careful examination of the attic, whic', 'ook over the horsham property, he, at my request, made a careful examination of the attic, which had', 'ver the horsham property, he, at my request, made a careful examination of the attic, which had been', 'he horsham property, he, at my request, made a careful examination of the attic, which had been alwa', 'rsham property, he, at my request, made a careful examination of the attic, which had been always lo', ' property, he, at my request, made a careful examination of the attic, which had been always locked ', 'erty, he, at my request, made a careful examination of the attic, which had been always locked up. w', ' he, at my request, made a careful examination of the attic, which had been always locked up. we fou', 'at my request, made a careful examination of the attic, which had been always locked up. we found th', ' request, made a careful examination of the attic, which had been always locked up. we found the bra', 'est, made a careful examination of the attic, which had been always locked up. we found the brass bo', 'made a careful examination of the attic, which had been always locked up. we found the brass box the', 'a careful examination of the attic, which had been always locked up. we found the brass box there, a', 'eful examination of the attic, which had been always locked up. we found the brass box there, althou', 'examination of the attic, which had been always locked up. we found the brass box there, although it', 'nation of the attic, which had been always locked up. we found the brass box there, although its con', 'n of the attic, which had been always locked up. we found the brass box there, although its contents', 'the attic, which had been always locked up. we found the brass box there, although its contents had ', 'ttic, which had been always locked up. we found the brass box there, although its contents had been ', ' which had been always locked up. we found the brass box there, although its contents had been destr', 'h had been always locked up. we found the brass box there, although its contents had been destroyed.', ' been always locked up. we found the brass box there, although its contents had been destroyed. on t', ' always locked up. we found the brass box there, although its contents had been destroyed. on the in', 'ys locked up. we found the brass box there, although its contents had been destroyed. on the inside ', 'cked up. we found the brass box there, although its contents had been destroyed. on the inside of th', 'up. we found the brass box there, although its contents had been destroyed. on the inside of the cov', 'e found the brass box there, although its contents had been destroyed. on the inside of the cover wa', 'nd the brass box there, although its contents had been destroyed. on the inside of the cover was a p', 'e brass box there, although its contents had been destroyed. on the inside of the cover was a paper ', 'ss box there, although its contents had been destroyed. on the inside of the cover was a paper label', 'x there, although its contents had been destroyed. on the inside of the cover was a paper label, wit', 're, although its contents had been destroyed. on the inside of the cover was a paper label, with the', 'lthough its contents had been destroyed. on the inside of the cover was a paper label, with the init', 'gh its contents had been destroyed. on the inside of the cover was a paper label, with the initials ', 's contents had been destroyed. on the inside of the cover was a paper label, with the initials of k.', 'tents had been destroyed. on the inside of the cover was a paper label, with the initials of k. k. k', ' had been destroyed. on the inside of the cover was a paper label, with the initials of k. k. k. rep', 'been destroyed. on the inside of the cover was a paper label, with the initials of k. k. k. repeated', 'destroyed. on the inside of the cover was a paper label, with the initials of k. k. k. repeated upon', 'oyed. on the inside of the cover was a paper label, with the initials of k. k. k. repeated upon it, ', " on the inside of the cover was a paper label, with the initials of k. k. k. repeated upon it, and '", "he inside of the cover was a paper label, with the initials of k. k. k. repeated upon it, and 'lette", "side of the cover was a paper label, with the initials of k. k. k. repeated upon it, and 'letters, m", "of the cover was a paper label, with the initials of k. k. k. repeated upon it, and 'letters, memora", "e cover was a paper label, with the initials of k. k. k. repeated upon it, and 'letters, memoranda, ", "er was a paper label, with the initials of k. k. k. repeated upon it, and 'letters, memoranda, recei", "s a paper label, with the initials of k. k. k. repeated upon it, and 'letters, memoranda, receipts, ", "aper label, with the initials of k. k. k. repeated upon it, and 'letters, memoranda, receipts, and a", "label, with the initials of k. k. k. repeated upon it, and 'letters, memoranda, receipts, and a regi", ", with the initials of k. k. k. repeated upon it, and 'letters, memoranda, receipts, and a register'", "h the initials of k. k. k. repeated upon it, and 'letters, memoranda, receipts, and a register' writ", " initials of k. k. k. repeated upon it, and 'letters, memoranda, receipts, and a register' written b", "ials of k. k. k. repeated upon it, and 'letters, memoranda, receipts, and a register' written beneat", "of k. k. k. repeated upon it, and 'letters, memoranda, receipts, and a register' written beneath. th", " k. k. repeated upon it, and 'letters, memoranda, receipts, and a register' written beneath. these, ", ". repeated upon it, and 'letters, memoranda, receipts, and a register' written beneath. these, we pr", "eated upon it, and 'letters, memoranda, receipts, and a register' written beneath. these, we presume", " upon it, and 'letters, memoranda, receipts, and a register' written beneath. these, we presume, ind", " it, and 'letters, memoranda, receipts, and a register' written beneath. these, we presume, indicate", "and 'letters, memoranda, receipts, and a register' written beneath. these, we presume, indicated the", "letters, memoranda, receipts, and a register' written beneath. these, we presume, indicated the natu", "rs, memoranda, receipts, and a register' written beneath. these, we presume, indicated the nature of", "emoranda, receipts, and a register' written beneath. these, we presume, indicated the nature of the ", "nda, receipts, and a register' written beneath. these, we presume, indicated the nature of the paper", "receipts, and a register' written beneath. these, we presume, indicated the nature of the papers whi", "pts, and a register' written beneath. these, we presume, indicated the nature of the papers which ha", "and a register' written beneath. these, we presume, indicated the nature of the papers which had bee", " register' written beneath. these, we presume, indicated the nature of the papers which had been des", "ster' written beneath. these, we presume, indicated the nature of the papers which had been destroye", ' written beneath. these, we presume, indicated the nature of the papers which had been destroyed by ', 'ten beneath. these, we presume, indicated the nature of the papers which had been destroyed by colon', 'eneath. these, we presume, indicated the nature of the papers which had been destroyed by colonel op', 'h. these, we presume, indicated the nature of the papers which had been destroyed by colonel opensha', 'ese, we presume, indicated the nature of the papers which had been destroyed by colonel openshaw. fo', 'we presume, indicated the nature of the papers which had been destroyed by colonel openshaw. for the', 'esume, indicated the nature of the papers which had been destroyed by colonel openshaw. for the rest', ', indicated the nature of the papers which had been destroyed by colonel openshaw. for the rest, the', 'icated the nature of the papers which had been destroyed by colonel openshaw. for the rest, there wa', 'd the nature of the papers which had been destroyed by colonel openshaw. for the rest, there was not', ' nature of the papers which had been destroyed by colonel openshaw. for the rest, there was nothing ', 're of the papers which had been destroyed by colonel openshaw. for the rest, there was nothing of mu', ' the papers which had been destroyed by colonel openshaw. for the rest, there was nothing of much im', 'papers which had been destroyed by colonel openshaw. for the rest, there was nothing of much importa', 's which had been destroyed by colonel openshaw. for the rest, there was nothing of much importance i', 'ch had been destroyed by colonel openshaw. for the rest, there was nothing of much importance in the', 'd been destroyed by colonel openshaw. for the rest, there was nothing of much importance in the atti', 'n destroyed by colonel openshaw. for the rest, there was nothing of much importance in the attic sav', 'troyed by colonel openshaw. for the rest, there was nothing of much importance in the attic save a g', 'd by colonel openshaw. for the rest, there was nothing of much importance in the attic save a great ', 'colonel openshaw. for the rest, there was nothing of much importance in the attic save a great many ', 'el openshaw. for the rest, there was nothing of much importance in the attic save a great many scatt', 'enshaw. for the rest, there was nothing of much importance in the attic save a great many scattered ', 'w. for the rest, there was nothing of much importance in the attic save a great many scattered paper', 'r the rest, there was nothing of much importance in the attic save a great many scattered papers and', ' rest, there was nothing of much importance in the attic save a great many scattered papers and note', ', there was nothing of much importance in the attic save a great many scattered papers and note-book', 're was nothing of much importance in the attic save a great many scattered papers and note-books bea', 's nothing of much importance in the attic save a great many scattered papers and note-books bearing ', 'hing of much importance in the attic save a great many scattered papers and note-books bearing upon ', 'of much importance in the attic save a great many scattered papers and note-books bearing upon my un', "ch importance in the attic save a great many scattered papers and note-books bearing upon my uncle's", "portance in the attic save a great many scattered papers and note-books bearing upon my uncle's life", "nce in the attic save a great many scattered papers and note-books bearing upon my uncle's life in a", "n the attic save a great many scattered papers and note-books bearing upon my uncle's life in americ", " attic save a great many scattered papers and note-books bearing upon my uncle's life in america. so", "c save a great many scattered papers and note-books bearing upon my uncle's life in america. some of", "e a great many scattered papers and note-books bearing upon my uncle's life in america. some of them", "reat many scattered papers and note-books bearing upon my uncle's life in america. some of them were", "many scattered papers and note-books bearing upon my uncle's life in america. some of them were of t", "scattered papers and note-books bearing upon my uncle's life in america. some of them were of the wa", "ered papers and note-books bearing upon my uncle's life in america. some of them were of the war tim", "papers and note-books bearing upon my uncle's life in america. some of them were of the war time and", "s and note-books bearing upon my uncle's life in america. some of them were of the war time and show", " note-books bearing upon my uncle's life in america. some of them were of the war time and showed th", "-books bearing upon my uncle's life in america. some of them were of the war time and showed that he", "s bearing upon my uncle's life in america. some of them were of the war time and showed that he had ", "ring upon my uncle's life in america. some of them were of the war time and showed that he had done ", "upon my uncle's life in america. some of them were of the war time and showed that he had done his d", "my uncle's life in america. some of them were of the war time and showed that he had done his duty w", "cle's life in america. some of them were of the war time and showed that he had done his duty well a", ' life in america. some of them were of the war time and showed that he had done his duty well and ha', ' in america. some of them were of the war time and showed that he had done his duty well and had bor', 'merica. some of them were of the war time and showed that he had done his duty well and had borne th', 'a. some of them were of the war time and showed that he had done his duty well and had borne the rep', 'me of them were of the war time and showed that he had done his duty well and had borne the repute o', ' them were of the war time and showed that he had done his duty well and had borne the repute of a b', ' were of the war time and showed that he had done his duty well and had borne the repute of a brave ', ' of the war time and showed that he had done his duty well and had borne the repute of a brave soldi', 'he war time and showed that he had done his duty well and had borne the repute of a brave soldier. o', 'r time and showed that he had done his duty well and had borne the repute of a brave soldier. others', 'e and showed that he had done his duty well and had borne the repute of a brave soldier. others were', ' showed that he had done his duty well and had borne the repute of a brave soldier. others were of a', 'ed that he had done his duty well and had borne the repute of a brave soldier. others were of a date', 'at he had done his duty well and had borne the repute of a brave soldier. others were of a date duri', ' had done his duty well and had borne the repute of a brave soldier. others were of a date during th', 'done his duty well and had borne the repute of a brave soldier. others were of a date during the rec', 'his duty well and had borne the repute of a brave soldier. others were of a date during the reconstr', 'uty well and had borne the repute of a brave soldier. others were of a date during the reconstructio', 'ell and had borne the repute of a brave soldier. others were of a date during the reconstruction of ', 'nd had borne the repute of a brave soldier. others were of a date during the reconstruction of the s', 'd borne the repute of a brave soldier. others were of a date during the reconstruction of the southe', 'ne the repute of a brave soldier. others were of a date during the reconstruction of the southern st', 'e repute of a brave soldier. others were of a date during the reconstruction of the southern states,', 'ute of a brave soldier. others were of a date during the reconstruction of the southern states, and ', 'f a brave soldier. others were of a date during the reconstruction of the southern states, and were ', 'rave soldier. others were of a date during the reconstruction of the southern states, and were mostl', 'soldier. others were of a date during the reconstruction of the southern states, and were mostly con', 'er. others were of a date during the reconstruction of the southern states, and were mostly concerne', 'thers were of a date during the reconstruction of the southern states, and were mostly concerned wit', ' were of a date during the reconstruction of the southern states, and were mostly concerned with pol', ' of a date during the reconstruction of the southern states, and were mostly concerned with politics', ' date during the reconstruction of the southern states, and were mostly concerned with politics, for', ' during the reconstruction of the southern states, and were mostly concerned with politics, for he h', 'ng the reconstruction of the southern states, and were mostly concerned with politics, for he had ev', 'e reconstruction of the southern states, and were mostly concerned with politics, for he had evident', 'onstruction of the southern states, and were mostly concerned with politics, for he had evidently ta', 'uction of the southern states, and were mostly concerned with politics, for he had evidently taken a', 'n of the southern states, and were mostly concerned with politics, for he had evidently taken a stro', 'the southern states, and were mostly concerned with politics, for he had evidently taken a strong pa', 'outhern states, and were mostly concerned with politics, for he had evidently taken a strong part in', 'rn states, and were mostly concerned with politics, for he had evidently taken a strong part in oppo', 'ates, and were mostly concerned with politics, for he had evidently taken a strong part in opposing ', ' and were mostly concerned with politics, for he had evidently taken a strong part in opposing the c', 'were mostly concerned with politics, for he had evidently taken a strong part in opposing the carpet', 'mostly concerned with politics, for he had evidently taken a strong part in opposing the carpet-bag ', 'y concerned with politics, for he had evidently taken a strong part in opposing the carpet-bag polit', 'cerned with politics, for he had evidently taken a strong part in opposing the carpet-bag politician', 'd with politics, for he had evidently taken a strong part in opposing the carpet-bag politicians who', 'h politics, for he had evidently taken a strong part in opposing the carpet-bag politicians who had ', 'itics, for he had evidently taken a strong part in opposing the carpet-bag politicians who had been ', ', for he had evidently taken a strong part in opposing the carpet-bag politicians who had been sent ', ' he had evidently taken a strong part in opposing the carpet-bag politicians who had been sent down ', 'ad evidently taken a strong part in opposing the carpet-bag politicians who had been sent down from ', 'idently taken a strong part in opposing the carpet-bag politicians who had been sent down from the n', 'ly taken a strong part in opposing the carpet-bag politicians who had been sent down from the north.', 'ken a strong part in opposing the carpet-bag politicians who had been sent down from the north. "wel', ' strong part in opposing the carpet-bag politicians who had been sent down from the north. "well, it', 'ng part in opposing the carpet-bag politicians who had been sent down from the north. "well, it was ', 'rt in opposing the carpet-bag politicians who had been sent down from the north. "well, it was the b', ' opposing the carpet-bag politicians who had been sent down from the north. "well, it was the beginn', 'sing the carpet-bag politicians who had been sent down from the north. "well, it was the beginning o', 'the carpet-bag politicians who had been sent down from the north. "well, it was the beginning of \' ', 'arpet-bag politicians who had been sent down from the north. "well, it was the beginning of \' when ', '-bag politicians who had been sent down from the north. "well, it was the beginning of \' when my fa', 'politicians who had been sent down from the north. "well, it was the beginning of \' when my father ', 'icians who had been sent down from the north. "well, it was the beginning of \' when my father came ', 's who had been sent down from the north. "well, it was the beginning of \' when my father came to li', ' had been sent down from the north. "well, it was the beginning of \' when my father came to live at', 'been sent down from the north. "well, it was the beginning of \' when my father came to live at hors', 'sent down from the north. "well, it was the beginning of \' when my father came to live at horsham, ', 'down from the north. "well, it was the beginning of \' when my father came to live at horsham, and a', 'from the north. "well, it was the beginning of \' when my father came to live at horsham, and all we', 'the north. "well, it was the beginning of \' when my father came to live at horsham, and all went as', 'orth. "well, it was the beginning of \' when my father came to live at horsham, and all went as well', ' "well, it was the beginning of \' when my father came to live at horsham, and all went as well as p', "l, it was the beginning of ' when my father came to live at horsham, and all went as well as possib", " was the beginning of ' when my father came to live at horsham, and all went as well as possible wi", "the beginning of ' when my father came to live at horsham, and all went as well as possible with us", "eginning of ' when my father came to live at horsham, and all went as well as possible with us unti", "ing of ' when my father came to live at horsham, and all went as well as possible with us until the", "f ' when my father came to live at horsham, and all went as well as possible with us until the janu", 'when my father came to live at horsham, and all went as well as possible with us until the january o', "my father came to live at horsham, and all went as well as possible with us until the january of ' .", "ther came to live at horsham, and all went as well as possible with us until the january of ' . on t", "came to live at horsham, and all went as well as possible with us until the january of ' . on the fo", "to live at horsham, and all went as well as possible with us until the january of ' . on the fourth ", "ve at horsham, and all went as well as possible with us until the january of ' . on the fourth day a", " horsham, and all went as well as possible with us until the january of ' . on the fourth day after ", "ham, and all went as well as possible with us until the january of ' . on the fourth day after the n", "and all went as well as possible with us until the january of ' . on the fourth day after the new ye", "ll went as well as possible with us until the january of ' . on the fourth day after the new year i ", "nt as well as possible with us until the january of ' . on the fourth day after the new year i heard", " well as possible with us until the january of ' . on the fourth day after the new year i heard my f", " as possible with us until the january of ' . on the fourth day after the new year i heard my father", "ossible with us until the january of ' . on the fourth day after the new year i heard my father give", "le with us until the january of ' . on the fourth day after the new year i heard my father give a sh", "th us until the january of ' . on the fourth day after the new year i heard my father give a sharp c", " until the january of ' . on the fourth day after the new year i heard my father give a sharp cry of", "l the january of ' . on the fourth day after the new year i heard my father give a sharp cry of surp", " january of ' . on the fourth day after the new year i heard my father give a sharp cry of surprise ", "ary of ' . on the fourth day after the new year i heard my father give a sharp cry of surprise as we", "f ' . on the fourth day after the new year i heard my father give a sharp cry of surprise as we sat ", ' on the fourth day after the new year i heard my father give a sharp cry of surprise as we sat toget', 'he fourth day after the new year i heard my father give a sharp cry of surprise as we sat together a', 'urth day after the new year i heard my father give a sharp cry of surprise as we sat together at the', 'day after the new year i heard my father give a sharp cry of surprise as we sat together at the brea', 'fter the new year i heard my father give a sharp cry of surprise as we sat together at the breakfast', 'the new year i heard my father give a sharp cry of surprise as we sat together at the breakfast-tabl', 'ew year i heard my father give a sharp cry of surprise as we sat together at the breakfast-table. th', 'ar i heard my father give a sharp cry of surprise as we sat together at the breakfast-table. there h', 'heard my father give a sharp cry of surprise as we sat together at the breakfast-table. there he was', ' my father give a sharp cry of surprise as we sat together at the breakfast-table. there he was, sit', 'ather give a sharp cry of surprise as we sat together at the breakfast-table. there he was, sitting ', ' give a sharp cry of surprise as we sat together at the breakfast-table. there he was, sitting with ', ' a sharp cry of surprise as we sat together at the breakfast-table. there he was, sitting with a new', 'arp cry of surprise as we sat together at the breakfast-table. there he was, sitting with a newly op', 'ry of surprise as we sat together at the breakfast-table. there he was, sitting with a newly opened ', ' surprise as we sat together at the breakfast-table. there he was, sitting with a newly opened envel', 'rise as we sat together at the breakfast-table. there he was, sitting with a newly opened envelope i', 'as we sat together at the breakfast-table. there he was, sitting with a newly opened envelope in one', ' sat together at the breakfast-table. there he was, sitting with a newly opened envelope in one hand', 'together at the breakfast-table. there he was, sitting with a newly opened envelope in one hand and ', 'her at the breakfast-table. there he was, sitting with a newly opened envelope in one hand and five ', 't the breakfast-table. there he was, sitting with a newly opened envelope in one hand and five dried', ' breakfast-table. there he was, sitting with a newly opened envelope in one hand and five dried oran', 'kfast-table. there he was, sitting with a newly opened envelope in one hand and five dried orange pi', '-table. there he was, sitting with a newly opened envelope in one hand and five dried orange pips in', 'e. there he was, sitting with a newly opened envelope in one hand and five dried orange pips in the ', 'ere he was, sitting with a newly opened envelope in one hand and five dried orange pips in the outst', 'e was, sitting with a newly opened envelope in one hand and five dried orange pips in the outstretch', ', sitting with a newly opened envelope in one hand and five dried orange pips in the outstretched pa', 'ting with a newly opened envelope in one hand and five dried orange pips in the outstretched palm of', 'with a newly opened envelope in one hand and five dried orange pips in the outstretched palm of the ', 'a newly opened envelope in one hand and five dried orange pips in the outstretched palm of the other', 'ly opened envelope in one hand and five dried orange pips in the outstretched palm of the other one.', 'ened envelope in one hand and five dried orange pips in the outstretched palm of the other one. he h', 'envelope in one hand and five dried orange pips in the outstretched palm of the other one. he had al', 'ope in one hand and five dried orange pips in the outstretched palm of the other one. he had always ', 'n one hand and five dried orange pips in the outstretched palm of the other one. he had always laugh', ' hand and five dried orange pips in the outstretched palm of the other one. he had always laughed at', ' and five dried orange pips in the outstretched palm of the other one. he had always laughed at what', 'five dried orange pips in the outstretched palm of the other one. he had always laughed at what he c', 'dried orange pips in the outstretched palm of the other one. he had always laughed at what he called', ' orange pips in the outstretched palm of the other one. he had always laughed at what he called my c', 'ge pips in the outstretched palm of the other one. he had always laughed at what he called my cock-a', 'ps in the outstretched palm of the other one. he had always laughed at what he called my cock-and-bu', ' the outstretched palm of the other one. he had always laughed at what he called my cock-and-bull st', 'outstretched palm of the other one. he had always laughed at what he called my cock-and-bull story a', 'retched palm of the other one. he had always laughed at what he called my cock-and-bull story about ', 'ed palm of the other one. he had always laughed at what he called my cock-and-bull story about the c', 'lm of the other one. he had always laughed at what he called my cock-and-bull story about the colone', ' the other one. he had always laughed at what he called my cock-and-bull story about the colonel, bu', 'other one. he had always laughed at what he called my cock-and-bull story about the colonel, but he ', ' one. he had always laughed at what he called my cock-and-bull story about the colonel, but he looke', ' he had always laughed at what he called my cock-and-bull story about the colonel, but he looked ver', 'ad always laughed at what he called my cock-and-bull story about the colonel, but he looked very sca', 'ways laughed at what he called my cock-and-bull story about the colonel, but he looked very scared a', 'laughed at what he called my cock-and-bull story about the colonel, but he looked very scared and pu', 'ed at what he called my cock-and-bull story about the colonel, but he looked very scared and puzzled', ' what he called my cock-and-bull story about the colonel, but he looked very scared and puzzled now ', ' he called my cock-and-bull story about the colonel, but he looked very scared and puzzled now that ', 'alled my cock-and-bull story about the colonel, but he looked very scared and puzzled now that the s', ' my cock-and-bull story about the colonel, but he looked very scared and puzzled now that the same t', 'ock-and-bull story about the colonel, but he looked very scared and puzzled now that the same thing ', 'nd-bull story about the colonel, but he looked very scared and puzzled now that the same thing had c', 'll story about the colonel, but he looked very scared and puzzled now that the same thing had come u', 'ory about the colonel, but he looked very scared and puzzled now that the same thing had come upon h', 'bout the colonel, but he looked very scared and puzzled now that the same thing had come upon himsel', 'the colonel, but he looked very scared and puzzled now that the same thing had come upon himself. "\'', 'olonel, but he looked very scared and puzzled now that the same thing had come upon himself. "\'why, ', 'l, but he looked very scared and puzzled now that the same thing had come upon himself. "\'why, what ', 't he looked very scared and puzzled now that the same thing had come upon himself. "\'why, what on ea', 'looked very scared and puzzled now that the same thing had come upon himself. "\'why, what on earth d', 'd very scared and puzzled now that the same thing had come upon himself. "\'why, what on earth does t', 'y scared and puzzled now that the same thing had come upon himself. "\'why, what on earth does this m', 'red and puzzled now that the same thing had come upon himself. "\'why, what on earth does this mean, ', 'nd puzzled now that the same thing had come upon himself. "\'why, what on earth does this mean, john?', 'zzled now that the same thing had come upon himself. "\'why, what on earth does this mean, john?\' he ', ' now that the same thing had come upon himself. "\'why, what on earth does this mean, john?\' he stamm', 'that the same thing had come upon himself. "\'why, what on earth does this mean, john?\' he stammered.', 'the same thing had come upon himself. "\'why, what on earth does this mean, john?\' he stammered. "my ', 'ame thing had come upon himself. "\'why, what on earth does this mean, john?\' he stammered. "my heart', 'hing had come upon himself. "\'why, what on earth does this mean, john?\' he stammered. "my heart had ', 'had come upon himself. "\'why, what on earth does this mean, john?\' he stammered. "my heart had turne', 'ome upon himself. "\'why, what on earth does this mean, john?\' he stammered. "my heart had turned to ', 'pon himself. "\'why, what on earth does this mean, john?\' he stammered. "my heart had turned to lead.', 'imself. "\'why, what on earth does this mean, john?\' he stammered. "my heart had turned to lead. \'it ', 'f. "\'why, what on earth does this mean, john?\' he stammered. "my heart had turned to lead. \'it is k.', 'why, what on earth does this mean, john?\' he stammered. "my heart had turned to lead. \'it is k. k. k', 'what on earth does this mean, john?\' he stammered. "my heart had turned to lead. \'it is k. k. k.,\' s', 'on earth does this mean, john?\' he stammered. "my heart had turned to lead. \'it is k. k. k.,\' said i', 'rth does this mean, john?\' he stammered. "my heart had turned to lead. \'it is k. k. k.,\' said i. "he', 'oes this mean, john?\' he stammered. "my heart had turned to lead. \'it is k. k. k.,\' said i. "he look', 'his mean, john?\' he stammered. "my heart had turned to lead. \'it is k. k. k.,\' said i. "he looked in', 'ean, john?\' he stammered. "my heart had turned to lead. \'it is k. k. k.,\' said i. "he looked inside ', 'john?\' he stammered. "my heart had turned to lead. \'it is k. k. k.,\' said i. "he looked inside the e', '\' he stammered. "my heart had turned to lead. \'it is k. k. k.,\' said i. "he looked inside the envelo', 'stammered. "my heart had turned to lead. \'it is k. k. k.,\' said i. "he looked inside the envelope. \'', 'ered. "my heart had turned to lead. \'it is k. k. k.,\' said i. "he looked inside the envelope. \'so it', ' "my heart had turned to lead. \'it is k. k. k.,\' said i. "he looked inside the envelope. \'so it is,\'', 'heart had turned to lead. \'it is k. k. k.,\' said i. "he looked inside the envelope. \'so it is,\' he c', ' had turned to lead. \'it is k. k. k.,\' said i. "he looked inside the envelope. \'so it is,\' he cried.', 'turned to lead. \'it is k. k. k.,\' said i. "he looked inside the envelope. \'so it is,\' he cried. \'her', 'd to lead. \'it is k. k. k.,\' said i. "he looked inside the envelope. \'so it is,\' he cried. \'here are', 'lead. \'it is k. k. k.,\' said i. "he looked inside the envelope. \'so it is,\' he cried. \'here are the ', ' \'it is k. k. k.,\' said i. "he looked inside the envelope. \'so it is,\' he cried. \'here are the very ', 'is k. k. k.,\' said i. "he looked inside the envelope. \'so it is,\' he cried. \'here are the very lette', ' k. k.,\' said i. "he looked inside the envelope. \'so it is,\' he cried. \'here are the very letters. b', '.,\' said i. "he looked inside the envelope. \'so it is,\' he cried. \'here are the very letters. but wh', 'aid i. "he looked inside the envelope. \'so it is,\' he cried. \'here are the very letters. but what is', '. "he looked inside the envelope. \'so it is,\' he cried. \'here are the very letters. but what is this', " looked inside the envelope. 'so it is,' he cried. 'here are the very letters. but what is this writ", "ed inside the envelope. 'so it is,' he cried. 'here are the very letters. but what is this written a", "side the envelope. 'so it is,' he cried. 'here are the very letters. but what is this written above ", "the envelope. 'so it is,' he cried. 'here are the very letters. but what is this written above them?", 'nvelope. \'so it is,\' he cried. \'here are the very letters. but what is this written above them?\' "\'p', 'pe. \'so it is,\' he cried. \'here are the very letters. but what is this written above them?\' "\'put th', 'so it is,\' he cried. \'here are the very letters. but what is this written above them?\' "\'put the pap', ' is,\' he cried. \'here are the very letters. but what is this written above them?\' "\'put the papers o', ' he cried. \'here are the very letters. but what is this written above them?\' "\'put the papers on the', 'ried. \'here are the very letters. but what is this written above them?\' "\'put the papers on the sund', ' \'here are the very letters. but what is this written above them?\' "\'put the papers on the sundial,\'', 'e are the very letters. but what is this written above them?\' "\'put the papers on the sundial,\' i re', ' the very letters. but what is this written above them?\' "\'put the papers on the sundial,\' i read, p', 'very letters. but what is this written above them?\' "\'put the papers on the sundial,\' i read, peepin', 'letters. but what is this written above them?\' "\'put the papers on the sundial,\' i read, peeping ove', 'rs. but what is this written above them?\' "\'put the papers on the sundial,\' i read, peeping over his', 'ut what is this written above them?\' "\'put the papers on the sundial,\' i read, peeping over his shou', 'at is this written above them?\' "\'put the papers on the sundial,\' i read, peeping over his shoulder.', ' this written above them?\' "\'put the papers on the sundial,\' i read, peeping over his shoulder. "\'wh', ' written above them?\' "\'put the papers on the sundial,\' i read, peeping over his shoulder. "\'what pa', 'ten above them?\' "\'put the papers on the sundial,\' i read, peeping over his shoulder. "\'what papers?', 'bove them?\' "\'put the papers on the sundial,\' i read, peeping over his shoulder. "\'what papers? what', 'them?\' "\'put the papers on the sundial,\' i read, peeping over his shoulder. "\'what papers? what sund', '\' "\'put the papers on the sundial,\' i read, peeping over his shoulder. "\'what papers? what sundial?\'', 'ut the papers on the sundial,\' i read, peeping over his shoulder. "\'what papers? what sundial?\' he a', 'e papers on the sundial,\' i read, peeping over his shoulder. "\'what papers? what sundial?\' he asked.', 'ers on the sundial,\' i read, peeping over his shoulder. "\'what papers? what sundial?\' he asked. "\'th', 'n the sundial,\' i read, peeping over his shoulder. "\'what papers? what sundial?\' he asked. "\'the sun', ' sundial,\' i read, peeping over his shoulder. "\'what papers? what sundial?\' he asked. "\'the sundial ', 'ial,\' i read, peeping over his shoulder. "\'what papers? what sundial?\' he asked. "\'the sundial in th', ' i read, peeping over his shoulder. "\'what papers? what sundial?\' he asked. "\'the sundial in the gar', 'ad, peeping over his shoulder. "\'what papers? what sundial?\' he asked. "\'the sundial in the garden. ', 'eeping over his shoulder. "\'what papers? what sundial?\' he asked. "\'the sundial in the garden. there', 'g over his shoulder. "\'what papers? what sundial?\' he asked. "\'the sundial in the garden. there is n', 'r his shoulder. "\'what papers? what sundial?\' he asked. "\'the sundial in the garden. there is no oth', ' shoulder. "\'what papers? what sundial?\' he asked. "\'the sundial in the garden. there is no other,\' ', 'lder. "\'what papers? what sundial?\' he asked. "\'the sundial in the garden. there is no other,\' said ', ' "\'what papers? what sundial?\' he asked. "\'the sundial in the garden. there is no other,\' said i; \'b', 'at papers? what sundial?\' he asked. "\'the sundial in the garden. there is no other,\' said i; \'but th', 'pers? what sundial?\' he asked. "\'the sundial in the garden. there is no other,\' said i; \'but the pap', ' what sundial?\' he asked. "\'the sundial in the garden. there is no other,\' said i; \'but the papers m', ' sundial?\' he asked. "\'the sundial in the garden. there is no other,\' said i; \'but the papers must b', 'ial?\' he asked. "\'the sundial in the garden. there is no other,\' said i; \'but the papers must be tho', ' he asked. "\'the sundial in the garden. there is no other,\' said i; \'but the papers must be those th', 'sked. "\'the sundial in the garden. there is no other,\' said i; \'but the papers must be those that ar', ' "\'the sundial in the garden. there is no other,\' said i; \'but the papers must be those that are des', "e sundial in the garden. there is no other,' said i; 'but the papers must be those that are destroye", 'dial in the garden. there is no other,\' said i; \'but the papers must be those that are destroyed.\' "', 'in the garden. there is no other,\' said i; \'but the papers must be those that are destroyed.\' "\'pooh', 'e garden. there is no other,\' said i; \'but the papers must be those that are destroyed.\' "\'pooh said', 'den. there is no other,\' said i; \'but the papers must be those that are destroyed.\' "\'pooh said he, ', 'there is no other,\' said i; \'but the papers must be those that are destroyed.\' "\'pooh said he, gripp', ' is no other,\' said i; \'but the papers must be those that are destroyed.\' "\'pooh said he, gripping h', 'o other,\' said i; \'but the papers must be those that are destroyed.\' "\'pooh said he, gripping hard a', 'er,\' said i; \'but the papers must be those that are destroyed.\' "\'pooh said he, gripping hard at his', 'said i; \'but the papers must be those that are destroyed.\' "\'pooh said he, gripping hard at his cour', 'i; \'but the papers must be those that are destroyed.\' "\'pooh said he, gripping hard at his courage. ', 'ut the papers must be those that are destroyed.\' "\'pooh said he, gripping hard at his courage. \'we a', 'e papers must be those that are destroyed.\' "\'pooh said he, gripping hard at his courage. \'we are in', 'ers must be those that are destroyed.\' "\'pooh said he, gripping hard at his courage. \'we are in a ci', 'ust be those that are destroyed.\' "\'pooh said he, gripping hard at his courage. \'we are in a civilis', 'e those that are destroyed.\' "\'pooh said he, gripping hard at his courage. \'we are in a civilised la', 'se that are destroyed.\' "\'pooh said he, gripping hard at his courage. \'we are in a civilised land he', 'at are destroyed.\' "\'pooh said he, gripping hard at his courage. \'we are in a civilised land here, a', 'e destroyed.\' "\'pooh said he, gripping hard at his courage. \'we are in a civilised land here, and we', 'troyed.\' "\'pooh said he, gripping hard at his courage. \'we are in a civilised land here, and we can\'', 'd.\' "\'pooh said he, gripping hard at his courage. \'we are in a civilised land here, and we can\'t hav', "'pooh said he, gripping hard at his courage. 'we are in a civilised land here, and we can't have tom", " said he, gripping hard at his courage. 'we are in a civilised land here, and we can't have tomfoole", " he, gripping hard at his courage. 'we are in a civilised land here, and we can't have tomfoolery of", "gripping hard at his courage. 'we are in a civilised land here, and we can't have tomfoolery of this", "ing hard at his courage. 'we are in a civilised land here, and we can't have tomfoolery of this kind", "ard at his courage. 'we are in a civilised land here, and we can't have tomfoolery of this kind. whe", "t his courage. 'we are in a civilised land here, and we can't have tomfoolery of this kind. where do", " courage. 'we are in a civilised land here, and we can't have tomfoolery of this kind. where does th", "age. 'we are in a civilised land here, and we can't have tomfoolery of this kind. where does the thi", "'we are in a civilised land here, and we can't have tomfoolery of this kind. where does the thing co", "re in a civilised land here, and we can't have tomfoolery of this kind. where does the thing come fr", " a civilised land here, and we can't have tomfoolery of this kind. where does the thing come from?' ", 'vilised land here, and we can\'t have tomfoolery of this kind. where does the thing come from?\' "\'fro', 'ed land here, and we can\'t have tomfoolery of this kind. where does the thing come from?\' "\'from dun', 'nd here, and we can\'t have tomfoolery of this kind. where does the thing come from?\' "\'from dundee,\'', 're, and we can\'t have tomfoolery of this kind. where does the thing come from?\' "\'from dundee,\' i an', 'nd we can\'t have tomfoolery of this kind. where does the thing come from?\' "\'from dundee,\' i answere', ' can\'t have tomfoolery of this kind. where does the thing come from?\' "\'from dundee,\' i answered, gl', 't have tomfoolery of this kind. where does the thing come from?\' "\'from dundee,\' i answered, glancin', 'e tomfoolery of this kind. where does the thing come from?\' "\'from dundee,\' i answered, glancing at ', 'foolery of this kind. where does the thing come from?\' "\'from dundee,\' i answered, glancing at the p', 'ry of this kind. where does the thing come from?\' "\'from dundee,\' i answered, glancing at the postma', ' this kind. where does the thing come from?\' "\'from dundee,\' i answered, glancing at the postmark. "', ' kind. where does the thing come from?\' "\'from dundee,\' i answered, glancing at the postmark. "\'some', '. where does the thing come from?\' "\'from dundee,\' i answered, glancing at the postmark. "\'some prep', 're does the thing come from?\' "\'from dundee,\' i answered, glancing at the postmark. "\'some preposter', 'es the thing come from?\' "\'from dundee,\' i answered, glancing at the postmark. "\'some preposterous p', 'e thing come from?\' "\'from dundee,\' i answered, glancing at the postmark. "\'some preposterous practi', 'ng come from?\' "\'from dundee,\' i answered, glancing at the postmark. "\'some preposterous practical j', 'me from?\' "\'from dundee,\' i answered, glancing at the postmark. "\'some preposterous practical joke,\'', 'om?\' "\'from dundee,\' i answered, glancing at the postmark. "\'some preposterous practical joke,\' said', '"\'from dundee,\' i answered, glancing at the postmark. "\'some preposterous practical joke,\' said he. ', 'm dundee,\' i answered, glancing at the postmark. "\'some preposterous practical joke,\' said he. \'what', 'dee,\' i answered, glancing at the postmark. "\'some preposterous practical joke,\' said he. \'what have', ' i answered, glancing at the postmark. "\'some preposterous practical joke,\' said he. \'what have i to', 'swered, glancing at the postmark. "\'some preposterous practical joke,\' said he. \'what have i to do w', 'd, glancing at the postmark. "\'some preposterous practical joke,\' said he. \'what have i to do with s', 'ancing at the postmark. "\'some preposterous practical joke,\' said he. \'what have i to do with sundia', 'g at the postmark. "\'some preposterous practical joke,\' said he. \'what have i to do with sundials an', 'the postmark. "\'some preposterous practical joke,\' said he. \'what have i to do with sundials and pap', 'ostmark. "\'some preposterous practical joke,\' said he. \'what have i to do with sundials and papers? ', 'rk. "\'some preposterous practical joke,\' said he. \'what have i to do with sundials and papers? i sha', "'some preposterous practical joke,' said he. 'what have i to do with sundials and papers? i shall ta", " preposterous practical joke,' said he. 'what have i to do with sundials and papers? i shall take no", "osterous practical joke,' said he. 'what have i to do with sundials and papers? i shall take no noti", "ous practical joke,' said he. 'what have i to do with sundials and papers? i shall take no notice of", "ractical joke,' said he. 'what have i to do with sundials and papers? i shall take no notice of such", "cal joke,' said he. 'what have i to do with sundials and papers? i shall take no notice of such nons", "oke,' said he. 'what have i to do with sundials and papers? i shall take no notice of such nonsense.", ' said he. \'what have i to do with sundials and papers? i shall take no notice of such nonsense.\' "\'i', ' he. \'what have i to do with sundials and papers? i shall take no notice of such nonsense.\' "\'i shou', '\'what have i to do with sundials and papers? i shall take no notice of such nonsense.\' "\'i should ce', ' have i to do with sundials and papers? i shall take no notice of such nonsense.\' "\'i should certain', ' i to do with sundials and papers? i shall take no notice of such nonsense.\' "\'i should certainly sp', ' do with sundials and papers? i shall take no notice of such nonsense.\' "\'i should certainly speak t', 'ith sundials and papers? i shall take no notice of such nonsense.\' "\'i should certainly speak to the', 'undials and papers? i shall take no notice of such nonsense.\' "\'i should certainly speak to the poli', 'ls and papers? i shall take no notice of such nonsense.\' "\'i should certainly speak to the police,\' ', 'd papers? i shall take no notice of such nonsense.\' "\'i should certainly speak to the police,\' i sai', 'ers? i shall take no notice of such nonsense.\' "\'i should certainly speak to the police,\' i said. "\'', 'i shall take no notice of such nonsense.\' "\'i should certainly speak to the police,\' i said. "\'and b', 'll take no notice of such nonsense.\' "\'i should certainly speak to the police,\' i said. "\'and be lau', 'ke no notice of such nonsense.\' "\'i should certainly speak to the police,\' i said. "\'and be laughed ', ' notice of such nonsense.\' "\'i should certainly speak to the police,\' i said. "\'and be laughed at fo', 'ce of such nonsense.\' "\'i should certainly speak to the police,\' i said. "\'and be laughed at for my ', ' such nonsense.\' "\'i should certainly speak to the police,\' i said. "\'and be laughed at for my pains', ' nonsense.\' "\'i should certainly speak to the police,\' i said. "\'and be laughed at for my pains. not', 'ense.\' "\'i should certainly speak to the police,\' i said. "\'and be laughed at for my pains. nothing ', '\' "\'i should certainly speak to the police,\' i said. "\'and be laughed at for my pains. nothing of th', ' should certainly speak to the police,\' i said. "\'and be laughed at for my pains. nothing of the sor', 'ld certainly speak to the police,\' i said. "\'and be laughed at for my pains. nothing of the sort.\' "', 'rtainly speak to the police,\' i said. "\'and be laughed at for my pains. nothing of the sort.\' "\'then', 'ly speak to the police,\' i said. "\'and be laughed at for my pains. nothing of the sort.\' "\'then let ', 'eak to the police,\' i said. "\'and be laughed at for my pains. nothing of the sort.\' "\'then let me do', 'o the police,\' i said. "\'and be laughed at for my pains. nothing of the sort.\' "\'then let me do so?\'', ' police,\' i said. "\'and be laughed at for my pains. nothing of the sort.\' "\'then let me do so?\' "\'no', 'ce,\' i said. "\'and be laughed at for my pains. nothing of the sort.\' "\'then let me do so?\' "\'no, i f', 'i said. "\'and be laughed at for my pains. nothing of the sort.\' "\'then let me do so?\' "\'no, i forbid', 'd. "\'and be laughed at for my pains. nothing of the sort.\' "\'then let me do so?\' "\'no, i forbid you.', 'and be laughed at for my pains. nothing of the sort.\' "\'then let me do so?\' "\'no, i forbid you. i wo', 'e laughed at for my pains. nothing of the sort.\' "\'then let me do so?\' "\'no, i forbid you. i won\'t h', 'ghed at for my pains. nothing of the sort.\' "\'then let me do so?\' "\'no, i forbid you. i won\'t have a', 'at for my pains. nothing of the sort.\' "\'then let me do so?\' "\'no, i forbid you. i won\'t have a fuss', 'r my pains. nothing of the sort.\' "\'then let me do so?\' "\'no, i forbid you. i won\'t have a fuss made', 'pains. nothing of the sort.\' "\'then let me do so?\' "\'no, i forbid you. i won\'t have a fuss made abou', '. nothing of the sort.\' "\'then let me do so?\' "\'no, i forbid you. i won\'t have a fuss made about suc', 'hing of the sort.\' "\'then let me do so?\' "\'no, i forbid you. i won\'t have a fuss made about such non', 'of the sort.\' "\'then let me do so?\' "\'no, i forbid you. i won\'t have a fuss made about such nonsense', 'e sort.\' "\'then let me do so?\' "\'no, i forbid you. i won\'t have a fuss made about such nonsense.\' "i', 't.\' "\'then let me do so?\' "\'no, i forbid you. i won\'t have a fuss made about such nonsense.\' "it was', '\'then let me do so?\' "\'no, i forbid you. i won\'t have a fuss made about such nonsense.\' "it was in v', ' let me do so?\' "\'no, i forbid you. i won\'t have a fuss made about such nonsense.\' "it was in vain t', 'me do so?\' "\'no, i forbid you. i won\'t have a fuss made about such nonsense.\' "it was in vain to arg', ' so?\' "\'no, i forbid you. i won\'t have a fuss made about such nonsense.\' "it was in vain to argue wi', ' "\'no, i forbid you. i won\'t have a fuss made about such nonsense.\' "it was in vain to argue with hi', ', i forbid you. i won\'t have a fuss made about such nonsense.\' "it was in vain to argue with him, fo', 'orbid you. i won\'t have a fuss made about such nonsense.\' "it was in vain to argue with him, for he ', ' you. i won\'t have a fuss made about such nonsense.\' "it was in vain to argue with him, for he was a', ' i won\'t have a fuss made about such nonsense.\' "it was in vain to argue with him, for he was a very', 'n\'t have a fuss made about such nonsense.\' "it was in vain to argue with him, for he was a very obst', 'ave a fuss made about such nonsense.\' "it was in vain to argue with him, for he was a very obstinate', ' fuss made about such nonsense.\' "it was in vain to argue with him, for he was a very obstinate man.', ' made about such nonsense.\' "it was in vain to argue with him, for he was a very obstinate man. i we', ' about such nonsense.\' "it was in vain to argue with him, for he was a very obstinate man. i went ab', 't such nonsense.\' "it was in vain to argue with him, for he was a very obstinate man. i went about, ', 'h nonsense.\' "it was in vain to argue with him, for he was a very obstinate man. i went about, howev', 'sense.\' "it was in vain to argue with him, for he was a very obstinate man. i went about, however, w', '.\' "it was in vain to argue with him, for he was a very obstinate man. i went about, however, with a', 't was in vain to argue with him, for he was a very obstinate man. i went about, however, with a hear', ' in vain to argue with him, for he was a very obstinate man. i went about, however, with a heart whi', 'ain to argue with him, for he was a very obstinate man. i went about, however, with a heart which wa', 'o argue with him, for he was a very obstinate man. i went about, however, with a heart which was ful', 'ue with him, for he was a very obstinate man. i went about, however, with a heart which was full of ', 'th him, for he was a very obstinate man. i went about, however, with a heart which was full of foreb', 'm, for he was a very obstinate man. i went about, however, with a heart which was full of foreboding', 'r he was a very obstinate man. i went about, however, with a heart which was full of forebodings. "o', 'was a very obstinate man. i went about, however, with a heart which was full of forebodings. "on the', ' very obstinate man. i went about, however, with a heart which was full of forebodings. "on the thir', ' obstinate man. i went about, however, with a heart which was full of forebodings. "on the third day', 'inate man. i went about, however, with a heart which was full of forebodings. "on the third day afte', ' man. i went about, however, with a heart which was full of forebodings. "on the third day after the', ' i went about, however, with a heart which was full of forebodings. "on the third day after the comi', 'nt about, however, with a heart which was full of forebodings. "on the third day after the coming of', 'out, however, with a heart which was full of forebodings. "on the third day after the coming of the ', 'however, with a heart which was full of forebodings. "on the third day after the coming of the lette', 'er, with a heart which was full of forebodings. "on the third day after the coming of the letter my ', 'ith a heart which was full of forebodings. "on the third day after the coming of the letter my fathe', ' heart which was full of forebodings. "on the third day after the coming of the letter my father wen', 't which was full of forebodings. "on the third day after the coming of the letter my father went fro', 'ch was full of forebodings. "on the third day after the coming of the letter my father went from hom', 's full of forebodings. "on the third day after the coming of the letter my father went from home to ', 'l of forebodings. "on the third day after the coming of the letter my father went from home to visit', 'forebodings. "on the third day after the coming of the letter my father went from home to visit an o', 'odings. "on the third day after the coming of the letter my father went from home to visit an old fr', 's. "on the third day after the coming of the letter my father went from home to visit an old friend ', 'n the third day after the coming of the letter my father went from home to visit an old friend of hi', ' third day after the coming of the letter my father went from home to visit an old friend of his, ma', 'd day after the coming of the letter my father went from home to visit an old friend of his, major f', ' after the coming of the letter my father went from home to visit an old friend of his, major freebo', 'r the coming of the letter my father went from home to visit an old friend of his, major freebody, w', ' coming of the letter my father went from home to visit an old friend of his, major freebody, who is', 'ng of the letter my father went from home to visit an old friend of his, major freebody, who is in c', ' the letter my father went from home to visit an old friend of his, major freebody, who is in comman', 'letter my father went from home to visit an old friend of his, major freebody, who is in command of ', 'r my father went from home to visit an old friend of his, major freebody, who is in command of one o', 'father went from home to visit an old friend of his, major freebody, who is in command of one of the', 'r went from home to visit an old friend of his, major freebody, who is in command of one of the fort', 't from home to visit an old friend of his, major freebody, who is in command of one of the forts upo', 'm home to visit an old friend of his, major freebody, who is in command of one of the forts upon por', 'e to visit an old friend of his, major freebody, who is in command of one of the forts upon portsdow', 'visit an old friend of his, major freebody, who is in command of one of the forts upon portsdown hil', ' an old friend of his, major freebody, who is in command of one of the forts upon portsdown hill. i ', 'ld friend of his, major freebody, who is in command of one of the forts upon portsdown hill. i was g', 'iend of his, major freebody, who is in command of one of the forts upon portsdown hill. i was glad t', 'of his, major freebody, who is in command of one of the forts upon portsdown hill. i was glad that h', 's, major freebody, who is in command of one of the forts upon portsdown hill. i was glad that he sho', 'jor freebody, who is in command of one of the forts upon portsdown hill. i was glad that he should g', 'reebody, who is in command of one of the forts upon portsdown hill. i was glad that he should go, fo', 'dy, who is in command of one of the forts upon portsdown hill. i was glad that he should go, for it ', 'ho is in command of one of the forts upon portsdown hill. i was glad that he should go, for it seeme', ' in command of one of the forts upon portsdown hill. i was glad that he should go, for it seemed to ', 'ommand of one of the forts upon portsdown hill. i was glad that he should go, for it seemed to me th', 'd of one of the forts upon portsdown hill. i was glad that he should go, for it seemed to me that he', 'one of the forts upon portsdown hill. i was glad that he should go, for it seemed to me that he was ', 'f the forts upon portsdown hill. i was glad that he should go, for it seemed to me that he was farth', ' forts upon portsdown hill. i was glad that he should go, for it seemed to me that he was farther fr', 's upon portsdown hill. i was glad that he should go, for it seemed to me that he was farther from da', 'n portsdown hill. i was glad that he should go, for it seemed to me that he was farther from danger ', 'tsdown hill. i was glad that he should go, for it seemed to me that he was farther from danger when ', 'n hill. i was glad that he should go, for it seemed to me that he was farther from danger when he wa', 'l. i was glad that he should go, for it seemed to me that he was farther from danger when he was awa', 'was glad that he should go, for it seemed to me that he was farther from danger when he was away fro', 'lad that he should go, for it seemed to me that he was farther from danger when he was away from hom', 'hat he should go, for it seemed to me that he was farther from danger when he was away from home. in', 'e should go, for it seemed to me that he was farther from danger when he was away from home. in that', 'uld go, for it seemed to me that he was farther from danger when he was away from home. in that, how', 'o, for it seemed to me that he was farther from danger when he was away from home. in that, however,', 'r it seemed to me that he was farther from danger when he was away from home. in that, however, i wa', 'seemed to me that he was farther from danger when he was away from home. in that, however, i was in ', 'd to me that he was farther from danger when he was away from home. in that, however, i was in error', 'me that he was farther from danger when he was away from home. in that, however, i was in error. upo', 'at he was farther from danger when he was away from home. in that, however, i was in error. upon the', ' was farther from danger when he was away from home. in that, however, i was in error. upon the seco', 'farther from danger when he was away from home. in that, however, i was in error. upon the second da', 'er from danger when he was away from home. in that, however, i was in error. upon the second day of ', 'om danger when he was away from home. in that, however, i was in error. upon the second day of his a', 'nger when he was away from home. in that, however, i was in error. upon the second day of his absenc', 'when he was away from home. in that, however, i was in error. upon the second day of his absence i r', 'he was away from home. in that, however, i was in error. upon the second day of his absence i receiv', 's away from home. in that, however, i was in error. upon the second day of his absence i received a ', 'y from home. in that, however, i was in error. upon the second day of his absence i received a teleg', 'm home. in that, however, i was in error. upon the second day of his absence i received a telegram f', 'e. in that, however, i was in error. upon the second day of his absence i received a telegram from t', ' that, however, i was in error. upon the second day of his absence i received a telegram from the ma', ', however, i was in error. upon the second day of his absence i received a telegram from the major, ', 'ever, i was in error. upon the second day of his absence i received a telegram from the major, implo', ' i was in error. upon the second day of his absence i received a telegram from the major, imploring ', 's in error. upon the second day of his absence i received a telegram from the major, imploring me to', 'error. upon the second day of his absence i received a telegram from the major, imploring me to come', '. upon the second day of his absence i received a telegram from the major, imploring me to come at o', 'n the second day of his absence i received a telegram from the major, imploring me to come at once. ', ' second day of his absence i received a telegram from the major, imploring me to come at once. my fa', 'nd day of his absence i received a telegram from the major, imploring me to come at once. my father ', 'y of his absence i received a telegram from the major, imploring me to come at once. my father had f', 'his absence i received a telegram from the major, imploring me to come at once. my father had fallen', 'bsence i received a telegram from the major, imploring me to come at once. my father had fallen over', 'e i received a telegram from the major, imploring me to come at once. my father had fallen over one ', 'eceived a telegram from the major, imploring me to come at once. my father had fallen over one of th', 'ed a telegram from the major, imploring me to come at once. my father had fallen over one of the dee', 'telegram from the major, imploring me to come at once. my father had fallen over one of the deep cha', 'ram from the major, imploring me to come at once. my father had fallen over one of the deep chalk-pi', 'rom the major, imploring me to come at once. my father had fallen over one of the deep chalk-pits wh', 'he major, imploring me to come at once. my father had fallen over one of the deep chalk-pits which a', 'jor, imploring me to come at once. my father had fallen over one of the deep chalk-pits which abound', 'imploring me to come at once. my father had fallen over one of the deep chalk-pits which abound in t', 'ring me to come at once. my father had fallen over one of the deep chalk-pits which abound in the ne', 'me to come at once. my father had fallen over one of the deep chalk-pits which abound in the neighbo', ' come at once. my father had fallen over one of the deep chalk-pits which abound in the neighbourhoo', ' at once. my father had fallen over one of the deep chalk-pits which abound in the neighbourhood, an', 'nce. my father had fallen over one of the deep chalk-pits which abound in the neighbourhood, and was', 'my father had fallen over one of the deep chalk-pits which abound in the neighbourhood, and was lyin', 'ther had fallen over one of the deep chalk-pits which abound in the neighbourhood, and was lying sen', 'had fallen over one of the deep chalk-pits which abound in the neighbourhood, and was lying senseles', 'allen over one of the deep chalk-pits which abound in the neighbourhood, and was lying senseless, wi', ' over one of the deep chalk-pits which abound in the neighbourhood, and was lying senseless, with a ', ' one of the deep chalk-pits which abound in the neighbourhood, and was lying senseless, with a shatt', 'of the deep chalk-pits which abound in the neighbourhood, and was lying senseless, with a shattered ', 'e deep chalk-pits which abound in the neighbourhood, and was lying senseless, with a shattered skull', 'p chalk-pits which abound in the neighbourhood, and was lying senseless, with a shattered skull. i h', 'lk-pits which abound in the neighbourhood, and was lying senseless, with a shattered skull. i hurrie', 'ts which abound in the neighbourhood, and was lying senseless, with a shattered skull. i hurried to ', 'ich abound in the neighbourhood, and was lying senseless, with a shattered skull. i hurried to him, ', 'bound in the neighbourhood, and was lying senseless, with a shattered skull. i hurried to him, but h', ' in the neighbourhood, and was lying senseless, with a shattered skull. i hurried to him, but he pas', 'he neighbourhood, and was lying senseless, with a shattered skull. i hurried to him, but he passed a', 'ighbourhood, and was lying senseless, with a shattered skull. i hurried to him, but he passed away w', 'urhood, and was lying senseless, with a shattered skull. i hurried to him, but he passed away withou', 'd, and was lying senseless, with a shattered skull. i hurried to him, but he passed away without hav', 'd was lying senseless, with a shattered skull. i hurried to him, but he passed away without having e', ' lying senseless, with a shattered skull. i hurried to him, but he passed away without having ever r', 'g senseless, with a shattered skull. i hurried to him, but he passed away without having ever recove', 'seless, with a shattered skull. i hurried to him, but he passed away without having ever recovered h', 's, with a shattered skull. i hurried to him, but he passed away without having ever recovered his co', 'th a shattered skull. i hurried to him, but he passed away without having ever recovered his conscio', 'shattered skull. i hurried to him, but he passed away without having ever recovered his consciousnes', 'ered skull. i hurried to him, but he passed away without having ever recovered his consciousness. he', 'skull. i hurried to him, but he passed away without having ever recovered his consciousness. he had,', '. i hurried to him, but he passed away without having ever recovered his consciousness. he had, as i', 'urried to him, but he passed away without having ever recovered his consciousness. he had, as it app', 'd to him, but he passed away without having ever recovered his consciousness. he had, as it appears,', 'him, but he passed away without having ever recovered his consciousness. he had, as it appears, been', 'but he passed away without having ever recovered his consciousness. he had, as it appears, been retu', 'e passed away without having ever recovered his consciousness. he had, as it appears, been returning', 'sed away without having ever recovered his consciousness. he had, as it appears, been returning from', 'way without having ever recovered his consciousness. he had, as it appears, been returning from fare', 'ithout having ever recovered his consciousness. he had, as it appears, been returning from fareham i', 't having ever recovered his consciousness. he had, as it appears, been returning from fareham in the', 'ing ever recovered his consciousness. he had, as it appears, been returning from fareham in the twil', 'ver recovered his consciousness. he had, as it appears, been returning from fareham in the twilight,', 'ecovered his consciousness. he had, as it appears, been returning from fareham in the twilight, and ', 'red his consciousness. he had, as it appears, been returning from fareham in the twilight, and as th', 'is consciousness. he had, as it appears, been returning from fareham in the twilight, and as the cou', 'nsciousness. he had, as it appears, been returning from fareham in the twilight, and as the country ', 'usness. he had, as it appears, been returning from fareham in the twilight, and as the country was u', 's. he had, as it appears, been returning from fareham in the twilight, and as the country was unknow', ' had, as it appears, been returning from fareham in the twilight, and as the country was unknown to ', ' as it appears, been returning from fareham in the twilight, and as the country was unknown to him, ', 't appears, been returning from fareham in the twilight, and as the country was unknown to him, and t', 'ears, been returning from fareham in the twilight, and as the country was unknown to him, and the ch', ' been returning from fareham in the twilight, and as the country was unknown to him, and the chalk-p', ' returning from fareham in the twilight, and as the country was unknown to him, and the chalk-pit un', 'rning from fareham in the twilight, and as the country was unknown to him, and the chalk-pit unfence', ' from fareham in the twilight, and as the country was unknown to him, and the chalk-pit unfenced, th', ' fareham in the twilight, and as the country was unknown to him, and the chalk-pit unfenced, the jur', 'ham in the twilight, and as the country was unknown to him, and the chalk-pit unfenced, the jury had', 'n the twilight, and as the country was unknown to him, and the chalk-pit unfenced, the jury had no h', ' twilight, and as the country was unknown to him, and the chalk-pit unfenced, the jury had no hesita', 'ight, and as the country was unknown to him, and the chalk-pit unfenced, the jury had no hesitation ', ' and as the country was unknown to him, and the chalk-pit unfenced, the jury had no hesitation in br', 'as the country was unknown to him, and the chalk-pit unfenced, the jury had no hesitation in bringin', 'e country was unknown to him, and the chalk-pit unfenced, the jury had no hesitation in bringing in ', 'ntry was unknown to him, and the chalk-pit unfenced, the jury had no hesitation in bringing in a ver', 'was unknown to him, and the chalk-pit unfenced, the jury had no hesitation in bringing in a verdict ', "nknown to him, and the chalk-pit unfenced, the jury had no hesitation in bringing in a verdict of 'd", "n to him, and the chalk-pit unfenced, the jury had no hesitation in bringing in a verdict of 'death ", "him, and the chalk-pit unfenced, the jury had no hesitation in bringing in a verdict of 'death from ", "and the chalk-pit unfenced, the jury had no hesitation in bringing in a verdict of 'death from accid", "he chalk-pit unfenced, the jury had no hesitation in bringing in a verdict of 'death from accidental", "alk-pit unfenced, the jury had no hesitation in bringing in a verdict of 'death from accidental caus", "it unfenced, the jury had no hesitation in bringing in a verdict of 'death from accidental causes.' ", "fenced, the jury had no hesitation in bringing in a verdict of 'death from accidental causes.' caref", "d, the jury had no hesitation in bringing in a verdict of 'death from accidental causes.' carefully ", "e jury had no hesitation in bringing in a verdict of 'death from accidental causes.' carefully as i ", "y had no hesitation in bringing in a verdict of 'death from accidental causes.' carefully as i exami", " no hesitation in bringing in a verdict of 'death from accidental causes.' carefully as i examined e", "esitation in bringing in a verdict of 'death from accidental causes.' carefully as i examined every ", "tion in bringing in a verdict of 'death from accidental causes.' carefully as i examined every fact ", "in bringing in a verdict of 'death from accidental causes.' carefully as i examined every fact conne", "inging in a verdict of 'death from accidental causes.' carefully as i examined every fact connected ", "g in a verdict of 'death from accidental causes.' carefully as i examined every fact connected with ", "a verdict of 'death from accidental causes.' carefully as i examined every fact connected with his d", "dict of 'death from accidental causes.' carefully as i examined every fact connected with his death,", "of 'death from accidental causes.' carefully as i examined every fact connected with his death, i wa", "eath from accidental causes.' carefully as i examined every fact connected with his death, i was una", "from accidental causes.' carefully as i examined every fact connected with his death, i was unable t", "accidental causes.' carefully as i examined every fact connected with his death, i was unable to fin", "ental causes.' carefully as i examined every fact connected with his death, i was unable to find any", " causes.' carefully as i examined every fact connected with his death, i was unable to find anything", "es.' carefully as i examined every fact connected with his death, i was unable to find anything whic", 'carefully as i examined every fact connected with his death, i was unable to find anything which cou', 'ully as i examined every fact connected with his death, i was unable to find anything which could su', 'as i examined every fact connected with his death, i was unable to find anything which could suggest', 'examined every fact connected with his death, i was unable to find anything which could suggest the ', 'ned every fact connected with his death, i was unable to find anything which could suggest the idea ', 'very fact connected with his death, i was unable to find anything which could suggest the idea of mu', 'fact connected with his death, i was unable to find anything which could suggest the idea of murder.', 'connected with his death, i was unable to find anything which could suggest the idea of murder. ther', 'cted with his death, i was unable to find anything which could suggest the idea of murder. there wer', 'with his death, i was unable to find anything which could suggest the idea of murder. there were no ', 'his death, i was unable to find anything which could suggest the idea of murder. there were no signs', 'eath, i was unable to find anything which could suggest the idea of murder. there were no signs of v', ' i was unable to find anything which could suggest the idea of murder. there were no signs of violen', 's unable to find anything which could suggest the idea of murder. there were no signs of violence, n', 'ble to find anything which could suggest the idea of murder. there were no signs of violence, no foo', 'o find anything which could suggest the idea of murder. there were no signs of violence, no footmark', 'd anything which could suggest the idea of murder. there were no signs of violence, no footmarks, no', 'thing which could suggest the idea of murder. there were no signs of violence, no footmarks, no robb', ' which could suggest the idea of murder. there were no signs of violence, no footmarks, no robbery, ', 'h could suggest the idea of murder. there were no signs of violence, no footmarks, no robbery, no re', 'ld suggest the idea of murder. there were no signs of violence, no footmarks, no robbery, no record ', 'ggest the idea of murder. there were no signs of violence, no footmarks, no robbery, no record of st', ' the idea of murder. there were no signs of violence, no footmarks, no robbery, no record of strange', 'idea of murder. there were no signs of violence, no footmarks, no robbery, no record of strangers ha', 'of murder. there were no signs of violence, no footmarks, no robbery, no record of strangers having ', 'rder. there were no signs of violence, no footmarks, no robbery, no record of strangers having been ', ' there were no signs of violence, no footmarks, no robbery, no record of strangers having been seen ', 'e were no signs of violence, no footmarks, no robbery, no record of strangers having been seen upon ', 'e no signs of violence, no footmarks, no robbery, no record of strangers having been seen upon the r', 'signs of violence, no footmarks, no robbery, no record of strangers having been seen upon the roads.', ' of violence, no footmarks, no robbery, no record of strangers having been seen upon the roads. and ', 'iolence, no footmarks, no robbery, no record of strangers having been seen upon the roads. and yet i', 'ce, no footmarks, no robbery, no record of strangers having been seen upon the roads. and yet i need', 'o footmarks, no robbery, no record of strangers having been seen upon the roads. and yet i need not ', 'tmarks, no robbery, no record of strangers having been seen upon the roads. and yet i need not tell ', 's, no robbery, no record of strangers having been seen upon the roads. and yet i need not tell you t', ' robbery, no record of strangers having been seen upon the roads. and yet i need not tell you that m', 'ery, no record of strangers having been seen upon the roads. and yet i need not tell you that my min', 'no record of strangers having been seen upon the roads. and yet i need not tell you that my mind was', 'cord of strangers having been seen upon the roads. and yet i need not tell you that my mind was far ', 'of strangers having been seen upon the roads. and yet i need not tell you that my mind was far from ', 'rangers having been seen upon the roads. and yet i need not tell you that my mind was far from at ea', 'rs having been seen upon the roads. and yet i need not tell you that my mind was far from at ease, a', 'ving been seen upon the roads. and yet i need not tell you that my mind was far from at ease, and th', 'been seen upon the roads. and yet i need not tell you that my mind was far from at ease, and that i ', 'seen upon the roads. and yet i need not tell you that my mind was far from at ease, and that i was w', 'upon the roads. and yet i need not tell you that my mind was far from at ease, and that i was well-n', 'the roads. and yet i need not tell you that my mind was far from at ease, and that i was well-nigh c', 'oads. and yet i need not tell you that my mind was far from at ease, and that i was well-nigh certai', ' and yet i need not tell you that my mind was far from at ease, and that i was well-nigh certain tha', 'yet i need not tell you that my mind was far from at ease, and that i was well-nigh certain that som', ' need not tell you that my mind was far from at ease, and that i was well-nigh certain that some fou', ' not tell you that my mind was far from at ease, and that i was well-nigh certain that some foul plo', 'tell you that my mind was far from at ease, and that i was well-nigh certain that some foul plot had', 'you that my mind was far from at ease, and that i was well-nigh certain that some foul plot had been', 'hat my mind was far from at ease, and that i was well-nigh certain that some foul plot had been wove', 'y mind was far from at ease, and that i was well-nigh certain that some foul plot had been woven rou', 'd was far from at ease, and that i was well-nigh certain that some foul plot had been woven round hi', ' far from at ease, and that i was well-nigh certain that some foul plot had been woven round him. "i', 'from at ease, and that i was well-nigh certain that some foul plot had been woven round him. "in thi', 'at ease, and that i was well-nigh certain that some foul plot had been woven round him. "in this sin', 'se, and that i was well-nigh certain that some foul plot had been woven round him. "in this sinister', 'nd that i was well-nigh certain that some foul plot had been woven round him. "in this sinister way ', 'at i was well-nigh certain that some foul plot had been woven round him. "in this sinister way i cam', 'was well-nigh certain that some foul plot had been woven round him. "in this sinister way i came int', 'ell-nigh certain that some foul plot had been woven round him. "in this sinister way i came into my ', 'igh certain that some foul plot had been woven round him. "in this sinister way i came into my inher', 'ertain that some foul plot had been woven round him. "in this sinister way i came into my inheritanc', 'n that some foul plot had been woven round him. "in this sinister way i came into my inheritance. yo', 't some foul plot had been woven round him. "in this sinister way i came into my inheritance. you wil', 'e foul plot had been woven round him. "in this sinister way i came into my inheritance. you will ask', 'l plot had been woven round him. "in this sinister way i came into my inheritance. you will ask me w', 't had been woven round him. "in this sinister way i came into my inheritance. you will ask me why i ', ' been woven round him. "in this sinister way i came into my inheritance. you will ask me why i did n', ' woven round him. "in this sinister way i came into my inheritance. you will ask me why i did not di', 'n round him. "in this sinister way i came into my inheritance. you will ask me why i did not dispose', 'nd him. "in this sinister way i came into my inheritance. you will ask me why i did not dispose of i', 'm. "in this sinister way i came into my inheritance. you will ask me why i did not dispose of it? i ', 'n this sinister way i came into my inheritance. you will ask me why i did not dispose of it? i answe', 's sinister way i came into my inheritance. you will ask me why i did not dispose of it? i answer, be', 'ister way i came into my inheritance. you will ask me why i did not dispose of it? i answer, because', ' way i came into my inheritance. you will ask me why i did not dispose of it? i answer, because i wa', 'i came into my inheritance. you will ask me why i did not dispose of it? i answer, because i was wel', 'e into my inheritance. you will ask me why i did not dispose of it? i answer, because i was well con', 'o my inheritance. you will ask me why i did not dispose of it? i answer, because i was well convince', 'inheritance. you will ask me why i did not dispose of it? i answer, because i was well convinced tha', 'itance. you will ask me why i did not dispose of it? i answer, because i was well convinced that our', 'e. you will ask me why i did not dispose of it? i answer, because i was well convinced that our trou', 'u will ask me why i did not dispose of it? i answer, because i was well convinced that our troubles ', 'l ask me why i did not dispose of it? i answer, because i was well convinced that our troubles were ', ' me why i did not dispose of it? i answer, because i was well convinced that our troubles were in so', 'hy i did not dispose of it? i answer, because i was well convinced that our troubles were in some wa', 'did not dispose of it? i answer, because i was well convinced that our troubles were in some way dep', 'ot dispose of it? i answer, because i was well convinced that our troubles were in some way dependen', 'spose of it? i answer, because i was well convinced that our troubles were in some way dependent upo', ' of it? i answer, because i was well convinced that our troubles were in some way dependent upon an ', 't? i answer, because i was well convinced that our troubles were in some way dependent upon an incid', 'answer, because i was well convinced that our troubles were in some way dependent upon an incident i', 'r, because i was well convinced that our troubles were in some way dependent upon an incident in my ', 'cause i was well convinced that our troubles were in some way dependent upon an incident in my uncle', " i was well convinced that our troubles were in some way dependent upon an incident in my uncle's li", "s well convinced that our troubles were in some way dependent upon an incident in my uncle's life, a", "l convinced that our troubles were in some way dependent upon an incident in my uncle's life, and th", "vinced that our troubles were in some way dependent upon an incident in my uncle's life, and that th", "d that our troubles were in some way dependent upon an incident in my uncle's life, and that the dan", "t our troubles were in some way dependent upon an incident in my uncle's life, and that the danger w", " troubles were in some way dependent upon an incident in my uncle's life, and that the danger would ", "bles were in some way dependent upon an incident in my uncle's life, and that the danger would be as", "were in some way dependent upon an incident in my uncle's life, and that the danger would be as pres", "in some way dependent upon an incident in my uncle's life, and that the danger would be as pressing ", "me way dependent upon an incident in my uncle's life, and that the danger would be as pressing in on", "y dependent upon an incident in my uncle's life, and that the danger would be as pressing in one hou", "endent upon an incident in my uncle's life, and that the danger would be as pressing in one house as", "t upon an incident in my uncle's life, and that the danger would be as pressing in one house as in a", "n an incident in my uncle's life, and that the danger would be as pressing in one house as in anothe", 'incident in my uncle\'s life, and that the danger would be as pressing in one house as in another. "i', 'ent in my uncle\'s life, and that the danger would be as pressing in one house as in another. "it was', 'n my uncle\'s life, and that the danger would be as pressing in one house as in another. "it was in j', 'uncle\'s life, and that the danger would be as pressing in one house as in another. "it was in januar', '\'s life, and that the danger would be as pressing in one house as in another. "it was in january, \' ', 'fe, and that the danger would be as pressing in one house as in another. "it was in january, \' , tha', 'nd that the danger would be as pressing in one house as in another. "it was in january, \' , that my ', 'at the danger would be as pressing in one house as in another. "it was in january, \' , that my poor ', 'e danger would be as pressing in one house as in another. "it was in january, \' , that my poor fathe', 'ger would be as pressing in one house as in another. "it was in january, \' , that my poor father met', 'ould be as pressing in one house as in another. "it was in january, \' , that my poor father met his ', 'be as pressing in one house as in another. "it was in january, \' , that my poor father met his end, ', ' pressing in one house as in another. "it was in january, \' , that my poor father met his end, and t', 'sing in one house as in another. "it was in january, \' , that my poor father met his end, and two ye', 'in one house as in another. "it was in january, \' , that my poor father met his end, and two years a', 'e house as in another. "it was in january, \' , that my poor father met his end, and two years and ei', 'se as in another. "it was in january, \' , that my poor father met his end, and two years and eight m', ' in another. "it was in january, \' , that my poor father met his end, and two years and eight months', 'nother. "it was in january, \' , that my poor father met his end, and two years and eight months have', 'r. "it was in january, \' , that my poor father met his end, and two years and eight months have elap', "t was in january, ' , that my poor father met his end, and two years and eight months have elapsed s", " in january, ' , that my poor father met his end, and two years and eight months have elapsed since ", "anuary, ' , that my poor father met his end, and two years and eight months have elapsed since then.", "y, ' , that my poor father met his end, and two years and eight months have elapsed since then. duri", ', that my poor father met his end, and two years and eight months have elapsed since then. during th', 't my poor father met his end, and two years and eight months have elapsed since then. during that ti', 'poor father met his end, and two years and eight months have elapsed since then. during that time i ', 'father met his end, and two years and eight months have elapsed since then. during that time i have ', 'r met his end, and two years and eight months have elapsed since then. during that time i have lived', ' his end, and two years and eight months have elapsed since then. during that time i have lived happ', 'end, and two years and eight months have elapsed since then. during that time i have lived happily a', 'and two years and eight months have elapsed since then. during that time i have lived happily at hor', 'wo years and eight months have elapsed since then. during that time i have lived happily at horsham,', 'ars and eight months have elapsed since then. during that time i have lived happily at horsham, and ', 'nd eight months have elapsed since then. during that time i have lived happily at horsham, and i had', 'ght months have elapsed since then. during that time i have lived happily at horsham, and i had begu', 'onths have elapsed since then. during that time i have lived happily at horsham, and i had begun to ', ' have elapsed since then. during that time i have lived happily at horsham, and i had begun to hope ', ' elapsed since then. during that time i have lived happily at horsham, and i had begun to hope that ', 'sed since then. during that time i have lived happily at horsham, and i had begun to hope that this ', 'ince then. during that time i have lived happily at horsham, and i had begun to hope that this curse', 'then. during that time i have lived happily at horsham, and i had begun to hope that this curse had ', ' during that time i have lived happily at horsham, and i had begun to hope that this curse had passe', 'ng that time i have lived happily at horsham, and i had begun to hope that this curse had passed awa', 'at time i have lived happily at horsham, and i had begun to hope that this curse had passed away fro', 'me i have lived happily at horsham, and i had begun to hope that this curse had passed away from the', 'have lived happily at horsham, and i had begun to hope that this curse had passed away from the fami', 'lived happily at horsham, and i had begun to hope that this curse had passed away from the family, a', ' happily at horsham, and i had begun to hope that this curse had passed away from the family, and th', 'ily at horsham, and i had begun to hope that this curse had passed away from the family, and that it', 't horsham, and i had begun to hope that this curse had passed away from the family, and that it had ', 'sham, and i had begun to hope that this curse had passed away from the family, and that it had ended', ' and i had begun to hope that this curse had passed away from the family, and that it had ended with', 'i had begun to hope that this curse had passed away from the family, and that it had ended with the ', ' begun to hope that this curse had passed away from the family, and that it had ended with the last ', 'n to hope that this curse had passed away from the family, and that it had ended with the last gener', 'hope that this curse had passed away from the family, and that it had ended with the last generation', 'that this curse had passed away from the family, and that it had ended with the last generation. i h', 'this curse had passed away from the family, and that it had ended with the last generation. i had be', 'curse had passed away from the family, and that it had ended with the last generation. i had begun t', ' had passed away from the family, and that it had ended with the last generation. i had begun to tak', 'passed away from the family, and that it had ended with the last generation. i had begun to take com', 'd away from the family, and that it had ended with the last generation. i had begun to take comfort ', 'y from the family, and that it had ended with the last generation. i had begun to take comfort too s', 'm the family, and that it had ended with the last generation. i had begun to take comfort too soon, ', ' family, and that it had ended with the last generation. i had begun to take comfort too soon, howev', 'ly, and that it had ended with the last generation. i had begun to take comfort too soon, however; y', 'nd that it had ended with the last generation. i had begun to take comfort too soon, however; yester', 'at it had ended with the last generation. i had begun to take comfort too soon, however; yesterday m', ' had ended with the last generation. i had begun to take comfort too soon, however; yesterday mornin', 'ended with the last generation. i had begun to take comfort too soon, however; yesterday morning the', ' with the last generation. i had begun to take comfort too soon, however; yesterday morning the blow', ' the last generation. i had begun to take comfort too soon, however; yesterday morning the blow fell', 'last generation. i had begun to take comfort too soon, however; yesterday morning the blow fell in t', 'generation. i had begun to take comfort too soon, however; yesterday morning the blow fell in the ve', 'ation. i had begun to take comfort too soon, however; yesterday morning the blow fell in the very sh', '. i had begun to take comfort too soon, however; yesterday morning the blow fell in the very shape i', 'ad begun to take comfort too soon, however; yesterday morning the blow fell in the very shape in whi', 'gun to take comfort too soon, however; yesterday morning the blow fell in the very shape in which it', 'o take comfort too soon, however; yesterday morning the blow fell in the very shape in which it had ', 'e comfort too soon, however; yesterday morning the blow fell in the very shape in which it had come ', 'fort too soon, however; yesterday morning the blow fell in the very shape in which it had come upon ', 'too soon, however; yesterday morning the blow fell in the very shape in which it had come upon my fa', 'oon, however; yesterday morning the blow fell in the very shape in which it had come upon my father.', 'however; yesterday morning the blow fell in the very shape in which it had come upon my father." the', 'er; yesterday morning the blow fell in the very shape in which it had come upon my father." the youn', 'esterday morning the blow fell in the very shape in which it had come upon my father." the young man', 'day morning the blow fell in the very shape in which it had come upon my father." the young man took', 'orning the blow fell in the very shape in which it had come upon my father." the young man took from', 'g the blow fell in the very shape in which it had come upon my father." the young man took from his ', ' blow fell in the very shape in which it had come upon my father." the young man took from his waist', ' fell in the very shape in which it had come upon my father." the young man took from his waistcoat ', ' in the very shape in which it had come upon my father." the young man took from his waistcoat a cru', 'he very shape in which it had come upon my father." the young man took from his waistcoat a crumpled', 'ry shape in which it had come upon my father." the young man took from his waistcoat a crumpled enve', 'ape in which it had come upon my father." the young man took from his waistcoat a crumpled envelope,', 'n which it had come upon my father." the young man took from his waistcoat a crumpled envelope, and ', 'ch it had come upon my father." the young man took from his waistcoat a crumpled envelope, and turni', ' had come upon my father." the young man took from his waistcoat a crumpled envelope, and turning to', 'come upon my father." the young man took from his waistcoat a crumpled envelope, and turning to the ', 'upon my father." the young man took from his waistcoat a crumpled envelope, and turning to the table', 'my father." the young man took from his waistcoat a crumpled envelope, and turning to the table he s', 'ther." the young man took from his waistcoat a crumpled envelope, and turning to the table he shook ', '" the young man took from his waistcoat a crumpled envelope, and turning to the table he shook out u', ' young man took from his waistcoat a crumpled envelope, and turning to the table he shook out upon i', 'g man took from his waistcoat a crumpled envelope, and turning to the table he shook out upon it fiv', ' took from his waistcoat a crumpled envelope, and turning to the table he shook out upon it five lit', ' from his waistcoat a crumpled envelope, and turning to the table he shook out upon it five little d', ' his waistcoat a crumpled envelope, and turning to the table he shook out upon it five little dried ', 'waistcoat a crumpled envelope, and turning to the table he shook out upon it five little dried orang', 'coat a crumpled envelope, and turning to the table he shook out upon it five little dried orange pip', 'a crumpled envelope, and turning to the table he shook out upon it five little dried orange pips. "t', 'mpled envelope, and turning to the table he shook out upon it five little dried orange pips. "this i', ' envelope, and turning to the table he shook out upon it five little dried orange pips. "this is the', 'lope, and turning to the table he shook out upon it five little dried orange pips. "this is the enve', ' and turning to the table he shook out upon it five little dried orange pips. "this is the envelope,', 'turning to the table he shook out upon it five little dried orange pips. "this is the envelope," he ', 'ng to the table he shook out upon it five little dried orange pips. "this is the envelope," he conti', ' the table he shook out upon it five little dried orange pips. "this is the envelope," he continued.', 'table he shook out upon it five little dried orange pips. "this is the envelope," he continued. "the', ' he shook out upon it five little dried orange pips. "this is the envelope," he continued. "the post', 'hook out upon it five little dried orange pips. "this is the envelope," he continued. "the postmark ', 'out upon it five little dried orange pips. "this is the envelope," he continued. "the postmark is lo', 'pon it five little dried orange pips. "this is the envelope," he continued. "the postmark is londone', 't five little dried orange pips. "this is the envelope," he continued. "the postmark is londoneaster', 'e little dried orange pips. "this is the envelope," he continued. "the postmark is londoneastern div', 'tle dried orange pips. "this is the envelope," he continued. "the postmark is londoneastern division', 'ried orange pips. "this is the envelope," he continued. "the postmark is londoneastern division. wit', 'orange pips. "this is the envelope," he continued. "the postmark is londoneastern division. within a', 'e pips. "this is the envelope," he continued. "the postmark is londoneastern division. within are th', 's. "this is the envelope," he continued. "the postmark is londoneastern division. within are the ver', 'his is the envelope," he continued. "the postmark is londoneastern division. within are the very wor', 's the envelope," he continued. "the postmark is londoneastern division. within are the very words wh', ' envelope," he continued. "the postmark is londoneastern division. within are the very words which w', 'lope," he continued. "the postmark is londoneastern division. within are the very words which were u', '" he continued. "the postmark is londoneastern division. within are the very words which were upon m', 'continued. "the postmark is londoneastern division. within are the very words which were upon my fat', 'nued. "the postmark is londoneastern division. within are the very words which were upon my father\'s', ' "the postmark is londoneastern division. within are the very words which were upon my father\'s last', " postmark is londoneastern division. within are the very words which were upon my father's last mess", "mark is londoneastern division. within are the very words which were upon my father's last message: ", "is londoneastern division. within are the very words which were upon my father's last message: 'k. k", "ndoneastern division. within are the very words which were upon my father's last message: 'k. k. k.'", "astern division. within are the very words which were upon my father's last message: 'k. k. k.'; and", "n division. within are the very words which were upon my father's last message: 'k. k. k.'; and then", "ision. within are the very words which were upon my father's last message: 'k. k. k.'; and then 'put", ". within are the very words which were upon my father's last message: 'k. k. k.'; and then 'put the ", "hin are the very words which were upon my father's last message: 'k. k. k.'; and then 'put the paper", "re the very words which were upon my father's last message: 'k. k. k.'; and then 'put the papers on ", "e very words which were upon my father's last message: 'k. k. k.'; and then 'put the papers on the s", "y words which were upon my father's last message: 'k. k. k.'; and then 'put the papers on the sundia", 'ds which were upon my father\'s last message: \'k. k. k.\'; and then \'put the papers on the sundial.\'" ', 'ich were upon my father\'s last message: \'k. k. k.\'; and then \'put the papers on the sundial.\'" "what', 'ere upon my father\'s last message: \'k. k. k.\'; and then \'put the papers on the sundial.\'" "what have', 'pon my father\'s last message: \'k. k. k.\'; and then \'put the papers on the sundial.\'" "what have you ', 'y father\'s last message: \'k. k. k.\'; and then \'put the papers on the sundial.\'" "what have you done?', 'her\'s last message: \'k. k. k.\'; and then \'put the papers on the sundial.\'" "what have you done?" ask', ' last message: \'k. k. k.\'; and then \'put the papers on the sundial.\'" "what have you done?" asked ho', ' message: \'k. k. k.\'; and then \'put the papers on the sundial.\'" "what have you done?" asked holmes.', 'age: \'k. k. k.\'; and then \'put the papers on the sundial.\'" "what have you done?" asked holmes. "not', '\'k. k. k.\'; and then \'put the papers on the sundial.\'" "what have you done?" asked holmes. "nothing.', '. k.\'; and then \'put the papers on the sundial.\'" "what have you done?" asked holmes. "nothing." "no', '; and then \'put the papers on the sundial.\'" "what have you done?" asked holmes. "nothing." "nothing', ' then \'put the papers on the sundial.\'" "what have you done?" asked holmes. "nothing." "nothing?" "t', ' \'put the papers on the sundial.\'" "what have you done?" asked holmes. "nothing." "nothing?" "to tel', ' the papers on the sundial.\'" "what have you done?" asked holmes. "nothing." "nothing?" "to tell the', 'papers on the sundial.\'" "what have you done?" asked holmes. "nothing." "nothing?" "to tell the trut', 's on the sundial.\'" "what have you done?" asked holmes. "nothing." "nothing?" "to tell the truth"he ', 'the sundial.\'" "what have you done?" asked holmes. "nothing." "nothing?" "to tell the truth"he sank ', 'undial.\'" "what have you done?" asked holmes. "nothing." "nothing?" "to tell the truth"he sank his f', 'l.\'" "what have you done?" asked holmes. "nothing." "nothing?" "to tell the truth"he sank his face i', '"what have you done?" asked holmes. "nothing." "nothing?" "to tell the truth"he sank his face into h', ' have you done?" asked holmes. "nothing." "nothing?" "to tell the truth"he sank his face into his th', ' you done?" asked holmes. "nothing." "nothing?" "to tell the truth"he sank his face into his thin, w', 'done?" asked holmes. "nothing." "nothing?" "to tell the truth"he sank his face into his thin, white ', '" asked holmes. "nothing." "nothing?" "to tell the truth"he sank his face into his thin, white hands', 'ed holmes. "nothing." "nothing?" "to tell the truth"he sank his face into his thin, white hands"i ha', 'lmes. "nothing." "nothing?" "to tell the truth"he sank his face into his thin, white hands"i have fe', ' "nothing." "nothing?" "to tell the truth"he sank his face into his thin, white hands"i have felt he', 'hing." "nothing?" "to tell the truth"he sank his face into his thin, white hands"i have felt helples', '" "nothing?" "to tell the truth"he sank his face into his thin, white hands"i have felt helpless. i ', 'thing?" "to tell the truth"he sank his face into his thin, white hands"i have felt helpless. i have ', '?" "to tell the truth"he sank his face into his thin, white hands"i have felt helpless. i have felt ', 'o tell the truth"he sank his face into his thin, white hands"i have felt helpless. i have felt like ', 'l the truth"he sank his face into his thin, white hands"i have felt helpless. i have felt like one o', ' truth"he sank his face into his thin, white hands"i have felt helpless. i have felt like one of tho', 'h"he sank his face into his thin, white hands"i have felt helpless. i have felt like one of those po', 'sank his face into his thin, white hands"i have felt helpless. i have felt like one of those poor ra', 'his face into his thin, white hands"i have felt helpless. i have felt like one of those poor rabbits', 'ace into his thin, white hands"i have felt helpless. i have felt like one of those poor rabbits when', 'nto his thin, white hands"i have felt helpless. i have felt like one of those poor rabbits when the ', 'is thin, white hands"i have felt helpless. i have felt like one of those poor rabbits when the snake', 'in, white hands"i have felt helpless. i have felt like one of those poor rabbits when the snake is w', 'hite hands"i have felt helpless. i have felt like one of those poor rabbits when the snake is writhi', 'hands"i have felt helpless. i have felt like one of those poor rabbits when the snake is writhing to', '"i have felt helpless. i have felt like one of those poor rabbits when the snake is writhing towards', 've felt helpless. i have felt like one of those poor rabbits when the snake is writhing towards it. ', 'lt helpless. i have felt like one of those poor rabbits when the snake is writhing towards it. i see', 'lpless. i have felt like one of those poor rabbits when the snake is writhing towards it. i seem to ', 's. i have felt like one of those poor rabbits when the snake is writhing towards it. i seem to be in', 'have felt like one of those poor rabbits when the snake is writhing towards it. i seem to be in the ', 'felt like one of those poor rabbits when the snake is writhing towards it. i seem to be in the grasp', 'like one of those poor rabbits when the snake is writhing towards it. i seem to be in the grasp of s', 'one of those poor rabbits when the snake is writhing towards it. i seem to be in the grasp of some r', 'f those poor rabbits when the snake is writhing towards it. i seem to be in the grasp of some resist', 'se poor rabbits when the snake is writhing towards it. i seem to be in the grasp of some resistless,', 'or rabbits when the snake is writhing towards it. i seem to be in the grasp of some resistless, inex', 'bbits when the snake is writhing towards it. i seem to be in the grasp of some resistless, inexorabl', ' when the snake is writhing towards it. i seem to be in the grasp of some resistless, inexorable evi', ' the snake is writhing towards it. i seem to be in the grasp of some resistless, inexorable evil, wh', 'snake is writhing towards it. i seem to be in the grasp of some resistless, inexorable evil, which n', ' is writhing towards it. i seem to be in the grasp of some resistless, inexorable evil, which no for', 'rithing towards it. i seem to be in the grasp of some resistless, inexorable evil, which no foresigh', 'ng towards it. i seem to be in the grasp of some resistless, inexorable evil, which no foresight and', 'wards it. i seem to be in the grasp of some resistless, inexorable evil, which no foresight and no p', ' it. i seem to be in the grasp of some resistless, inexorable evil, which no foresight and no precau', 'i seem to be in the grasp of some resistless, inexorable evil, which no foresight and no precautions', 'm to be in the grasp of some resistless, inexorable evil, which no foresight and no precautions can ', 'be in the grasp of some resistless, inexorable evil, which no foresight and no precautions can guard', ' the grasp of some resistless, inexorable evil, which no foresight and no precautions can guard agai', 'grasp of some resistless, inexorable evil, which no foresight and no precautions can guard against."', ' of some resistless, inexorable evil, which no foresight and no precautions can guard against." "tut', 'ome resistless, inexorable evil, which no foresight and no precautions can guard against." "tut! tut', 'esistless, inexorable evil, which no foresight and no precautions can guard against." "tut! tut crie', 'less, inexorable evil, which no foresight and no precautions can guard against." "tut! tut cried she', ' inexorable evil, which no foresight and no precautions can guard against." "tut! tut cried sherlock', 'orable evil, which no foresight and no precautions can guard against." "tut! tut cried sherlock holm', 'e evil, which no foresight and no precautions can guard against." "tut! tut cried sherlock holmes. "', 'l, which no foresight and no precautions can guard against." "tut! tut cried sherlock holmes. "you m', 'ich no foresight and no precautions can guard against." "tut! tut cried sherlock holmes. "you must a', 'o foresight and no precautions can guard against." "tut! tut cried sherlock holmes. "you must act, m', 'esight and no precautions can guard against." "tut! tut cried sherlock holmes. "you must act, man, o', 't and no precautions can guard against." "tut! tut cried sherlock holmes. "you must act, man, or you', ' no precautions can guard against." "tut! tut cried sherlock holmes. "you must act, man, or you are ', 'recautions can guard against." "tut! tut cried sherlock holmes. "you must act, man, or you are lost.', 'tions can guard against." "tut! tut cried sherlock holmes. "you must act, man, or you are lost. noth', ' can guard against." "tut! tut cried sherlock holmes. "you must act, man, or you are lost. nothing b', 'guard against." "tut! tut cried sherlock holmes. "you must act, man, or you are lost. nothing but en', ' against." "tut! tut cried sherlock holmes. "you must act, man, or you are lost. nothing but energy ', 'nst." "tut! tut cried sherlock holmes. "you must act, man, or you are lost. nothing but energy can s', ' "tut! tut cried sherlock holmes. "you must act, man, or you are lost. nothing but energy can save y', '! tut cried sherlock holmes. "you must act, man, or you are lost. nothing but energy can save you. t', ' cried sherlock holmes. "you must act, man, or you are lost. nothing but energy can save you. this i', 'd sherlock holmes. "you must act, man, or you are lost. nothing but energy can save you. this is no ', 'rlock holmes. "you must act, man, or you are lost. nothing but energy can save you. this is no time ', ' holmes. "you must act, man, or you are lost. nothing but energy can save you. this is no time for d', 'es. "you must act, man, or you are lost. nothing but energy can save you. this is no time for despai', 'you must act, man, or you are lost. nothing but energy can save you. this is no time for despair." "', 'ust act, man, or you are lost. nothing but energy can save you. this is no time for despair." "i hav', 'ct, man, or you are lost. nothing but energy can save you. this is no time for despair." "i have see', 'an, or you are lost. nothing but energy can save you. this is no time for despair." "i have seen the', 'r you are lost. nothing but energy can save you. this is no time for despair." "i have seen the poli', ' are lost. nothing but energy can save you. this is no time for despair." "i have seen the police." ', 'lost. nothing but energy can save you. this is no time for despair." "i have seen the police." "ah ', ' nothing but energy can save you. this is no time for despair." "i have seen the police." "ah "but ', 'ing but energy can save you. this is no time for despair." "i have seen the police." "ah "but they ', 'ut energy can save you. this is no time for despair." "i have seen the police." "ah "but they liste', 'ergy can save you. this is no time for despair." "i have seen the police." "ah "but they listened t', 'can save you. this is no time for despair." "i have seen the police." "ah "but they listened to my ', 'ave you. this is no time for despair." "i have seen the police." "ah "but they listened to my story', 'ou. this is no time for despair." "i have seen the police." "ah "but they listened to my story with', 'his is no time for despair." "i have seen the police." "ah "but they listened to my story with a sm', 's no time for despair." "i have seen the police." "ah "but they listened to my story with a smile. ', 'time for despair." "i have seen the police." "ah "but they listened to my story with a smile. i am ', 'for despair." "i have seen the police." "ah "but they listened to my story with a smile. i am convi', 'espair." "i have seen the police." "ah "but they listened to my story with a smile. i am convinced ', 'r." "i have seen the police." "ah "but they listened to my story with a smile. i am convinced that ', 'i have seen the police." "ah "but they listened to my story with a smile. i am convinced that the i', 'e seen the police." "ah "but they listened to my story with a smile. i am convinced that the inspec', 'n the police." "ah "but they listened to my story with a smile. i am convinced that the inspector h', ' police." "ah "but they listened to my story with a smile. i am convinced that the inspector has fo', 'ce." "ah "but they listened to my story with a smile. i am convinced that the inspector has formed ', '"ah "but they listened to my story with a smile. i am convinced that the inspector has formed the o', '"but they listened to my story with a smile. i am convinced that the inspector has formed the opinio', 'they listened to my story with a smile. i am convinced that the inspector has formed the opinion tha', 'listened to my story with a smile. i am convinced that the inspector has formed the opinion that the', 'ned to my story with a smile. i am convinced that the inspector has formed the opinion that the lett', 'o my story with a smile. i am convinced that the inspector has formed the opinion that the letters a', 'story with a smile. i am convinced that the inspector has formed the opinion that the letters are al', ' with a smile. i am convinced that the inspector has formed the opinion that the letters are all pra', ' a smile. i am convinced that the inspector has formed the opinion that the letters are all practica', 'ile. i am convinced that the inspector has formed the opinion that the letters are all practical jok', 'i am convinced that the inspector has formed the opinion that the letters are all practical jokes, a', 'convinced that the inspector has formed the opinion that the letters are all practical jokes, and th', 'nced that the inspector has formed the opinion that the letters are all practical jokes, and that th', 'that the inspector has formed the opinion that the letters are all practical jokes, and that the dea', 'the inspector has formed the opinion that the letters are all practical jokes, and that the deaths o', 'nspector has formed the opinion that the letters are all practical jokes, and that the deaths of my ', 'tor has formed the opinion that the letters are all practical jokes, and that the deaths of my relat', 'as formed the opinion that the letters are all practical jokes, and that the deaths of my relations ', 'rmed the opinion that the letters are all practical jokes, and that the deaths of my relations were ', 'the opinion that the letters are all practical jokes, and that the deaths of my relations were reall', 'pinion that the letters are all practical jokes, and that the deaths of my relations were really acc', 'n that the letters are all practical jokes, and that the deaths of my relations were really accident', 't the letters are all practical jokes, and that the deaths of my relations were really accidents, as', ' letters are all practical jokes, and that the deaths of my relations were really accidents, as the ', 'ers are all practical jokes, and that the deaths of my relations were really accidents, as the jury ', 're all practical jokes, and that the deaths of my relations were really accidents, as the jury state', 'l practical jokes, and that the deaths of my relations were really accidents, as the jury stated, an', 'ctical jokes, and that the deaths of my relations were really accidents, as the jury stated, and wer', 'l jokes, and that the deaths of my relations were really accidents, as the jury stated, and were not', 'es, and that the deaths of my relations were really accidents, as the jury stated, and were not to b', 'nd that the deaths of my relations were really accidents, as the jury stated, and were not to be con', 'at the deaths of my relations were really accidents, as the jury stated, and were not to be connecte', 'e deaths of my relations were really accidents, as the jury stated, and were not to be connected wit', 'ths of my relations were really accidents, as the jury stated, and were not to be connected with the', 'f my relations were really accidents, as the jury stated, and were not to be connected with the warn', 'relations were really accidents, as the jury stated, and were not to be connected with the warnings.', 'ions were really accidents, as the jury stated, and were not to be connected with the warnings." hol', 'were really accidents, as the jury stated, and were not to be connected with the warnings." holmes s', 'really accidents, as the jury stated, and were not to be connected with the warnings." holmes shook ', 'y accidents, as the jury stated, and were not to be connected with the warnings." holmes shook his c', 'idents, as the jury stated, and were not to be connected with the warnings." holmes shook his clench', 's, as the jury stated, and were not to be connected with the warnings." holmes shook his clenched ha', ' the jury stated, and were not to be connected with the warnings." holmes shook his clenched hands i', 'jury stated, and were not to be connected with the warnings." holmes shook his clenched hands in the', 'stated, and were not to be connected with the warnings." holmes shook his clenched hands in the air.', 'd, and were not to be connected with the warnings." holmes shook his clenched hands in the air. "inc', 'd were not to be connected with the warnings." holmes shook his clenched hands in the air. "incredib', 'e not to be connected with the warnings." holmes shook his clenched hands in the air. "incredible im', ' to be connected with the warnings." holmes shook his clenched hands in the air. "incredible imbecil', 'e connected with the warnings." holmes shook his clenched hands in the air. "incredible imbecility h', 'nected with the warnings." holmes shook his clenched hands in the air. "incredible imbecility he cri', 'd with the warnings." holmes shook his clenched hands in the air. "incredible imbecility he cried. "', 'h the warnings." holmes shook his clenched hands in the air. "incredible imbecility he cried. "they ', ' warnings." holmes shook his clenched hands in the air. "incredible imbecility he cried. "they have,', 'ings." holmes shook his clenched hands in the air. "incredible imbecility he cried. "they have, howe', '" holmes shook his clenched hands in the air. "incredible imbecility he cried. "they have, however, ', 'mes shook his clenched hands in the air. "incredible imbecility he cried. "they have, however, allow', 'hook his clenched hands in the air. "incredible imbecility he cried. "they have, however, allowed me', 'his clenched hands in the air. "incredible imbecility he cried. "they have, however, allowed me a po', 'lenched hands in the air. "incredible imbecility he cried. "they have, however, allowed me a policem', 'ed hands in the air. "incredible imbecility he cried. "they have, however, allowed me a policeman, w', 'nds in the air. "incredible imbecility he cried. "they have, however, allowed me a policeman, who ma', 'n the air. "incredible imbecility he cried. "they have, however, allowed me a policeman, who may rem', ' air. "incredible imbecility he cried. "they have, however, allowed me a policeman, who may remain i', ' "incredible imbecility he cried. "they have, however, allowed me a policeman, who may remain in the', 'redible imbecility he cried. "they have, however, allowed me a policeman, who may remain in the hous', 'le imbecility he cried. "they have, however, allowed me a policeman, who may remain in the house wit', 'becility he cried. "they have, however, allowed me a policeman, who may remain in the house with me.', 'ity he cried. "they have, however, allowed me a policeman, who may remain in the house with me." "ha', 'e cried. "they have, however, allowed me a policeman, who may remain in the house with me." "has he ', 'ed. "they have, however, allowed me a policeman, who may remain in the house with me." "has he come ', 'they have, however, allowed me a policeman, who may remain in the house with me." "has he come with ', 'have, however, allowed me a policeman, who may remain in the house with me." "has he come with you t', ' however, allowed me a policeman, who may remain in the house with me." "has he come with you to-nig', 'ver, allowed me a policeman, who may remain in the house with me." "has he come with you to-night?" ', 'allowed me a policeman, who may remain in the house with me." "has he come with you to-night?" "no. ', 'ed me a policeman, who may remain in the house with me." "has he come with you to-night?" "no. his o', ' a policeman, who may remain in the house with me." "has he come with you to-night?" "no. his orders', 'liceman, who may remain in the house with me." "has he come with you to-night?" "no. his orders were', 'an, who may remain in the house with me." "has he come with you to-night?" "no. his orders were to s', 'ho may remain in the house with me." "has he come with you to-night?" "no. his orders were to stay i', 'y remain in the house with me." "has he come with you to-night?" "no. his orders were to stay in the', 'ain in the house with me." "has he come with you to-night?" "no. his orders were to stay in the hous', 'n the house with me." "has he come with you to-night?" "no. his orders were to stay in the house." a', ' house with me." "has he come with you to-night?" "no. his orders were to stay in the house." again ', 'e with me." "has he come with you to-night?" "no. his orders were to stay in the house." again holme', 'h me." "has he come with you to-night?" "no. his orders were to stay in the house." again holmes rav', '" "has he come with you to-night?" "no. his orders were to stay in the house." again holmes raved in', 's he come with you to-night?" "no. his orders were to stay in the house." again holmes raved in the ', 'come with you to-night?" "no. his orders were to stay in the house." again holmes raved in the air. ', 'with you to-night?" "no. his orders were to stay in the house." again holmes raved in the air. "why ', 'you to-night?" "no. his orders were to stay in the house." again holmes raved in the air. "why did y', 'o-night?" "no. his orders were to stay in the house." again holmes raved in the air. "why did you co', 'ht?" "no. his orders were to stay in the house." again holmes raved in the air. "why did you come to', '"no. his orders were to stay in the house." again holmes raved in the air. "why did you come to me,"', 'his orders were to stay in the house." again holmes raved in the air. "why did you come to me," he c', 'rders were to stay in the house." again holmes raved in the air. "why did you come to me," he cried,', ' were to stay in the house." again holmes raved in the air. "why did you come to me," he cried, "and', ' to stay in the house." again holmes raved in the air. "why did you come to me," he cried, "and, abo', 'tay in the house." again holmes raved in the air. "why did you come to me," he cried, "and, above al', 'n the house." again holmes raved in the air. "why did you come to me," he cried, "and, above all, wh', ' house." again holmes raved in the air. "why did you come to me," he cried, "and, above all, why did', 'e." again holmes raved in the air. "why did you come to me," he cried, "and, above all, why did you ', 'gain holmes raved in the air. "why did you come to me," he cried, "and, above all, why did you not c', 'holmes raved in the air. "why did you come to me," he cried, "and, above all, why did you not come a', 's raved in the air. "why did you come to me," he cried, "and, above all, why did you not come at onc', 'ed in the air. "why did you come to me," he cried, "and, above all, why did you not come at once?" "', ' the air. "why did you come to me," he cried, "and, above all, why did you not come at once?" "i did', 'air. "why did you come to me," he cried, "and, above all, why did you not come at once?" "i did not ', '"why did you come to me," he cried, "and, above all, why did you not come at once?" "i did not know.', 'did you come to me," he cried, "and, above all, why did you not come at once?" "i did not know. it w', 'ou come to me," he cried, "and, above all, why did you not come at once?" "i did not know. it was on', 'me to me," he cried, "and, above all, why did you not come at once?" "i did not know. it was only to', ' me," he cried, "and, above all, why did you not come at once?" "i did not know. it was only to-day ', ' he cried, "and, above all, why did you not come at once?" "i did not know. it was only to-day that ', 'ried, "and, above all, why did you not come at once?" "i did not know. it was only to-day that i spo', ' "and, above all, why did you not come at once?" "i did not know. it was only to-day that i spoke to', ', above all, why did you not come at once?" "i did not know. it was only to-day that i spoke to majo', 've all, why did you not come at once?" "i did not know. it was only to-day that i spoke to major pre', 'l, why did you not come at once?" "i did not know. it was only to-day that i spoke to major prenderg', 'y did you not come at once?" "i did not know. it was only to-day that i spoke to major prendergast a', ' you not come at once?" "i did not know. it was only to-day that i spoke to major prendergast about ', 'not come at once?" "i did not know. it was only to-day that i spoke to major prendergast about my tr', 'ome at once?" "i did not know. it was only to-day that i spoke to major prendergast about my trouble', 't once?" "i did not know. it was only to-day that i spoke to major prendergast about my troubles and', 'e?" "i did not know. it was only to-day that i spoke to major prendergast about my troubles and was ', 'i did not know. it was only to-day that i spoke to major prendergast about my troubles and was advis', ' not know. it was only to-day that i spoke to major prendergast about my troubles and was advised by', 'know. it was only to-day that i spoke to major prendergast about my troubles and was advised by him ', ' it was only to-day that i spoke to major prendergast about my troubles and was advised by him to co', 'as only to-day that i spoke to major prendergast about my troubles and was advised by him to come to', 'ly to-day that i spoke to major prendergast about my troubles and was advised by him to come to you.', '-day that i spoke to major prendergast about my troubles and was advised by him to come to you." "it', 'that i spoke to major prendergast about my troubles and was advised by him to come to you." "it is r', 'i spoke to major prendergast about my troubles and was advised by him to come to you." "it is really', 'ke to major prendergast about my troubles and was advised by him to come to you." "it is really two ', ' major prendergast about my troubles and was advised by him to come to you." "it is really two days ', 'r prendergast about my troubles and was advised by him to come to you." "it is really two days since', 'ndergast about my troubles and was advised by him to come to you." "it is really two days since you ', 'ast about my troubles and was advised by him to come to you." "it is really two days since you had t', 'bout my troubles and was advised by him to come to you." "it is really two days since you had the le', 'my troubles and was advised by him to come to you." "it is really two days since you had the letter.', 'oubles and was advised by him to come to you." "it is really two days since you had the letter. we s', 's and was advised by him to come to you." "it is really two days since you had the letter. we should', ' was advised by him to come to you." "it is really two days since you had the letter. we should have', 'advised by him to come to you." "it is really two days since you had the letter. we should have acte', 'ed by him to come to you." "it is really two days since you had the letter. we should have acted bef', ' him to come to you." "it is really two days since you had the letter. we should have acted before t', 'to come to you." "it is really two days since you had the letter. we should have acted before this. ', 'me to you." "it is really two days since you had the letter. we should have acted before this. you h', ' you." "it is really two days since you had the letter. we should have acted before this. you have n', '" "it is really two days since you had the letter. we should have acted before this. you have no fur', ' is really two days since you had the letter. we should have acted before this. you have no further ', 'eally two days since you had the letter. we should have acted before this. you have no further evide', ' two days since you had the letter. we should have acted before this. you have no further evidence, ', 'days since you had the letter. we should have acted before this. you have no further evidence, i sup', 'since you had the letter. we should have acted before this. you have no further evidence, i suppose,', ' you had the letter. we should have acted before this. you have no further evidence, i suppose, than', 'had the letter. we should have acted before this. you have no further evidence, i suppose, than that', 'he letter. we should have acted before this. you have no further evidence, i suppose, than that whic', 'tter. we should have acted before this. you have no further evidence, i suppose, than that which you', ' we should have acted before this. you have no further evidence, i suppose, than that which you have', 'hould have acted before this. you have no further evidence, i suppose, than that which you have plac', ' have acted before this. you have no further evidence, i suppose, than that which you have placed be', ' acted before this. you have no further evidence, i suppose, than that which you have placed before ', 'd before this. you have no further evidence, i suppose, than that which you have placed before usno ', 'ore this. you have no further evidence, i suppose, than that which you have placed before usno sugge', 'his. you have no further evidence, i suppose, than that which you have placed before usno suggestive', 'you have no further evidence, i suppose, than that which you have placed before usno suggestive deta', 'ave no further evidence, i suppose, than that which you have placed before usno suggestive detail wh', 'o further evidence, i suppose, than that which you have placed before usno suggestive detail which m', 'ther evidence, i suppose, than that which you have placed before usno suggestive detail which might ', 'evidence, i suppose, than that which you have placed before usno suggestive detail which might help ', 'nce, i suppose, than that which you have placed before usno suggestive detail which might help us?" ', 'i suppose, than that which you have placed before usno suggestive detail which might help us?" "ther', 'pose, than that which you have placed before usno suggestive detail which might help us?" "there is ', ' than that which you have placed before usno suggestive detail which might help us?" "there is one t', ' that which you have placed before usno suggestive detail which might help us?" "there is one thing,', ' which you have placed before usno suggestive detail which might help us?" "there is one thing," sai', 'h you have placed before usno suggestive detail which might help us?" "there is one thing," said joh', ' have placed before usno suggestive detail which might help us?" "there is one thing," said john ope', ' placed before usno suggestive detail which might help us?" "there is one thing," said john openshaw', 'ed before usno suggestive detail which might help us?" "there is one thing," said john openshaw. he ', 'fore usno suggestive detail which might help us?" "there is one thing," said john openshaw. he rumma', 'usno suggestive detail which might help us?" "there is one thing," said john openshaw. he rummaged i', 'suggestive detail which might help us?" "there is one thing," said john openshaw. he rummaged in his', 'stive detail which might help us?" "there is one thing," said john openshaw. he rummaged in his coat', ' detail which might help us?" "there is one thing," said john openshaw. he rummaged in his coat pock', 'il which might help us?" "there is one thing," said john openshaw. he rummaged in his coat pocket, a', 'ich might help us?" "there is one thing," said john openshaw. he rummaged in his coat pocket, and, d', 'ight help us?" "there is one thing," said john openshaw. he rummaged in his coat pocket, and, drawin', 'help us?" "there is one thing," said john openshaw. he rummaged in his coat pocket, and, drawing out', 'us?" "there is one thing," said john openshaw. he rummaged in his coat pocket, and, drawing out a pi', '"there is one thing," said john openshaw. he rummaged in his coat pocket, and, drawing out a piece o', 'e is one thing," said john openshaw. he rummaged in his coat pocket, and, drawing out a piece of dis', 'one thing," said john openshaw. he rummaged in his coat pocket, and, drawing out a piece of discolou', 'hing," said john openshaw. he rummaged in his coat pocket, and, drawing out a piece of discoloured, ', '" said john openshaw. he rummaged in his coat pocket, and, drawing out a piece of discoloured, blue-', 'd john openshaw. he rummaged in his coat pocket, and, drawing out a piece of discoloured, blue-tinte', 'n openshaw. he rummaged in his coat pocket, and, drawing out a piece of discoloured, blue-tinted pap', 'nshaw. he rummaged in his coat pocket, and, drawing out a piece of discoloured, blue-tinted paper, h', '. he rummaged in his coat pocket, and, drawing out a piece of discoloured, blue-tinted paper, he lai', 'rummaged in his coat pocket, and, drawing out a piece of discoloured, blue-tinted paper, he laid it ', 'ged in his coat pocket, and, drawing out a piece of discoloured, blue-tinted paper, he laid it out u', 'n his coat pocket, and, drawing out a piece of discoloured, blue-tinted paper, he laid it out upon t', ' coat pocket, and, drawing out a piece of discoloured, blue-tinted paper, he laid it out upon the ta', ' pocket, and, drawing out a piece of discoloured, blue-tinted paper, he laid it out upon the table. ', 'et, and, drawing out a piece of discoloured, blue-tinted paper, he laid it out upon the table. "i ha', 'nd, drawing out a piece of discoloured, blue-tinted paper, he laid it out upon the table. "i have so', 'rawing out a piece of discoloured, blue-tinted paper, he laid it out upon the table. "i have some re', 'g out a piece of discoloured, blue-tinted paper, he laid it out upon the table. "i have some remembr', ' a piece of discoloured, blue-tinted paper, he laid it out upon the table. "i have some remembrance,', 'ece of discoloured, blue-tinted paper, he laid it out upon the table. "i have some remembrance," sai', 'f discoloured, blue-tinted paper, he laid it out upon the table. "i have some remembrance," said he,', 'coloured, blue-tinted paper, he laid it out upon the table. "i have some remembrance," said he, "tha', 'red, blue-tinted paper, he laid it out upon the table. "i have some remembrance," said he, "that on ', 'blue-tinted paper, he laid it out upon the table. "i have some remembrance," said he, "that on the d', 'tinted paper, he laid it out upon the table. "i have some remembrance," said he, "that on the day wh', 'd paper, he laid it out upon the table. "i have some remembrance," said he, "that on the day when my', 'er, he laid it out upon the table. "i have some remembrance," said he, "that on the day when my uncl', 'e laid it out upon the table. "i have some remembrance," said he, "that on the day when my uncle bur', 'd it out upon the table. "i have some remembrance," said he, "that on the day when my uncle burned t', 'out upon the table. "i have some remembrance," said he, "that on the day when my uncle burned the pa', 'pon the table. "i have some remembrance," said he, "that on the day when my uncle burned the papers ', 'he table. "i have some remembrance," said he, "that on the day when my uncle burned the papers i obs', 'ble. "i have some remembrance," said he, "that on the day when my uncle burned the papers i observed', '"i have some remembrance," said he, "that on the day when my uncle burned the papers i observed that', 've some remembrance," said he, "that on the day when my uncle burned the papers i observed that the ', 'me remembrance," said he, "that on the day when my uncle burned the papers i observed that the small', 'membrance," said he, "that on the day when my uncle burned the papers i observed that the small, unb', 'ance," said he, "that on the day when my uncle burned the papers i observed that the small, unburned', '" said he, "that on the day when my uncle burned the papers i observed that the small, unburned marg', 'd he, "that on the day when my uncle burned the papers i observed that the small, unburned margins w', ' "that on the day when my uncle burned the papers i observed that the small, unburned margins which ', 't on the day when my uncle burned the papers i observed that the small, unburned margins which lay a', 'the day when my uncle burned the papers i observed that the small, unburned margins which lay amid t', 'ay when my uncle burned the papers i observed that the small, unburned margins which lay amid the as', 'en my uncle burned the papers i observed that the small, unburned margins which lay amid the ashes w', ' uncle burned the papers i observed that the small, unburned margins which lay amid the ashes were o', 'e burned the papers i observed that the small, unburned margins which lay amid the ashes were of thi', 'ned the papers i observed that the small, unburned margins which lay amid the ashes were of this par', 'he papers i observed that the small, unburned margins which lay amid the ashes were of this particul', 'pers i observed that the small, unburned margins which lay amid the ashes were of this particular co', 'i observed that the small, unburned margins which lay amid the ashes were of this particular colour.', 'erved that the small, unburned margins which lay amid the ashes were of this particular colour. i fo', ' that the small, unburned margins which lay amid the ashes were of this particular colour. i found t', ' the small, unburned margins which lay amid the ashes were of this particular colour. i found this s', 'small, unburned margins which lay amid the ashes were of this particular colour. i found this single', ', unburned margins which lay amid the ashes were of this particular colour. i found this single shee', 'urned margins which lay amid the ashes were of this particular colour. i found this single sheet upo', ' margins which lay amid the ashes were of this particular colour. i found this single sheet upon the', 'ins which lay amid the ashes were of this particular colour. i found this single sheet upon the floo', 'hich lay amid the ashes were of this particular colour. i found this single sheet upon the floor of ', 'lay amid the ashes were of this particular colour. i found this single sheet upon the floor of his r', 'mid the ashes were of this particular colour. i found this single sheet upon the floor of his room, ', 'he ashes were of this particular colour. i found this single sheet upon the floor of his room, and i', 'hes were of this particular colour. i found this single sheet upon the floor of his room, and i am i', 'ere of this particular colour. i found this single sheet upon the floor of his room, and i am inclin', 'f this particular colour. i found this single sheet upon the floor of his room, and i am inclined to', 's particular colour. i found this single sheet upon the floor of his room, and i am inclined to thin', 'ticular colour. i found this single sheet upon the floor of his room, and i am inclined to think tha', 'ar colour. i found this single sheet upon the floor of his room, and i am inclined to think that it ', 'lour. i found this single sheet upon the floor of his room, and i am inclined to think that it may b', ' i found this single sheet upon the floor of his room, and i am inclined to think that it may be one', 'und this single sheet upon the floor of his room, and i am inclined to think that it may be one of t', 'his single sheet upon the floor of his room, and i am inclined to think that it may be one of the pa', 'ingle sheet upon the floor of his room, and i am inclined to think that it may be one of the papers ', ' sheet upon the floor of his room, and i am inclined to think that it may be one of the papers which', 't upon the floor of his room, and i am inclined to think that it may be one of the papers which has,', 'n the floor of his room, and i am inclined to think that it may be one of the papers which has, perh', ' floor of his room, and i am inclined to think that it may be one of the papers which has, perhaps, ', 'r of his room, and i am inclined to think that it may be one of the papers which has, perhaps, flutt', 'his room, and i am inclined to think that it may be one of the papers which has, perhaps, fluttered ', 'oom, and i am inclined to think that it may be one of the papers which has, perhaps, fluttered out f', 'and i am inclined to think that it may be one of the papers which has, perhaps, fluttered out from a', ' am inclined to think that it may be one of the papers which has, perhaps, fluttered out from among ', 'nclined to think that it may be one of the papers which has, perhaps, fluttered out from among the o', 'ed to think that it may be one of the papers which has, perhaps, fluttered out from among the others', ' think that it may be one of the papers which has, perhaps, fluttered out from among the others, and', 'k that it may be one of the papers which has, perhaps, fluttered out from among the others, and in t', 't it may be one of the papers which has, perhaps, fluttered out from among the others, and in that w', 'may be one of the papers which has, perhaps, fluttered out from among the others, and in that way ha', 'e one of the papers which has, perhaps, fluttered out from among the others, and in that way has esc', ' of the papers which has, perhaps, fluttered out from among the others, and in that way has escaped ', 'he papers which has, perhaps, fluttered out from among the others, and in that way has escaped destr', 'pers which has, perhaps, fluttered out from among the others, and in that way has escaped destructio', 'which has, perhaps, fluttered out from among the others, and in that way has escaped destruction. be', ' has, perhaps, fluttered out from among the others, and in that way has escaped destruction. beyond ', ' perhaps, fluttered out from among the others, and in that way has escaped destruction. beyond the m', 'aps, fluttered out from among the others, and in that way has escaped destruction. beyond the mentio', 'fluttered out from among the others, and in that way has escaped destruction. beyond the mention of ', 'ered out from among the others, and in that way has escaped destruction. beyond the mention of pips,', 'out from among the others, and in that way has escaped destruction. beyond the mention of pips, i do', 'rom among the others, and in that way has escaped destruction. beyond the mention of pips, i do not ', 'mong the others, and in that way has escaped destruction. beyond the mention of pips, i do not see t', 'the others, and in that way has escaped destruction. beyond the mention of pips, i do not see that i', 'thers, and in that way has escaped destruction. beyond the mention of pips, i do not see that it hel', ', and in that way has escaped destruction. beyond the mention of pips, i do not see that it helps us', ' in that way has escaped destruction. beyond the mention of pips, i do not see that it helps us much', 'hat way has escaped destruction. beyond the mention of pips, i do not see that it helps us much. i t', 'ay has escaped destruction. beyond the mention of pips, i do not see that it helps us much. i think ', 's escaped destruction. beyond the mention of pips, i do not see that it helps us much. i think mysel', 'aped destruction. beyond the mention of pips, i do not see that it helps us much. i think myself tha', 'destruction. beyond the mention of pips, i do not see that it helps us much. i think myself that it ', 'uction. beyond the mention of pips, i do not see that it helps us much. i think myself that it is a ', 'n. beyond the mention of pips, i do not see that it helps us much. i think myself that it is a page ', 'yond the mention of pips, i do not see that it helps us much. i think myself that it is a page from ', 'the mention of pips, i do not see that it helps us much. i think myself that it is a page from some ', 'ention of pips, i do not see that it helps us much. i think myself that it is a page from some priva', 'n of pips, i do not see that it helps us much. i think myself that it is a page from some private di', 'pips, i do not see that it helps us much. i think myself that it is a page from some private diary. ', ' i do not see that it helps us much. i think myself that it is a page from some private diary. the w', ' not see that it helps us much. i think myself that it is a page from some private diary. the writin', 'see that it helps us much. i think myself that it is a page from some private diary. the writing is ', 'hat it helps us much. i think myself that it is a page from some private diary. the writing is undou', 't helps us much. i think myself that it is a page from some private diary. the writing is undoubtedl', 'ps us much. i think myself that it is a page from some private diary. the writing is undoubtedly my ', ' much. i think myself that it is a page from some private diary. the writing is undoubtedly my uncle', '. i think myself that it is a page from some private diary. the writing is undoubtedly my uncle\'s." ', 'hink myself that it is a page from some private diary. the writing is undoubtedly my uncle\'s." holme', 'myself that it is a page from some private diary. the writing is undoubtedly my uncle\'s." holmes mov', 'f that it is a page from some private diary. the writing is undoubtedly my uncle\'s." holmes moved th', 't it is a page from some private diary. the writing is undoubtedly my uncle\'s." holmes moved the lam', 'is a page from some private diary. the writing is undoubtedly my uncle\'s." holmes moved the lamp, an', 'page from some private diary. the writing is undoubtedly my uncle\'s." holmes moved the lamp, and we ', 'from some private diary. the writing is undoubtedly my uncle\'s." holmes moved the lamp, and we both ', 'some private diary. the writing is undoubtedly my uncle\'s." holmes moved the lamp, and we both bent ', 'private diary. the writing is undoubtedly my uncle\'s." holmes moved the lamp, and we both bent over ', 'te diary. the writing is undoubtedly my uncle\'s." holmes moved the lamp, and we both bent over the s', 'ary. the writing is undoubtedly my uncle\'s." holmes moved the lamp, and we both bent over the sheet ', 'the writing is undoubtedly my uncle\'s." holmes moved the lamp, and we both bent over the sheet of pa', 'riting is undoubtedly my uncle\'s." holmes moved the lamp, and we both bent over the sheet of paper, ', 'g is undoubtedly my uncle\'s." holmes moved the lamp, and we both bent over the sheet of paper, which', 'undoubtedly my uncle\'s." holmes moved the lamp, and we both bent over the sheet of paper, which show', 'btedly my uncle\'s." holmes moved the lamp, and we both bent over the sheet of paper, which showed by', 'y my uncle\'s." holmes moved the lamp, and we both bent over the sheet of paper, which showed by its ', 'uncle\'s." holmes moved the lamp, and we both bent over the sheet of paper, which showed by its ragge', '\'s." holmes moved the lamp, and we both bent over the sheet of paper, which showed by its ragged edg', 'holmes moved the lamp, and we both bent over the sheet of paper, which showed by its ragged edge tha', 's moved the lamp, and we both bent over the sheet of paper, which showed by its ragged edge that it ', 'ed the lamp, and we both bent over the sheet of paper, which showed by its ragged edge that it had i', 'e lamp, and we both bent over the sheet of paper, which showed by its ragged edge that it had indeed', 'p, and we both bent over the sheet of paper, which showed by its ragged edge that it had indeed been', 'd we both bent over the sheet of paper, which showed by its ragged edge that it had indeed been torn', 'both bent over the sheet of paper, which showed by its ragged edge that it had indeed been torn from', 'bent over the sheet of paper, which showed by its ragged edge that it had indeed been torn from a bo', 'over the sheet of paper, which showed by its ragged edge that it had indeed been torn from a book. i', 'the sheet of paper, which showed by its ragged edge that it had indeed been torn from a book. it was', 'heet of paper, which showed by its ragged edge that it had indeed been torn from a book. it was head', 'of paper, which showed by its ragged edge that it had indeed been torn from a book. it was headed, "', 'per, which showed by its ragged edge that it had indeed been torn from a book. it was headed, "march', 'which showed by its ragged edge that it had indeed been torn from a book. it was headed, "march, ,', ' showed by its ragged edge that it had indeed been torn from a book. it was headed, "march, ," and', 'ed by its ragged edge that it had indeed been torn from a book. it was headed, "march, ," and bene', ' its ragged edge that it had indeed been torn from a book. it was headed, "march, ," and beneath w', 'ragged edge that it had indeed been torn from a book. it was headed, "march, ," and beneath were t', 'd edge that it had indeed been torn from a book. it was headed, "march, ," and beneath were the fo', 'e that it had indeed been torn from a book. it was headed, "march, ," and beneath were the followi', 't it had indeed been torn from a book. it was headed, "march, ," and beneath were the following en', 'had indeed been torn from a book. it was headed, "march, ," and beneath were the following enigmat', 'ndeed been torn from a book. it was headed, "march, ," and beneath were the following enigmatical ', ' been torn from a book. it was headed, "march, ," and beneath were the following enigmatical notic', ' torn from a book. it was headed, "march, ," and beneath were the following enigmatical notices: "', ' from a book. it was headed, "march, ," and beneath were the following enigmatical notices: " th. ', ' a book. it was headed, "march, ," and beneath were the following enigmatical notices: " th. hudso', 'ok. it was headed, "march, ," and beneath were the following enigmatical notices: " th. hudson cam', 't was headed, "march, ," and beneath were the following enigmatical notices: " th. hudson came. sa', ' headed, "march, ," and beneath were the following enigmatical notices: " th. hudson came. same ol', 'ed, "march, ," and beneath were the following enigmatical notices: " th. hudson came. same old pla', 'march, ," and beneath were the following enigmatical notices: " th. hudson came. same old platform', ', ," and beneath were the following enigmatical notices: " th. hudson came. same old platform. " t', '" and beneath were the following enigmatical notices: " th. hudson came. same old platform. " th. se', ' beneath were the following enigmatical notices: " th. hudson came. same old platform. " th. set the', 'ath were the following enigmatical notices: " th. hudson came. same old platform. " th. set the pips', 'ere the following enigmatical notices: " th. hudson came. same old platform. " th. set the pips on m', 'he following enigmatical notices: " th. hudson came. same old platform. " th. set the pips on mccaul', 'llowing enigmatical notices: " th. hudson came. same old platform. " th. set the pips on mccauley, p', 'ng enigmatical notices: " th. hudson came. same old platform. " th. set the pips on mccauley, paramo', 'igmatical notices: " th. hudson came. same old platform. " th. set the pips on mccauley, paramore, a', 'ical notices: " th. hudson came. same old platform. " th. set the pips on mccauley, paramore, and ', 'notices: " th. hudson came. same old platform. " th. set the pips on mccauley, paramore, and john', 'es: " th. hudson came. same old platform. " th. set the pips on mccauley, paramore, and john swai', ' th. hudson came. same old platform. " th. set the pips on mccauley, paramore, and john swain, of', 'hudson came. same old platform. " th. set the pips on mccauley, paramore, and john swain, of st. ', 'n came. same old platform. " th. set the pips on mccauley, paramore, and john swain, of st. augus', 'e. same old platform. " th. set the pips on mccauley, paramore, and john swain, of st. augustine.', 'me old platform. " th. set the pips on mccauley, paramore, and john swain, of st. augustine. " th', 'd platform. " th. set the pips on mccauley, paramore, and john swain, of st. augustine. " th. mcc', 'tform. " th. set the pips on mccauley, paramore, and john swain, of st. augustine. " th. mccauley', '. " th. set the pips on mccauley, paramore, and john swain, of st. augustine. " th. mccauley clea', 'h. set the pips on mccauley, paramore, and john swain, of st. augustine. " th. mccauley cleared. ', 't the pips on mccauley, paramore, and john swain, of st. augustine. " th. mccauley cleared. " th.', ' pips on mccauley, paramore, and john swain, of st. augustine. " th. mccauley cleared. " th. john', ' on mccauley, paramore, and john swain, of st. augustine. " th. mccauley cleared. " th. john swai', 'ccauley, paramore, and john swain, of st. augustine. " th. mccauley cleared. " th. john swain cle', 'ey, paramore, and john swain, of st. augustine. " th. mccauley cleared. " th. john swain cleared.', 'aramore, and john swain, of st. augustine. " th. mccauley cleared. " th. john swain cleared. " th', 're, and john swain, of st. augustine. " th. mccauley cleared. " th. john swain cleared. " th. vis', 'nd john swain, of st. augustine. " th. mccauley cleared. " th. john swain cleared. " th. visited ', ' john swain, of st. augustine. " th. mccauley cleared. " th. john swain cleared. " th. visited param', ' swain, of st. augustine. " th. mccauley cleared. " th. john swain cleared. " th. visited paramore. ', 'n, of st. augustine. " th. mccauley cleared. " th. john swain cleared. " th. visited paramore. all w', ' st. augustine. " th. mccauley cleared. " th. john swain cleared. " th. visited paramore. all well."', 'augustine. " th. mccauley cleared. " th. john swain cleared. " th. visited paramore. all well." "tha', 'tine. " th. mccauley cleared. " th. john swain cleared. " th. visited paramore. all well." "thank yo', ' " th. mccauley cleared. " th. john swain cleared. " th. visited paramore. all well." "thank you sai', '. mccauley cleared. " th. john swain cleared. " th. visited paramore. all well." "thank you said hol', 'auley cleared. " th. john swain cleared. " th. visited paramore. all well." "thank you said holmes, ', ' cleared. " th. john swain cleared. " th. visited paramore. all well." "thank you said holmes, foldi', 'red. " th. john swain cleared. " th. visited paramore. all well." "thank you said holmes, folding up', '" th. john swain cleared. " th. visited paramore. all well." "thank you said holmes, folding up the ', ' john swain cleared. " th. visited paramore. all well." "thank you said holmes, folding up the paper', ' swain cleared. " th. visited paramore. all well." "thank you said holmes, folding up the paper and ', 'n cleared. " th. visited paramore. all well." "thank you said holmes, folding up the paper and retur', 'ared. " th. visited paramore. all well." "thank you said holmes, folding up the paper and returning ', ' " th. visited paramore. all well." "thank you said holmes, folding up the paper and returning it to', '. visited paramore. all well." "thank you said holmes, folding up the paper and returning it to our ', 'ited paramore. all well." "thank you said holmes, folding up the paper and returning it to our visit', 'paramore. all well." "thank you said holmes, folding up the paper and returning it to our visitor. "', 'ore. all well." "thank you said holmes, folding up the paper and returning it to our visitor. "and n', 'all well." "thank you said holmes, folding up the paper and returning it to our visitor. "and now yo', 'ell." "thank you said holmes, folding up the paper and returning it to our visitor. "and now you mus', ' "thank you said holmes, folding up the paper and returning it to our visitor. "and now you must on ', 'nk you said holmes, folding up the paper and returning it to our visitor. "and now you must on no ac', 'u said holmes, folding up the paper and returning it to our visitor. "and now you must on no account', 'd holmes, folding up the paper and returning it to our visitor. "and now you must on no account lose', 'mes, folding up the paper and returning it to our visitor. "and now you must on no account lose anot', 'folding up the paper and returning it to our visitor. "and now you must on no account lose another i', 'ng up the paper and returning it to our visitor. "and now you must on no account lose another instan', ' the paper and returning it to our visitor. "and now you must on no account lose another instant. we', 'paper and returning it to our visitor. "and now you must on no account lose another instant. we cann', ' and returning it to our visitor. "and now you must on no account lose another instant. we cannot sp', 'returning it to our visitor. "and now you must on no account lose another instant. we cannot spare t', 'ning it to our visitor. "and now you must on no account lose another instant. we cannot spare time e', 'it to our visitor. "and now you must on no account lose another instant. we cannot spare time even t', ' our visitor. "and now you must on no account lose another instant. we cannot spare time even to dis', 'visitor. "and now you must on no account lose another instant. we cannot spare time even to discuss ', 'or. "and now you must on no account lose another instant. we cannot spare time even to discuss what ', 'and now you must on no account lose another instant. we cannot spare time even to discuss what you h', 'ow you must on no account lose another instant. we cannot spare time even to discuss what you have t', 'u must on no account lose another instant. we cannot spare time even to discuss what you have told m', 't on no account lose another instant. we cannot spare time even to discuss what you have told me. yo', 'no account lose another instant. we cannot spare time even to discuss what you have told me. you mus', 'count lose another instant. we cannot spare time even to discuss what you have told me. you must get', ' lose another instant. we cannot spare time even to discuss what you have told me. you must get home', ' another instant. we cannot spare time even to discuss what you have told me. you must get home inst', 'her instant. we cannot spare time even to discuss what you have told me. you must get home instantly', 'nstant. we cannot spare time even to discuss what you have told me. you must get home instantly and ', 't. we cannot spare time even to discuss what you have told me. you must get home instantly and act."', ' cannot spare time even to discuss what you have told me. you must get home instantly and act." "wha', 'ot spare time even to discuss what you have told me. you must get home instantly and act." "what sha', 'are time even to discuss what you have told me. you must get home instantly and act." "what shall i ', 'ime even to discuss what you have told me. you must get home instantly and act." "what shall i do?" ', 'ven to discuss what you have told me. you must get home instantly and act." "what shall i do?" "ther', 'o discuss what you have told me. you must get home instantly and act." "what shall i do?" "there is ', 'cuss what you have told me. you must get home instantly and act." "what shall i do?" "there is but o', 'what you have told me. you must get home instantly and act." "what shall i do?" "there is but one th', 'you have told me. you must get home instantly and act." "what shall i do?" "there is but one thing t', 'ave told me. you must get home instantly and act." "what shall i do?" "there is but one thing to do.', 'old me. you must get home instantly and act." "what shall i do?" "there is but one thing to do. it m', 'e. you must get home instantly and act." "what shall i do?" "there is but one thing to do. it must b', 'u must get home instantly and act." "what shall i do?" "there is but one thing to do. it must be don', 't get home instantly and act." "what shall i do?" "there is but one thing to do. it must be done at ', ' home instantly and act." "what shall i do?" "there is but one thing to do. it must be done at once.', ' instantly and act." "what shall i do?" "there is but one thing to do. it must be done at once. you ', 'antly and act." "what shall i do?" "there is but one thing to do. it must be done at once. you must ', ' and act." "what shall i do?" "there is but one thing to do. it must be done at once. you must put t', 'act." "what shall i do?" "there is but one thing to do. it must be done at once. you must put this p', ' "what shall i do?" "there is but one thing to do. it must be done at once. you must put this piece ', 't shall i do?" "there is but one thing to do. it must be done at once. you must put this piece of pa', 'll i do?" "there is but one thing to do. it must be done at once. you must put this piece of paper w', 'do?" "there is but one thing to do. it must be done at once. you must put this piece of paper which ', '"there is but one thing to do. it must be done at once. you must put this piece of paper which you h', 'e is but one thing to do. it must be done at once. you must put this piece of paper which you have s', 'but one thing to do. it must be done at once. you must put this piece of paper which you have shown ', 'ne thing to do. it must be done at once. you must put this piece of paper which you have shown us in', 'ing to do. it must be done at once. you must put this piece of paper which you have shown us into th', 'o do. it must be done at once. you must put this piece of paper which you have shown us into the bra', ' it must be done at once. you must put this piece of paper which you have shown us into the brass bo', 'ust be done at once. you must put this piece of paper which you have shown us into the brass box whi', 'e done at once. you must put this piece of paper which you have shown us into the brass box which yo', 'e at once. you must put this piece of paper which you have shown us into the brass box which you hav', 'once. you must put this piece of paper which you have shown us into the brass box which you have des', ' you must put this piece of paper which you have shown us into the brass box which you have describe', 'must put this piece of paper which you have shown us into the brass box which you have described. yo', 'put this piece of paper which you have shown us into the brass box which you have described. you mus', 'his piece of paper which you have shown us into the brass box which you have described. you must als', 'iece of paper which you have shown us into the brass box which you have described. you must also put', 'of paper which you have shown us into the brass box which you have described. you must also put in a', 'per which you have shown us into the brass box which you have described. you must also put in a note', 'hich you have shown us into the brass box which you have described. you must also put in a note to s', 'you have shown us into the brass box which you have described. you must also put in a note to say th', 'ave shown us into the brass box which you have described. you must also put in a note to say that al', 'hown us into the brass box which you have described. you must also put in a note to say that all the', 'us into the brass box which you have described. you must also put in a note to say that all the othe', 'to the brass box which you have described. you must also put in a note to say that all the other pap', 'e brass box which you have described. you must also put in a note to say that all the other papers w', 'ss box which you have described. you must also put in a note to say that all the other papers were b', 'x which you have described. you must also put in a note to say that all the other papers were burned', 'ch you have described. you must also put in a note to say that all the other papers were burned by y', 'u have described. you must also put in a note to say that all the other papers were burned by your u', 'e described. you must also put in a note to say that all the other papers were burned by your uncle,', 'cribed. you must also put in a note to say that all the other papers were burned by your uncle, and ', 'd. you must also put in a note to say that all the other papers were burned by your uncle, and that ', 'u must also put in a note to say that all the other papers were burned by your uncle, and that this ', 't also put in a note to say that all the other papers were burned by your uncle, and that this is th', 'o put in a note to say that all the other papers were burned by your uncle, and that this is the onl', ' in a note to say that all the other papers were burned by your uncle, and that this is the only one', ' note to say that all the other papers were burned by your uncle, and that this is the only one whic', ' to say that all the other papers were burned by your uncle, and that this is the only one which rem', 'ay that all the other papers were burned by your uncle, and that this is the only one which remains.', 'at all the other papers were burned by your uncle, and that this is the only one which remains. you ', 'l the other papers were burned by your uncle, and that this is the only one which remains. you must ', ' other papers were burned by your uncle, and that this is the only one which remains. you must asser', 'r papers were burned by your uncle, and that this is the only one which remains. you must assert tha', 'ers were burned by your uncle, and that this is the only one which remains. you must assert that in ', 'ere burned by your uncle, and that this is the only one which remains. you must assert that in such ', 'urned by your uncle, and that this is the only one which remains. you must assert that in such words', ' by your uncle, and that this is the only one which remains. you must assert that in such words as w', 'our uncle, and that this is the only one which remains. you must assert that in such words as will c', 'ncle, and that this is the only one which remains. you must assert that in such words as will carry ', ' and that this is the only one which remains. you must assert that in such words as will carry convi', 'that this is the only one which remains. you must assert that in such words as will carry conviction', 'this is the only one which remains. you must assert that in such words as will carry conviction with', 'is the only one which remains. you must assert that in such words as will carry conviction with them', 'e only one which remains. you must assert that in such words as will carry conviction with them. hav', 'y one which remains. you must assert that in such words as will carry conviction with them. having d', ' which remains. you must assert that in such words as will carry conviction with them. having done t', 'h remains. you must assert that in such words as will carry conviction with them. having done this, ', 'ains. you must assert that in such words as will carry conviction with them. having done this, you m', ' you must assert that in such words as will carry conviction with them. having done this, you must a', 'must assert that in such words as will carry conviction with them. having done this, you must at onc', 'assert that in such words as will carry conviction with them. having done this, you must at once put', 't that in such words as will carry conviction with them. having done this, you must at once put the ', 't in such words as will carry conviction with them. having done this, you must at once put the box o', 'such words as will carry conviction with them. having done this, you must at once put the box out up', 'words as will carry conviction with them. having done this, you must at once put the box out upon th', ' as will carry conviction with them. having done this, you must at once put the box out upon the sun', 'ill carry conviction with them. having done this, you must at once put the box out upon the sundial,', 'arry conviction with them. having done this, you must at once put the box out upon the sundial, as d', 'conviction with them. having done this, you must at once put the box out upon the sundial, as direct', 'ction with them. having done this, you must at once put the box out upon the sundial, as directed. d', ' with them. having done this, you must at once put the box out upon the sundial, as directed. do you', ' them. having done this, you must at once put the box out upon the sundial, as directed. do you unde', '. having done this, you must at once put the box out upon the sundial, as directed. do you understan', 'ing done this, you must at once put the box out upon the sundial, as directed. do you understand?" "', 'one this, you must at once put the box out upon the sundial, as directed. do you understand?" "entir', 'his, you must at once put the box out upon the sundial, as directed. do you understand?" "entirely."', 'you must at once put the box out upon the sundial, as directed. do you understand?" "entirely." "do ', 'ust at once put the box out upon the sundial, as directed. do you understand?" "entirely." "do not t', 't once put the box out upon the sundial, as directed. do you understand?" "entirely." "do not think ', 'e put the box out upon the sundial, as directed. do you understand?" "entirely." "do not think of re', ' the box out upon the sundial, as directed. do you understand?" "entirely." "do not think of revenge', 'box out upon the sundial, as directed. do you understand?" "entirely." "do not think of revenge, or ', 'ut upon the sundial, as directed. do you understand?" "entirely." "do not think of revenge, or anyth', 'on the sundial, as directed. do you understand?" "entirely." "do not think of revenge, or anything o', 'e sundial, as directed. do you understand?" "entirely." "do not think of revenge, or anything of the', 'dial, as directed. do you understand?" "entirely." "do not think of revenge, or anything of the sort', ' as directed. do you understand?" "entirely." "do not think of revenge, or anything of the sort, at ', 'irected. do you understand?" "entirely." "do not think of revenge, or anything of the sort, at prese', 'ed. do you understand?" "entirely." "do not think of revenge, or anything of the sort, at present. i', 'o you understand?" "entirely." "do not think of revenge, or anything of the sort, at present. i thin', ' understand?" "entirely." "do not think of revenge, or anything of the sort, at present. i think tha', 'rstand?" "entirely." "do not think of revenge, or anything of the sort, at present. i think that we ', 'd?" "entirely." "do not think of revenge, or anything of the sort, at present. i think that we may g', 'entirely." "do not think of revenge, or anything of the sort, at present. i think that we may gain t', 'ely." "do not think of revenge, or anything of the sort, at present. i think that we may gain that b', ' "do not think of revenge, or anything of the sort, at present. i think that we may gain that by mea', 'not think of revenge, or anything of the sort, at present. i think that we may gain that by means of', 'hink of revenge, or anything of the sort, at present. i think that we may gain that by means of the ', 'of revenge, or anything of the sort, at present. i think that we may gain that by means of the law; ', 'venge, or anything of the sort, at present. i think that we may gain that by means of the law; but w', ', or anything of the sort, at present. i think that we may gain that by means of the law; but we hav', 'anything of the sort, at present. i think that we may gain that by means of the law; but we have our', 'ing of the sort, at present. i think that we may gain that by means of the law; but we have our web ', 'f the sort, at present. i think that we may gain that by means of the law; but we have our web to we', ' sort, at present. i think that we may gain that by means of the law; but we have our web to weave, ', ', at present. i think that we may gain that by means of the law; but we have our web to weave, while', 'present. i think that we may gain that by means of the law; but we have our web to weave, while thei', 'nt. i think that we may gain that by means of the law; but we have our web to weave, while theirs is', ' think that we may gain that by means of the law; but we have our web to weave, while theirs is alre', 'k that we may gain that by means of the law; but we have our web to weave, while theirs is already w', 't we may gain that by means of the law; but we have our web to weave, while theirs is already woven.', 'may gain that by means of the law; but we have our web to weave, while theirs is already woven. the ', 'ain that by means of the law; but we have our web to weave, while theirs is already woven. the first', 'hat by means of the law; but we have our web to weave, while theirs is already woven. the first cons', 'y means of the law; but we have our web to weave, while theirs is already woven. the first considera', 'ns of the law; but we have our web to weave, while theirs is already woven. the first consideration ', ' the law; but we have our web to weave, while theirs is already woven. the first consideration is to', 'law; but we have our web to weave, while theirs is already woven. the first consideration is to remo', 'but we have our web to weave, while theirs is already woven. the first consideration is to remove th', 'e have our web to weave, while theirs is already woven. the first consideration is to remove the pre', 'e our web to weave, while theirs is already woven. the first consideration is to remove the pressing', ' web to weave, while theirs is already woven. the first consideration is to remove the pressing dang', 'to weave, while theirs is already woven. the first consideration is to remove the pressing danger wh', 'ave, while theirs is already woven. the first consideration is to remove the pressing danger which t', 'while theirs is already woven. the first consideration is to remove the pressing danger which threat', ' theirs is already woven. the first consideration is to remove the pressing danger which threatens y', 'rs is already woven. the first consideration is to remove the pressing danger which threatens you. t', ' already woven. the first consideration is to remove the pressing danger which threatens you. the se', 'ady woven. the first consideration is to remove the pressing danger which threatens you. the second ', 'oven. the first consideration is to remove the pressing danger which threatens you. the second is to', ' the first consideration is to remove the pressing danger which threatens you. the second is to clea', 'first consideration is to remove the pressing danger which threatens you. the second is to clear up ', ' consideration is to remove the pressing danger which threatens you. the second is to clear up the m', 'ideration is to remove the pressing danger which threatens you. the second is to clear up the myster', 'tion is to remove the pressing danger which threatens you. the second is to clear up the mystery and', 'is to remove the pressing danger which threatens you. the second is to clear up the mystery and to p', ' remove the pressing danger which threatens you. the second is to clear up the mystery and to punish', 've the pressing danger which threatens you. the second is to clear up the mystery and to punish the ', 'e pressing danger which threatens you. the second is to clear up the mystery and to punish the guilt', 'ssing danger which threatens you. the second is to clear up the mystery and to punish the guilty par', ' danger which threatens you. the second is to clear up the mystery and to punish the guilty parties.', 'er which threatens you. the second is to clear up the mystery and to punish the guilty parties." "i ', 'ich threatens you. the second is to clear up the mystery and to punish the guilty parties." "i thank', 'hreatens you. the second is to clear up the mystery and to punish the guilty parties." "i thank you,', 'ens you. the second is to clear up the mystery and to punish the guilty parties." "i thank you," sai', 'ou. the second is to clear up the mystery and to punish the guilty parties." "i thank you," said the', 'he second is to clear up the mystery and to punish the guilty parties." "i thank you," said the youn', 'cond is to clear up the mystery and to punish the guilty parties." "i thank you," said the young man', 'is to clear up the mystery and to punish the guilty parties." "i thank you," said the young man, ris', ' clear up the mystery and to punish the guilty parties." "i thank you," said the young man, rising a', 'r up the mystery and to punish the guilty parties." "i thank you," said the young man, rising and pu', 'the mystery and to punish the guilty parties." "i thank you," said the young man, rising and pulling', 'ystery and to punish the guilty parties." "i thank you," said the young man, rising and pulling on h', 'y and to punish the guilty parties." "i thank you," said the young man, rising and pulling on his ov', ' to punish the guilty parties." "i thank you," said the young man, rising and pulling on his overcoa', 'unish the guilty parties." "i thank you," said the young man, rising and pulling on his overcoat. "y', ' the guilty parties." "i thank you," said the young man, rising and pulling on his overcoat. "you ha', 'guilty parties." "i thank you," said the young man, rising and pulling on his overcoat. "you have gi', 'y parties." "i thank you," said the young man, rising and pulling on his overcoat. "you have given m', 'ties." "i thank you," said the young man, rising and pulling on his overcoat. "you have given me fre', '" "i thank you," said the young man, rising and pulling on his overcoat. "you have given me fresh li', 'thank you," said the young man, rising and pulling on his overcoat. "you have given me fresh life an', ' you," said the young man, rising and pulling on his overcoat. "you have given me fresh life and hop', '" said the young man, rising and pulling on his overcoat. "you have given me fresh life and hope. i ', 'd the young man, rising and pulling on his overcoat. "you have given me fresh life and hope. i shall', ' young man, rising and pulling on his overcoat. "you have given me fresh life and hope. i shall cert', 'g man, rising and pulling on his overcoat. "you have given me fresh life and hope. i shall certainly', ', rising and pulling on his overcoat. "you have given me fresh life and hope. i shall certainly do a', 'ing and pulling on his overcoat. "you have given me fresh life and hope. i shall certainly do as you', 'nd pulling on his overcoat. "you have given me fresh life and hope. i shall certainly do as you advi', 'lling on his overcoat. "you have given me fresh life and hope. i shall certainly do as you advise." ', ' on his overcoat. "you have given me fresh life and hope. i shall certainly do as you advise." "do n', 'is overcoat. "you have given me fresh life and hope. i shall certainly do as you advise." "do not lo', 'ercoat. "you have given me fresh life and hope. i shall certainly do as you advise." "do not lose an', 't. "you have given me fresh life and hope. i shall certainly do as you advise." "do not lose an inst', 'ou have given me fresh life and hope. i shall certainly do as you advise." "do not lose an instant. ', 've given me fresh life and hope. i shall certainly do as you advise." "do not lose an instant. and, ', 'ven me fresh life and hope. i shall certainly do as you advise." "do not lose an instant. and, above', 'e fresh life and hope. i shall certainly do as you advise." "do not lose an instant. and, above all,', 'sh life and hope. i shall certainly do as you advise." "do not lose an instant. and, above all, take', 'fe and hope. i shall certainly do as you advise." "do not lose an instant. and, above all, take care', 'd hope. i shall certainly do as you advise." "do not lose an instant. and, above all, take care of y', 'e. i shall certainly do as you advise." "do not lose an instant. and, above all, take care of yourse', 'shall certainly do as you advise." "do not lose an instant. and, above all, take care of yourself in', ' certainly do as you advise." "do not lose an instant. and, above all, take care of yourself in the ', 'ainly do as you advise." "do not lose an instant. and, above all, take care of yourself in the meanw', ' do as you advise." "do not lose an instant. and, above all, take care of yourself in the meanwhile,', 's you advise." "do not lose an instant. and, above all, take care of yourself in the meanwhile, for ', ' advise." "do not lose an instant. and, above all, take care of yourself in the meanwhile, for i do ', 'se." "do not lose an instant. and, above all, take care of yourself in the meanwhile, for i do not t', '"do not lose an instant. and, above all, take care of yourself in the meanwhile, for i do not think ', 'ot lose an instant. and, above all, take care of yourself in the meanwhile, for i do not think that ', 'se an instant. and, above all, take care of yourself in the meanwhile, for i do not think that there', ' instant. and, above all, take care of yourself in the meanwhile, for i do not think that there can ', 'ant. and, above all, take care of yourself in the meanwhile, for i do not think that there can be a ', 'and, above all, take care of yourself in the meanwhile, for i do not think that there can be a doubt', 'above all, take care of yourself in the meanwhile, for i do not think that there can be a doubt that', ' all, take care of yourself in the meanwhile, for i do not think that there can be a doubt that you ', ' take care of yourself in the meanwhile, for i do not think that there can be a doubt that you are t', ' care of yourself in the meanwhile, for i do not think that there can be a doubt that you are threat', ' of yourself in the meanwhile, for i do not think that there can be a doubt that you are threatened ', 'ourself in the meanwhile, for i do not think that there can be a doubt that you are threatened by a ', 'lf in the meanwhile, for i do not think that there can be a doubt that you are threatened by a very ', ' the meanwhile, for i do not think that there can be a doubt that you are threatened by a very real ', 'meanwhile, for i do not think that there can be a doubt that you are threatened by a very real and i', 'hile, for i do not think that there can be a doubt that you are threatened by a very real and immine', ' for i do not think that there can be a doubt that you are threatened by a very real and imminent da', 'i do not think that there can be a doubt that you are threatened by a very real and imminent danger.', 'not think that there can be a doubt that you are threatened by a very real and imminent danger. how ', 'hink that there can be a doubt that you are threatened by a very real and imminent danger. how do yo', 'that there can be a doubt that you are threatened by a very real and imminent danger. how do you go ', 'there can be a doubt that you are threatened by a very real and imminent danger. how do you go back?', ' can be a doubt that you are threatened by a very real and imminent danger. how do you go back?" "by', 'be a doubt that you are threatened by a very real and imminent danger. how do you go back?" "by trai', 'doubt that you are threatened by a very real and imminent danger. how do you go back?" "by train fro', ' that you are threatened by a very real and imminent danger. how do you go back?" "by train from wat', ' you are threatened by a very real and imminent danger. how do you go back?" "by train from waterloo', 'are threatened by a very real and imminent danger. how do you go back?" "by train from waterloo." "i', 'hreatened by a very real and imminent danger. how do you go back?" "by train from waterloo." "it is ', 'ened by a very real and imminent danger. how do you go back?" "by train from waterloo." "it is not y', 'by a very real and imminent danger. how do you go back?" "by train from waterloo." "it is not yet ni', 'very real and imminent danger. how do you go back?" "by train from waterloo." "it is not yet nine. t', 'real and imminent danger. how do you go back?" "by train from waterloo." "it is not yet nine. the st', 'and imminent danger. how do you go back?" "by train from waterloo." "it is not yet nine. the streets', 'mminent danger. how do you go back?" "by train from waterloo." "it is not yet nine. the streets will', 'nt danger. how do you go back?" "by train from waterloo." "it is not yet nine. the streets will be c', 'nger. how do you go back?" "by train from waterloo." "it is not yet nine. the streets will be crowde', ' how do you go back?" "by train from waterloo." "it is not yet nine. the streets will be crowded, so', 'do you go back?" "by train from waterloo." "it is not yet nine. the streets will be crowded, so i tr', 'u go back?" "by train from waterloo." "it is not yet nine. the streets will be crowded, so i trust t', 'back?" "by train from waterloo." "it is not yet nine. the streets will be crowded, so i trust that y', '" "by train from waterloo." "it is not yet nine. the streets will be crowded, so i trust that you ma', ' train from waterloo." "it is not yet nine. the streets will be crowded, so i trust that you may be ', 'n from waterloo." "it is not yet nine. the streets will be crowded, so i trust that you may be in sa', 'm waterloo." "it is not yet nine. the streets will be crowded, so i trust that you may be in safety.', 'erloo." "it is not yet nine. the streets will be crowded, so i trust that you may be in safety. and ', '." "it is not yet nine. the streets will be crowded, so i trust that you may be in safety. and yet y', 't is not yet nine. the streets will be crowded, so i trust that you may be in safety. and yet you ca', 'not yet nine. the streets will be crowded, so i trust that you may be in safety. and yet you cannot ', 'et nine. the streets will be crowded, so i trust that you may be in safety. and yet you cannot guard', 'ne. the streets will be crowded, so i trust that you may be in safety. and yet you cannot guard your', 'he streets will be crowded, so i trust that you may be in safety. and yet you cannot guard yourself ', 'reets will be crowded, so i trust that you may be in safety. and yet you cannot guard yourself too c', ' will be crowded, so i trust that you may be in safety. and yet you cannot guard yourself too closel', ' be crowded, so i trust that you may be in safety. and yet you cannot guard yourself too closely." "', 'rowded, so i trust that you may be in safety. and yet you cannot guard yourself too closely." "i am ', 'd, so i trust that you may be in safety. and yet you cannot guard yourself too closely." "i am armed', ' i trust that you may be in safety. and yet you cannot guard yourself too closely." "i am armed." "t', 'ust that you may be in safety. and yet you cannot guard yourself too closely." "i am armed." "that i', 'hat you may be in safety. and yet you cannot guard yourself too closely." "i am armed." "that is wel', 'ou may be in safety. and yet you cannot guard yourself too closely." "i am armed." "that is well. to', 'y be in safety. and yet you cannot guard yourself too closely." "i am armed." "that is well. to-morr', 'in safety. and yet you cannot guard yourself too closely." "i am armed." "that is well. to-morrow i ', 'fety. and yet you cannot guard yourself too closely." "i am armed." "that is well. to-morrow i shall', ' and yet you cannot guard yourself too closely." "i am armed." "that is well. to-morrow i shall set ', 'yet you cannot guard yourself too closely." "i am armed." "that is well. to-morrow i shall set to wo', 'ou cannot guard yourself too closely." "i am armed." "that is well. to-morrow i shall set to work up', 'nnot guard yourself too closely." "i am armed." "that is well. to-morrow i shall set to work upon yo', 'guard yourself too closely." "i am armed." "that is well. to-morrow i shall set to work upon your ca', ' yourself too closely." "i am armed." "that is well. to-morrow i shall set to work upon your case." ', 'self too closely." "i am armed." "that is well. to-morrow i shall set to work upon your case." "i sh', 'too closely." "i am armed." "that is well. to-morrow i shall set to work upon your case." "i shall s', 'losely." "i am armed." "that is well. to-morrow i shall set to work upon your case." "i shall see yo', 'y." "i am armed." "that is well. to-morrow i shall set to work upon your case." "i shall see you at ', 'i am armed." "that is well. to-morrow i shall set to work upon your case." "i shall see you at horsh', 'armed." "that is well. to-morrow i shall set to work upon your case." "i shall see you at horsham, t', '." "that is well. to-morrow i shall set to work upon your case." "i shall see you at horsham, then?"', 'hat is well. to-morrow i shall set to work upon your case." "i shall see you at horsham, then?" "no,', 's well. to-morrow i shall set to work upon your case." "i shall see you at horsham, then?" "no, your', 'l. to-morrow i shall set to work upon your case." "i shall see you at horsham, then?" "no, your secr', '-morrow i shall set to work upon your case." "i shall see you at horsham, then?" "no, your secret li', 'ow i shall set to work upon your case." "i shall see you at horsham, then?" "no, your secret lies in', 'shall set to work upon your case." "i shall see you at horsham, then?" "no, your secret lies in lond', ' set to work upon your case." "i shall see you at horsham, then?" "no, your secret lies in london. i', 'to work upon your case." "i shall see you at horsham, then?" "no, your secret lies in london. it is ', 'rk upon your case." "i shall see you at horsham, then?" "no, your secret lies in london. it is there', 'on your case." "i shall see you at horsham, then?" "no, your secret lies in london. it is there that', 'ur case." "i shall see you at horsham, then?" "no, your secret lies in london. it is there that i sh', 'se." "i shall see you at horsham, then?" "no, your secret lies in london. it is there that i shall s', '"i shall see you at horsham, then?" "no, your secret lies in london. it is there that i shall seek i', 'all see you at horsham, then?" "no, your secret lies in london. it is there that i shall seek it." "', 'ee you at horsham, then?" "no, your secret lies in london. it is there that i shall seek it." "then ', 'u at horsham, then?" "no, your secret lies in london. it is there that i shall seek it." "then i sha', 'horsham, then?" "no, your secret lies in london. it is there that i shall seek it." "then i shall ca', 'am, then?" "no, your secret lies in london. it is there that i shall seek it." "then i shall call up', 'hen?" "no, your secret lies in london. it is there that i shall seek it." "then i shall call upon yo', ' "no, your secret lies in london. it is there that i shall seek it." "then i shall call upon you in ', ' your secret lies in london. it is there that i shall seek it." "then i shall call upon you in a day', ' secret lies in london. it is there that i shall seek it." "then i shall call upon you in a day, or ', 'et lies in london. it is there that i shall seek it." "then i shall call upon you in a day, or in tw', 'es in london. it is there that i shall seek it." "then i shall call upon you in a day, or in two day', ' london. it is there that i shall seek it." "then i shall call upon you in a day, or in two days, wi', 'on. it is there that i shall seek it." "then i shall call upon you in a day, or in two days, with ne', 't is there that i shall seek it." "then i shall call upon you in a day, or in two days, with news as', 'there that i shall seek it." "then i shall call upon you in a day, or in two days, with news as to t', ' that i shall seek it." "then i shall call upon you in a day, or in two days, with news as to the bo', ' i shall seek it." "then i shall call upon you in a day, or in two days, with news as to the box and', 'all seek it." "then i shall call upon you in a day, or in two days, with news as to the box and the ', 'eek it." "then i shall call upon you in a day, or in two days, with news as to the box and the paper', 't." "then i shall call upon you in a day, or in two days, with news as to the box and the papers. i ', 'then i shall call upon you in a day, or in two days, with news as to the box and the papers. i shall', 'i shall call upon you in a day, or in two days, with news as to the box and the papers. i shall take', 'll call upon you in a day, or in two days, with news as to the box and the papers. i shall take your', 'll upon you in a day, or in two days, with news as to the box and the papers. i shall take your advi', 'on you in a day, or in two days, with news as to the box and the papers. i shall take your advice in', 'u in a day, or in two days, with news as to the box and the papers. i shall take your advice in ever', 'a day, or in two days, with news as to the box and the papers. i shall take your advice in every par', ', or in two days, with news as to the box and the papers. i shall take your advice in every particul', 'in two days, with news as to the box and the papers. i shall take your advice in every particular." ', 'o days, with news as to the box and the papers. i shall take your advice in every particular." he sh', 's, with news as to the box and the papers. i shall take your advice in every particular." he shook h', 'th news as to the box and the papers. i shall take your advice in every particular." he shook hands ', 'ws as to the box and the papers. i shall take your advice in every particular." he shook hands with ', ' to the box and the papers. i shall take your advice in every particular." he shook hands with us an', 'he box and the papers. i shall take your advice in every particular." he shook hands with us and too', 'x and the papers. i shall take your advice in every particular." he shook hands with us and took his', ' the papers. i shall take your advice in every particular." he shook hands with us and took his leav', 'papers. i shall take your advice in every particular." he shook hands with us and took his leave. ou', 's. i shall take your advice in every particular." he shook hands with us and took his leave. outside', 'shall take your advice in every particular." he shook hands with us and took his leave. outside the ', ' take your advice in every particular." he shook hands with us and took his leave. outside the wind ', ' your advice in every particular." he shook hands with us and took his leave. outside the wind still', ' advice in every particular." he shook hands with us and took his leave. outside the wind still scre', 'ce in every particular." he shook hands with us and took his leave. outside the wind still screamed ', ' every particular." he shook hands with us and took his leave. outside the wind still screamed and t', 'y particular." he shook hands with us and took his leave. outside the wind still screamed and the ra', 'ticular." he shook hands with us and took his leave. outside the wind still screamed and the rain sp', 'ar." he shook hands with us and took his leave. outside the wind still screamed and the rain splashe', 'he shook hands with us and took his leave. outside the wind still screamed and the rain splashed and', 'ook hands with us and took his leave. outside the wind still screamed and the rain splashed and patt', 'ands with us and took his leave. outside the wind still screamed and the rain splashed and pattered ', 'with us and took his leave. outside the wind still screamed and the rain splashed and pattered again', 'us and took his leave. outside the wind still screamed and the rain splashed and pattered against th', 'd took his leave. outside the wind still screamed and the rain splashed and pattered against the win', 'k his leave. outside the wind still screamed and the rain splashed and pattered against the windows.', ' leave. outside the wind still screamed and the rain splashed and pattered against the windows. this', 'e. outside the wind still screamed and the rain splashed and pattered against the windows. this stra', 'tside the wind still screamed and the rain splashed and pattered against the windows. this strange, ', ' the wind still screamed and the rain splashed and pattered against the windows. this strange, wild ', 'wind still screamed and the rain splashed and pattered against the windows. this strange, wild story', 'still screamed and the rain splashed and pattered against the windows. this strange, wild story seem', ' screamed and the rain splashed and pattered against the windows. this strange, wild story seemed to', 'amed and the rain splashed and pattered against the windows. this strange, wild story seemed to have', 'and the rain splashed and pattered against the windows. this strange, wild story seemed to have come', 'he rain splashed and pattered against the windows. this strange, wild story seemed to have come to u', 'in splashed and pattered against the windows. this strange, wild story seemed to have come to us fro', 'lashed and pattered against the windows. this strange, wild story seemed to have come to us from ami', 'd and pattered against the windows. this strange, wild story seemed to have come to us from amid the', ' pattered against the windows. this strange, wild story seemed to have come to us from amid the mad ', 'ered against the windows. this strange, wild story seemed to have come to us from amid the mad eleme', 'against the windows. this strange, wild story seemed to have come to us from amid the mad elementsbl', 'st the windows. this strange, wild story seemed to have come to us from amid the mad elementsblown i', 'e windows. this strange, wild story seemed to have come to us from amid the mad elementsblown in upo', 'dows. this strange, wild story seemed to have come to us from amid the mad elementsblown in upon us ', ' this strange, wild story seemed to have come to us from amid the mad elementsblown in upon us like ', ' strange, wild story seemed to have come to us from amid the mad elementsblown in upon us like a she', 'nge, wild story seemed to have come to us from amid the mad elementsblown in upon us like a sheet of', 'wild story seemed to have come to us from amid the mad elementsblown in upon us like a sheet of sea-', 'story seemed to have come to us from amid the mad elementsblown in upon us like a sheet of sea-weed ', ' seemed to have come to us from amid the mad elementsblown in upon us like a sheet of sea-weed in a ', 'ed to have come to us from amid the mad elementsblown in upon us like a sheet of sea-weed in a galea', ' have come to us from amid the mad elementsblown in upon us like a sheet of sea-weed in a galeand no', ' come to us from amid the mad elementsblown in upon us like a sheet of sea-weed in a galeand now to ', ' to us from amid the mad elementsblown in upon us like a sheet of sea-weed in a galeand now to have ', 's from amid the mad elementsblown in upon us like a sheet of sea-weed in a galeand now to have been ', 'm amid the mad elementsblown in upon us like a sheet of sea-weed in a galeand now to have been reabs', 'd the mad elementsblown in upon us like a sheet of sea-weed in a galeand now to have been reabsorbed', ' mad elementsblown in upon us like a sheet of sea-weed in a galeand now to have been reabsorbed by t', 'elementsblown in upon us like a sheet of sea-weed in a galeand now to have been reabsorbed by them o', 'ntsblown in upon us like a sheet of sea-weed in a galeand now to have been reabsorbed by them once m', 'own in upon us like a sheet of sea-weed in a galeand now to have been reabsorbed by them once more. ', 'n upon us like a sheet of sea-weed in a galeand now to have been reabsorbed by them once more. sherl', 'n us like a sheet of sea-weed in a galeand now to have been reabsorbed by them once more. sherlock h', 'like a sheet of sea-weed in a galeand now to have been reabsorbed by them once more. sherlock holmes', 'a sheet of sea-weed in a galeand now to have been reabsorbed by them once more. sherlock holmes sat ', 'et of sea-weed in a galeand now to have been reabsorbed by them once more. sherlock holmes sat for s', ' sea-weed in a galeand now to have been reabsorbed by them once more. sherlock holmes sat for some t', 'weed in a galeand now to have been reabsorbed by them once more. sherlock holmes sat for some time i', 'in a galeand now to have been reabsorbed by them once more. sherlock holmes sat for some time in sil', 'galeand now to have been reabsorbed by them once more. sherlock holmes sat for some time in silence,', 'nd now to have been reabsorbed by them once more. sherlock holmes sat for some time in silence, with', 'w to have been reabsorbed by them once more. sherlock holmes sat for some time in silence, with his ', 'have been reabsorbed by them once more. sherlock holmes sat for some time in silence, with his head ', 'been reabsorbed by them once more. sherlock holmes sat for some time in silence, with his head sunk ', 'reabsorbed by them once more. sherlock holmes sat for some time in silence, with his head sunk forwa', 'orbed by them once more. sherlock holmes sat for some time in silence, with his head sunk forward an', ' by them once more. sherlock holmes sat for some time in silence, with his head sunk forward and his', 'hem once more. sherlock holmes sat for some time in silence, with his head sunk forward and his eyes', 'nce more. sherlock holmes sat for some time in silence, with his head sunk forward and his eyes bent', 'ore. sherlock holmes sat for some time in silence, with his head sunk forward and his eyes bent upon', 'sherlock holmes sat for some time in silence, with his head sunk forward and his eyes bent upon the ', 'ock holmes sat for some time in silence, with his head sunk forward and his eyes bent upon the red g', 'olmes sat for some time in silence, with his head sunk forward and his eyes bent upon the red glow o', ' sat for some time in silence, with his head sunk forward and his eyes bent upon the red glow of the', 'for some time in silence, with his head sunk forward and his eyes bent upon the red glow of the fire', 'ome time in silence, with his head sunk forward and his eyes bent upon the red glow of the fire. the', 'ime in silence, with his head sunk forward and his eyes bent upon the red glow of the fire. then he ', 'n silence, with his head sunk forward and his eyes bent upon the red glow of the fire. then he lit h', 'ence, with his head sunk forward and his eyes bent upon the red glow of the fire. then he lit his pi', ' with his head sunk forward and his eyes bent upon the red glow of the fire. then he lit his pipe, a', ' his head sunk forward and his eyes bent upon the red glow of the fire. then he lit his pipe, and le', 'head sunk forward and his eyes bent upon the red glow of the fire. then he lit his pipe, and leaning', 'sunk forward and his eyes bent upon the red glow of the fire. then he lit his pipe, and leaning back', 'forward and his eyes bent upon the red glow of the fire. then he lit his pipe, and leaning back in h', 'rd and his eyes bent upon the red glow of the fire. then he lit his pipe, and leaning back in his ch', 'd his eyes bent upon the red glow of the fire. then he lit his pipe, and leaning back in his chair h', ' eyes bent upon the red glow of the fire. then he lit his pipe, and leaning back in his chair he wat', ' bent upon the red glow of the fire. then he lit his pipe, and leaning back in his chair he watched ', ' upon the red glow of the fire. then he lit his pipe, and leaning back in his chair he watched the b', ' the red glow of the fire. then he lit his pipe, and leaning back in his chair he watched the blue s', 'red glow of the fire. then he lit his pipe, and leaning back in his chair he watched the blue smoke-', 'low of the fire. then he lit his pipe, and leaning back in his chair he watched the blue smoke-rings', 'f the fire. then he lit his pipe, and leaning back in his chair he watched the blue smoke-rings as t', ' fire. then he lit his pipe, and leaning back in his chair he watched the blue smoke-rings as they c', '. then he lit his pipe, and leaning back in his chair he watched the blue smoke-rings as they chased', 'n he lit his pipe, and leaning back in his chair he watched the blue smoke-rings as they chased each', 'lit his pipe, and leaning back in his chair he watched the blue smoke-rings as they chased each othe', 'is pipe, and leaning back in his chair he watched the blue smoke-rings as they chased each other up ', 'pe, and leaning back in his chair he watched the blue smoke-rings as they chased each other up to th', 'nd leaning back in his chair he watched the blue smoke-rings as they chased each other up to the cei', 'aning back in his chair he watched the blue smoke-rings as they chased each other up to the ceiling.', ' back in his chair he watched the blue smoke-rings as they chased each other up to the ceiling. "i t', ' in his chair he watched the blue smoke-rings as they chased each other up to the ceiling. "i think,', 'is chair he watched the blue smoke-rings as they chased each other up to the ceiling. "i think, wats', 'air he watched the blue smoke-rings as they chased each other up to the ceiling. "i think, watson," ', 'e watched the blue smoke-rings as they chased each other up to the ceiling. "i think, watson," he re', 'ched the blue smoke-rings as they chased each other up to the ceiling. "i think, watson," he remarke', 'the blue smoke-rings as they chased each other up to the ceiling. "i think, watson," he remarked at ', 'lue smoke-rings as they chased each other up to the ceiling. "i think, watson," he remarked at last,', 'moke-rings as they chased each other up to the ceiling. "i think, watson," he remarked at last, "tha', 'rings as they chased each other up to the ceiling. "i think, watson," he remarked at last, "that of ', ' as they chased each other up to the ceiling. "i think, watson," he remarked at last, "that of all o', 'hey chased each other up to the ceiling. "i think, watson," he remarked at last, "that of all our ca', 'hased each other up to the ceiling. "i think, watson," he remarked at last, "that of all our cases w', ' each other up to the ceiling. "i think, watson," he remarked at last, "that of all our cases we hav', ' other up to the ceiling. "i think, watson," he remarked at last, "that of all our cases we have had', 'r up to the ceiling. "i think, watson," he remarked at last, "that of all our cases we have had none', 'to the ceiling. "i think, watson," he remarked at last, "that of all our cases we have had none more', 'e ceiling. "i think, watson," he remarked at last, "that of all our cases we have had none more fant', 'ling. "i think, watson," he remarked at last, "that of all our cases we have had none more fantastic', ' "i think, watson," he remarked at last, "that of all our cases we have had none more fantastic than', 'hink, watson," he remarked at last, "that of all our cases we have had none more fantastic than this', ' watson," he remarked at last, "that of all our cases we have had none more fantastic than this." "s', 'on," he remarked at last, "that of all our cases we have had none more fantastic than this." "save, ', 'he remarked at last, "that of all our cases we have had none more fantastic than this." "save, perha', 'marked at last, "that of all our cases we have had none more fantastic than this." "save, perhaps, t', 'd at last, "that of all our cases we have had none more fantastic than this." "save, perhaps, the si', 'last, "that of all our cases we have had none more fantastic than this." "save, perhaps, the sign of', ' "that of all our cases we have had none more fantastic than this." "save, perhaps, the sign of four', 't of all our cases we have had none more fantastic than this." "save, perhaps, the sign of four." "w', 'all our cases we have had none more fantastic than this." "save, perhaps, the sign of four." "well, ', 'ur cases we have had none more fantastic than this." "save, perhaps, the sign of four." "well, yes. ', 'ses we have had none more fantastic than this." "save, perhaps, the sign of four." "well, yes. save,', 'e have had none more fantastic than this." "save, perhaps, the sign of four." "well, yes. save, perh', 'e had none more fantastic than this." "save, perhaps, the sign of four." "well, yes. save, perhaps, ', ' none more fantastic than this." "save, perhaps, the sign of four." "well, yes. save, perhaps, that.', ' more fantastic than this." "save, perhaps, the sign of four." "well, yes. save, perhaps, that. and ', ' fantastic than this." "save, perhaps, the sign of four." "well, yes. save, perhaps, that. and yet t', 'astic than this." "save, perhaps, the sign of four." "well, yes. save, perhaps, that. and yet this j', ' than this." "save, perhaps, the sign of four." "well, yes. save, perhaps, that. and yet this john o', ' this." "save, perhaps, the sign of four." "well, yes. save, perhaps, that. and yet this john opensh', '." "save, perhaps, the sign of four." "well, yes. save, perhaps, that. and yet this john openshaw se', 'ave, perhaps, the sign of four." "well, yes. save, perhaps, that. and yet this john openshaw seems t', 'perhaps, the sign of four." "well, yes. save, perhaps, that. and yet this john openshaw seems to me ', 'ps, the sign of four." "well, yes. save, perhaps, that. and yet this john openshaw seems to me to be', 'he sign of four." "well, yes. save, perhaps, that. and yet this john openshaw seems to me to be walk', 'gn of four." "well, yes. save, perhaps, that. and yet this john openshaw seems to me to be walking a', ' four." "well, yes. save, perhaps, that. and yet this john openshaw seems to me to be walking amid e', '." "well, yes. save, perhaps, that. and yet this john openshaw seems to me to be walking amid even g', 'ell, yes. save, perhaps, that. and yet this john openshaw seems to me to be walking amid even greate', 'yes. save, perhaps, that. and yet this john openshaw seems to me to be walking amid even greater per', 'save, perhaps, that. and yet this john openshaw seems to me to be walking amid even greater perils t', ' perhaps, that. and yet this john openshaw seems to me to be walking amid even greater perils than d', 'aps, that. and yet this john openshaw seems to me to be walking amid even greater perils than did th', 'that. and yet this john openshaw seems to me to be walking amid even greater perils than did the sho', ' and yet this john openshaw seems to me to be walking amid even greater perils than did the sholtos.', 'yet this john openshaw seems to me to be walking amid even greater perils than did the sholtos." "bu', 'his john openshaw seems to me to be walking amid even greater perils than did the sholtos." "but hav', 'ohn openshaw seems to me to be walking amid even greater perils than did the sholtos." "but have you', 'penshaw seems to me to be walking amid even greater perils than did the sholtos." "but have you," i ', 'aw seems to me to be walking amid even greater perils than did the sholtos." "but have you," i asked', 'ems to me to be walking amid even greater perils than did the sholtos." "but have you," i asked, "fo', 'o me to be walking amid even greater perils than did the sholtos." "but have you," i asked, "formed ', 'to be walking amid even greater perils than did the sholtos." "but have you," i asked, "formed any d', ' walking amid even greater perils than did the sholtos." "but have you," i asked, "formed any defini', 'ing amid even greater perils than did the sholtos." "but have you," i asked, "formed any definite co', 'mid even greater perils than did the sholtos." "but have you," i asked, "formed any definite concept', 'ven greater perils than did the sholtos." "but have you," i asked, "formed any definite conception a', 'reater perils than did the sholtos." "but have you," i asked, "formed any definite conception as to ', 'r perils than did the sholtos." "but have you," i asked, "formed any definite conception as to what ', 'ils than did the sholtos." "but have you," i asked, "formed any definite conception as to what these', 'han did the sholtos." "but have you," i asked, "formed any definite conception as to what these peri', 'id the sholtos." "but have you," i asked, "formed any definite conception as to what these perils ar', 'e sholtos." "but have you," i asked, "formed any definite conception as to what these perils are?" "', 'ltos." "but have you," i asked, "formed any definite conception as to what these perils are?" "there', '" "but have you," i asked, "formed any definite conception as to what these perils are?" "there can ', 't have you," i asked, "formed any definite conception as to what these perils are?" "there can be no', 'e you," i asked, "formed any definite conception as to what these perils are?" "there can be no ques', '," i asked, "formed any definite conception as to what these perils are?" "there can be no question ', 'asked, "formed any definite conception as to what these perils are?" "there can be no question as to', ', "formed any definite conception as to what these perils are?" "there can be no question as to thei', 'rmed any definite conception as to what these perils are?" "there can be no question as to their nat', 'any definite conception as to what these perils are?" "there can be no question as to their nature,"', 'efinite conception as to what these perils are?" "there can be no question as to their nature," he a', 'te conception as to what these perils are?" "there can be no question as to their nature," he answer', 'nception as to what these perils are?" "there can be no question as to their nature," he answered. "', 'ion as to what these perils are?" "there can be no question as to their nature," he answered. "then ', 's to what these perils are?" "there can be no question as to their nature," he answered. "then what ', 'what these perils are?" "there can be no question as to their nature," he answered. "then what are t', 'these perils are?" "there can be no question as to their nature," he answered. "then what are they? ', ' perils are?" "there can be no question as to their nature," he answered. "then what are they? who i', 'ls are?" "there can be no question as to their nature," he answered. "then what are they? who is thi', 'e?" "there can be no question as to their nature," he answered. "then what are they? who is this k. ', 'there can be no question as to their nature," he answered. "then what are they? who is this k. k. k.', ' can be no question as to their nature," he answered. "then what are they? who is this k. k. k., and', 'be no question as to their nature," he answered. "then what are they? who is this k. k. k., and why ', ' question as to their nature," he answered. "then what are they? who is this k. k. k., and why does ', 'tion as to their nature," he answered. "then what are they? who is this k. k. k., and why does he pu', 'as to their nature," he answered. "then what are they? who is this k. k. k., and why does he pursue ', ' their nature," he answered. "then what are they? who is this k. k. k., and why does he pursue this ', 'r nature," he answered. "then what are they? who is this k. k. k., and why does he pursue this unhap', 'ure," he answered. "then what are they? who is this k. k. k., and why does he pursue this unhappy fa', ' he answered. "then what are they? who is this k. k. k., and why does he pursue this unhappy family?', 'nswered. "then what are they? who is this k. k. k., and why does he pursue this unhappy family?" she', 'ed. "then what are they? who is this k. k. k., and why does he pursue this unhappy family?" sherlock', 'then what are they? who is this k. k. k., and why does he pursue this unhappy family?" sherlock holm', 'what are they? who is this k. k. k., and why does he pursue this unhappy family?" sherlock holmes cl', 'are they? who is this k. k. k., and why does he pursue this unhappy family?" sherlock holmes closed ', 'hey? who is this k. k. k., and why does he pursue this unhappy family?" sherlock holmes closed his e', 'who is this k. k. k., and why does he pursue this unhappy family?" sherlock holmes closed his eyes a', 's this k. k. k., and why does he pursue this unhappy family?" sherlock holmes closed his eyes and pl', 's k. k. k., and why does he pursue this unhappy family?" sherlock holmes closed his eyes and placed ', 'k. k., and why does he pursue this unhappy family?" sherlock holmes closed his eyes and placed his e', ', and why does he pursue this unhappy family?" sherlock holmes closed his eyes and placed his elbows', ' why does he pursue this unhappy family?" sherlock holmes closed his eyes and placed his elbows upon', 'does he pursue this unhappy family?" sherlock holmes closed his eyes and placed his elbows upon the ', 'he pursue this unhappy family?" sherlock holmes closed his eyes and placed his elbows upon the arms ', 'rsue this unhappy family?" sherlock holmes closed his eyes and placed his elbows upon the arms of hi', 'this unhappy family?" sherlock holmes closed his eyes and placed his elbows upon the arms of his cha', 'unhappy family?" sherlock holmes closed his eyes and placed his elbows upon the arms of his chair, w', 'py family?" sherlock holmes closed his eyes and placed his elbows upon the arms of his chair, with h', 'mily?" sherlock holmes closed his eyes and placed his elbows upon the arms of his chair, with his fi', '" sherlock holmes closed his eyes and placed his elbows upon the arms of his chair, with his finger-', 'rlock holmes closed his eyes and placed his elbows upon the arms of his chair, with his finger-tips ', ' holmes closed his eyes and placed his elbows upon the arms of his chair, with his finger-tips toget', 'es closed his eyes and placed his elbows upon the arms of his chair, with his finger-tips together. ', 'osed his eyes and placed his elbows upon the arms of his chair, with his finger-tips together. "the ', 'his eyes and placed his elbows upon the arms of his chair, with his finger-tips together. "the ideal', 'yes and placed his elbows upon the arms of his chair, with his finger-tips together. "the ideal reas', 'nd placed his elbows upon the arms of his chair, with his finger-tips together. "the ideal reasoner,', 'aced his elbows upon the arms of his chair, with his finger-tips together. "the ideal reasoner," he ', 'his elbows upon the arms of his chair, with his finger-tips together. "the ideal reasoner," he remar', 'lbows upon the arms of his chair, with his finger-tips together. "the ideal reasoner," he remarked, ', ' upon the arms of his chair, with his finger-tips together. "the ideal reasoner," he remarked, "woul', ' the arms of his chair, with his finger-tips together. "the ideal reasoner," he remarked, "would, wh', 'arms of his chair, with his finger-tips together. "the ideal reasoner," he remarked, "would, when he', 'of his chair, with his finger-tips together. "the ideal reasoner," he remarked, "would, when he had ', 's chair, with his finger-tips together. "the ideal reasoner," he remarked, "would, when he had once ', 'ir, with his finger-tips together. "the ideal reasoner," he remarked, "would, when he had once been ', 'ith his finger-tips together. "the ideal reasoner," he remarked, "would, when he had once been shown', 'is finger-tips together. "the ideal reasoner," he remarked, "would, when he had once been shown a si', 'nger-tips together. "the ideal reasoner," he remarked, "would, when he had once been shown a single ', 'tips together. "the ideal reasoner," he remarked, "would, when he had once been shown a single fact ', 'together. "the ideal reasoner," he remarked, "would, when he had once been shown a single fact in al', 'her. "the ideal reasoner," he remarked, "would, when he had once been shown a single fact in all its', '"the ideal reasoner," he remarked, "would, when he had once been shown a single fact in all its bear', 'ideal reasoner," he remarked, "would, when he had once been shown a single fact in all its bearings,', ' reasoner," he remarked, "would, when he had once been shown a single fact in all its bearings, dedu', 'oner," he remarked, "would, when he had once been shown a single fact in all its bearings, deduce fr', '" he remarked, "would, when he had once been shown a single fact in all its bearings, deduce from it', 'remarked, "would, when he had once been shown a single fact in all its bearings, deduce from it not ', 'ked, "would, when he had once been shown a single fact in all its bearings, deduce from it not only ', '"would, when he had once been shown a single fact in all its bearings, deduce from it not only all t', 'd, when he had once been shown a single fact in all its bearings, deduce from it not only all the ch', 'en he had once been shown a single fact in all its bearings, deduce from it not only all the chain o', ' had once been shown a single fact in all its bearings, deduce from it not only all the chain of eve', 'once been shown a single fact in all its bearings, deduce from it not only all the chain of events w', 'been shown a single fact in all its bearings, deduce from it not only all the chain of events which ', 'shown a single fact in all its bearings, deduce from it not only all the chain of events which led u', ' a single fact in all its bearings, deduce from it not only all the chain of events which led up to ', 'ngle fact in all its bearings, deduce from it not only all the chain of events which led up to it bu', 'fact in all its bearings, deduce from it not only all the chain of events which led up to it but als', 'in all its bearings, deduce from it not only all the chain of events which led up to it but also all', 'l its bearings, deduce from it not only all the chain of events which led up to it but also all the ', ' bearings, deduce from it not only all the chain of events which led up to it but also all the resul', 'ings, deduce from it not only all the chain of events which led up to it but also all the results wh', ' deduce from it not only all the chain of events which led up to it but also all the results which w', 'ce from it not only all the chain of events which led up to it but also all the results which would ', 'om it not only all the chain of events which led up to it but also all the results which would follo', ' not only all the chain of events which led up to it but also all the results which would follow fro', 'only all the chain of events which led up to it but also all the results which would follow from it.', 'all the chain of events which led up to it but also all the results which would follow from it. as c', 'he chain of events which led up to it but also all the results which would follow from it. as cuvier', 'ain of events which led up to it but also all the results which would follow from it. as cuvier coul', 'f events which led up to it but also all the results which would follow from it. as cuvier could cor', 'nts which led up to it but also all the results which would follow from it. as cuvier could correctl', 'hich led up to it but also all the results which would follow from it. as cuvier could correctly des', 'led up to it but also all the results which would follow from it. as cuvier could correctly describe', 'p to it but also all the results which would follow from it. as cuvier could correctly describe a wh', 'it but also all the results which would follow from it. as cuvier could correctly describe a whole a', 't also all the results which would follow from it. as cuvier could correctly describe a whole animal', 'o all the results which would follow from it. as cuvier could correctly describe a whole animal by t', ' the results which would follow from it. as cuvier could correctly describe a whole animal by the co', 'results which would follow from it. as cuvier could correctly describe a whole animal by the contemp', 'ts which would follow from it. as cuvier could correctly describe a whole animal by the contemplatio', 'ich would follow from it. as cuvier could correctly describe a whole animal by the contemplation of ', 'ould follow from it. as cuvier could correctly describe a whole animal by the contemplation of a sin', 'follow from it. as cuvier could correctly describe a whole animal by the contemplation of a single b', 'w from it. as cuvier could correctly describe a whole animal by the contemplation of a single bone, ', 'm it. as cuvier could correctly describe a whole animal by the contemplation of a single bone, so th', ' as cuvier could correctly describe a whole animal by the contemplation of a single bone, so the obs', 'uvier could correctly describe a whole animal by the contemplation of a single bone, so the observer', ' could correctly describe a whole animal by the contemplation of a single bone, so the observer who ', 'd correctly describe a whole animal by the contemplation of a single bone, so the observer who has t', 'rectly describe a whole animal by the contemplation of a single bone, so the observer who has thorou', 'y describe a whole animal by the contemplation of a single bone, so the observer who has thoroughly ', 'cribe a whole animal by the contemplation of a single bone, so the observer who has thoroughly under', ' a whole animal by the contemplation of a single bone, so the observer who has thoroughly understood', 'ole animal by the contemplation of a single bone, so the observer who has thoroughly understood one ', 'nimal by the contemplation of a single bone, so the observer who has thoroughly understood one link ', ' by the contemplation of a single bone, so the observer who has thoroughly understood one link in a ', 'he contemplation of a single bone, so the observer who has thoroughly understood one link in a serie', 'ntemplation of a single bone, so the observer who has thoroughly understood one link in a series of ', 'lation of a single bone, so the observer who has thoroughly understood one link in a series of incid', 'n of a single bone, so the observer who has thoroughly understood one link in a series of incidents ', 'a single bone, so the observer who has thoroughly understood one link in a series of incidents shoul', 'gle bone, so the observer who has thoroughly understood one link in a series of incidents should be ', 'one, so the observer who has thoroughly understood one link in a series of incidents should be able ', 'so the observer who has thoroughly understood one link in a series of incidents should be able to ac', 'e observer who has thoroughly understood one link in a series of incidents should be able to accurat', 'erver who has thoroughly understood one link in a series of incidents should be able to accurately s', ' who has thoroughly understood one link in a series of incidents should be able to accurately state ', 'has thoroughly understood one link in a series of incidents should be able to accurately state all t', 'horoughly understood one link in a series of incidents should be able to accurately state all the ot', 'ghly understood one link in a series of incidents should be able to accurately state all the other o', 'understood one link in a series of incidents should be able to accurately state all the other ones, ', 'stood one link in a series of incidents should be able to accurately state all the other ones, both ', ' one link in a series of incidents should be able to accurately state all the other ones, both befor', 'link in a series of incidents should be able to accurately state all the other ones, both before and', 'in a series of incidents should be able to accurately state all the other ones, both before and afte', 'series of incidents should be able to accurately state all the other ones, both before and after. we', 's of incidents should be able to accurately state all the other ones, both before and after. we have', 'incidents should be able to accurately state all the other ones, both before and after. we have not ', 'ents should be able to accurately state all the other ones, both before and after. we have not yet g', 'should be able to accurately state all the other ones, both before and after. we have not yet graspe', 'd be able to accurately state all the other ones, both before and after. we have not yet grasped the', 'able to accurately state all the other ones, both before and after. we have not yet grasped the resu', 'to accurately state all the other ones, both before and after. we have not yet grasped the results w', 'curately state all the other ones, both before and after. we have not yet grasped the results which ', 'ely state all the other ones, both before and after. we have not yet grasped the results which the r', 'tate all the other ones, both before and after. we have not yet grasped the results which the reason', 'all the other ones, both before and after. we have not yet grasped the results which the reason alon', 'he other ones, both before and after. we have not yet grasped the results which the reason alone can', 'her ones, both before and after. we have not yet grasped the results which the reason alone can atta', 'nes, both before and after. we have not yet grasped the results which the reason alone can attain to', 'both before and after. we have not yet grasped the results which the reason alone can attain to. pro', 'before and after. we have not yet grasped the results which the reason alone can attain to. problems', 'e and after. we have not yet grasped the results which the reason alone can attain to. problems may ', ' after. we have not yet grasped the results which the reason alone can attain to. problems may be so', 'r. we have not yet grasped the results which the reason alone can attain to. problems may be solved ', ' have not yet grasped the results which the reason alone can attain to. problems may be solved in th', ' not yet grasped the results which the reason alone can attain to. problems may be solved in the stu', 'yet grasped the results which the reason alone can attain to. problems may be solved in the study wh', 'rasped the results which the reason alone can attain to. problems may be solved in the study which h', 'd the results which the reason alone can attain to. problems may be solved in the study which have b', ' results which the reason alone can attain to. problems may be solved in the study which have baffle', 'lts which the reason alone can attain to. problems may be solved in the study which have baffled all', 'hich the reason alone can attain to. problems may be solved in the study which have baffled all thos', 'the reason alone can attain to. problems may be solved in the study which have baffled all those who', 'eason alone can attain to. problems may be solved in the study which have baffled all those who have', ' alone can attain to. problems may be solved in the study which have baffled all those who have soug', 'e can attain to. problems may be solved in the study which have baffled all those who have sought a ', ' attain to. problems may be solved in the study which have baffled all those who have sought a solut', 'in to. problems may be solved in the study which have baffled all those who have sought a solution b', '. problems may be solved in the study which have baffled all those who have sought a solution by the', 'blems may be solved in the study which have baffled all those who have sought a solution by the aid ', ' may be solved in the study which have baffled all those who have sought a solution by the aid of th', 'be solved in the study which have baffled all those who have sought a solution by the aid of their s', 'lved in the study which have baffled all those who have sought a solution by the aid of their senses', 'in the study which have baffled all those who have sought a solution by the aid of their senses. to ', 'e study which have baffled all those who have sought a solution by the aid of their senses. to carry', 'dy which have baffled all those who have sought a solution by the aid of their senses. to carry the ', 'ich have baffled all those who have sought a solution by the aid of their senses. to carry the art, ', 'ave baffled all those who have sought a solution by the aid of their senses. to carry the art, howev', 'affled all those who have sought a solution by the aid of their senses. to carry the art, however, t', 'd all those who have sought a solution by the aid of their senses. to carry the art, however, to its', ' those who have sought a solution by the aid of their senses. to carry the art, however, to its high', 'e who have sought a solution by the aid of their senses. to carry the art, however, to its highest p', ' have sought a solution by the aid of their senses. to carry the art, however, to its highest pitch,', ' sought a solution by the aid of their senses. to carry the art, however, to its highest pitch, it i', 'ht a solution by the aid of their senses. to carry the art, however, to its highest pitch, it is nec', 'solution by the aid of their senses. to carry the art, however, to its highest pitch, it is necessar', 'ion by the aid of their senses. to carry the art, however, to its highest pitch, it is necessary tha', 'y the aid of their senses. to carry the art, however, to its highest pitch, it is necessary that the', ' aid of their senses. to carry the art, however, to its highest pitch, it is necessary that the reas', 'of their senses. to carry the art, however, to its highest pitch, it is necessary that the reasoner ', 'eir senses. to carry the art, however, to its highest pitch, it is necessary that the reasoner shoul', 'enses. to carry the art, however, to its highest pitch, it is necessary that the reasoner should be ', '. to carry the art, however, to its highest pitch, it is necessary that the reasoner should be able ', 'carry the art, however, to its highest pitch, it is necessary that the reasoner should be able to ut', ' the art, however, to its highest pitch, it is necessary that the reasoner should be able to utilise', 'art, however, to its highest pitch, it is necessary that the reasoner should be able to utilise all ', 'however, to its highest pitch, it is necessary that the reasoner should be able to utilise all the f', 'er, to its highest pitch, it is necessary that the reasoner should be able to utilise all the facts ', 'o its highest pitch, it is necessary that the reasoner should be able to utilise all the facts which', ' highest pitch, it is necessary that the reasoner should be able to utilise all the facts which have', 'est pitch, it is necessary that the reasoner should be able to utilise all the facts which have come', 'itch, it is necessary that the reasoner should be able to utilise all the facts which have come to h', ' it is necessary that the reasoner should be able to utilise all the facts which have come to his kn', 's necessary that the reasoner should be able to utilise all the facts which have come to his knowled', 'essary that the reasoner should be able to utilise all the facts which have come to his knowledge; a', 'y that the reasoner should be able to utilise all the facts which have come to his knowledge; and th', 't the reasoner should be able to utilise all the facts which have come to his knowledge; and this in', ' reasoner should be able to utilise all the facts which have come to his knowledge; and this in itse', 'oner should be able to utilise all the facts which have come to his knowledge; and this in itself im', 'should be able to utilise all the facts which have come to his knowledge; and this in itself implies', 'd be able to utilise all the facts which have come to his knowledge; and this in itself implies, as ', 'able to utilise all the facts which have come to his knowledge; and this in itself implies, as you w', 'to utilise all the facts which have come to his knowledge; and this in itself implies, as you will r', 'ilise all the facts which have come to his knowledge; and this in itself implies, as you will readil', ' all the facts which have come to his knowledge; and this in itself implies, as you will readily see', 'the facts which have come to his knowledge; and this in itself implies, as you will readily see, a p', 'acts which have come to his knowledge; and this in itself implies, as you will readily see, a posses', 'which have come to his knowledge; and this in itself implies, as you will readily see, a possession ', ' have come to his knowledge; and this in itself implies, as you will readily see, a possession of al', ' come to his knowledge; and this in itself implies, as you will readily see, a possession of all kno', ' to his knowledge; and this in itself implies, as you will readily see, a possession of all knowledg', 'is knowledge; and this in itself implies, as you will readily see, a possession of all knowledge, wh', 'owledge; and this in itself implies, as you will readily see, a possession of all knowledge, which, ', 'ge; and this in itself implies, as you will readily see, a possession of all knowledge, which, even ', 'nd this in itself implies, as you will readily see, a possession of all knowledge, which, even in th', 'is in itself implies, as you will readily see, a possession of all knowledge, which, even in these d', ' itself implies, as you will readily see, a possession of all knowledge, which, even in these days o', 'lf implies, as you will readily see, a possession of all knowledge, which, even in these days of fre', 'plies, as you will readily see, a possession of all knowledge, which, even in these days of free edu', ', as you will readily see, a possession of all knowledge, which, even in these days of free educatio', 'you will readily see, a possession of all knowledge, which, even in these days of free education and', 'ill readily see, a possession of all knowledge, which, even in these days of free education and ency', 'eadily see, a possession of all knowledge, which, even in these days of free education and encyclopa', 'y see, a possession of all knowledge, which, even in these days of free education and encyclopaedias', ', a possession of all knowledge, which, even in these days of free education and encyclopaedias, is ', 'ossession of all knowledge, which, even in these days of free education and encyclopaedias, is a som', 'sion of all knowledge, which, even in these days of free education and encyclopaedias, is a somewhat', 'of all knowledge, which, even in these days of free education and encyclopaedias, is a somewhat rare', 'l knowledge, which, even in these days of free education and encyclopaedias, is a somewhat rare acco', 'wledge, which, even in these days of free education and encyclopaedias, is a somewhat rare accomplis', 'e, which, even in these days of free education and encyclopaedias, is a somewhat rare accomplishment', 'ich, even in these days of free education and encyclopaedias, is a somewhat rare accomplishment. it ', 'even in these days of free education and encyclopaedias, is a somewhat rare accomplishment. it is no', 'in these days of free education and encyclopaedias, is a somewhat rare accomplishment. it is not so ', 'ese days of free education and encyclopaedias, is a somewhat rare accomplishment. it is not so impos', 'ays of free education and encyclopaedias, is a somewhat rare accomplishment. it is not so impossible', 'f free education and encyclopaedias, is a somewhat rare accomplishment. it is not so impossible, how', 'e education and encyclopaedias, is a somewhat rare accomplishment. it is not so impossible, however,', 'cation and encyclopaedias, is a somewhat rare accomplishment. it is not so impossible, however, that', 'n and encyclopaedias, is a somewhat rare accomplishment. it is not so impossible, however, that a ma', ' encyclopaedias, is a somewhat rare accomplishment. it is not so impossible, however, that a man sho', 'clopaedias, is a somewhat rare accomplishment. it is not so impossible, however, that a man should p', 'edias, is a somewhat rare accomplishment. it is not so impossible, however, that a man should posses', ', is a somewhat rare accomplishment. it is not so impossible, however, that a man should possess all', 'a somewhat rare accomplishment. it is not so impossible, however, that a man should possess all know', 'ewhat rare accomplishment. it is not so impossible, however, that a man should possess all knowledge', ' rare accomplishment. it is not so impossible, however, that a man should possess all knowledge whic', ' accomplishment. it is not so impossible, however, that a man should possess all knowledge which is ', 'mplishment. it is not so impossible, however, that a man should possess all knowledge which is likel', 'hment. it is not so impossible, however, that a man should possess all knowledge which is likely to ', '. it is not so impossible, however, that a man should possess all knowledge which is likely to be us', 'is not so impossible, however, that a man should possess all knowledge which is likely to be useful ', 't so impossible, however, that a man should possess all knowledge which is likely to be useful to hi', 'impossible, however, that a man should possess all knowledge which is likely to be useful to him in ', 'sible, however, that a man should possess all knowledge which is likely to be useful to him in his w', ', however, that a man should possess all knowledge which is likely to be useful to him in his work, ', 'ever, that a man should possess all knowledge which is likely to be useful to him in his work, and t', ' that a man should possess all knowledge which is likely to be useful to him in his work, and this i', ' a man should possess all knowledge which is likely to be useful to him in his work, and this i have', 'n should possess all knowledge which is likely to be useful to him in his work, and this i have ende', 'uld possess all knowledge which is likely to be useful to him in his work, and this i have endeavour', 'ossess all knowledge which is likely to be useful to him in his work, and this i have endeavoured in', 's all knowledge which is likely to be useful to him in his work, and this i have endeavoured in my c', ' knowledge which is likely to be useful to him in his work, and this i have endeavoured in my case t', 'ledge which is likely to be useful to him in his work, and this i have endeavoured in my case to do.', ' which is likely to be useful to him in his work, and this i have endeavoured in my case to do. if i', 'h is likely to be useful to him in his work, and this i have endeavoured in my case to do. if i reme', 'likely to be useful to him in his work, and this i have endeavoured in my case to do. if i remember ', 'y to be useful to him in his work, and this i have endeavoured in my case to do. if i remember right', 'be useful to him in his work, and this i have endeavoured in my case to do. if i remember rightly, y', 'eful to him in his work, and this i have endeavoured in my case to do. if i remember rightly, you on', 'to him in his work, and this i have endeavoured in my case to do. if i remember rightly, you on one ', 'm in his work, and this i have endeavoured in my case to do. if i remember rightly, you on one occas', 'his work, and this i have endeavoured in my case to do. if i remember rightly, you on one occasion, ', 'ork, and this i have endeavoured in my case to do. if i remember rightly, you on one occasion, in th', 'and this i have endeavoured in my case to do. if i remember rightly, you on one occasion, in the ear', 'his i have endeavoured in my case to do. if i remember rightly, you on one occasion, in the early da', ' have endeavoured in my case to do. if i remember rightly, you on one occasion, in the early days of', ' endeavoured in my case to do. if i remember rightly, you on one occasion, in the early days of our ', 'avoured in my case to do. if i remember rightly, you on one occasion, in the early days of our frien', 'ed in my case to do. if i remember rightly, you on one occasion, in the early days of our friendship', ' my case to do. if i remember rightly, you on one occasion, in the early days of our friendship, def', 'ase to do. if i remember rightly, you on one occasion, in the early days of our friendship, defined ', 'o do. if i remember rightly, you on one occasion, in the early days of our friendship, defined my li', ' if i remember rightly, you on one occasion, in the early days of our friendship, defined my limits ', ' remember rightly, you on one occasion, in the early days of our friendship, defined my limits in a ', 'mber rightly, you on one occasion, in the early days of our friendship, defined my limits in a very ', 'rightly, you on one occasion, in the early days of our friendship, defined my limits in a very preci', 'ly, you on one occasion, in the early days of our friendship, defined my limits in a very precise fa', 'ou on one occasion, in the early days of our friendship, defined my limits in a very precise fashion', ' one occasion, in the early days of our friendship, defined my limits in a very precise fashion." "y', 'occasion, in the early days of our friendship, defined my limits in a very precise fashion." "yes," ', 'ion, in the early days of our friendship, defined my limits in a very precise fashion." "yes," i ans', 'in the early days of our friendship, defined my limits in a very precise fashion." "yes," i answered', 'e early days of our friendship, defined my limits in a very precise fashion." "yes," i answered, lau', 'ly days of our friendship, defined my limits in a very precise fashion." "yes," i answered, laughing', 'ys of our friendship, defined my limits in a very precise fashion." "yes," i answered, laughing. "it', ' our friendship, defined my limits in a very precise fashion." "yes," i answered, laughing. "it was ', 'friendship, defined my limits in a very precise fashion." "yes," i answered, laughing. "it was a sin', 'dship, defined my limits in a very precise fashion." "yes," i answered, laughing. "it was a singular', ', defined my limits in a very precise fashion." "yes," i answered, laughing. "it was a singular docu', 'ined my limits in a very precise fashion." "yes," i answered, laughing. "it was a singular document.', 'my limits in a very precise fashion." "yes," i answered, laughing. "it was a singular document. phil', 'mits in a very precise fashion." "yes," i answered, laughing. "it was a singular document. philosoph', 'in a very precise fashion." "yes," i answered, laughing. "it was a singular document. philosophy, as', 'very precise fashion." "yes," i answered, laughing. "it was a singular document. philosophy, astrono', 'precise fashion." "yes," i answered, laughing. "it was a singular document. philosophy, astronomy, a', 'se fashion." "yes," i answered, laughing. "it was a singular document. philosophy, astronomy, and po', 'shion." "yes," i answered, laughing. "it was a singular document. philosophy, astronomy, and politic', '." "yes," i answered, laughing. "it was a singular document. philosophy, astronomy, and politics wer', 'es," i answered, laughing. "it was a singular document. philosophy, astronomy, and politics were mar', 'i answered, laughing. "it was a singular document. philosophy, astronomy, and politics were marked a', 'wered, laughing. "it was a singular document. philosophy, astronomy, and politics were marked at zer', ', laughing. "it was a singular document. philosophy, astronomy, and politics were marked at zero, i ', 'ghing. "it was a singular document. philosophy, astronomy, and politics were marked at zero, i remem', '. "it was a singular document. philosophy, astronomy, and politics were marked at zero, i remember. ', ' was a singular document. philosophy, astronomy, and politics were marked at zero, i remember. botan', 'a singular document. philosophy, astronomy, and politics were marked at zero, i remember. botany var', 'gular document. philosophy, astronomy, and politics were marked at zero, i remember. botany variable', ' document. philosophy, astronomy, and politics were marked at zero, i remember. botany variable, geo', 'ment. philosophy, astronomy, and politics were marked at zero, i remember. botany variable, geology ', ' philosophy, astronomy, and politics were marked at zero, i remember. botany variable, geology profo', 'osophy, astronomy, and politics were marked at zero, i remember. botany variable, geology profound a', 'y, astronomy, and politics were marked at zero, i remember. botany variable, geology profound as reg', 'tronomy, and politics were marked at zero, i remember. botany variable, geology profound as regards ', 'my, and politics were marked at zero, i remember. botany variable, geology profound as regards the m', 'nd politics were marked at zero, i remember. botany variable, geology profound as regards the mud-st', 'litics were marked at zero, i remember. botany variable, geology profound as regards the mud-stains ', 's were marked at zero, i remember. botany variable, geology profound as regards the mud-stains from ', 'e marked at zero, i remember. botany variable, geology profound as regards the mud-stains from any r', 'ked at zero, i remember. botany variable, geology profound as regards the mud-stains from any region', 't zero, i remember. botany variable, geology profound as regards the mud-stains from any region with', 'o, i remember. botany variable, geology profound as regards the mud-stains from any region within fi', 'remember. botany variable, geology profound as regards the mud-stains from any region within fifty m', 'ber. botany variable, geology profound as regards the mud-stains from any region within fifty miles ', 'botany variable, geology profound as regards the mud-stains from any region within fifty miles of to', 'y variable, geology profound as regards the mud-stains from any region within fifty miles of town, c', 'iable, geology profound as regards the mud-stains from any region within fifty miles of town, chemis', ', geology profound as regards the mud-stains from any region within fifty miles of town, chemistry e', 'logy profound as regards the mud-stains from any region within fifty miles of town, chemistry eccent', 'profound as regards the mud-stains from any region within fifty miles of town, chemistry eccentric, ', 'und as regards the mud-stains from any region within fifty miles of town, chemistry eccentric, anato', 's regards the mud-stains from any region within fifty miles of town, chemistry eccentric, anatomy un', 'ards the mud-stains from any region within fifty miles of town, chemistry eccentric, anatomy unsyste', 'the mud-stains from any region within fifty miles of town, chemistry eccentric, anatomy unsystematic', 'ud-stains from any region within fifty miles of town, chemistry eccentric, anatomy unsystematic, sen', 'ains from any region within fifty miles of town, chemistry eccentric, anatomy unsystematic, sensatio', 'from any region within fifty miles of town, chemistry eccentric, anatomy unsystematic, sensational l', 'any region within fifty miles of town, chemistry eccentric, anatomy unsystematic, sensational litera', 'egion within fifty miles of town, chemistry eccentric, anatomy unsystematic, sensational literature ', ' within fifty miles of town, chemistry eccentric, anatomy unsystematic, sensational literature and c', 'in fifty miles of town, chemistry eccentric, anatomy unsystematic, sensational literature and crime ', 'fty miles of town, chemistry eccentric, anatomy unsystematic, sensational literature and crime recor', 'iles of town, chemistry eccentric, anatomy unsystematic, sensational literature and crime records un', 'of town, chemistry eccentric, anatomy unsystematic, sensational literature and crime records unique,', 'wn, chemistry eccentric, anatomy unsystematic, sensational literature and crime records unique, viol', 'hemistry eccentric, anatomy unsystematic, sensational literature and crime records unique, violin-pl', 'try eccentric, anatomy unsystematic, sensational literature and crime records unique, violin-player,', 'ccentric, anatomy unsystematic, sensational literature and crime records unique, violin-player, boxe', 'ric, anatomy unsystematic, sensational literature and crime records unique, violin-player, boxer, sw', 'anatomy unsystematic, sensational literature and crime records unique, violin-player, boxer, swordsm', 'my unsystematic, sensational literature and crime records unique, violin-player, boxer, swordsman, l', 'systematic, sensational literature and crime records unique, violin-player, boxer, swordsman, lawyer', 'matic, sensational literature and crime records unique, violin-player, boxer, swordsman, lawyer, and', ', sensational literature and crime records unique, violin-player, boxer, swordsman, lawyer, and self', 'sational literature and crime records unique, violin-player, boxer, swordsman, lawyer, and self-pois', 'nal literature and crime records unique, violin-player, boxer, swordsman, lawyer, and self-poisoner ', 'iterature and crime records unique, violin-player, boxer, swordsman, lawyer, and self-poisoner by co', 'ture and crime records unique, violin-player, boxer, swordsman, lawyer, and self-poisoner by cocaine', 'and crime records unique, violin-player, boxer, swordsman, lawyer, and self-poisoner by cocaine and ', 'rime records unique, violin-player, boxer, swordsman, lawyer, and self-poisoner by cocaine and tobac', 'records unique, violin-player, boxer, swordsman, lawyer, and self-poisoner by cocaine and tobacco. t', 'ds unique, violin-player, boxer, swordsman, lawyer, and self-poisoner by cocaine and tobacco. those,', 'ique, violin-player, boxer, swordsman, lawyer, and self-poisoner by cocaine and tobacco. those, i th', ' violin-player, boxer, swordsman, lawyer, and self-poisoner by cocaine and tobacco. those, i think, ', 'in-player, boxer, swordsman, lawyer, and self-poisoner by cocaine and tobacco. those, i think, were ', 'ayer, boxer, swordsman, lawyer, and self-poisoner by cocaine and tobacco. those, i think, were the m', ' boxer, swordsman, lawyer, and self-poisoner by cocaine and tobacco. those, i think, were the main p', 'r, swordsman, lawyer, and self-poisoner by cocaine and tobacco. those, i think, were the main points', 'ordsman, lawyer, and self-poisoner by cocaine and tobacco. those, i think, were the main points of m', 'an, lawyer, and self-poisoner by cocaine and tobacco. those, i think, were the main points of my ana', 'awyer, and self-poisoner by cocaine and tobacco. those, i think, were the main points of my analysis', ', and self-poisoner by cocaine and tobacco. those, i think, were the main points of my analysis." ho', ' self-poisoner by cocaine and tobacco. those, i think, were the main points of my analysis." holmes ', '-poisoner by cocaine and tobacco. those, i think, were the main points of my analysis." holmes grinn', 'oner by cocaine and tobacco. those, i think, were the main points of my analysis." holmes grinned at', 'by cocaine and tobacco. those, i think, were the main points of my analysis." holmes grinned at the ', 'caine and tobacco. those, i think, were the main points of my analysis." holmes grinned at the last ', ' and tobacco. those, i think, were the main points of my analysis." holmes grinned at the last item.', 'tobacco. those, i think, were the main points of my analysis." holmes grinned at the last item. "wel', 'co. those, i think, were the main points of my analysis." holmes grinned at the last item. "well," h', 'hose, i think, were the main points of my analysis." holmes grinned at the last item. "well," he sai', ' i think, were the main points of my analysis." holmes grinned at the last item. "well," he said, "i', 'ink, were the main points of my analysis." holmes grinned at the last item. "well," he said, "i say ', 'were the main points of my analysis." holmes grinned at the last item. "well," he said, "i say now, ', 'the main points of my analysis." holmes grinned at the last item. "well," he said, "i say now, as i ', 'ain points of my analysis." holmes grinned at the last item. "well," he said, "i say now, as i said ', 'oints of my analysis." holmes grinned at the last item. "well," he said, "i say now, as i said then,', ' of my analysis." holmes grinned at the last item. "well," he said, "i say now, as i said then, that', 'y analysis." holmes grinned at the last item. "well," he said, "i say now, as i said then, that a ma', 'lysis." holmes grinned at the last item. "well," he said, "i say now, as i said then, that a man sho', '." holmes grinned at the last item. "well," he said, "i say now, as i said then, that a man should k', 'lmes grinned at the last item. "well," he said, "i say now, as i said then, that a man should keep h', 'grinned at the last item. "well," he said, "i say now, as i said then, that a man should keep his li', 'ed at the last item. "well," he said, "i say now, as i said then, that a man should keep his little ', ' the last item. "well," he said, "i say now, as i said then, that a man should keep his little brain', 'last item. "well," he said, "i say now, as i said then, that a man should keep his little brain-atti', 'item. "well," he said, "i say now, as i said then, that a man should keep his little brain-attic sto', ' "well," he said, "i say now, as i said then, that a man should keep his little brain-attic stocked ', 'l," he said, "i say now, as i said then, that a man should keep his little brain-attic stocked with ', 'e said, "i say now, as i said then, that a man should keep his little brain-attic stocked with all t', 'd, "i say now, as i said then, that a man should keep his little brain-attic stocked with all the fu', ' say now, as i said then, that a man should keep his little brain-attic stocked with all the furnitu', 'now, as i said then, that a man should keep his little brain-attic stocked with all the furniture th', 'as i said then, that a man should keep his little brain-attic stocked with all the furniture that he', 'said then, that a man should keep his little brain-attic stocked with all the furniture that he is l', 'then, that a man should keep his little brain-attic stocked with all the furniture that he is likely', ' that a man should keep his little brain-attic stocked with all the furniture that he is likely to u', ' a man should keep his little brain-attic stocked with all the furniture that he is likely to use, a', 'n should keep his little brain-attic stocked with all the furniture that he is likely to use, and th', 'uld keep his little brain-attic stocked with all the furniture that he is likely to use, and the res', 'eep his little brain-attic stocked with all the furniture that he is likely to use, and the rest he ', 'is little brain-attic stocked with all the furniture that he is likely to use, and the rest he can p', 'ttle brain-attic stocked with all the furniture that he is likely to use, and the rest he can put aw', 'brain-attic stocked with all the furniture that he is likely to use, and the rest he can put away in', '-attic stocked with all the furniture that he is likely to use, and the rest he can put away in the ', 'c stocked with all the furniture that he is likely to use, and the rest he can put away in the lumbe', 'cked with all the furniture that he is likely to use, and the rest he can put away in the lumber-roo', 'with all the furniture that he is likely to use, and the rest he can put away in the lumber-room of ', 'all the furniture that he is likely to use, and the rest he can put away in the lumber-room of his l', 'he furniture that he is likely to use, and the rest he can put away in the lumber-room of his librar', 'rniture that he is likely to use, and the rest he can put away in the lumber-room of his library, wh', 're that he is likely to use, and the rest he can put away in the lumber-room of his library, where h', 'at he is likely to use, and the rest he can put away in the lumber-room of his library, where he can', ' is likely to use, and the rest he can put away in the lumber-room of his library, where he can get ', 'ikely to use, and the rest he can put away in the lumber-room of his library, where he can get it if', ' to use, and the rest he can put away in the lumber-room of his library, where he can get it if he w', 'se, and the rest he can put away in the lumber-room of his library, where he can get it if he wants ', 'nd the rest he can put away in the lumber-room of his library, where he can get it if he wants it. n', 'e rest he can put away in the lumber-room of his library, where he can get it if he wants it. now, f', 't he can put away in the lumber-room of his library, where he can get it if he wants it. now, for su', 'can put away in the lumber-room of his library, where he can get it if he wants it. now, for such a ', 'ut away in the lumber-room of his library, where he can get it if he wants it. now, for such a case ', 'ay in the lumber-room of his library, where he can get it if he wants it. now, for such a case as th', ' the lumber-room of his library, where he can get it if he wants it. now, for such a case as the one', 'lumber-room of his library, where he can get it if he wants it. now, for such a case as the one whic', 'r-room of his library, where he can get it if he wants it. now, for such a case as the one which has', 'm of his library, where he can get it if he wants it. now, for such a case as the one which has been', 'his library, where he can get it if he wants it. now, for such a case as the one which has been subm', 'ibrary, where he can get it if he wants it. now, for such a case as the one which has been submitted', 'y, where he can get it if he wants it. now, for such a case as the one which has been submitted to u', 'ere he can get it if he wants it. now, for such a case as the one which has been submitted to us to-', 'e can get it if he wants it. now, for such a case as the one which has been submitted to us to-night', ' get it if he wants it. now, for such a case as the one which has been submitted to us to-night, we ', 'it if he wants it. now, for such a case as the one which has been submitted to us to-night, we need ', ' he wants it. now, for such a case as the one which has been submitted to us to-night, we need certa', 'ants it. now, for such a case as the one which has been submitted to us to-night, we need certainly ', 'it. now, for such a case as the one which has been submitted to us to-night, we need certainly to mu', 'ow, for such a case as the one which has been submitted to us to-night, we need certainly to muster ', 'or such a case as the one which has been submitted to us to-night, we need certainly to muster all o', 'ch a case as the one which has been submitted to us to-night, we need certainly to muster all our re', 'case as the one which has been submitted to us to-night, we need certainly to muster all our resourc', 'as the one which has been submitted to us to-night, we need certainly to muster all our resources. k', 'e one which has been submitted to us to-night, we need certainly to muster all our resources. kindly', ' which has been submitted to us to-night, we need certainly to muster all our resources. kindly hand', 'h has been submitted to us to-night, we need certainly to muster all our resources. kindly hand me d', ' been submitted to us to-night, we need certainly to muster all our resources. kindly hand me down t', ' submitted to us to-night, we need certainly to muster all our resources. kindly hand me down the le', 'itted to us to-night, we need certainly to muster all our resources. kindly hand me down the letter ', ' to us to-night, we need certainly to muster all our resources. kindly hand me down the letter k of ', "s to-night, we need certainly to muster all our resources. kindly hand me down the letter k of the '", "night, we need certainly to muster all our resources. kindly hand me down the letter k of the 'ameri", ", we need certainly to muster all our resources. kindly hand me down the letter k of the 'american e", "need certainly to muster all our resources. kindly hand me down the letter k of the 'american encycl", "certainly to muster all our resources. kindly hand me down the letter k of the 'american encyclopaed", "inly to muster all our resources. kindly hand me down the letter k of the 'american encyclopaedia' w", "to muster all our resources. kindly hand me down the letter k of the 'american encyclopaedia' which ", "ster all our resources. kindly hand me down the letter k of the 'american encyclopaedia' which stand", "all our resources. kindly hand me down the letter k of the 'american encyclopaedia' which stands upo", "ur resources. kindly hand me down the letter k of the 'american encyclopaedia' which stands upon the", "sources. kindly hand me down the letter k of the 'american encyclopaedia' which stands upon the shel", "es. kindly hand me down the letter k of the 'american encyclopaedia' which stands upon the shelf bes", "indly hand me down the letter k of the 'american encyclopaedia' which stands upon the shelf beside y", " hand me down the letter k of the 'american encyclopaedia' which stands upon the shelf beside you. t", " me down the letter k of the 'american encyclopaedia' which stands upon the shelf beside you. thank ", "own the letter k of the 'american encyclopaedia' which stands upon the shelf beside you. thank you. ", "he letter k of the 'american encyclopaedia' which stands upon the shelf beside you. thank you. now l", "tter k of the 'american encyclopaedia' which stands upon the shelf beside you. thank you. now let us", "k of the 'american encyclopaedia' which stands upon the shelf beside you. thank you. now let us cons", "the 'american encyclopaedia' which stands upon the shelf beside you. thank you. now let us consider ", "american encyclopaedia' which stands upon the shelf beside you. thank you. now let us consider the s", "can encyclopaedia' which stands upon the shelf beside you. thank you. now let us consider the situat", "ncyclopaedia' which stands upon the shelf beside you. thank you. now let us consider the situation a", "opaedia' which stands upon the shelf beside you. thank you. now let us consider the situation and se", "ia' which stands upon the shelf beside you. thank you. now let us consider the situation and see wha", 'hich stands upon the shelf beside you. thank you. now let us consider the situation and see what may', 'stands upon the shelf beside you. thank you. now let us consider the situation and see what may be d', 's upon the shelf beside you. thank you. now let us consider the situation and see what may be deduce', 'n the shelf beside you. thank you. now let us consider the situation and see what may be deduced fro', ' shelf beside you. thank you. now let us consider the situation and see what may be deduced from it.', 'f beside you. thank you. now let us consider the situation and see what may be deduced from it. in t', 'ide you. thank you. now let us consider the situation and see what may be deduced from it. in the fi', 'ou. thank you. now let us consider the situation and see what may be deduced from it. in the first p', 'hank you. now let us consider the situation and see what may be deduced from it. in the first place,', 'you. now let us consider the situation and see what may be deduced from it. in the first place, we m', 'now let us consider the situation and see what may be deduced from it. in the first place, we may st', 'et us consider the situation and see what may be deduced from it. in the first place, we may start w', ' consider the situation and see what may be deduced from it. in the first place, we may start with a', 'ider the situation and see what may be deduced from it. in the first place, we may start with a stro', 'the situation and see what may be deduced from it. in the first place, we may start with a strong pr', 'ituation and see what may be deduced from it. in the first place, we may start with a strong presump', 'ion and see what may be deduced from it. in the first place, we may start with a strong presumption ', 'nd see what may be deduced from it. in the first place, we may start with a strong presumption that ', 'e what may be deduced from it. in the first place, we may start with a strong presumption that colon', 't may be deduced from it. in the first place, we may start with a strong presumption that colonel op', ' be deduced from it. in the first place, we may start with a strong presumption that colonel opensha', 'educed from it. in the first place, we may start with a strong presumption that colonel openshaw had', 'd from it. in the first place, we may start with a strong presumption that colonel openshaw had some', 'm it. in the first place, we may start with a strong presumption that colonel openshaw had some very', ' in the first place, we may start with a strong presumption that colonel openshaw had some very stro', 'he first place, we may start with a strong presumption that colonel openshaw had some very strong re', 'rst place, we may start with a strong presumption that colonel openshaw had some very strong reason ', 'lace, we may start with a strong presumption that colonel openshaw had some very strong reason for l', ' we may start with a strong presumption that colonel openshaw had some very strong reason for leavin', 'ay start with a strong presumption that colonel openshaw had some very strong reason for leaving ame', 'art with a strong presumption that colonel openshaw had some very strong reason for leaving america.', 'ith a strong presumption that colonel openshaw had some very strong reason for leaving america. men ', ' strong presumption that colonel openshaw had some very strong reason for leaving america. men at hi', 'ng presumption that colonel openshaw had some very strong reason for leaving america. men at his tim', 'esumption that colonel openshaw had some very strong reason for leaving america. men at his time of ', 'tion that colonel openshaw had some very strong reason for leaving america. men at his time of life ', 'that colonel openshaw had some very strong reason for leaving america. men at his time of life do no', 'colonel openshaw had some very strong reason for leaving america. men at his time of life do not cha', 'el openshaw had some very strong reason for leaving america. men at his time of life do not change a', 'enshaw had some very strong reason for leaving america. men at his time of life do not change all th', 'w had some very strong reason for leaving america. men at his time of life do not change all their h', ' some very strong reason for leaving america. men at his time of life do not change all their habits', ' very strong reason for leaving america. men at his time of life do not change all their habits and ', ' strong reason for leaving america. men at his time of life do not change all their habits and excha', 'ng reason for leaving america. men at his time of life do not change all their habits and exchange w', 'ason for leaving america. men at his time of life do not change all their habits and exchange willin', 'for leaving america. men at his time of life do not change all their habits and exchange willingly t', 'eaving america. men at his time of life do not change all their habits and exchange willingly the ch', 'g america. men at his time of life do not change all their habits and exchange willingly the charmin', 'rica. men at his time of life do not change all their habits and exchange willingly the charming cli', ' men at his time of life do not change all their habits and exchange willingly the charming climate ', 'at his time of life do not change all their habits and exchange willingly the charming climate of fl', 's time of life do not change all their habits and exchange willingly the charming climate of florida', 'e of life do not change all their habits and exchange willingly the charming climate of florida for ', 'life do not change all their habits and exchange willingly the charming climate of florida for the l', 'do not change all their habits and exchange willingly the charming climate of florida for the lonely', 't change all their habits and exchange willingly the charming climate of florida for the lonely life', 'nge all their habits and exchange willingly the charming climate of florida for the lonely life of a', 'll their habits and exchange willingly the charming climate of florida for the lonely life of an eng', 'eir habits and exchange willingly the charming climate of florida for the lonely life of an english ', 'abits and exchange willingly the charming climate of florida for the lonely life of an english provi', ' and exchange willingly the charming climate of florida for the lonely life of an english provincial', 'exchange willingly the charming climate of florida for the lonely life of an english provincial town', 'nge willingly the charming climate of florida for the lonely life of an english provincial town. his', 'illingly the charming climate of florida for the lonely life of an english provincial town. his extr', 'gly the charming climate of florida for the lonely life of an english provincial town. his extreme l', 'he charming climate of florida for the lonely life of an english provincial town. his extreme love o', 'arming climate of florida for the lonely life of an english provincial town. his extreme love of sol', 'g climate of florida for the lonely life of an english provincial town. his extreme love of solitude', 'mate of florida for the lonely life of an english provincial town. his extreme love of solitude in e', 'of florida for the lonely life of an english provincial town. his extreme love of solitude in englan', 'orida for the lonely life of an english provincial town. his extreme love of solitude in england sug', ' for the lonely life of an english provincial town. his extreme love of solitude in england suggests', 'the lonely life of an english provincial town. his extreme love of solitude in england suggests the ', 'onely life of an english provincial town. his extreme love of solitude in england suggests the idea ', ' life of an english provincial town. his extreme love of solitude in england suggests the idea that ', ' of an english provincial town. his extreme love of solitude in england suggests the idea that he wa', 'n english provincial town. his extreme love of solitude in england suggests the idea that he was in ', 'lish provincial town. his extreme love of solitude in england suggests the idea that he was in fear ', 'provincial town. his extreme love of solitude in england suggests the idea that he was in fear of so', 'ncial town. his extreme love of solitude in england suggests the idea that he was in fear of someone', ' town. his extreme love of solitude in england suggests the idea that he was in fear of someone or s', '. his extreme love of solitude in england suggests the idea that he was in fear of someone or someth', ' extreme love of solitude in england suggests the idea that he was in fear of someone or something, ', 'eme love of solitude in england suggests the idea that he was in fear of someone or something, so we', 'ove of solitude in england suggests the idea that he was in fear of someone or something, so we may ', 'f solitude in england suggests the idea that he was in fear of someone or something, so we may assum', 'itude in england suggests the idea that he was in fear of someone or something, so we may assume as ', ' in england suggests the idea that he was in fear of someone or something, so we may assume as a wor', 'ngland suggests the idea that he was in fear of someone or something, so we may assume as a working ', 'd suggests the idea that he was in fear of someone or something, so we may assume as a working hypot', 'gests the idea that he was in fear of someone or something, so we may assume as a working hypothesis', ' the idea that he was in fear of someone or something, so we may assume as a working hypothesis that', 'idea that he was in fear of someone or something, so we may assume as a working hypothesis that it w', 'that he was in fear of someone or something, so we may assume as a working hypothesis that it was fe', 'he was in fear of someone or something, so we may assume as a working hypothesis that it was fear of', 's in fear of someone or something, so we may assume as a working hypothesis that it was fear of some', 'fear of someone or something, so we may assume as a working hypothesis that it was fear of someone o', 'of someone or something, so we may assume as a working hypothesis that it was fear of someone or som', 'meone or something, so we may assume as a working hypothesis that it was fear of someone or somethin', ' or something, so we may assume as a working hypothesis that it was fear of someone or something whi', 'omething, so we may assume as a working hypothesis that it was fear of someone or something which dr', 'ing, so we may assume as a working hypothesis that it was fear of someone or something which drove h', 'so we may assume as a working hypothesis that it was fear of someone or something which drove him fr', ' may assume as a working hypothesis that it was fear of someone or something which drove him from am', 'assume as a working hypothesis that it was fear of someone or something which drove him from america', 'e as a working hypothesis that it was fear of someone or something which drove him from america. as ', 'a working hypothesis that it was fear of someone or something which drove him from america. as to wh', 'king hypothesis that it was fear of someone or something which drove him from america. as to what it', 'hypothesis that it was fear of someone or something which drove him from america. as to what it was ', 'hesis that it was fear of someone or something which drove him from america. as to what it was he fe', ' that it was fear of someone or something which drove him from america. as to what it was he feared,', ' it was fear of someone or something which drove him from america. as to what it was he feared, we c', 'as fear of someone or something which drove him from america. as to what it was he feared, we can on', 'ar of someone or something which drove him from america. as to what it was he feared, we can only de', ' someone or something which drove him from america. as to what it was he feared, we can only deduce ', 'one or something which drove him from america. as to what it was he feared, we can only deduce that ', 'r something which drove him from america. as to what it was he feared, we can only deduce that by co', 'ething which drove him from america. as to what it was he feared, we can only deduce that by conside', 'g which drove him from america. as to what it was he feared, we can only deduce that by considering ', 'ch drove him from america. as to what it was he feared, we can only deduce that by considering the f', 'ove him from america. as to what it was he feared, we can only deduce that by considering the formid', 'im from america. as to what it was he feared, we can only deduce that by considering the formidable ', 'om america. as to what it was he feared, we can only deduce that by considering the formidable lette', 'erica. as to what it was he feared, we can only deduce that by considering the formidable letters wh', '. as to what it was he feared, we can only deduce that by considering the formidable letters which w', 'to what it was he feared, we can only deduce that by considering the formidable letters which were r', 'at it was he feared, we can only deduce that by considering the formidable letters which were receiv', ' was he feared, we can only deduce that by considering the formidable letters which were received by', 'he feared, we can only deduce that by considering the formidable letters which were received by hims', 'ared, we can only deduce that by considering the formidable letters which were received by himself a', ' we can only deduce that by considering the formidable letters which were received by himself and hi', 'an only deduce that by considering the formidable letters which were received by himself and his suc', 'ly deduce that by considering the formidable letters which were received by himself and his successo', 'duce that by considering the formidable letters which were received by himself and his successors. d', 'that by considering the formidable letters which were received by himself and his successors. did yo', 'by considering the formidable letters which were received by himself and his successors. did you rem', 'nsidering the formidable letters which were received by himself and his successors. did you remark t', 'ring the formidable letters which were received by himself and his successors. did you remark the po', 'the formidable letters which were received by himself and his successors. did you remark the postmar', 'ormidable letters which were received by himself and his successors. did you remark the postmarks of', 'able letters which were received by himself and his successors. did you remark the postmarks of thos', 'letters which were received by himself and his successors. did you remark the postmarks of those let', 'rs which were received by himself and his successors. did you remark the postmarks of those letters?', 'ich were received by himself and his successors. did you remark the postmarks of those letters?" "th', 'ere received by himself and his successors. did you remark the postmarks of those letters?" "the fir', 'eceived by himself and his successors. did you remark the postmarks of those letters?" "the first wa', 'ed by himself and his successors. did you remark the postmarks of those letters?" "the first was fro', ' himself and his successors. did you remark the postmarks of those letters?" "the first was from pon', 'elf and his successors. did you remark the postmarks of those letters?" "the first was from pondiche', 'nd his successors. did you remark the postmarks of those letters?" "the first was from pondicherry, ', 's successors. did you remark the postmarks of those letters?" "the first was from pondicherry, the s', 'cessors. did you remark the postmarks of those letters?" "the first was from pondicherry, the second', 'rs. did you remark the postmarks of those letters?" "the first was from pondicherry, the second from', 'id you remark the postmarks of those letters?" "the first was from pondicherry, the second from dund', 'u remark the postmarks of those letters?" "the first was from pondicherry, the second from dundee, a', 'ark the postmarks of those letters?" "the first was from pondicherry, the second from dundee, and th', 'he postmarks of those letters?" "the first was from pondicherry, the second from dundee, and the thi', 'stmarks of those letters?" "the first was from pondicherry, the second from dundee, and the third fr', 'ks of those letters?" "the first was from pondicherry, the second from dundee, and the third from lo', ' those letters?" "the first was from pondicherry, the second from dundee, and the third from london.', 'e letters?" "the first was from pondicherry, the second from dundee, and the third from london." "fr', 'ters?" "the first was from pondicherry, the second from dundee, and the third from london." "from ea', '" "the first was from pondicherry, the second from dundee, and the third from london." "from east lo', 'e first was from pondicherry, the second from dundee, and the third from london." "from east london.', 'st was from pondicherry, the second from dundee, and the third from london." "from east london. what', 's from pondicherry, the second from dundee, and the third from london." "from east london. what do y', 'm pondicherry, the second from dundee, and the third from london." "from east london. what do you de', 'dicherry, the second from dundee, and the third from london." "from east london. what do you deduce ', 'rry, the second from dundee, and the third from london." "from east london. what do you deduce from ', 'the second from dundee, and the third from london." "from east london. what do you deduce from that?', 'econd from dundee, and the third from london." "from east london. what do you deduce from that?" "th', ' from dundee, and the third from london." "from east london. what do you deduce from that?" "they ar', ' dundee, and the third from london." "from east london. what do you deduce from that?" "they are all', 'ee, and the third from london." "from east london. what do you deduce from that?" "they are all seap', 'nd the third from london." "from east london. what do you deduce from that?" "they are all seaports.', 'e third from london." "from east london. what do you deduce from that?" "they are all seaports. that', 'rd from london." "from east london. what do you deduce from that?" "they are all seaports. that the ', 'om london." "from east london. what do you deduce from that?" "they are all seaports. that the write', 'ndon." "from east london. what do you deduce from that?" "they are all seaports. that the writer was', '" "from east london. what do you deduce from that?" "they are all seaports. that the writer was on b', 'om east london. what do you deduce from that?" "they are all seaports. that the writer was on board ', 'st london. what do you deduce from that?" "they are all seaports. that the writer was on board of a ', 'ndon. what do you deduce from that?" "they are all seaports. that the writer was on board of a ship.', ' what do you deduce from that?" "they are all seaports. that the writer was on board of a ship." "ex', ' do you deduce from that?" "they are all seaports. that the writer was on board of a ship." "excelle', 'ou deduce from that?" "they are all seaports. that the writer was on board of a ship." "excellent. w', 'duce from that?" "they are all seaports. that the writer was on board of a ship." "excellent. we hav', 'from that?" "they are all seaports. that the writer was on board of a ship." "excellent. we have alr', 'that?" "they are all seaports. that the writer was on board of a ship." "excellent. we have already ', '" "they are all seaports. that the writer was on board of a ship." "excellent. we have already a clu', 'ey are all seaports. that the writer was on board of a ship." "excellent. we have already a clue. th', 'e all seaports. that the writer was on board of a ship." "excellent. we have already a clue. there c', ' seaports. that the writer was on board of a ship." "excellent. we have already a clue. there can be', 'orts. that the writer was on board of a ship." "excellent. we have already a clue. there can be no d', ' that the writer was on board of a ship." "excellent. we have already a clue. there can be no doubt ', ' the writer was on board of a ship." "excellent. we have already a clue. there can be no doubt that ', 'writer was on board of a ship." "excellent. we have already a clue. there can be no doubt that the p', 'r was on board of a ship." "excellent. we have already a clue. there can be no doubt that the probab', ' on board of a ship." "excellent. we have already a clue. there can be no doubt that the probability', 'oard of a ship." "excellent. we have already a clue. there can be no doubt that the probabilitythe s', 'of a ship." "excellent. we have already a clue. there can be no doubt that the probabilitythe strong', 'ship." "excellent. we have already a clue. there can be no doubt that the probabilitythe strong prob', '" "excellent. we have already a clue. there can be no doubt that the probabilitythe strong probabili', 'cellent. we have already a clue. there can be no doubt that the probabilitythe strong probabilityis ', 'nt. we have already a clue. there can be no doubt that the probabilitythe strong probabilityis that ', 'e have already a clue. there can be no doubt that the probabilitythe strong probabilityis that the w', 'e already a clue. there can be no doubt that the probabilitythe strong probabilityis that the writer', 'eady a clue. there can be no doubt that the probabilitythe strong probabilityis that the writer was ', 'a clue. there can be no doubt that the probabilitythe strong probabilityis that the writer was on bo', 'e. there can be no doubt that the probabilitythe strong probabilityis that the writer was on board o', 'ere can be no doubt that the probabilitythe strong probabilityis that the writer was on board of a s', 'an be no doubt that the probabilitythe strong probabilityis that the writer was on board of a ship. ', ' no doubt that the probabilitythe strong probabilityis that the writer was on board of a ship. and n', 'oubt that the probabilitythe strong probabilityis that the writer was on board of a ship. and now le', 'that the probabilitythe strong probabilityis that the writer was on board of a ship. and now let us ', 'the probabilitythe strong probabilityis that the writer was on board of a ship. and now let us consi', 'robabilitythe strong probabilityis that the writer was on board of a ship. and now let us consider a', 'ilitythe strong probabilityis that the writer was on board of a ship. and now let us consider anothe', 'the strong probabilityis that the writer was on board of a ship. and now let us consider another poi', 'trong probabilityis that the writer was on board of a ship. and now let us consider another point. i', ' probabilityis that the writer was on board of a ship. and now let us consider another point. in the', 'abilityis that the writer was on board of a ship. and now let us consider another point. in the case', 'tyis that the writer was on board of a ship. and now let us consider another point. in the case of p', 'that the writer was on board of a ship. and now let us consider another point. in the case of pondic', 'the writer was on board of a ship. and now let us consider another point. in the case of pondicherry', 'riter was on board of a ship. and now let us consider another point. in the case of pondicherry, sev', ' was on board of a ship. and now let us consider another point. in the case of pondicherry, seven we', 'on board of a ship. and now let us consider another point. in the case of pondicherry, seven weeks e', 'ard of a ship. and now let us consider another point. in the case of pondicherry, seven weeks elapse', 'f a ship. and now let us consider another point. in the case of pondicherry, seven weeks elapsed bet', 'hip. and now let us consider another point. in the case of pondicherry, seven weeks elapsed between ', 'and now let us consider another point. in the case of pondicherry, seven weeks elapsed between the t', 'ow let us consider another point. in the case of pondicherry, seven weeks elapsed between the threat', 't us consider another point. in the case of pondicherry, seven weeks elapsed between the threat and ', 'consider another point. in the case of pondicherry, seven weeks elapsed between the threat and its f', 'der another point. in the case of pondicherry, seven weeks elapsed between the threat and its fulfil', 'nother point. in the case of pondicherry, seven weeks elapsed between the threat and its fulfilment,', 'r point. in the case of pondicherry, seven weeks elapsed between the threat and its fulfilment, in d', 'nt. in the case of pondicherry, seven weeks elapsed between the threat and its fulfilment, in dundee', 'n the case of pondicherry, seven weeks elapsed between the threat and its fulfilment, in dundee it w', ' case of pondicherry, seven weeks elapsed between the threat and its fulfilment, in dundee it was on', ' of pondicherry, seven weeks elapsed between the threat and its fulfilment, in dundee it was only so', 'ondicherry, seven weeks elapsed between the threat and its fulfilment, in dundee it was only some th', 'herry, seven weeks elapsed between the threat and its fulfilment, in dundee it was only some three o', ', seven weeks elapsed between the threat and its fulfilment, in dundee it was only some three or fou', 'en weeks elapsed between the threat and its fulfilment, in dundee it was only some three or four day', 'eks elapsed between the threat and its fulfilment, in dundee it was only some three or four days. do', 'lapsed between the threat and its fulfilment, in dundee it was only some three or four days. does th', 'd between the threat and its fulfilment, in dundee it was only some three or four days. does that su', 'ween the threat and its fulfilment, in dundee it was only some three or four days. does that suggest', 'the threat and its fulfilment, in dundee it was only some three or four days. does that suggest anyt', 'hreat and its fulfilment, in dundee it was only some three or four days. does that suggest anything?', ' and its fulfilment, in dundee it was only some three or four days. does that suggest anything?" "a ', 'its fulfilment, in dundee it was only some three or four days. does that suggest anything?" "a great', 'ulfilment, in dundee it was only some three or four days. does that suggest anything?" "a greater di', 'ment, in dundee it was only some three or four days. does that suggest anything?" "a greater distanc', ' in dundee it was only some three or four days. does that suggest anything?" "a greater distance to ', 'undee it was only some three or four days. does that suggest anything?" "a greater distance to trave', ' it was only some three or four days. does that suggest anything?" "a greater distance to travel." "', 'as only some three or four days. does that suggest anything?" "a greater distance to travel." "but t', 'ly some three or four days. does that suggest anything?" "a greater distance to travel." "but the le', 'me three or four days. does that suggest anything?" "a greater distance to travel." "but the letter ', 'ree or four days. does that suggest anything?" "a greater distance to travel." "but the letter had a', 'r four days. does that suggest anything?" "a greater distance to travel." "but the letter had also a', 'r days. does that suggest anything?" "a greater distance to travel." "but the letter had also a grea', 's. does that suggest anything?" "a greater distance to travel." "but the letter had also a greater d', 'es that suggest anything?" "a greater distance to travel." "but the letter had also a greater distan', 'at suggest anything?" "a greater distance to travel." "but the letter had also a greater distance to', 'ggest anything?" "a greater distance to travel." "but the letter had also a greater distance to come', ' anything?" "a greater distance to travel." "but the letter had also a greater distance to come." "t', 'hing?" "a greater distance to travel." "but the letter had also a greater distance to come." "then i', '" "a greater distance to travel." "but the letter had also a greater distance to come." "then i do n', 'greater distance to travel." "but the letter had also a greater distance to come." "then i do not se', 'er distance to travel." "but the letter had also a greater distance to come." "then i do not see the', 'stance to travel." "but the letter had also a greater distance to come." "then i do not see the poin', 'e to travel." "but the letter had also a greater distance to come." "then i do not see the point." "', 'travel." "but the letter had also a greater distance to come." "then i do not see the point." "there', 'l." "but the letter had also a greater distance to come." "then i do not see the point." "there is a', 'but the letter had also a greater distance to come." "then i do not see the point." "there is at lea', 'he letter had also a greater distance to come." "then i do not see the point." "there is at least a ', 'tter had also a greater distance to come." "then i do not see the point." "there is at least a presu', 'had also a greater distance to come." "then i do not see the point." "there is at least a presumptio', 'lso a greater distance to come." "then i do not see the point." "there is at least a presumption tha', ' greater distance to come." "then i do not see the point." "there is at least a presumption that the', 'ter distance to come." "then i do not see the point." "there is at least a presumption that the vess', 'istance to come." "then i do not see the point." "there is at least a presumption that the vessel in', 'ce to come." "then i do not see the point." "there is at least a presumption that the vessel in whic', ' come." "then i do not see the point." "there is at least a presumption that the vessel in which the', '." "then i do not see the point." "there is at least a presumption that the vessel in which the man ', 'hen i do not see the point." "there is at least a presumption that the vessel in which the man or me', ' do not see the point." "there is at least a presumption that the vessel in which the man or men are', 'ot see the point." "there is at least a presumption that the vessel in which the man or men are is a', 'e the point." "there is at least a presumption that the vessel in which the man or men are is a sail', ' point." "there is at least a presumption that the vessel in which the man or men are is a sailing-s', 't." "there is at least a presumption that the vessel in which the man or men are is a sailing-ship. ', 'there is at least a presumption that the vessel in which the man or men are is a sailing-ship. it lo', ' is at least a presumption that the vessel in which the man or men are is a sailing-ship. it looks a', 't least a presumption that the vessel in which the man or men are is a sailing-ship. it looks as if ', 'st a presumption that the vessel in which the man or men are is a sailing-ship. it looks as if they ', 'presumption that the vessel in which the man or men are is a sailing-ship. it looks as if they alway', 'mption that the vessel in which the man or men are is a sailing-ship. it looks as if they always sen', 'n that the vessel in which the man or men are is a sailing-ship. it looks as if they always send the', 't the vessel in which the man or men are is a sailing-ship. it looks as if they always send their si', ' vessel in which the man or men are is a sailing-ship. it looks as if they always send their singula', 'el in which the man or men are is a sailing-ship. it looks as if they always send their singular war', ' which the man or men are is a sailing-ship. it looks as if they always send their singular warning ', 'h the man or men are is a sailing-ship. it looks as if they always send their singular warning or to', ' man or men are is a sailing-ship. it looks as if they always send their singular warning or token b', 'or men are is a sailing-ship. it looks as if they always send their singular warning or token before', 'n are is a sailing-ship. it looks as if they always send their singular warning or token before them', ' is a sailing-ship. it looks as if they always send their singular warning or token before them when', ' sailing-ship. it looks as if they always send their singular warning or token before them when star', 'ing-ship. it looks as if they always send their singular warning or token before them when starting ', 'hip. it looks as if they always send their singular warning or token before them when starting upon ', 'it looks as if they always send their singular warning or token before them when starting upon their', 'oks as if they always send their singular warning or token before them when starting upon their miss', 's if they always send their singular warning or token before them when starting upon their mission. ', 'they always send their singular warning or token before them when starting upon their mission. you s', 'always send their singular warning or token before them when starting upon their mission. you see ho', 's send their singular warning or token before them when starting upon their mission. you see how qui', 'd their singular warning or token before them when starting upon their mission. you see how quickly ', 'ir singular warning or token before them when starting upon their mission. you see how quickly the d', 'ngular warning or token before them when starting upon their mission. you see how quickly the deed f', 'r warning or token before them when starting upon their mission. you see how quickly the deed follow', 'ning or token before them when starting upon their mission. you see how quickly the deed followed th', 'or token before them when starting upon their mission. you see how quickly the deed followed the sig', 'ken before them when starting upon their mission. you see how quickly the deed followed the sign whe', 'efore them when starting upon their mission. you see how quickly the deed followed the sign when it ', ' them when starting upon their mission. you see how quickly the deed followed the sign when it came ', ' when starting upon their mission. you see how quickly the deed followed the sign when it came from ', ' starting upon their mission. you see how quickly the deed followed the sign when it came from dunde', 'ting upon their mission. you see how quickly the deed followed the sign when it came from dundee. if', 'upon their mission. you see how quickly the deed followed the sign when it came from dundee. if they', 'their mission. you see how quickly the deed followed the sign when it came from dundee. if they had ', ' mission. you see how quickly the deed followed the sign when it came from dundee. if they had come ', 'ion. you see how quickly the deed followed the sign when it came from dundee. if they had come from ', 'you see how quickly the deed followed the sign when it came from dundee. if they had come from pondi', 'ee how quickly the deed followed the sign when it came from dundee. if they had come from pondicherr', 'w quickly the deed followed the sign when it came from dundee. if they had come from pondicherry in ', 'ckly the deed followed the sign when it came from dundee. if they had come from pondicherry in a ste', 'the deed followed the sign when it came from dundee. if they had come from pondicherry in a steamer ', 'eed followed the sign when it came from dundee. if they had come from pondicherry in a steamer they ', 'ollowed the sign when it came from dundee. if they had come from pondicherry in a steamer they would', 'ed the sign when it came from dundee. if they had come from pondicherry in a steamer they would have', 'e sign when it came from dundee. if they had come from pondicherry in a steamer they would have arri', 'n when it came from dundee. if they had come from pondicherry in a steamer they would have arrived a', 'n it came from dundee. if they had come from pondicherry in a steamer they would have arrived almost', 'came from dundee. if they had come from pondicherry in a steamer they would have arrived almost as s', 'from dundee. if they had come from pondicherry in a steamer they would have arrived almost as soon a', 'dundee. if they had come from pondicherry in a steamer they would have arrived almost as soon as the', 'e. if they had come from pondicherry in a steamer they would have arrived almost as soon as their le', ' they had come from pondicherry in a steamer they would have arrived almost as soon as their letter.', ' had come from pondicherry in a steamer they would have arrived almost as soon as their letter. but,', 'come from pondicherry in a steamer they would have arrived almost as soon as their letter. but, as a', 'from pondicherry in a steamer they would have arrived almost as soon as their letter. but, as a matt', 'pondicherry in a steamer they would have arrived almost as soon as their letter. but, as a matter of', 'cherry in a steamer they would have arrived almost as soon as their letter. but, as a matter of fact', 'y in a steamer they would have arrived almost as soon as their letter. but, as a matter of fact, sev', 'a steamer they would have arrived almost as soon as their letter. but, as a matter of fact, seven we', 'amer they would have arrived almost as soon as their letter. but, as a matter of fact, seven weeks e', 'they would have arrived almost as soon as their letter. but, as a matter of fact, seven weeks elapse', 'would have arrived almost as soon as their letter. but, as a matter of fact, seven weeks elapsed. i ', ' have arrived almost as soon as their letter. but, as a matter of fact, seven weeks elapsed. i think', ' arrived almost as soon as their letter. but, as a matter of fact, seven weeks elapsed. i think that', 'ved almost as soon as their letter. but, as a matter of fact, seven weeks elapsed. i think that thos', 'lmost as soon as their letter. but, as a matter of fact, seven weeks elapsed. i think that those sev', ' as soon as their letter. but, as a matter of fact, seven weeks elapsed. i think that those seven we', 'oon as their letter. but, as a matter of fact, seven weeks elapsed. i think that those seven weeks r', 's their letter. but, as a matter of fact, seven weeks elapsed. i think that those seven weeks repres', 'ir letter. but, as a matter of fact, seven weeks elapsed. i think that those seven weeks represented', 'tter. but, as a matter of fact, seven weeks elapsed. i think that those seven weeks represented the ', ' but, as a matter of fact, seven weeks elapsed. i think that those seven weeks represented the diffe', ' as a matter of fact, seven weeks elapsed. i think that those seven weeks represented the difference', ' matter of fact, seven weeks elapsed. i think that those seven weeks represented the difference betw', 'er of fact, seven weeks elapsed. i think that those seven weeks represented the difference between t', ' fact, seven weeks elapsed. i think that those seven weeks represented the difference between the ma', ', seven weeks elapsed. i think that those seven weeks represented the difference between the mail-bo', 'en weeks elapsed. i think that those seven weeks represented the difference between the mail-boat wh', 'eks elapsed. i think that those seven weeks represented the difference between the mail-boat which b', 'lapsed. i think that those seven weeks represented the difference between the mail-boat which brough', 'd. i think that those seven weeks represented the difference between the mail-boat which brought the', 'think that those seven weeks represented the difference between the mail-boat which brought the lett', ' that those seven weeks represented the difference between the mail-boat which brought the letter an', ' those seven weeks represented the difference between the mail-boat which brought the letter and the', 'e seven weeks represented the difference between the mail-boat which brought the letter and the sail', 'en weeks represented the difference between the mail-boat which brought the letter and the sailing v', 'eks represented the difference between the mail-boat which brought the letter and the sailing vessel', 'epresented the difference between the mail-boat which brought the letter and the sailing vessel whic', 'ented the difference between the mail-boat which brought the letter and the sailing vessel which bro', ' the difference between the mail-boat which brought the letter and the sailing vessel which brought ', 'difference between the mail-boat which brought the letter and the sailing vessel which brought the w', 'rence between the mail-boat which brought the letter and the sailing vessel which brought the writer', ' between the mail-boat which brought the letter and the sailing vessel which brought the writer." "i', 'een the mail-boat which brought the letter and the sailing vessel which brought the writer." "it is ', 'he mail-boat which brought the letter and the sailing vessel which brought the writer." "it is possi', 'il-boat which brought the letter and the sailing vessel which brought the writer." "it is possible."', 'at which brought the letter and the sailing vessel which brought the writer." "it is possible." "mor', 'ich brought the letter and the sailing vessel which brought the writer." "it is possible." "more tha', 'rought the letter and the sailing vessel which brought the writer." "it is possible." "more than tha', 't the letter and the sailing vessel which brought the writer." "it is possible." "more than that. it', ' letter and the sailing vessel which brought the writer." "it is possible." "more than that. it is p', 'er and the sailing vessel which brought the writer." "it is possible." "more than that. it is probab', 'd the sailing vessel which brought the writer." "it is possible." "more than that. it is probable. a', ' sailing vessel which brought the writer." "it is possible." "more than that. it is probable. and no', 'ing vessel which brought the writer." "it is possible." "more than that. it is probable. and now you', 'essel which brought the writer." "it is possible." "more than that. it is probable. and now you see ', ' which brought the writer." "it is possible." "more than that. it is probable. and now you see the d', 'h brought the writer." "it is possible." "more than that. it is probable. and now you see the deadly', 'ught the writer." "it is possible." "more than that. it is probable. and now you see the deadly urge', 'the writer." "it is possible." "more than that. it is probable. and now you see the deadly urgency o', 'riter." "it is possible." "more than that. it is probable. and now you see the deadly urgency of thi', '." "it is possible." "more than that. it is probable. and now you see the deadly urgency of this new', 't is possible." "more than that. it is probable. and now you see the deadly urgency of this new case', 'possible." "more than that. it is probable. and now you see the deadly urgency of this new case, and', 'ble." "more than that. it is probable. and now you see the deadly urgency of this new case, and why ', ' "more than that. it is probable. and now you see the deadly urgency of this new case, and why i urg', 'e than that. it is probable. and now you see the deadly urgency of this new case, and why i urged yo', 'n that. it is probable. and now you see the deadly urgency of this new case, and why i urged young o', 't. it is probable. and now you see the deadly urgency of this new case, and why i urged young opensh', ' is probable. and now you see the deadly urgency of this new case, and why i urged young openshaw to', 'robable. and now you see the deadly urgency of this new case, and why i urged young openshaw to caut', 'le. and now you see the deadly urgency of this new case, and why i urged young openshaw to caution. ', 'nd now you see the deadly urgency of this new case, and why i urged young openshaw to caution. the b', 'w you see the deadly urgency of this new case, and why i urged young openshaw to caution. the blow h', ' see the deadly urgency of this new case, and why i urged young openshaw to caution. the blow has al', 'the deadly urgency of this new case, and why i urged young openshaw to caution. the blow has always ', 'eadly urgency of this new case, and why i urged young openshaw to caution. the blow has always falle', ' urgency of this new case, and why i urged young openshaw to caution. the blow has always fallen at ', 'ncy of this new case, and why i urged young openshaw to caution. the blow has always fallen at the e', 'f this new case, and why i urged young openshaw to caution. the blow has always fallen at the end of', 's new case, and why i urged young openshaw to caution. the blow has always fallen at the end of the ', ' case, and why i urged young openshaw to caution. the blow has always fallen at the end of the time ', ', and why i urged young openshaw to caution. the blow has always fallen at the end of the time which', ' why i urged young openshaw to caution. the blow has always fallen at the end of the time which it w', 'i urged young openshaw to caution. the blow has always fallen at the end of the time which it would ', 'ed young openshaw to caution. the blow has always fallen at the end of the time which it would take ', 'ung openshaw to caution. the blow has always fallen at the end of the time which it would take the s', 'penshaw to caution. the blow has always fallen at the end of the time which it would take the sender', 'aw to caution. the blow has always fallen at the end of the time which it would take the senders to ', ' caution. the blow has always fallen at the end of the time which it would take the senders to trave', 'ion. the blow has always fallen at the end of the time which it would take the senders to travel the', 'the blow has always fallen at the end of the time which it would take the senders to travel the dist', 'low has always fallen at the end of the time which it would take the senders to travel the distance.', 'as always fallen at the end of the time which it would take the senders to travel the distance. but ', 'ways fallen at the end of the time which it would take the senders to travel the distance. but this ', 'fallen at the end of the time which it would take the senders to travel the distance. but this one c', 'n at the end of the time which it would take the senders to travel the distance. but this one comes ', 'the end of the time which it would take the senders to travel the distance. but this one comes from ', 'nd of the time which it would take the senders to travel the distance. but this one comes from londo', ' the time which it would take the senders to travel the distance. but this one comes from london, an', 'time which it would take the senders to travel the distance. but this one comes from london, and the', 'which it would take the senders to travel the distance. but this one comes from london, and therefor', ' it would take the senders to travel the distance. but this one comes from london, and therefore we ', 'ould take the senders to travel the distance. but this one comes from london, and therefore we canno', 'take the senders to travel the distance. but this one comes from london, and therefore we cannot cou', 'the senders to travel the distance. but this one comes from london, and therefore we cannot count up', 'enders to travel the distance. but this one comes from london, and therefore we cannot count upon de', 's to travel the distance. but this one comes from london, and therefore we cannot count upon delay."', 'travel the distance. but this one comes from london, and therefore we cannot count upon delay." "goo', 'l the distance. but this one comes from london, and therefore we cannot count upon delay." "good god', ' distance. but this one comes from london, and therefore we cannot count upon delay." "good god i cr', 'ance. but this one comes from london, and therefore we cannot count upon delay." "good god i cried. ', ' but this one comes from london, and therefore we cannot count upon delay." "good god i cried. "what', 'this one comes from london, and therefore we cannot count upon delay." "good god i cried. "what can ', 'one comes from london, and therefore we cannot count upon delay." "good god i cried. "what can it me', 'omes from london, and therefore we cannot count upon delay." "good god i cried. "what can it mean, t', 'from london, and therefore we cannot count upon delay." "good god i cried. "what can it mean, this r', 'london, and therefore we cannot count upon delay." "good god i cried. "what can it mean, this relent', 'n, and therefore we cannot count upon delay." "good god i cried. "what can it mean, this relentless ', 'd therefore we cannot count upon delay." "good god i cried. "what can it mean, this relentless perse', 'refore we cannot count upon delay." "good god i cried. "what can it mean, this relentless persecutio', 'e we cannot count upon delay." "good god i cried. "what can it mean, this relentless persecution?" "', 'cannot count upon delay." "good god i cried. "what can it mean, this relentless persecution?" "the p', 't count upon delay." "good god i cried. "what can it mean, this relentless persecution?" "the papers', 'nt upon delay." "good god i cried. "what can it mean, this relentless persecution?" "the papers whic', 'on delay." "good god i cried. "what can it mean, this relentless persecution?" "the papers which ope', 'lay." "good god i cried. "what can it mean, this relentless persecution?" "the papers which openshaw', ' "good god i cried. "what can it mean, this relentless persecution?" "the papers which openshaw carr', 'd god i cried. "what can it mean, this relentless persecution?" "the papers which openshaw carried a', ' i cried. "what can it mean, this relentless persecution?" "the papers which openshaw carried are ob', 'ied. "what can it mean, this relentless persecution?" "the papers which openshaw carried are obvious', '"what can it mean, this relentless persecution?" "the papers which openshaw carried are obviously of', ' can it mean, this relentless persecution?" "the papers which openshaw carried are obviously of vita', 'it mean, this relentless persecution?" "the papers which openshaw carried are obviously of vital imp', 'an, this relentless persecution?" "the papers which openshaw carried are obviously of vital importan', 'his relentless persecution?" "the papers which openshaw carried are obviously of vital importance to', 'elentless persecution?" "the papers which openshaw carried are obviously of vital importance to the ', 'less persecution?" "the papers which openshaw carried are obviously of vital importance to the perso', 'persecution?" "the papers which openshaw carried are obviously of vital importance to the person or ', 'cution?" "the papers which openshaw carried are obviously of vital importance to the person or perso', 'n?" "the papers which openshaw carried are obviously of vital importance to the person or persons in', 'the papers which openshaw carried are obviously of vital importance to the person or persons in the ', 'apers which openshaw carried are obviously of vital importance to the person or persons in the saili', ' which openshaw carried are obviously of vital importance to the person or persons in the sailing-sh', 'h openshaw carried are obviously of vital importance to the person or persons in the sailing-ship. i', 'nshaw carried are obviously of vital importance to the person or persons in the sailing-ship. i thin', ' carried are obviously of vital importance to the person or persons in the sailing-ship. i think tha', 'ied are obviously of vital importance to the person or persons in the sailing-ship. i think that it ', 're obviously of vital importance to the person or persons in the sailing-ship. i think that it is qu', 'viously of vital importance to the person or persons in the sailing-ship. i think that it is quite c', 'ly of vital importance to the person or persons in the sailing-ship. i think that it is quite clear ', ' vital importance to the person or persons in the sailing-ship. i think that it is quite clear that ', 'l importance to the person or persons in the sailing-ship. i think that it is quite clear that there', 'ortance to the person or persons in the sailing-ship. i think that it is quite clear that there must', 'ce to the person or persons in the sailing-ship. i think that it is quite clear that there must be m', ' the person or persons in the sailing-ship. i think that it is quite clear that there must be more t', 'person or persons in the sailing-ship. i think that it is quite clear that there must be more than o', 'n or persons in the sailing-ship. i think that it is quite clear that there must be more than one of', 'persons in the sailing-ship. i think that it is quite clear that there must be more than one of them', 'ns in the sailing-ship. i think that it is quite clear that there must be more than one of them. a s', ' the sailing-ship. i think that it is quite clear that there must be more than one of them. a single', 'sailing-ship. i think that it is quite clear that there must be more than one of them. a single man ', 'ng-ship. i think that it is quite clear that there must be more than one of them. a single man could', 'ip. i think that it is quite clear that there must be more than one of them. a single man could not ', ' think that it is quite clear that there must be more than one of them. a single man could not have ', 'k that it is quite clear that there must be more than one of them. a single man could not have carri', 't it is quite clear that there must be more than one of them. a single man could not have carried ou', 'is quite clear that there must be more than one of them. a single man could not have carried out two', 'ite clear that there must be more than one of them. a single man could not have carried out two deat', 'lear that there must be more than one of them. a single man could not have carried out two deaths in', 'that there must be more than one of them. a single man could not have carried out two deaths in such', 'there must be more than one of them. a single man could not have carried out two deaths in such a wa', ' must be more than one of them. a single man could not have carried out two deaths in such a way as ', ' be more than one of them. a single man could not have carried out two deaths in such a way as to de', 'ore than one of them. a single man could not have carried out two deaths in such a way as to deceive', 'han one of them. a single man could not have carried out two deaths in such a way as to deceive a co', 'ne of them. a single man could not have carried out two deaths in such a way as to deceive a coroner', " them. a single man could not have carried out two deaths in such a way as to deceive a coroner's ju", ". a single man could not have carried out two deaths in such a way as to deceive a coroner's jury. t", "ingle man could not have carried out two deaths in such a way as to deceive a coroner's jury. there ", " man could not have carried out two deaths in such a way as to deceive a coroner's jury. there must ", "could not have carried out two deaths in such a way as to deceive a coroner's jury. there must have ", " not have carried out two deaths in such a way as to deceive a coroner's jury. there must have been ", "have carried out two deaths in such a way as to deceive a coroner's jury. there must have been sever", "carried out two deaths in such a way as to deceive a coroner's jury. there must have been several in", "ed out two deaths in such a way as to deceive a coroner's jury. there must have been several in it, ", "t two deaths in such a way as to deceive a coroner's jury. there must have been several in it, and t", " deaths in such a way as to deceive a coroner's jury. there must have been several in it, and they m", "hs in such a way as to deceive a coroner's jury. there must have been several in it, and they must h", " such a way as to deceive a coroner's jury. there must have been several in it, and they must have b", " a way as to deceive a coroner's jury. there must have been several in it, and they must have been m", "y as to deceive a coroner's jury. there must have been several in it, and they must have been men of", "to deceive a coroner's jury. there must have been several in it, and they must have been men of reso", "ceive a coroner's jury. there must have been several in it, and they must have been men of resource ", " a coroner's jury. there must have been several in it, and they must have been men of resource and d", "roner's jury. there must have been several in it, and they must have been men of resource and determ", "'s jury. there must have been several in it, and they must have been men of resource and determinati", 'ry. there must have been several in it, and they must have been men of resource and determination. t', 'here must have been several in it, and they must have been men of resource and determination. their ', 'must have been several in it, and they must have been men of resource and determination. their paper', 'have been several in it, and they must have been men of resource and determination. their papers the', 'been several in it, and they must have been men of resource and determination. their papers they mea', 'several in it, and they must have been men of resource and determination. their papers they mean to ', 'al in it, and they must have been men of resource and determination. their papers they mean to have,', ' it, and they must have been men of resource and determination. their papers they mean to have, be t', 'and they must have been men of resource and determination. their papers they mean to have, be the ho', 'hey must have been men of resource and determination. their papers they mean to have, be the holder ', 'ust have been men of resource and determination. their papers they mean to have, be the holder of th', 'ave been men of resource and determination. their papers they mean to have, be the holder of them wh', 'een men of resource and determination. their papers they mean to have, be the holder of them who it ', 'en of resource and determination. their papers they mean to have, be the holder of them who it may. ', ' resource and determination. their papers they mean to have, be the holder of them who it may. in th', 'urce and determination. their papers they mean to have, be the holder of them who it may. in this wa', 'and determination. their papers they mean to have, be the holder of them who it may. in this way you', 'etermination. their papers they mean to have, be the holder of them who it may. in this way you see ', 'ination. their papers they mean to have, be the holder of them who it may. in this way you see k. k.', 'on. their papers they mean to have, be the holder of them who it may. in this way you see k. k. k. c', 'heir papers they mean to have, be the holder of them who it may. in this way you see k. k. k. ceases', 'papers they mean to have, be the holder of them who it may. in this way you see k. k. k. ceases to b', 's they mean to have, be the holder of them who it may. in this way you see k. k. k. ceases to be the', 'y mean to have, be the holder of them who it may. in this way you see k. k. k. ceases to be the init', 'n to have, be the holder of them who it may. in this way you see k. k. k. ceases to be the initials ', 'have, be the holder of them who it may. in this way you see k. k. k. ceases to be the initials of an', ' be the holder of them who it may. in this way you see k. k. k. ceases to be the initials of an indi', 'he holder of them who it may. in this way you see k. k. k. ceases to be the initials of an individua', 'lder of them who it may. in this way you see k. k. k. ceases to be the initials of an individual and', 'of them who it may. in this way you see k. k. k. ceases to be the initials of an individual and beco', 'em who it may. in this way you see k. k. k. ceases to be the initials of an individual and becomes t', 'o it may. in this way you see k. k. k. ceases to be the initials of an individual and becomes the ba', 'may. in this way you see k. k. k. ceases to be the initials of an individual and becomes the badge o', 'in this way you see k. k. k. ceases to be the initials of an individual and becomes the badge of a s', 'is way you see k. k. k. ceases to be the initials of an individual and becomes the badge of a societ', 'y you see k. k. k. ceases to be the initials of an individual and becomes the badge of a society." "', ' see k. k. k. ceases to be the initials of an individual and becomes the badge of a society." "but o', 'k. k. k. ceases to be the initials of an individual and becomes the badge of a society." "but of wha', ' k. ceases to be the initials of an individual and becomes the badge of a society." "but of what soc', 'eases to be the initials of an individual and becomes the badge of a society." "but of what society?', ' to be the initials of an individual and becomes the badge of a society." "but of what society?" "ha', 'e the initials of an individual and becomes the badge of a society." "but of what society?" "have yo', ' initials of an individual and becomes the badge of a society." "but of what society?" "have you nev', 'ials of an individual and becomes the badge of a society." "but of what society?" "have you never" s', 'of an individual and becomes the badge of a society." "but of what society?" "have you never" said s', ' individual and becomes the badge of a society." "but of what society?" "have you never" said sherlo', 'vidual and becomes the badge of a society." "but of what society?" "have you never" said sherlock ho', 'l and becomes the badge of a society." "but of what society?" "have you never" said sherlock holmes,', ' becomes the badge of a society." "but of what society?" "have you never" said sherlock holmes, bend', 'mes the badge of a society." "but of what society?" "have you never" said sherlock holmes, bending f', 'he badge of a society." "but of what society?" "have you never" said sherlock holmes, bending forwar', 'dge of a society." "but of what society?" "have you never" said sherlock holmes, bending forward and', 'f a society." "but of what society?" "have you never" said sherlock holmes, bending forward and sink', 'ociety." "but of what society?" "have you never" said sherlock holmes, bending forward and sinking h', 'y." "but of what society?" "have you never" said sherlock holmes, bending forward and sinking his vo', 'but of what society?" "have you never" said sherlock holmes, bending forward and sinking his voice"h', 'f what society?" "have you never" said sherlock holmes, bending forward and sinking his voice"have y', 't society?" "have you never" said sherlock holmes, bending forward and sinking his voice"have you ne', 'iety?" "have you never" said sherlock holmes, bending forward and sinking his voice"have you never h', '" "have you never" said sherlock holmes, bending forward and sinking his voice"have you never heard ', 've you never" said sherlock holmes, bending forward and sinking his voice"have you never heard of th', 'u never" said sherlock holmes, bending forward and sinking his voice"have you never heard of the ku ', 'er" said sherlock holmes, bending forward and sinking his voice"have you never heard of the ku klux ', 'aid sherlock holmes, bending forward and sinking his voice"have you never heard of the ku klux klan?', 'herlock holmes, bending forward and sinking his voice"have you never heard of the ku klux klan?" "i ', 'ck holmes, bending forward and sinking his voice"have you never heard of the ku klux klan?" "i never', 'lmes, bending forward and sinking his voice"have you never heard of the ku klux klan?" "i never have', ' bending forward and sinking his voice"have you never heard of the ku klux klan?" "i never have." ho', 'ing forward and sinking his voice"have you never heard of the ku klux klan?" "i never have." holmes ', 'orward and sinking his voice"have you never heard of the ku klux klan?" "i never have." holmes turne', 'd and sinking his voice"have you never heard of the ku klux klan?" "i never have." holmes turned ove', ' sinking his voice"have you never heard of the ku klux klan?" "i never have." holmes turned over the', 'ing his voice"have you never heard of the ku klux klan?" "i never have." holmes turned over the leav', 'is voice"have you never heard of the ku klux klan?" "i never have." holmes turned over the leaves of', 'ice"have you never heard of the ku klux klan?" "i never have." holmes turned over the leaves of the ', 'ave you never heard of the ku klux klan?" "i never have." holmes turned over the leaves of the book ', 'ou never heard of the ku klux klan?" "i never have." holmes turned over the leaves of the book upon ', 'ver heard of the ku klux klan?" "i never have." holmes turned over the leaves of the book upon his k', 'eard of the ku klux klan?" "i never have." holmes turned over the leaves of the book upon his knee. ', 'of the ku klux klan?" "i never have." holmes turned over the leaves of the book upon his knee. "here', 'e ku klux klan?" "i never have." holmes turned over the leaves of the book upon his knee. "here it i', 'klux klan?" "i never have." holmes turned over the leaves of the book upon his knee. "here it is," s', 'klan?" "i never have." holmes turned over the leaves of the book upon his knee. "here it is," said h', '" "i never have." holmes turned over the leaves of the book upon his knee. "here it is," said he pre', 'never have." holmes turned over the leaves of the book upon his knee. "here it is," said he presentl', ' have." holmes turned over the leaves of the book upon his knee. "here it is," said he presently: "\'', '." holmes turned over the leaves of the book upon his knee. "here it is," said he presently: "\'ku kl', 'lmes turned over the leaves of the book upon his knee. "here it is," said he presently: "\'ku klux kl', 'turned over the leaves of the book upon his knee. "here it is," said he presently: "\'ku klux klan. a', 'd over the leaves of the book upon his knee. "here it is," said he presently: "\'ku klux klan. a name', 'r the leaves of the book upon his knee. "here it is," said he presently: "\'ku klux klan. a name deri', ' leaves of the book upon his knee. "here it is," said he presently: "\'ku klux klan. a name derived f', 'es of the book upon his knee. "here it is," said he presently: "\'ku klux klan. a name derived from t', ' the book upon his knee. "here it is," said he presently: "\'ku klux klan. a name derived from the fa', 'book upon his knee. "here it is," said he presently: "\'ku klux klan. a name derived from the fancifu', 'upon his knee. "here it is," said he presently: "\'ku klux klan. a name derived from the fanciful res', 'his knee. "here it is," said he presently: "\'ku klux klan. a name derived from the fanciful resembla', 'nee. "here it is," said he presently: "\'ku klux klan. a name derived from the fanciful resemblance t', '"here it is," said he presently: "\'ku klux klan. a name derived from the fanciful resemblance to the', ' it is," said he presently: "\'ku klux klan. a name derived from the fanciful resemblance to the soun', 's," said he presently: "\'ku klux klan. a name derived from the fanciful resemblance to the sound pro', 'aid he presently: "\'ku klux klan. a name derived from the fanciful resemblance to the sound produced', 'e presently: "\'ku klux klan. a name derived from the fanciful resemblance to the sound produced by c', 'sently: "\'ku klux klan. a name derived from the fanciful resemblance to the sound produced by cockin', 'y: "\'ku klux klan. a name derived from the fanciful resemblance to the sound produced by cocking a r', 'ku klux klan. a name derived from the fanciful resemblance to the sound produced by cocking a rifle.', 'ux klan. a name derived from the fanciful resemblance to the sound produced by cocking a rifle. this', 'an. a name derived from the fanciful resemblance to the sound produced by cocking a rifle. this terr', ' name derived from the fanciful resemblance to the sound produced by cocking a rifle. this terrible ', ' derived from the fanciful resemblance to the sound produced by cocking a rifle. this terrible secre', 'ved from the fanciful resemblance to the sound produced by cocking a rifle. this terrible secret soc', 'rom the fanciful resemblance to the sound produced by cocking a rifle. this terrible secret society ', 'he fanciful resemblance to the sound produced by cocking a rifle. this terrible secret society was f', 'nciful resemblance to the sound produced by cocking a rifle. this terrible secret society was formed', 'l resemblance to the sound produced by cocking a rifle. this terrible secret society was formed by s', 'emblance to the sound produced by cocking a rifle. this terrible secret society was formed by some e', 'nce to the sound produced by cocking a rifle. this terrible secret society was formed by some ex-con', 'o the sound produced by cocking a rifle. this terrible secret society was formed by some ex-confeder', ' sound produced by cocking a rifle. this terrible secret society was formed by some ex-confederate s', 'd produced by cocking a rifle. this terrible secret society was formed by some ex-confederate soldie', 'duced by cocking a rifle. this terrible secret society was formed by some ex-confederate soldiers in', ' by cocking a rifle. this terrible secret society was formed by some ex-confederate soldiers in the ', 'ocking a rifle. this terrible secret society was formed by some ex-confederate soldiers in the south', 'g a rifle. this terrible secret society was formed by some ex-confederate soldiers in the southern s', 'ifle. this terrible secret society was formed by some ex-confederate soldiers in the southern states', ' this terrible secret society was formed by some ex-confederate soldiers in the southern states afte', ' terrible secret society was formed by some ex-confederate soldiers in the southern states after the', 'ible secret society was formed by some ex-confederate soldiers in the southern states after the civi', 'secret society was formed by some ex-confederate soldiers in the southern states after the civil war', 't society was formed by some ex-confederate soldiers in the southern states after the civil war, and', 'iety was formed by some ex-confederate soldiers in the southern states after the civil war, and it r', 'was formed by some ex-confederate soldiers in the southern states after the civil war, and it rapidl', 'ormed by some ex-confederate soldiers in the southern states after the civil war, and it rapidly for', ' by some ex-confederate soldiers in the southern states after the civil war, and it rapidly formed l', 'ome ex-confederate soldiers in the southern states after the civil war, and it rapidly formed local ', 'x-confederate soldiers in the southern states after the civil war, and it rapidly formed local branc', 'federate soldiers in the southern states after the civil war, and it rapidly formed local branches i', 'ate soldiers in the southern states after the civil war, and it rapidly formed local branches in dif', 'oldiers in the southern states after the civil war, and it rapidly formed local branches in differen', 'rs in the southern states after the civil war, and it rapidly formed local branches in different par', ' the southern states after the civil war, and it rapidly formed local branches in different parts of', 'southern states after the civil war, and it rapidly formed local branches in different parts of the ', 'ern states after the civil war, and it rapidly formed local branches in different parts of the count', 'tates after the civil war, and it rapidly formed local branches in different parts of the country, n', ' after the civil war, and it rapidly formed local branches in different parts of the country, notabl', 'r the civil war, and it rapidly formed local branches in different parts of the country, notably in ', ' civil war, and it rapidly formed local branches in different parts of the country, notably in tenne', 'l war, and it rapidly formed local branches in different parts of the country, notably in tennessee,', ', and it rapidly formed local branches in different parts of the country, notably in tennessee, loui', ' it rapidly formed local branches in different parts of the country, notably in tennessee, louisiana', 'apidly formed local branches in different parts of the country, notably in tennessee, louisiana, the', 'y formed local branches in different parts of the country, notably in tennessee, louisiana, the caro', 'med local branches in different parts of the country, notably in tennessee, louisiana, the carolinas', 'ocal branches in different parts of the country, notably in tennessee, louisiana, the carolinas, geo', 'branches in different parts of the country, notably in tennessee, louisiana, the carolinas, georgia,', 'hes in different parts of the country, notably in tennessee, louisiana, the carolinas, georgia, and ', 'n different parts of the country, notably in tennessee, louisiana, the carolinas, georgia, and flori', 'ferent parts of the country, notably in tennessee, louisiana, the carolinas, georgia, and florida. i', 't parts of the country, notably in tennessee, louisiana, the carolinas, georgia, and florida. its po', 'ts of the country, notably in tennessee, louisiana, the carolinas, georgia, and florida. its power w', ' the country, notably in tennessee, louisiana, the carolinas, georgia, and florida. its power was us', 'country, notably in tennessee, louisiana, the carolinas, georgia, and florida. its power was used fo', 'ry, notably in tennessee, louisiana, the carolinas, georgia, and florida. its power was used for pol', 'otably in tennessee, louisiana, the carolinas, georgia, and florida. its power was used for politica', 'y in tennessee, louisiana, the carolinas, georgia, and florida. its power was used for political pur', 'tennessee, louisiana, the carolinas, georgia, and florida. its power was used for political purposes', 'ssee, louisiana, the carolinas, georgia, and florida. its power was used for political purposes, pri', ' louisiana, the carolinas, georgia, and florida. its power was used for political purposes, principa', 'siana, the carolinas, georgia, and florida. its power was used for political purposes, principally f', ', the carolinas, georgia, and florida. its power was used for political purposes, principally for th', ' carolinas, georgia, and florida. its power was used for political purposes, principally for the ter', 'linas, georgia, and florida. its power was used for political purposes, principally for the terroris', ', georgia, and florida. its power was used for political purposes, principally for the terrorising o', 'rgia, and florida. its power was used for political purposes, principally for the terrorising of the', ' and florida. its power was used for political purposes, principally for the terrorising of the negr', 'florida. its power was used for political purposes, principally for the terrorising of the negro vot', 'da. its power was used for political purposes, principally for the terrorising of the negro voters a', 'ts power was used for political purposes, principally for the terrorising of the negro voters and th', 'wer was used for political purposes, principally for the terrorising of the negro voters and the mur', 'as used for political purposes, principally for the terrorising of the negro voters and the murderin', 'ed for political purposes, principally for the terrorising of the negro voters and the murdering and', 'r political purposes, principally for the terrorising of the negro voters and the murdering and driv', 'itical purposes, principally for the terrorising of the negro voters and the murdering and driving f', 'l purposes, principally for the terrorising of the negro voters and the murdering and driving from t', 'poses, principally for the terrorising of the negro voters and the murdering and driving from the co', ', principally for the terrorising of the negro voters and the murdering and driving from the country', 'ncipally for the terrorising of the negro voters and the murdering and driving from the country of t', 'lly for the terrorising of the negro voters and the murdering and driving from the country of those ', 'or the terrorising of the negro voters and the murdering and driving from the country of those who w', 'e terrorising of the negro voters and the murdering and driving from the country of those who were o', 'rorising of the negro voters and the murdering and driving from the country of those who were oppose', 'ing of the negro voters and the murdering and driving from the country of those who were opposed to ', 'f the negro voters and the murdering and driving from the country of those who were opposed to its v', ' negro voters and the murdering and driving from the country of those who were opposed to its views.', 'o voters and the murdering and driving from the country of those who were opposed to its views. its ', 'ers and the murdering and driving from the country of those who were opposed to its views. its outra', 'nd the murdering and driving from the country of those who were opposed to its views. its outrages w', 'e murdering and driving from the country of those who were opposed to its views. its outrages were u', 'dering and driving from the country of those who were opposed to its views. its outrages were usuall', 'g and driving from the country of those who were opposed to its views. its outrages were usually pre', ' driving from the country of those who were opposed to its views. its outrages were usually preceded', 'ing from the country of those who were opposed to its views. its outrages were usually preceded by a', 'rom the country of those who were opposed to its views. its outrages were usually preceded by a warn', 'he country of those who were opposed to its views. its outrages were usually preceded by a warning s', 'untry of those who were opposed to its views. its outrages were usually preceded by a warning sent t', ' of those who were opposed to its views. its outrages were usually preceded by a warning sent to the', 'hose who were opposed to its views. its outrages were usually preceded by a warning sent to the mark', 'who were opposed to its views. its outrages were usually preceded by a warning sent to the marked ma', 'ere opposed to its views. its outrages were usually preceded by a warning sent to the marked man in ', 'pposed to its views. its outrages were usually preceded by a warning sent to the marked man in some ', 'd to its views. its outrages were usually preceded by a warning sent to the marked man in some fanta', 'its views. its outrages were usually preceded by a warning sent to the marked man in some fantastic ', 'iews. its outrages were usually preceded by a warning sent to the marked man in some fantastic but g', ' its outrages were usually preceded by a warning sent to the marked man in some fantastic but genera', 'outrages were usually preceded by a warning sent to the marked man in some fantastic but generally r', 'ges were usually preceded by a warning sent to the marked man in some fantastic but generally recogn', 'ere usually preceded by a warning sent to the marked man in some fantastic but generally recognised ', 'sually preceded by a warning sent to the marked man in some fantastic but generally recognised shape', 'y preceded by a warning sent to the marked man in some fantastic but generally recognised shapea spr', 'ceded by a warning sent to the marked man in some fantastic but generally recognised shapea sprig of', ' by a warning sent to the marked man in some fantastic but generally recognised shapea sprig of oak-', ' warning sent to the marked man in some fantastic but generally recognised shapea sprig of oak-leave', 'ing sent to the marked man in some fantastic but generally recognised shapea sprig of oak-leaves in ', 'ent to the marked man in some fantastic but generally recognised shapea sprig of oak-leaves in some ', 'o the marked man in some fantastic but generally recognised shapea sprig of oak-leaves in some parts', ' marked man in some fantastic but generally recognised shapea sprig of oak-leaves in some parts, mel', 'ed man in some fantastic but generally recognised shapea sprig of oak-leaves in some parts, melon se', 'n in some fantastic but generally recognised shapea sprig of oak-leaves in some parts, melon seeds o', 'some fantastic but generally recognised shapea sprig of oak-leaves in some parts, melon seeds or ora', 'fantastic but generally recognised shapea sprig of oak-leaves in some parts, melon seeds or orange p', 'stic but generally recognised shapea sprig of oak-leaves in some parts, melon seeds or orange pips i', 'but generally recognised shapea sprig of oak-leaves in some parts, melon seeds or orange pips in oth', 'enerally recognised shapea sprig of oak-leaves in some parts, melon seeds or orange pips in others. ', 'lly recognised shapea sprig of oak-leaves in some parts, melon seeds or orange pips in others. on re', 'ecognised shapea sprig of oak-leaves in some parts, melon seeds or orange pips in others. on receivi', 'ised shapea sprig of oak-leaves in some parts, melon seeds or orange pips in others. on receiving th', 'shapea sprig of oak-leaves in some parts, melon seeds or orange pips in others. on receiving this th', 'a sprig of oak-leaves in some parts, melon seeds or orange pips in others. on receiving this the vic', 'ig of oak-leaves in some parts, melon seeds or orange pips in others. on receiving this the victim m', ' oak-leaves in some parts, melon seeds or orange pips in others. on receiving this the victim might ', 'leaves in some parts, melon seeds or orange pips in others. on receiving this the victim might eithe', 's in some parts, melon seeds or orange pips in others. on receiving this the victim might either ope', 'some parts, melon seeds or orange pips in others. on receiving this the victim might either openly a', 'parts, melon seeds or orange pips in others. on receiving this the victim might either openly abjure', ', melon seeds or orange pips in others. on receiving this the victim might either openly abjure his ', 'on seeds or orange pips in others. on receiving this the victim might either openly abjure his forme', 'eds or orange pips in others. on receiving this the victim might either openly abjure his former way', 'r orange pips in others. on receiving this the victim might either openly abjure his former ways, or', 'nge pips in others. on receiving this the victim might either openly abjure his former ways, or migh', 'ips in others. on receiving this the victim might either openly abjure his former ways, or might fly', 'n others. on receiving this the victim might either openly abjure his former ways, or might fly from', 'ers. on receiving this the victim might either openly abjure his former ways, or might fly from the ', 'on receiving this the victim might either openly abjure his former ways, or might fly from the count', 'ceiving this the victim might either openly abjure his former ways, or might fly from the country. i', 'ng this the victim might either openly abjure his former ways, or might fly from the country. if he ', 'is the victim might either openly abjure his former ways, or might fly from the country. if he brave', 'e victim might either openly abjure his former ways, or might fly from the country. if he braved the', 'tim might either openly abjure his former ways, or might fly from the country. if he braved the matt', 'ight either openly abjure his former ways, or might fly from the country. if he braved the matter ou', 'either openly abjure his former ways, or might fly from the country. if he braved the matter out, de', 'r openly abjure his former ways, or might fly from the country. if he braved the matter out, death w', 'nly abjure his former ways, or might fly from the country. if he braved the matter out, death would ', 'bjure his former ways, or might fly from the country. if he braved the matter out, death would unfai', ' his former ways, or might fly from the country. if he braved the matter out, death would unfailingl', 'former ways, or might fly from the country. if he braved the matter out, death would unfailingly com', 'r ways, or might fly from the country. if he braved the matter out, death would unfailingly come upo', 's, or might fly from the country. if he braved the matter out, death would unfailingly come upon him', ' might fly from the country. if he braved the matter out, death would unfailingly come upon him, and', 't fly from the country. if he braved the matter out, death would unfailingly come upon him, and usua', ' from the country. if he braved the matter out, death would unfailingly come upon him, and usually i', ' the country. if he braved the matter out, death would unfailingly come upon him, and usually in som', 'country. if he braved the matter out, death would unfailingly come upon him, and usually in some str', 'ry. if he braved the matter out, death would unfailingly come upon him, and usually in some strange ', 'f he braved the matter out, death would unfailingly come upon him, and usually in some strange and u', 'braved the matter out, death would unfailingly come upon him, and usually in some strange and unfore', 'd the matter out, death would unfailingly come upon him, and usually in some strange and unforeseen ', ' matter out, death would unfailingly come upon him, and usually in some strange and unforeseen manne', 'er out, death would unfailingly come upon him, and usually in some strange and unforeseen manner. so', 't, death would unfailingly come upon him, and usually in some strange and unforeseen manner. so perf', 'ath would unfailingly come upon him, and usually in some strange and unforeseen manner. so perfect w', 'ould unfailingly come upon him, and usually in some strange and unforeseen manner. so perfect was th', 'unfailingly come upon him, and usually in some strange and unforeseen manner. so perfect was the org', 'lingly come upon him, and usually in some strange and unforeseen manner. so perfect was the organisa', 'y come upon him, and usually in some strange and unforeseen manner. so perfect was the organisation ', 'e upon him, and usually in some strange and unforeseen manner. so perfect was the organisation of th', 'n him, and usually in some strange and unforeseen manner. so perfect was the organisation of the soc', ', and usually in some strange and unforeseen manner. so perfect was the organisation of the society,', ' usually in some strange and unforeseen manner. so perfect was the organisation of the society, and ', 'lly in some strange and unforeseen manner. so perfect was the organisation of the society, and so sy', 'n some strange and unforeseen manner. so perfect was the organisation of the society, and so systema', 'e strange and unforeseen manner. so perfect was the organisation of the society, and so systematic i', 'ange and unforeseen manner. so perfect was the organisation of the society, and so systematic its me', 'and unforeseen manner. so perfect was the organisation of the society, and so systematic its methods', 'nforeseen manner. so perfect was the organisation of the society, and so systematic its methods, tha', 'seen manner. so perfect was the organisation of the society, and so systematic its methods, that the', 'manner. so perfect was the organisation of the society, and so systematic its methods, that there is', 'r. so perfect was the organisation of the society, and so systematic its methods, that there is hard', ' perfect was the organisation of the society, and so systematic its methods, that there is hardly a ', 'ect was the organisation of the society, and so systematic its methods, that there is hardly a case ', 'as the organisation of the society, and so systematic its methods, that there is hardly a case upon ', 'e organisation of the society, and so systematic its methods, that there is hardly a case upon recor', 'anisation of the society, and so systematic its methods, that there is hardly a case upon record whe', 'tion of the society, and so systematic its methods, that there is hardly a case upon record where an', 'of the society, and so systematic its methods, that there is hardly a case upon record where any man', 'e society, and so systematic its methods, that there is hardly a case upon record where any man succ', 'iety, and so systematic its methods, that there is hardly a case upon record where any man succeeded', ' and so systematic its methods, that there is hardly a case upon record where any man succeeded in b', 'so systematic its methods, that there is hardly a case upon record where any man succeeded in bravin', 'stematic its methods, that there is hardly a case upon record where any man succeeded in braving it ', 'tic its methods, that there is hardly a case upon record where any man succeeded in braving it with ', 'ts methods, that there is hardly a case upon record where any man succeeded in braving it with impun', 'thods, that there is hardly a case upon record where any man succeeded in braving it with impunity, ', ', that there is hardly a case upon record where any man succeeded in braving it with impunity, or in', 't there is hardly a case upon record where any man succeeded in braving it with impunity, or in whic', 're is hardly a case upon record where any man succeeded in braving it with impunity, or in which any', ' hardly a case upon record where any man succeeded in braving it with impunity, or in which any of i', 'ly a case upon record where any man succeeded in braving it with impunity, or in which any of its ou', 'case upon record where any man succeeded in braving it with impunity, or in which any of its outrage', 'upon record where any man succeeded in braving it with impunity, or in which any of its outrages wer', 'record where any man succeeded in braving it with impunity, or in which any of its outrages were tra', 'd where any man succeeded in braving it with impunity, or in which any of its outrages were traced h', 're any man succeeded in braving it with impunity, or in which any of its outrages were traced home t', 'y man succeeded in braving it with impunity, or in which any of its outrages were traced home to the', ' succeeded in braving it with impunity, or in which any of its outrages were traced home to the perp', 'eeded in braving it with impunity, or in which any of its outrages were traced home to the perpetrat', ' in braving it with impunity, or in which any of its outrages were traced home to the perpetrators. ', 'raving it with impunity, or in which any of its outrages were traced home to the perpetrators. for s', 'g it with impunity, or in which any of its outrages were traced home to the perpetrators. for some y', 'with impunity, or in which any of its outrages were traced home to the perpetrators. for some years ', 'impunity, or in which any of its outrages were traced home to the perpetrators. for some years the o', 'ity, or in which any of its outrages were traced home to the perpetrators. for some years the organi', 'or in which any of its outrages were traced home to the perpetrators. for some years the organisatio', ' which any of its outrages were traced home to the perpetrators. for some years the organisation flo', 'h any of its outrages were traced home to the perpetrators. for some years the organisation flourish', ' of its outrages were traced home to the perpetrators. for some years the organisation flourished in', 'ts outrages were traced home to the perpetrators. for some years the organisation flourished in spit', 'trages were traced home to the perpetrators. for some years the organisation flourished in spite of ', 's were traced home to the perpetrators. for some years the organisation flourished in spite of the e', 'e traced home to the perpetrators. for some years the organisation flourished in spite of the effort', 'ced home to the perpetrators. for some years the organisation flourished in spite of the efforts of ', 'ome to the perpetrators. for some years the organisation flourished in spite of the efforts of the u', 'o the perpetrators. for some years the organisation flourished in spite of the efforts of the united', ' perpetrators. for some years the organisation flourished in spite of the efforts of the united stat', 'etrators. for some years the organisation flourished in spite of the efforts of the united states go', 'ors. for some years the organisation flourished in spite of the efforts of the united states governm', 'for some years the organisation flourished in spite of the efforts of the united states government a', 'ome years the organisation flourished in spite of the efforts of the united states government and of', 'ears the organisation flourished in spite of the efforts of the united states government and of the ', 'the organisation flourished in spite of the efforts of the united states government and of the bette', 'rganisation flourished in spite of the efforts of the united states government and of the better cla', 'sation flourished in spite of the efforts of the united states government and of the better classes ', 'n flourished in spite of the efforts of the united states government and of the better classes of th', 'urished in spite of the efforts of the united states government and of the better classes of the com', 'ed in spite of the efforts of the united states government and of the better classes of the communit', ' spite of the efforts of the united states government and of the better classes of the community in ', 'e of the efforts of the united states government and of the better classes of the community in the s', 'the efforts of the united states government and of the better classes of the community in the south.', 'fforts of the united states government and of the better classes of the community in the south. even', 's of the united states government and of the better classes of the community in the south. eventuall', 'the united states government and of the better classes of the community in the south. eventually, in', 'nited states government and of the better classes of the community in the south. eventually, in the ', ' states government and of the better classes of the community in the south. eventually, in the year ', 'es government and of the better classes of the community in the south. eventually, in the year , t', 'vernment and of the better classes of the community in the south. eventually, in the year , the mo', 'ent and of the better classes of the community in the south. eventually, in the year , the movemen', 'nd of the better classes of the community in the south. eventually, in the year , the movement rat', ' the better classes of the community in the south. eventually, in the year , the movement rather s', 'better classes of the community in the south. eventually, in the year , the movement rather sudden', 'r classes of the community in the south. eventually, in the year , the movement rather suddenly co', 'sses of the community in the south. eventually, in the year , the movement rather suddenly collaps', 'of the community in the south. eventually, in the year , the movement rather suddenly collapsed, a', 'e community in the south. eventually, in the year , the movement rather suddenly collapsed, althou', 'munity in the south. eventually, in the year , the movement rather suddenly collapsed, although th', 'y in the south. eventually, in the year , the movement rather suddenly collapsed, although there h', 'the south. eventually, in the year , the movement rather suddenly collapsed, although there have b', 'outh. eventually, in the year , the movement rather suddenly collapsed, although there have been s', ' eventually, in the year , the movement rather suddenly collapsed, although there have been sporad', 'tually, in the year , the movement rather suddenly collapsed, although there have been sporadic ou', 'y, in the year , the movement rather suddenly collapsed, although there have been sporadic outbrea', ' the year , the movement rather suddenly collapsed, although there have been sporadic outbreaks of', 'year , the movement rather suddenly collapsed, although there have been sporadic outbreaks of the ', ' , the movement rather suddenly collapsed, although there have been sporadic outbreaks of the same ', 'he movement rather suddenly collapsed, although there have been sporadic outbreaks of the same sort ', 'vement rather suddenly collapsed, although there have been sporadic outbreaks of the same sort since', 't rather suddenly collapsed, although there have been sporadic outbreaks of the same sort since that', 'her suddenly collapsed, although there have been sporadic outbreaks of the same sort since that date', 'uddenly collapsed, although there have been sporadic outbreaks of the same sort since that date.\' "y', 'ly collapsed, although there have been sporadic outbreaks of the same sort since that date.\' "you wi', 'llapsed, although there have been sporadic outbreaks of the same sort since that date.\' "you will ob', 'ed, although there have been sporadic outbreaks of the same sort since that date.\' "you will observe', 'lthough there have been sporadic outbreaks of the same sort since that date.\' "you will observe," sa', 'gh there have been sporadic outbreaks of the same sort since that date.\' "you will observe," said ho', 'ere have been sporadic outbreaks of the same sort since that date.\' "you will observe," said holmes,', 'ave been sporadic outbreaks of the same sort since that date.\' "you will observe," said holmes, layi', 'een sporadic outbreaks of the same sort since that date.\' "you will observe," said holmes, laying do', 'poradic outbreaks of the same sort since that date.\' "you will observe," said holmes, laying down th', 'ic outbreaks of the same sort since that date.\' "you will observe," said holmes, laying down the vol', 'tbreaks of the same sort since that date.\' "you will observe," said holmes, laying down the volume, ', 'ks of the same sort since that date.\' "you will observe," said holmes, laying down the volume, "that', ' the same sort since that date.\' "you will observe," said holmes, laying down the volume, "that the ', 'same sort since that date.\' "you will observe," said holmes, laying down the volume, "that the sudde', 'sort since that date.\' "you will observe," said holmes, laying down the volume, "that the sudden bre', 'since that date.\' "you will observe," said holmes, laying down the volume, "that the sudden breaking', ' that date.\' "you will observe," said holmes, laying down the volume, "that the sudden breaking up o', ' date.\' "you will observe," said holmes, laying down the volume, "that the sudden breaking up of the', '.\' "you will observe," said holmes, laying down the volume, "that the sudden breaking up of the soci', 'ou will observe," said holmes, laying down the volume, "that the sudden breaking up of the society w', 'll observe," said holmes, laying down the volume, "that the sudden breaking up of the society was co', 'serve," said holmes, laying down the volume, "that the sudden breaking up of the society was coincid', '," said holmes, laying down the volume, "that the sudden breaking up of the society was coincident w', 'id holmes, laying down the volume, "that the sudden breaking up of the society was coincident with t', 'lmes, laying down the volume, "that the sudden breaking up of the society was coincident with the di', ' laying down the volume, "that the sudden breaking up of the society was coincident with the disappe', 'ng down the volume, "that the sudden breaking up of the society was coincident with the disappearanc', 'wn the volume, "that the sudden breaking up of the society was coincident with the disappearance of ', 'e volume, "that the sudden breaking up of the society was coincident with the disappearance of opens', 'ume, "that the sudden breaking up of the society was coincident with the disappearance of openshaw f', '"that the sudden breaking up of the society was coincident with the disappearance of openshaw from a', ' the sudden breaking up of the society was coincident with the disappearance of openshaw from americ', 'sudden breaking up of the society was coincident with the disappearance of openshaw from america wit', 'n breaking up of the society was coincident with the disappearance of openshaw from america with the', 'aking up of the society was coincident with the disappearance of openshaw from america with their pa', ' up of the society was coincident with the disappearance of openshaw from america with their papers.', 'f the society was coincident with the disappearance of openshaw from america with their papers. it m', ' society was coincident with the disappearance of openshaw from america with their papers. it may we', 'ety was coincident with the disappearance of openshaw from america with their papers. it may well ha', 'as coincident with the disappearance of openshaw from america with their papers. it may well have be', 'incident with the disappearance of openshaw from america with their papers. it may well have been ca', 'ent with the disappearance of openshaw from america with their papers. it may well have been cause a', 'ith the disappearance of openshaw from america with their papers. it may well have been cause and ef', 'he disappearance of openshaw from america with their papers. it may well have been cause and effect.', 'sappearance of openshaw from america with their papers. it may well have been cause and effect. it i', 'arance of openshaw from america with their papers. it may well have been cause and effect. it is no ', 'e of openshaw from america with their papers. it may well have been cause and effect. it is no wonde', 'openshaw from america with their papers. it may well have been cause and effect. it is no wonder tha', 'haw from america with their papers. it may well have been cause and effect. it is no wonder that he ', 'rom america with their papers. it may well have been cause and effect. it is no wonder that he and h', 'merica with their papers. it may well have been cause and effect. it is no wonder that he and his fa', 'a with their papers. it may well have been cause and effect. it is no wonder that he and his family ', 'h their papers. it may well have been cause and effect. it is no wonder that he and his family have ', 'ir papers. it may well have been cause and effect. it is no wonder that he and his family have some ', 'pers. it may well have been cause and effect. it is no wonder that he and his family have some of th', ' it may well have been cause and effect. it is no wonder that he and his family have some of the mor', 'ay well have been cause and effect. it is no wonder that he and his family have some of the more imp', 'll have been cause and effect. it is no wonder that he and his family have some of the more implacab', 've been cause and effect. it is no wonder that he and his family have some of the more implacable sp', 'en cause and effect. it is no wonder that he and his family have some of the more implacable spirits', 'use and effect. it is no wonder that he and his family have some of the more implacable spirits upon', 'nd effect. it is no wonder that he and his family have some of the more implacable spirits upon thei', 'fect. it is no wonder that he and his family have some of the more implacable spirits upon their tra', ' it is no wonder that he and his family have some of the more implacable spirits upon their track. y', 's no wonder that he and his family have some of the more implacable spirits upon their track. you ca', 'wonder that he and his family have some of the more implacable spirits upon their track. you can und', 'r that he and his family have some of the more implacable spirits upon their track. you can understa', 't he and his family have some of the more implacable spirits upon their track. you can understand th', 'and his family have some of the more implacable spirits upon their track. you can understand that th', 'is family have some of the more implacable spirits upon their track. you can understand that this re', 'mily have some of the more implacable spirits upon their track. you can understand that this registe', 'have some of the more implacable spirits upon their track. you can understand that this register and', 'some of the more implacable spirits upon their track. you can understand that this register and diar', 'of the more implacable spirits upon their track. you can understand that this register and diary may', 'e more implacable spirits upon their track. you can understand that this register and diary may impl', 'e implacable spirits upon their track. you can understand that this register and diary may implicate', 'lacable spirits upon their track. you can understand that this register and diary may implicate some', 'le spirits upon their track. you can understand that this register and diary may implicate some of t', 'irits upon their track. you can understand that this register and diary may implicate some of the fi', ' upon their track. you can understand that this register and diary may implicate some of the first m', ' their track. you can understand that this register and diary may implicate some of the first men in', 'r track. you can understand that this register and diary may implicate some of the first men in the ', 'ck. you can understand that this register and diary may implicate some of the first men in the south', 'ou can understand that this register and diary may implicate some of the first men in the south, and', 'n understand that this register and diary may implicate some of the first men in the south, and that', 'erstand that this register and diary may implicate some of the first men in the south, and that ther', 'nd that this register and diary may implicate some of the first men in the south, and that there may', 'at this register and diary may implicate some of the first men in the south, and that there may be m', 'is register and diary may implicate some of the first men in the south, and that there may be many w', 'gister and diary may implicate some of the first men in the south, and that there may be many who wi', 'r and diary may implicate some of the first men in the south, and that there may be many who will no', ' diary may implicate some of the first men in the south, and that there may be many who will not sle', 'y may implicate some of the first men in the south, and that there may be many who will not sleep ea', ' implicate some of the first men in the south, and that there may be many who will not sleep easy at', 'icate some of the first men in the south, and that there may be many who will not sleep easy at nigh', ' some of the first men in the south, and that there may be many who will not sleep easy at night unt', ' of the first men in the south, and that there may be many who will not sleep easy at night until it', 'he first men in the south, and that there may be many who will not sleep easy at night until it is r', 'rst men in the south, and that there may be many who will not sleep easy at night until it is recove', 'en in the south, and that there may be many who will not sleep easy at night until it is recovered."', ' the south, and that there may be many who will not sleep easy at night until it is recovered." "the', 'south, and that there may be many who will not sleep easy at night until it is recovered." "then the', ', and that there may be many who will not sleep easy at night until it is recovered." "then the page', ' that there may be many who will not sleep easy at night until it is recovered." "then the page we h', ' there may be many who will not sleep easy at night until it is recovered." "then the page we have s', 'e may be many who will not sleep easy at night until it is recovered." "then the page we have seen" ', ' be many who will not sleep easy at night until it is recovered." "then the page we have seen" "is s', 'any who will not sleep easy at night until it is recovered." "then the page we have seen" "is such a', 'ho will not sleep easy at night until it is recovered." "then the page we have seen" "is such as we ', 'll not sleep easy at night until it is recovered." "then the page we have seen" "is such as we might', 't sleep easy at night until it is recovered." "then the page we have seen" "is such as we might expe', 'ep easy at night until it is recovered." "then the page we have seen" "is such as we might expect. i', 'sy at night until it is recovered." "then the page we have seen" "is such as we might expect. it ran', ' night until it is recovered." "then the page we have seen" "is such as we might expect. it ran, if ', 't until it is recovered." "then the page we have seen" "is such as we might expect. it ran, if i rem', 'il it is recovered." "then the page we have seen" "is such as we might expect. it ran, if i remember', ' is recovered." "then the page we have seen" "is such as we might expect. it ran, if i remember righ', 'ecovered." "then the page we have seen" "is such as we might expect. it ran, if i remember right, \'s', 'red." "then the page we have seen" "is such as we might expect. it ran, if i remember right, \'sent t', ' "then the page we have seen" "is such as we might expect. it ran, if i remember right, \'sent the pi', 'n the page we have seen" "is such as we might expect. it ran, if i remember right, \'sent the pips to', ' page we have seen" "is such as we might expect. it ran, if i remember right, \'sent the pips to a, b', ' we have seen" "is such as we might expect. it ran, if i remember right, \'sent the pips to a, b, and', 'ave seen" "is such as we might expect. it ran, if i remember right, \'sent the pips to a, b, and c\'th', 'een" "is such as we might expect. it ran, if i remember right, \'sent the pips to a, b, and c\'that is', '"is such as we might expect. it ran, if i remember right, \'sent the pips to a, b, and c\'that is, sen', "uch as we might expect. it ran, if i remember right, 'sent the pips to a, b, and c'that is, sent the", "s we might expect. it ran, if i remember right, 'sent the pips to a, b, and c'that is, sent the soci", "might expect. it ran, if i remember right, 'sent the pips to a, b, and c'that is, sent the society's", " expect. it ran, if i remember right, 'sent the pips to a, b, and c'that is, sent the society's warn", "ct. it ran, if i remember right, 'sent the pips to a, b, and c'that is, sent the society's warning t", "t ran, if i remember right, 'sent the pips to a, b, and c'that is, sent the society's warning to the", ", if i remember right, 'sent the pips to a, b, and c'that is, sent the society's warning to them. th", "i remember right, 'sent the pips to a, b, and c'that is, sent the society's warning to them. then th", "ember right, 'sent the pips to a, b, and c'that is, sent the society's warning to them. then there a", " right, 'sent the pips to a, b, and c'that is, sent the society's warning to them. then there are su", "t, 'sent the pips to a, b, and c'that is, sent the society's warning to them. then there are success", "ent the pips to a, b, and c'that is, sent the society's warning to them. then there are successive e", "he pips to a, b, and c'that is, sent the society's warning to them. then there are successive entrie", "ps to a, b, and c'that is, sent the society's warning to them. then there are successive entries tha", " a, b, and c'that is, sent the society's warning to them. then there are successive entries that a a", ", and c'that is, sent the society's warning to them. then there are successive entries that a and b ", " c'that is, sent the society's warning to them. then there are successive entries that a and b clear", "at is, sent the society's warning to them. then there are successive entries that a and b cleared, o", ", sent the society's warning to them. then there are successive entries that a and b cleared, or lef", "t the society's warning to them. then there are successive entries that a and b cleared, or left the", " society's warning to them. then there are successive entries that a and b cleared, or left the coun", "ety's warning to them. then there are successive entries that a and b cleared, or left the country, ", ' warning to them. then there are successive entries that a and b cleared, or left the country, and f', 'ing to them. then there are successive entries that a and b cleared, or left the country, and finall', 'o them. then there are successive entries that a and b cleared, or left the country, and finally tha', 'm. then there are successive entries that a and b cleared, or left the country, and finally that c w', 'en there are successive entries that a and b cleared, or left the country, and finally that c was vi', 'ere are successive entries that a and b cleared, or left the country, and finally that c was visited', 're successive entries that a and b cleared, or left the country, and finally that c was visited, wit', 'ccessive entries that a and b cleared, or left the country, and finally that c was visited, with, i ', 'ive entries that a and b cleared, or left the country, and finally that c was visited, with, i fear,', 'ntries that a and b cleared, or left the country, and finally that c was visited, with, i fear, a si', 's that a and b cleared, or left the country, and finally that c was visited, with, i fear, a siniste', 't a and b cleared, or left the country, and finally that c was visited, with, i fear, a sinister res', 'nd b cleared, or left the country, and finally that c was visited, with, i fear, a sinister result f', 'cleared, or left the country, and finally that c was visited, with, i fear, a sinister result for c.', 'ed, or left the country, and finally that c was visited, with, i fear, a sinister result for c. well', 'r left the country, and finally that c was visited, with, i fear, a sinister result for c. well, i t', 't the country, and finally that c was visited, with, i fear, a sinister result for c. well, i think,', ' country, and finally that c was visited, with, i fear, a sinister result for c. well, i think, doct', 'try, and finally that c was visited, with, i fear, a sinister result for c. well, i think, doctor, t', 'and finally that c was visited, with, i fear, a sinister result for c. well, i think, doctor, that w', 'inally that c was visited, with, i fear, a sinister result for c. well, i think, doctor, that we may', 'y that c was visited, with, i fear, a sinister result for c. well, i think, doctor, that we may let ', 't c was visited, with, i fear, a sinister result for c. well, i think, doctor, that we may let some ', 'as visited, with, i fear, a sinister result for c. well, i think, doctor, that we may let some light', 'sited, with, i fear, a sinister result for c. well, i think, doctor, that we may let some light into', ', with, i fear, a sinister result for c. well, i think, doctor, that we may let some light into this', 'h, i fear, a sinister result for c. well, i think, doctor, that we may let some light into this dark', 'fear, a sinister result for c. well, i think, doctor, that we may let some light into this dark plac', ' a sinister result for c. well, i think, doctor, that we may let some light into this dark place, an', 'nister result for c. well, i think, doctor, that we may let some light into this dark place, and i b', 'r result for c. well, i think, doctor, that we may let some light into this dark place, and i believ', 'ult for c. well, i think, doctor, that we may let some light into this dark place, and i believe tha', 'or c. well, i think, doctor, that we may let some light into this dark place, and i believe that the', ' well, i think, doctor, that we may let some light into this dark place, and i believe that the only', ', i think, doctor, that we may let some light into this dark place, and i believe that the only chan', 'hink, doctor, that we may let some light into this dark place, and i believe that the only chance yo', ' doctor, that we may let some light into this dark place, and i believe that the only chance young o', 'or, that we may let some light into this dark place, and i believe that the only chance young opensh', 'hat we may let some light into this dark place, and i believe that the only chance young openshaw ha', 'e may let some light into this dark place, and i believe that the only chance young openshaw has in ', ' let some light into this dark place, and i believe that the only chance young openshaw has in the m', 'some light into this dark place, and i believe that the only chance young openshaw has in the meanti', 'light into this dark place, and i believe that the only chance young openshaw has in the meantime is', ' into this dark place, and i believe that the only chance young openshaw has in the meantime is to d', ' this dark place, and i believe that the only chance young openshaw has in the meantime is to do wha', ' dark place, and i believe that the only chance young openshaw has in the meantime is to do what i h', ' place, and i believe that the only chance young openshaw has in the meantime is to do what i have t', 'e, and i believe that the only chance young openshaw has in the meantime is to do what i have told h', 'd i believe that the only chance young openshaw has in the meantime is to do what i have told him. t', 'elieve that the only chance young openshaw has in the meantime is to do what i have told him. there ', 'e that the only chance young openshaw has in the meantime is to do what i have told him. there is no', 't the only chance young openshaw has in the meantime is to do what i have told him. there is nothing', ' only chance young openshaw has in the meantime is to do what i have told him. there is nothing more', ' chance young openshaw has in the meantime is to do what i have told him. there is nothing more to b', 'ce young openshaw has in the meantime is to do what i have told him. there is nothing more to be sai', 'ung openshaw has in the meantime is to do what i have told him. there is nothing more to be said or ', 'penshaw has in the meantime is to do what i have told him. there is nothing more to be said or to be', 'aw has in the meantime is to do what i have told him. there is nothing more to be said or to be done', 's in the meantime is to do what i have told him. there is nothing more to be said or to be done to-n', 'the meantime is to do what i have told him. there is nothing more to be said or to be done to-night,', 'eantime is to do what i have told him. there is nothing more to be said or to be done to-night, so h', 'me is to do what i have told him. there is nothing more to be said or to be done to-night, so hand m', ' to do what i have told him. there is nothing more to be said or to be done to-night, so hand me ove', 'o what i have told him. there is nothing more to be said or to be done to-night, so hand me over my ', 't i have told him. there is nothing more to be said or to be done to-night, so hand me over my violi', 'ave told him. there is nothing more to be said or to be done to-night, so hand me over my violin and', 'old him. there is nothing more to be said or to be done to-night, so hand me over my violin and let ', 'im. there is nothing more to be said or to be done to-night, so hand me over my violin and let us tr', 'here is nothing more to be said or to be done to-night, so hand me over my violin and let us try to ', 'is nothing more to be said or to be done to-night, so hand me over my violin and let us try to forge', 'thing more to be said or to be done to-night, so hand me over my violin and let us try to forget for', ' more to be said or to be done to-night, so hand me over my violin and let us try to forget for half', ' to be said or to be done to-night, so hand me over my violin and let us try to forget for half an h', 'e said or to be done to-night, so hand me over my violin and let us try to forget for half an hour t', 'd or to be done to-night, so hand me over my violin and let us try to forget for half an hour the mi', 'to be done to-night, so hand me over my violin and let us try to forget for half an hour the miserab', ' done to-night, so hand me over my violin and let us try to forget for half an hour the miserable we', ' to-night, so hand me over my violin and let us try to forget for half an hour the miserable weather', 'ight, so hand me over my violin and let us try to forget for half an hour the miserable weather and ', ' so hand me over my violin and let us try to forget for half an hour the miserable weather and the s', 'and me over my violin and let us try to forget for half an hour the miserable weather and the still ', 'e over my violin and let us try to forget for half an hour the miserable weather and the still more ', 'r my violin and let us try to forget for half an hour the miserable weather and the still more miser', 'violin and let us try to forget for half an hour the miserable weather and the still more miserable ', 'n and let us try to forget for half an hour the miserable weather and the still more miserable ways ', ' let us try to forget for half an hour the miserable weather and the still more miserable ways of ou', 'us try to forget for half an hour the miserable weather and the still more miserable ways of our fel', 'y to forget for half an hour the miserable weather and the still more miserable ways of our fellow-m', 'forget for half an hour the miserable weather and the still more miserable ways of our fellow-men." ', 't for half an hour the miserable weather and the still more miserable ways of our fellow-men." it h', ' half an hour the miserable weather and the still more miserable ways of our fellow-men." it had cl', ' an hour the miserable weather and the still more miserable ways of our fellow-men." it had cleared', 'our the miserable weather and the still more miserable ways of our fellow-men." it had cleared in t', 'he miserable weather and the still more miserable ways of our fellow-men." it had cleared in the mo', 'serable weather and the still more miserable ways of our fellow-men." it had cleared in the morning', 'le weather and the still more miserable ways of our fellow-men." it had cleared in the morning, and', 'ather and the still more miserable ways of our fellow-men." it had cleared in the morning, and the ', ' and the still more miserable ways of our fellow-men." it had cleared in the morning, and the sun w', 'the still more miserable ways of our fellow-men." it had cleared in the morning, and the sun was sh', 'till more miserable ways of our fellow-men." it had cleared in the morning, and the sun was shining', 'more miserable ways of our fellow-men." it had cleared in the morning, and the sun was shining with', 'miserable ways of our fellow-men." it had cleared in the morning, and the sun was shining with a su', 'able ways of our fellow-men." it had cleared in the morning, and the sun was shining with a subdued', 'ways of our fellow-men." it had cleared in the morning, and the sun was shining with a subdued brig', 'of our fellow-men." it had cleared in the morning, and the sun was shining with a subdued brightnes', 'r fellow-men." it had cleared in the morning, and the sun was shining with a subdued brightness thr', 'low-men." it had cleared in the morning, and the sun was shining with a subdued brightness through ', 'en." it had cleared in the morning, and the sun was shining with a subdued brightness through the d', ' it had cleared in the morning, and the sun was shining with a subdued brightness through the dim ve', 'ad cleared in the morning, and the sun was shining with a subdued brightness through the dim veil wh', 'eared in the morning, and the sun was shining with a subdued brightness through the dim veil which h', ' in the morning, and the sun was shining with a subdued brightness through the dim veil which hangs ', 'he morning, and the sun was shining with a subdued brightness through the dim veil which hangs over ', 'rning, and the sun was shining with a subdued brightness through the dim veil which hangs over the g', ', and the sun was shining with a subdued brightness through the dim veil which hangs over the great ', ' the sun was shining with a subdued brightness through the dim veil which hangs over the great city.', 'sun was shining with a subdued brightness through the dim veil which hangs over the great city. sher', 'as shining with a subdued brightness through the dim veil which hangs over the great city. sherlock ', 'ining with a subdued brightness through the dim veil which hangs over the great city. sherlock holme', ' with a subdued brightness through the dim veil which hangs over the great city. sherlock holmes was', ' a subdued brightness through the dim veil which hangs over the great city. sherlock holmes was alre', 'bdued brightness through the dim veil which hangs over the great city. sherlock holmes was already a', ' brightness through the dim veil which hangs over the great city. sherlock holmes was already at bre', 'htness through the dim veil which hangs over the great city. sherlock holmes was already at breakfas', 's through the dim veil which hangs over the great city. sherlock holmes was already at breakfast whe', 'ough the dim veil which hangs over the great city. sherlock holmes was already at breakfast when i c', 'the dim veil which hangs over the great city. sherlock holmes was already at breakfast when i came d', 'im veil which hangs over the great city. sherlock holmes was already at breakfast when i came down. ', 'il which hangs over the great city. sherlock holmes was already at breakfast when i came down. "you ', 'ich hangs over the great city. sherlock holmes was already at breakfast when i came down. "you will ', 'angs over the great city. sherlock holmes was already at breakfast when i came down. "you will excus', 'over the great city. sherlock holmes was already at breakfast when i came down. "you will excuse me ', 'the great city. sherlock holmes was already at breakfast when i came down. "you will excuse me for n', 'reat city. sherlock holmes was already at breakfast when i came down. "you will excuse me for not wa', 'city. sherlock holmes was already at breakfast when i came down. "you will excuse me for not waiting', ' sherlock holmes was already at breakfast when i came down. "you will excuse me for not waiting for ', 'lock holmes was already at breakfast when i came down. "you will excuse me for not waiting for you,"', 'holmes was already at breakfast when i came down. "you will excuse me for not waiting for you," said', 's was already at breakfast when i came down. "you will excuse me for not waiting for you," said he; ', ' already at breakfast when i came down. "you will excuse me for not waiting for you," said he; "i ha', 'ady at breakfast when i came down. "you will excuse me for not waiting for you," said he; "i have, i', 't breakfast when i came down. "you will excuse me for not waiting for you," said he; "i have, i fore', 'akfast when i came down. "you will excuse me for not waiting for you," said he; "i have, i foresee, ', 't when i came down. "you will excuse me for not waiting for you," said he; "i have, i foresee, a ver', 'n i came down. "you will excuse me for not waiting for you," said he; "i have, i foresee, a very bus', 'ame down. "you will excuse me for not waiting for you," said he; "i have, i foresee, a very busy day', 'own. "you will excuse me for not waiting for you," said he; "i have, i foresee, a very busy day befo', '"you will excuse me for not waiting for you," said he; "i have, i foresee, a very busy day before me', 'will excuse me for not waiting for you," said he; "i have, i foresee, a very busy day before me in l', 'excuse me for not waiting for you," said he; "i have, i foresee, a very busy day before me in lookin', 'e me for not waiting for you," said he; "i have, i foresee, a very busy day before me in looking int', 'for not waiting for you," said he; "i have, i foresee, a very busy day before me in looking into thi', 'ot waiting for you," said he; "i have, i foresee, a very busy day before me in looking into this cas', 'iting for you," said he; "i have, i foresee, a very busy day before me in looking into this case of ', ' for you," said he; "i have, i foresee, a very busy day before me in looking into this case of young', 'you," said he; "i have, i foresee, a very busy day before me in looking into this case of young open', ' said he; "i have, i foresee, a very busy day before me in looking into this case of young openshaw\'', ' he; "i have, i foresee, a very busy day before me in looking into this case of young openshaw\'s." "', '"i have, i foresee, a very busy day before me in looking into this case of young openshaw\'s." "what ', 've, i foresee, a very busy day before me in looking into this case of young openshaw\'s." "what steps', ' foresee, a very busy day before me in looking into this case of young openshaw\'s." "what steps will', 'see, a very busy day before me in looking into this case of young openshaw\'s." "what steps will you ', 'a very busy day before me in looking into this case of young openshaw\'s." "what steps will you take?', 'y busy day before me in looking into this case of young openshaw\'s." "what steps will you take?" i a', 'y day before me in looking into this case of young openshaw\'s." "what steps will you take?" i asked.', ' before me in looking into this case of young openshaw\'s." "what steps will you take?" i asked. "it ', 're me in looking into this case of young openshaw\'s." "what steps will you take?" i asked. "it will ', ' in looking into this case of young openshaw\'s." "what steps will you take?" i asked. "it will very ', 'ooking into this case of young openshaw\'s." "what steps will you take?" i asked. "it will very much ', 'g into this case of young openshaw\'s." "what steps will you take?" i asked. "it will very much depen', 'o this case of young openshaw\'s." "what steps will you take?" i asked. "it will very much depend upo', 's case of young openshaw\'s." "what steps will you take?" i asked. "it will very much depend upon the', 'e of young openshaw\'s." "what steps will you take?" i asked. "it will very much depend upon the resu', 'young openshaw\'s." "what steps will you take?" i asked. "it will very much depend upon the results o', ' openshaw\'s." "what steps will you take?" i asked. "it will very much depend upon the results of my ', 'shaw\'s." "what steps will you take?" i asked. "it will very much depend upon the results of my first', 's." "what steps will you take?" i asked. "it will very much depend upon the results of my first inqu', 'what steps will you take?" i asked. "it will very much depend upon the results of my first inquiries', 'steps will you take?" i asked. "it will very much depend upon the results of my first inquiries. i m', ' will you take?" i asked. "it will very much depend upon the results of my first inquiries. i may ha', ' you take?" i asked. "it will very much depend upon the results of my first inquiries. i may have to', 'take?" i asked. "it will very much depend upon the results of my first inquiries. i may have to go d', '" i asked. "it will very much depend upon the results of my first inquiries. i may have to go down t', 'sked. "it will very much depend upon the results of my first inquiries. i may have to go down to hor', ' "it will very much depend upon the results of my first inquiries. i may have to go down to horsham,', 'will very much depend upon the results of my first inquiries. i may have to go down to horsham, afte', 'very much depend upon the results of my first inquiries. i may have to go down to horsham, after all', 'much depend upon the results of my first inquiries. i may have to go down to horsham, after all." "y', 'depend upon the results of my first inquiries. i may have to go down to horsham, after all." "you wi', 'd upon the results of my first inquiries. i may have to go down to horsham, after all." "you will no', 'n the results of my first inquiries. i may have to go down to horsham, after all." "you will not go ', ' results of my first inquiries. i may have to go down to horsham, after all." "you will not go there', 'lts of my first inquiries. i may have to go down to horsham, after all." "you will not go there firs', 'f my first inquiries. i may have to go down to horsham, after all." "you will not go there first?" "', 'first inquiries. i may have to go down to horsham, after all." "you will not go there first?" "no, i', ' inquiries. i may have to go down to horsham, after all." "you will not go there first?" "no, i shal', 'iries. i may have to go down to horsham, after all." "you will not go there first?" "no, i shall com', '. i may have to go down to horsham, after all." "you will not go there first?" "no, i shall commence', 'ay have to go down to horsham, after all." "you will not go there first?" "no, i shall commence with', 've to go down to horsham, after all." "you will not go there first?" "no, i shall commence with the ', ' go down to horsham, after all." "you will not go there first?" "no, i shall commence with the city.', 'own to horsham, after all." "you will not go there first?" "no, i shall commence with the city. just', 'o horsham, after all." "you will not go there first?" "no, i shall commence with the city. just ring', 'sham, after all." "you will not go there first?" "no, i shall commence with the city. just ring the ', ' after all." "you will not go there first?" "no, i shall commence with the city. just ring the bell ', 'r all." "you will not go there first?" "no, i shall commence with the city. just ring the bell and t', '." "you will not go there first?" "no, i shall commence with the city. just ring the bell and the ma', 'ou will not go there first?" "no, i shall commence with the city. just ring the bell and the maid wi', 'll not go there first?" "no, i shall commence with the city. just ring the bell and the maid will br', 't go there first?" "no, i shall commence with the city. just ring the bell and the maid will bring u', 'there first?" "no, i shall commence with the city. just ring the bell and the maid will bring up you', ' first?" "no, i shall commence with the city. just ring the bell and the maid will bring up your cof', 't?" "no, i shall commence with the city. just ring the bell and the maid will bring up your coffee."', 'no, i shall commence with the city. just ring the bell and the maid will bring up your coffee." as i', ' shall commence with the city. just ring the bell and the maid will bring up your coffee." as i wait', 'l commence with the city. just ring the bell and the maid will bring up your coffee." as i waited, i', 'mence with the city. just ring the bell and the maid will bring up your coffee." as i waited, i lift', ' with the city. just ring the bell and the maid will bring up your coffee." as i waited, i lifted th', ' the city. just ring the bell and the maid will bring up your coffee." as i waited, i lifted the uno', 'city. just ring the bell and the maid will bring up your coffee." as i waited, i lifted the unopened', ' just ring the bell and the maid will bring up your coffee." as i waited, i lifted the unopened news', ' ring the bell and the maid will bring up your coffee." as i waited, i lifted the unopened newspaper', ' the bell and the maid will bring up your coffee." as i waited, i lifted the unopened newspaper from', 'bell and the maid will bring up your coffee." as i waited, i lifted the unopened newspaper from the ', 'and the maid will bring up your coffee." as i waited, i lifted the unopened newspaper from the table', 'he maid will bring up your coffee." as i waited, i lifted the unopened newspaper from the table and ', 'id will bring up your coffee." as i waited, i lifted the unopened newspaper from the table and glanc', 'll bring up your coffee." as i waited, i lifted the unopened newspaper from the table and glanced my', 'ing up your coffee." as i waited, i lifted the unopened newspaper from the table and glanced my eye ', 'p your coffee." as i waited, i lifted the unopened newspaper from the table and glanced my eye over ', 'r coffee." as i waited, i lifted the unopened newspaper from the table and glanced my eye over it. i', 'fee." as i waited, i lifted the unopened newspaper from the table and glanced my eye over it. it res', ' as i waited, i lifted the unopened newspaper from the table and glanced my eye over it. it rested u', ' waited, i lifted the unopened newspaper from the table and glanced my eye over it. it rested upon a', 'ed, i lifted the unopened newspaper from the table and glanced my eye over it. it rested upon a head', ' lifted the unopened newspaper from the table and glanced my eye over it. it rested upon a heading w', 'ed the unopened newspaper from the table and glanced my eye over it. it rested upon a heading which ', 'e unopened newspaper from the table and glanced my eye over it. it rested upon a heading which sent ', 'pened newspaper from the table and glanced my eye over it. it rested upon a heading which sent a chi', ' newspaper from the table and glanced my eye over it. it rested upon a heading which sent a chill to', 'paper from the table and glanced my eye over it. it rested upon a heading which sent a chill to my h', ' from the table and glanced my eye over it. it rested upon a heading which sent a chill to my heart.', ' the table and glanced my eye over it. it rested upon a heading which sent a chill to my heart. "hol', 'table and glanced my eye over it. it rested upon a heading which sent a chill to my heart. "holmes,"', ' and glanced my eye over it. it rested upon a heading which sent a chill to my heart. "holmes," i cr', 'glanced my eye over it. it rested upon a heading which sent a chill to my heart. "holmes," i cried, ', 'ed my eye over it. it rested upon a heading which sent a chill to my heart. "holmes," i cried, "you ', ' eye over it. it rested upon a heading which sent a chill to my heart. "holmes," i cried, "you are t', 'over it. it rested upon a heading which sent a chill to my heart. "holmes," i cried, "you are too la', 'it. it rested upon a heading which sent a chill to my heart. "holmes," i cried, "you are too late." ', 't rested upon a heading which sent a chill to my heart. "holmes," i cried, "you are too late." "ah s', 'ted upon a heading which sent a chill to my heart. "holmes," i cried, "you are too late." "ah said h', 'pon a heading which sent a chill to my heart. "holmes," i cried, "you are too late." "ah said he, la', ' heading which sent a chill to my heart. "holmes," i cried, "you are too late." "ah said he, laying ', 'ing which sent a chill to my heart. "holmes," i cried, "you are too late." "ah said he, laying down ', 'hich sent a chill to my heart. "holmes," i cried, "you are too late." "ah said he, laying down his c', 'sent a chill to my heart. "holmes," i cried, "you are too late." "ah said he, laying down his cup, "', 'a chill to my heart. "holmes," i cried, "you are too late." "ah said he, laying down his cup, "i fea', 'll to my heart. "holmes," i cried, "you are too late." "ah said he, laying down his cup, "i feared a', ' my heart. "holmes," i cried, "you are too late." "ah said he, laying down his cup, "i feared as muc', 'eart. "holmes," i cried, "you are too late." "ah said he, laying down his cup, "i feared as much. ho', ' "holmes," i cried, "you are too late." "ah said he, laying down his cup, "i feared as much. how was', 'mes," i cried, "you are too late." "ah said he, laying down his cup, "i feared as much. how was it d', ' i cried, "you are too late." "ah said he, laying down his cup, "i feared as much. how was it done?"', 'ied, "you are too late." "ah said he, laying down his cup, "i feared as much. how was it done?" he s', '"you are too late." "ah said he, laying down his cup, "i feared as much. how was it done?" he spoke ', 'are too late." "ah said he, laying down his cup, "i feared as much. how was it done?" he spoke calml', 'oo late." "ah said he, laying down his cup, "i feared as much. how was it done?" he spoke calmly, bu', 'te." "ah said he, laying down his cup, "i feared as much. how was it done?" he spoke calmly, but i c', '"ah said he, laying down his cup, "i feared as much. how was it done?" he spoke calmly, but i could ', 'aid he, laying down his cup, "i feared as much. how was it done?" he spoke calmly, but i could see t', 'e, laying down his cup, "i feared as much. how was it done?" he spoke calmly, but i could see that h', 'ying down his cup, "i feared as much. how was it done?" he spoke calmly, but i could see that he was', 'down his cup, "i feared as much. how was it done?" he spoke calmly, but i could see that he was deep', 'his cup, "i feared as much. how was it done?" he spoke calmly, but i could see that he was deeply mo', 'up, "i feared as much. how was it done?" he spoke calmly, but i could see that he was deeply moved. ', 'i feared as much. how was it done?" he spoke calmly, but i could see that he was deeply moved. "my e', 'red as much. how was it done?" he spoke calmly, but i could see that he was deeply moved. "my eye ca', 's much. how was it done?" he spoke calmly, but i could see that he was deeply moved. "my eye caught ', 'h. how was it done?" he spoke calmly, but i could see that he was deeply moved. "my eye caught the n', 'w was it done?" he spoke calmly, but i could see that he was deeply moved. "my eye caught the name o', ' it done?" he spoke calmly, but i could see that he was deeply moved. "my eye caught the name of ope', 'one?" he spoke calmly, but i could see that he was deeply moved. "my eye caught the name of openshaw', ' he spoke calmly, but i could see that he was deeply moved. "my eye caught the name of openshaw, and', 'poke calmly, but i could see that he was deeply moved. "my eye caught the name of openshaw, and the ', 'calmly, but i could see that he was deeply moved. "my eye caught the name of openshaw, and the headi', 'y, but i could see that he was deeply moved. "my eye caught the name of openshaw, and the heading \'t', 't i could see that he was deeply moved. "my eye caught the name of openshaw, and the heading \'traged', 'ould see that he was deeply moved. "my eye caught the name of openshaw, and the heading \'tragedy nea', 'see that he was deeply moved. "my eye caught the name of openshaw, and the heading \'tragedy near wat', 'hat he was deeply moved. "my eye caught the name of openshaw, and the heading \'tragedy near waterloo', 'e was deeply moved. "my eye caught the name of openshaw, and the heading \'tragedy near waterloo brid', ' deeply moved. "my eye caught the name of openshaw, and the heading \'tragedy near waterloo bridge.\' ', 'ly moved. "my eye caught the name of openshaw, and the heading \'tragedy near waterloo bridge.\' here ', 'ved. "my eye caught the name of openshaw, and the heading \'tragedy near waterloo bridge.\' here is th', '"my eye caught the name of openshaw, and the heading \'tragedy near waterloo bridge.\' here is the acc', "ye caught the name of openshaw, and the heading 'tragedy near waterloo bridge.' here is the account:", 'ught the name of openshaw, and the heading \'tragedy near waterloo bridge.\' here is the account: "bet', 'the name of openshaw, and the heading \'tragedy near waterloo bridge.\' here is the account: "between ', 'ame of openshaw, and the heading \'tragedy near waterloo bridge.\' here is the account: "between nine ', 'f openshaw, and the heading \'tragedy near waterloo bridge.\' here is the account: "between nine and t', 'nshaw, and the heading \'tragedy near waterloo bridge.\' here is the account: "between nine and ten la', ', and the heading \'tragedy near waterloo bridge.\' here is the account: "between nine and ten last ni', ' the heading \'tragedy near waterloo bridge.\' here is the account: "between nine and ten last night p', 'heading \'tragedy near waterloo bridge.\' here is the account: "between nine and ten last night police', 'ng \'tragedy near waterloo bridge.\' here is the account: "between nine and ten last night police-cons', 'ragedy near waterloo bridge.\' here is the account: "between nine and ten last night police-constable', 'y near waterloo bridge.\' here is the account: "between nine and ten last night police-constable cook', 'r waterloo bridge.\' here is the account: "between nine and ten last night police-constable cook, of ', 'erloo bridge.\' here is the account: "between nine and ten last night police-constable cook, of the h', ' bridge.\' here is the account: "between nine and ten last night police-constable cook, of the h divi', 'ge.\' here is the account: "between nine and ten last night police-constable cook, of the h division,', 'here is the account: "between nine and ten last night police-constable cook, of the h division, on d', 'is the account: "between nine and ten last night police-constable cook, of the h division, on duty n', 'e account: "between nine and ten last night police-constable cook, of the h division, on duty near w', 'ount: "between nine and ten last night police-constable cook, of the h division, on duty near waterl', ' "between nine and ten last night police-constable cook, of the h division, on duty near waterloo br', 'ween nine and ten last night police-constable cook, of the h division, on duty near waterloo bridge,', 'nine and ten last night police-constable cook, of the h division, on duty near waterloo bridge, hear', 'and ten last night police-constable cook, of the h division, on duty near waterloo bridge, heard a c', 'en last night police-constable cook, of the h division, on duty near waterloo bridge, heard a cry fo', 'st night police-constable cook, of the h division, on duty near waterloo bridge, heard a cry for hel', 'ght police-constable cook, of the h division, on duty near waterloo bridge, heard a cry for help and', 'olice-constable cook, of the h division, on duty near waterloo bridge, heard a cry for help and a sp', '-constable cook, of the h division, on duty near waterloo bridge, heard a cry for help and a splash ', 'table cook, of the h division, on duty near waterloo bridge, heard a cry for help and a splash in th', ' cook, of the h division, on duty near waterloo bridge, heard a cry for help and a splash in the wat', ', of the h division, on duty near waterloo bridge, heard a cry for help and a splash in the water. t', 'the h division, on duty near waterloo bridge, heard a cry for help and a splash in the water. the ni', ' division, on duty near waterloo bridge, heard a cry for help and a splash in the water. the night, ', 'sion, on duty near waterloo bridge, heard a cry for help and a splash in the water. the night, howev', ' on duty near waterloo bridge, heard a cry for help and a splash in the water. the night, however, w', 'uty near waterloo bridge, heard a cry for help and a splash in the water. the night, however, was ex', 'ear waterloo bridge, heard a cry for help and a splash in the water. the night, however, was extreme', 'aterloo bridge, heard a cry for help and a splash in the water. the night, however, was extremely da', 'oo bridge, heard a cry for help and a splash in the water. the night, however, was extremely dark an', 'idge, heard a cry for help and a splash in the water. the night, however, was extremely dark and sto', ' heard a cry for help and a splash in the water. the night, however, was extremely dark and stormy, ', 'd a cry for help and a splash in the water. the night, however, was extremely dark and stormy, so th', 'ry for help and a splash in the water. the night, however, was extremely dark and stormy, so that, i', 'r help and a splash in the water. the night, however, was extremely dark and stormy, so that, in spi', 'p and a splash in the water. the night, however, was extremely dark and stormy, so that, in spite of', ' a splash in the water. the night, however, was extremely dark and stormy, so that, in spite of the ', 'lash in the water. the night, however, was extremely dark and stormy, so that, in spite of the help ', 'in the water. the night, however, was extremely dark and stormy, so that, in spite of the help of se', 'e water. the night, however, was extremely dark and stormy, so that, in spite of the help of several', 'er. the night, however, was extremely dark and stormy, so that, in spite of the help of several pass', 'he night, however, was extremely dark and stormy, so that, in spite of the help of several passers-b', 'ght, however, was extremely dark and stormy, so that, in spite of the help of several passers-by, it', 'however, was extremely dark and stormy, so that, in spite of the help of several passers-by, it was ', 'er, was extremely dark and stormy, so that, in spite of the help of several passers-by, it was quite', 'as extremely dark and stormy, so that, in spite of the help of several passers-by, it was quite impo', 'tremely dark and stormy, so that, in spite of the help of several passers-by, it was quite impossibl', 'ly dark and stormy, so that, in spite of the help of several passers-by, it was quite impossible to ', 'rk and stormy, so that, in spite of the help of several passers-by, it was quite impossible to effec', 'd stormy, so that, in spite of the help of several passers-by, it was quite impossible to effect a r', 'rmy, so that, in spite of the help of several passers-by, it was quite impossible to effect a rescue', 'so that, in spite of the help of several passers-by, it was quite impossible to effect a rescue. the', 'at, in spite of the help of several passers-by, it was quite impossible to effect a rescue. the alar', 'n spite of the help of several passers-by, it was quite impossible to effect a rescue. the alarm, ho', 'te of the help of several passers-by, it was quite impossible to effect a rescue. the alarm, however', ' the help of several passers-by, it was quite impossible to effect a rescue. the alarm, however, was', 'help of several passers-by, it was quite impossible to effect a rescue. the alarm, however, was give', 'of several passers-by, it was quite impossible to effect a rescue. the alarm, however, was given, an', 'veral passers-by, it was quite impossible to effect a rescue. the alarm, however, was given, and, by', ' passers-by, it was quite impossible to effect a rescue. the alarm, however, was given, and, by the ', 'ers-by, it was quite impossible to effect a rescue. the alarm, however, was given, and, by the aid o', 'y, it was quite impossible to effect a rescue. the alarm, however, was given, and, by the aid of the', ' was quite impossible to effect a rescue. the alarm, however, was given, and, by the aid of the wate', 'quite impossible to effect a rescue. the alarm, however, was given, and, by the aid of the water-pol', ' impossible to effect a rescue. the alarm, however, was given, and, by the aid of the water-police, ', 'ssible to effect a rescue. the alarm, however, was given, and, by the aid of the water-police, the b', 'e to effect a rescue. the alarm, however, was given, and, by the aid of the water-police, the body w', 'effect a rescue. the alarm, however, was given, and, by the aid of the water-police, the body was ev', 't a rescue. the alarm, however, was given, and, by the aid of the water-police, the body was eventua', 'escue. the alarm, however, was given, and, by the aid of the water-police, the body was eventually r', '. the alarm, however, was given, and, by the aid of the water-police, the body was eventually recove', ' alarm, however, was given, and, by the aid of the water-police, the body was eventually recovered. ', 'm, however, was given, and, by the aid of the water-police, the body was eventually recovered. it pr', 'wever, was given, and, by the aid of the water-police, the body was eventually recovered. it proved ', ', was given, and, by the aid of the water-police, the body was eventually recovered. it proved to be', ' given, and, by the aid of the water-police, the body was eventually recovered. it proved to be that', 'n, and, by the aid of the water-police, the body was eventually recovered. it proved to be that of a', 'd, by the aid of the water-police, the body was eventually recovered. it proved to be that of a youn', ' the aid of the water-police, the body was eventually recovered. it proved to be that of a young gen', 'aid of the water-police, the body was eventually recovered. it proved to be that of a young gentlema', 'f the water-police, the body was eventually recovered. it proved to be that of a young gentleman who', ' water-police, the body was eventually recovered. it proved to be that of a young gentleman whose na', 'r-police, the body was eventually recovered. it proved to be that of a young gentleman whose name, a', 'ice, the body was eventually recovered. it proved to be that of a young gentleman whose name, as it ', 'the body was eventually recovered. it proved to be that of a young gentleman whose name, as it appea', 'ody was eventually recovered. it proved to be that of a young gentleman whose name, as it appears fr', 'as eventually recovered. it proved to be that of a young gentleman whose name, as it appears from an', 'entually recovered. it proved to be that of a young gentleman whose name, as it appears from an enve', 'lly recovered. it proved to be that of a young gentleman whose name, as it appears from an envelope ', 'ecovered. it proved to be that of a young gentleman whose name, as it appears from an envelope which', 'red. it proved to be that of a young gentleman whose name, as it appears from an envelope which was ', 'it proved to be that of a young gentleman whose name, as it appears from an envelope which was found', 'oved to be that of a young gentleman whose name, as it appears from an envelope which was found in h', 'to be that of a young gentleman whose name, as it appears from an envelope which was found in his po', ' that of a young gentleman whose name, as it appears from an envelope which was found in his pocket,', ' of a young gentleman whose name, as it appears from an envelope which was found in his pocket, was ', ' young gentleman whose name, as it appears from an envelope which was found in his pocket, was john ', 'g gentleman whose name, as it appears from an envelope which was found in his pocket, was john opens', 'tleman whose name, as it appears from an envelope which was found in his pocket, was john openshaw, ', 'n whose name, as it appears from an envelope which was found in his pocket, was john openshaw, and w', 'se name, as it appears from an envelope which was found in his pocket, was john openshaw, and whose ', 'me, as it appears from an envelope which was found in his pocket, was john openshaw, and whose resid', 's it appears from an envelope which was found in his pocket, was john openshaw, and whose residence ', 'appears from an envelope which was found in his pocket, was john openshaw, and whose residence is ne', 'rs from an envelope which was found in his pocket, was john openshaw, and whose residence is near ho', 'om an envelope which was found in his pocket, was john openshaw, and whose residence is near horsham', ' envelope which was found in his pocket, was john openshaw, and whose residence is near horsham. it ', 'lope which was found in his pocket, was john openshaw, and whose residence is near horsham. it is co', 'which was found in his pocket, was john openshaw, and whose residence is near horsham. it is conject', ' was found in his pocket, was john openshaw, and whose residence is near horsham. it is conjectured ', 'found in his pocket, was john openshaw, and whose residence is near horsham. it is conjectured that ', ' in his pocket, was john openshaw, and whose residence is near horsham. it is conjectured that he ma', 'is pocket, was john openshaw, and whose residence is near horsham. it is conjectured that he may hav', 'cket, was john openshaw, and whose residence is near horsham. it is conjectured that he may have bee', ' was john openshaw, and whose residence is near horsham. it is conjectured that he may have been hur', 'john openshaw, and whose residence is near horsham. it is conjectured that he may have been hurrying', 'openshaw, and whose residence is near horsham. it is conjectured that he may have been hurrying down', 'haw, and whose residence is near horsham. it is conjectured that he may have been hurrying down to c', 'and whose residence is near horsham. it is conjectured that he may have been hurrying down to catch ', 'hose residence is near horsham. it is conjectured that he may have been hurrying down to catch the l', 'residence is near horsham. it is conjectured that he may have been hurrying down to catch the last t', 'ence is near horsham. it is conjectured that he may have been hurrying down to catch the last train ', 'is near horsham. it is conjectured that he may have been hurrying down to catch the last train from ', 'ar horsham. it is conjectured that he may have been hurrying down to catch the last train from water', 'rsham. it is conjectured that he may have been hurrying down to catch the last train from waterloo s', '. it is conjectured that he may have been hurrying down to catch the last train from waterloo statio', 'is conjectured that he may have been hurrying down to catch the last train from waterloo station, an', 'njectured that he may have been hurrying down to catch the last train from waterloo station, and tha', 'ured that he may have been hurrying down to catch the last train from waterloo station, and that in ', 'that he may have been hurrying down to catch the last train from waterloo station, and that in his h', 'he may have been hurrying down to catch the last train from waterloo station, and that in his haste ', 'y have been hurrying down to catch the last train from waterloo station, and that in his haste and t', 'e been hurrying down to catch the last train from waterloo station, and that in his haste and the ex', 'n hurrying down to catch the last train from waterloo station, and that in his haste and the extreme', 'rying down to catch the last train from waterloo station, and that in his haste and the extreme dark', ' down to catch the last train from waterloo station, and that in his haste and the extreme darkness ', ' to catch the last train from waterloo station, and that in his haste and the extreme darkness he mi', 'atch the last train from waterloo station, and that in his haste and the extreme darkness he missed ', 'the last train from waterloo station, and that in his haste and the extreme darkness he missed his p', 'ast train from waterloo station, and that in his haste and the extreme darkness he missed his path a', 'rain from waterloo station, and that in his haste and the extreme darkness he missed his path and wa', 'from waterloo station, and that in his haste and the extreme darkness he missed his path and walked ', 'waterloo station, and that in his haste and the extreme darkness he missed his path and walked over ', 'loo station, and that in his haste and the extreme darkness he missed his path and walked over the e', 'tation, and that in his haste and the extreme darkness he missed his path and walked over the edge o', 'n, and that in his haste and the extreme darkness he missed his path and walked over the edge of one', 'd that in his haste and the extreme darkness he missed his path and walked over the edge of one of t', 't in his haste and the extreme darkness he missed his path and walked over the edge of one of the sm', 'his haste and the extreme darkness he missed his path and walked over the edge of one of the small l', 'aste and the extreme darkness he missed his path and walked over the edge of one of the small landin', 'and the extreme darkness he missed his path and walked over the edge of one of the small landing-pla', 'he extreme darkness he missed his path and walked over the edge of one of the small landing-places f', 'treme darkness he missed his path and walked over the edge of one of the small landing-places for ri', ' darkness he missed his path and walked over the edge of one of the small landing-places for river s', 'ness he missed his path and walked over the edge of one of the small landing-places for river steamb', 'he missed his path and walked over the edge of one of the small landing-places for river steamboats.', 'ssed his path and walked over the edge of one of the small landing-places for river steamboats. the ', 'his path and walked over the edge of one of the small landing-places for river steamboats. the body ', 'ath and walked over the edge of one of the small landing-places for river steamboats. the body exhib', 'nd walked over the edge of one of the small landing-places for river steamboats. the body exhibited ', 'lked over the edge of one of the small landing-places for river steamboats. the body exhibited no tr', 'over the edge of one of the small landing-places for river steamboats. the body exhibited no traces ', 'the edge of one of the small landing-places for river steamboats. the body exhibited no traces of vi', 'dge of one of the small landing-places for river steamboats. the body exhibited no traces of violenc', 'f one of the small landing-places for river steamboats. the body exhibited no traces of violence, an', ' of the small landing-places for river steamboats. the body exhibited no traces of violence, and the', 'he small landing-places for river steamboats. the body exhibited no traces of violence, and there ca', 'all landing-places for river steamboats. the body exhibited no traces of violence, and there can be ', 'anding-places for river steamboats. the body exhibited no traces of violence, and there can be no do', 'g-places for river steamboats. the body exhibited no traces of violence, and there can be no doubt t', 'ces for river steamboats. the body exhibited no traces of violence, and there can be no doubt that t', 'or river steamboats. the body exhibited no traces of violence, and there can be no doubt that the de', 'ver steamboats. the body exhibited no traces of violence, and there can be no doubt that the decease', 'teamboats. the body exhibited no traces of violence, and there can be no doubt that the deceased had', 'oats. the body exhibited no traces of violence, and there can be no doubt that the deceased had been', ' the body exhibited no traces of violence, and there can be no doubt that the deceased had been the ', 'body exhibited no traces of violence, and there can be no doubt that the deceased had been the victi', 'exhibited no traces of violence, and there can be no doubt that the deceased had been the victim of ', 'ited no traces of violence, and there can be no doubt that the deceased had been the victim of an un', 'no traces of violence, and there can be no doubt that the deceased had been the victim of an unfortu', 'aces of violence, and there can be no doubt that the deceased had been the victim of an unfortunate ', 'of violence, and there can be no doubt that the deceased had been the victim of an unfortunate accid', 'olence, and there can be no doubt that the deceased had been the victim of an unfortunate accident, ', 'e, and there can be no doubt that the deceased had been the victim of an unfortunate accident, which', 'd there can be no doubt that the deceased had been the victim of an unfortunate accident, which shou', 're can be no doubt that the deceased had been the victim of an unfortunate accident, which should ha', 'n be no doubt that the deceased had been the victim of an unfortunate accident, which should have th', 'no doubt that the deceased had been the victim of an unfortunate accident, which should have the eff', 'ubt that the deceased had been the victim of an unfortunate accident, which should have the effect o', 'hat the deceased had been the victim of an unfortunate accident, which should have the effect of cal', 'he deceased had been the victim of an unfortunate accident, which should have the effect of calling ', 'ceased had been the victim of an unfortunate accident, which should have the effect of calling the a', 'd had been the victim of an unfortunate accident, which should have the effect of calling the attent', ' been the victim of an unfortunate accident, which should have the effect of calling the attention o', ' the victim of an unfortunate accident, which should have the effect of calling the attention of the', 'victim of an unfortunate accident, which should have the effect of calling the attention of the auth', 'm of an unfortunate accident, which should have the effect of calling the attention of the authoriti', 'an unfortunate accident, which should have the effect of calling the attention of the authorities to', 'fortunate accident, which should have the effect of calling the attention of the authorities to the ', 'nate accident, which should have the effect of calling the attention of the authorities to the condi', 'accident, which should have the effect of calling the attention of the authorities to the condition ', 'ent, which should have the effect of calling the attention of the authorities to the condition of th', 'which should have the effect of calling the attention of the authorities to the condition of the riv', ' should have the effect of calling the attention of the authorities to the condition of the riversid', 'ld have the effect of calling the attention of the authorities to the condition of the riverside lan', 've the effect of calling the attention of the authorities to the condition of the riverside landing-', 'e effect of calling the attention of the authorities to the condition of the riverside landing-stage', 'ect of calling the attention of the authorities to the condition of the riverside landing-stages." w', 'f calling the attention of the authorities to the condition of the riverside landing-stages." we sat', 'ling the attention of the authorities to the condition of the riverside landing-stages." we sat in s', 'the attention of the authorities to the condition of the riverside landing-stages." we sat in silenc', 'ttention of the authorities to the condition of the riverside landing-stages." we sat in silence for', 'ion of the authorities to the condition of the riverside landing-stages." we sat in silence for some', 'f the authorities to the condition of the riverside landing-stages." we sat in silence for some minu', ' authorities to the condition of the riverside landing-stages." we sat in silence for some minutes, ', 'orities to the condition of the riverside landing-stages." we sat in silence for some minutes, holme', 'es to the condition of the riverside landing-stages." we sat in silence for some minutes, holmes mor', ' the condition of the riverside landing-stages." we sat in silence for some minutes, holmes more dep', 'condition of the riverside landing-stages." we sat in silence for some minutes, holmes more depresse', 'tion of the riverside landing-stages." we sat in silence for some minutes, holmes more depressed and', 'of the riverside landing-stages." we sat in silence for some minutes, holmes more depressed and shak', 'e riverside landing-stages." we sat in silence for some minutes, holmes more depressed and shaken th', 'erside landing-stages." we sat in silence for some minutes, holmes more depressed and shaken than i ', 'e landing-stages." we sat in silence for some minutes, holmes more depressed and shaken than i had e', 'ding-stages." we sat in silence for some minutes, holmes more depressed and shaken than i had ever s', 'stages." we sat in silence for some minutes, holmes more depressed and shaken than i had ever seen h', 's." we sat in silence for some minutes, holmes more depressed and shaken than i had ever seen him. "', 'e sat in silence for some minutes, holmes more depressed and shaken than i had ever seen him. "that ', ' in silence for some minutes, holmes more depressed and shaken than i had ever seen him. "that hurts', 'ilence for some minutes, holmes more depressed and shaken than i had ever seen him. "that hurts my p', 'e for some minutes, holmes more depressed and shaken than i had ever seen him. "that hurts my pride,', ' some minutes, holmes more depressed and shaken than i had ever seen him. "that hurts my pride, wats', ' minutes, holmes more depressed and shaken than i had ever seen him. "that hurts my pride, watson," ', 'tes, holmes more depressed and shaken than i had ever seen him. "that hurts my pride, watson," he sa', 'holmes more depressed and shaken than i had ever seen him. "that hurts my pride, watson," he said at', 's more depressed and shaken than i had ever seen him. "that hurts my pride, watson," he said at last', 'e depressed and shaken than i had ever seen him. "that hurts my pride, watson," he said at last. "it', 'ressed and shaken than i had ever seen him. "that hurts my pride, watson," he said at last. "it is a', 'd and shaken than i had ever seen him. "that hurts my pride, watson," he said at last. "it is a pett', ' shaken than i had ever seen him. "that hurts my pride, watson," he said at last. "it is a petty fee', 'en than i had ever seen him. "that hurts my pride, watson," he said at last. "it is a petty feeling,', 'an i had ever seen him. "that hurts my pride, watson," he said at last. "it is a petty feeling, no d', 'had ever seen him. "that hurts my pride, watson," he said at last. "it is a petty feeling, no doubt,', 'ver seen him. "that hurts my pride, watson," he said at last. "it is a petty feeling, no doubt, but ', 'een him. "that hurts my pride, watson," he said at last. "it is a petty feeling, no doubt, but it hu', 'im. "that hurts my pride, watson," he said at last. "it is a petty feeling, no doubt, but it hurts m', 'that hurts my pride, watson," he said at last. "it is a petty feeling, no doubt, but it hurts my pri', 'hurts my pride, watson," he said at last. "it is a petty feeling, no doubt, but it hurts my pride. i', ' my pride, watson," he said at last. "it is a petty feeling, no doubt, but it hurts my pride. it bec', 'ride, watson," he said at last. "it is a petty feeling, no doubt, but it hurts my pride. it becomes ', ' watson," he said at last. "it is a petty feeling, no doubt, but it hurts my pride. it becomes a per', 'on," he said at last. "it is a petty feeling, no doubt, but it hurts my pride. it becomes a personal', 'he said at last. "it is a petty feeling, no doubt, but it hurts my pride. it becomes a personal matt', 'id at last. "it is a petty feeling, no doubt, but it hurts my pride. it becomes a personal matter wi', ' last. "it is a petty feeling, no doubt, but it hurts my pride. it becomes a personal matter with me', '. "it is a petty feeling, no doubt, but it hurts my pride. it becomes a personal matter with me now,', ' is a petty feeling, no doubt, but it hurts my pride. it becomes a personal matter with me now, and,', ' petty feeling, no doubt, but it hurts my pride. it becomes a personal matter with me now, and, if g', 'y feeling, no doubt, but it hurts my pride. it becomes a personal matter with me now, and, if god se', 'ling, no doubt, but it hurts my pride. it becomes a personal matter with me now, and, if god sends m', ' no doubt, but it hurts my pride. it becomes a personal matter with me now, and, if god sends me hea', 'oubt, but it hurts my pride. it becomes a personal matter with me now, and, if god sends me health, ', ' but it hurts my pride. it becomes a personal matter with me now, and, if god sends me health, i sha', 'it hurts my pride. it becomes a personal matter with me now, and, if god sends me health, i shall se', 'rts my pride. it becomes a personal matter with me now, and, if god sends me health, i shall set my ', 'y pride. it becomes a personal matter with me now, and, if god sends me health, i shall set my hand ', 'de. it becomes a personal matter with me now, and, if god sends me health, i shall set my hand upon ', 't becomes a personal matter with me now, and, if god sends me health, i shall set my hand upon this ', 'omes a personal matter with me now, and, if god sends me health, i shall set my hand upon this gang.', 'a personal matter with me now, and, if god sends me health, i shall set my hand upon this gang. that', 'sonal matter with me now, and, if god sends me health, i shall set my hand upon this gang. that he s', ' matter with me now, and, if god sends me health, i shall set my hand upon this gang. that he should', 'er with me now, and, if god sends me health, i shall set my hand upon this gang. that he should come', 'th me now, and, if god sends me health, i shall set my hand upon this gang. that he should come to m', ' now, and, if god sends me health, i shall set my hand upon this gang. that he should come to me for', ' and, if god sends me health, i shall set my hand upon this gang. that he should come to me for help', ' if god sends me health, i shall set my hand upon this gang. that he should come to me for help, and', 'od sends me health, i shall set my hand upon this gang. that he should come to me for help, and that', 'nds me health, i shall set my hand upon this gang. that he should come to me for help, and that i sh', 'e health, i shall set my hand upon this gang. that he should come to me for help, and that i should ', 'lth, i shall set my hand upon this gang. that he should come to me for help, and that i should send ', 'i shall set my hand upon this gang. that he should come to me for help, and that i should send him a', 'll set my hand upon this gang. that he should come to me for help, and that i should send him away t', 't my hand upon this gang. that he should come to me for help, and that i should send him away to his', 'hand upon this gang. that he should come to me for help, and that i should send him away to his deat', 'upon this gang. that he should come to me for help, and that i should send him away to his death he ', 'this gang. that he should come to me for help, and that i should send him away to his death he spran', 'gang. that he should come to me for help, and that i should send him away to his death he sprang fro', ' that he should come to me for help, and that i should send him away to his death he sprang from his', ' he should come to me for help, and that i should send him away to his death he sprang from his chai', 'hould come to me for help, and that i should send him away to his death he sprang from his chair and', ' come to me for help, and that i should send him away to his death he sprang from his chair and pace', ' to me for help, and that i should send him away to his death he sprang from his chair and paced abo', 'e for help, and that i should send him away to his death he sprang from his chair and paced about th', ' help, and that i should send him away to his death he sprang from his chair and paced about the roo', ', and that i should send him away to his death he sprang from his chair and paced about the room in ', ' that i should send him away to his death he sprang from his chair and paced about the room in uncon', ' i should send him away to his death he sprang from his chair and paced about the room in uncontroll', 'ould send him away to his death he sprang from his chair and paced about the room in uncontrollable ', 'send him away to his death he sprang from his chair and paced about the room in uncontrollable agita', 'him away to his death he sprang from his chair and paced about the room in uncontrollable agitation,', 'way to his death he sprang from his chair and paced about the room in uncontrollable agitation, with', 'o his death he sprang from his chair and paced about the room in uncontrollable agitation, with a fl', ' death he sprang from his chair and paced about the room in uncontrollable agitation, with a flush u', 'h he sprang from his chair and paced about the room in uncontrollable agitation, with a flush upon h', 'sprang from his chair and paced about the room in uncontrollable agitation, with a flush upon his sa', 'g from his chair and paced about the room in uncontrollable agitation, with a flush upon his sallow ', 'm his chair and paced about the room in uncontrollable agitation, with a flush upon his sallow cheek', ' chair and paced about the room in uncontrollable agitation, with a flush upon his sallow cheeks and', 'r and paced about the room in uncontrollable agitation, with a flush upon his sallow cheeks and a ne', ' paced about the room in uncontrollable agitation, with a flush upon his sallow cheeks and a nervous', 'd about the room in uncontrollable agitation, with a flush upon his sallow cheeks and a nervous clas', 'ut the room in uncontrollable agitation, with a flush upon his sallow cheeks and a nervous clasping ', 'e room in uncontrollable agitation, with a flush upon his sallow cheeks and a nervous clasping and u', 'm in uncontrollable agitation, with a flush upon his sallow cheeks and a nervous clasping and unclas', 'uncontrollable agitation, with a flush upon his sallow cheeks and a nervous clasping and unclasping ', 'trollable agitation, with a flush upon his sallow cheeks and a nervous clasping and unclasping of hi', 'able agitation, with a flush upon his sallow cheeks and a nervous clasping and unclasping of his lon', 'agitation, with a flush upon his sallow cheeks and a nervous clasping and unclasping of his long thi', 'tion, with a flush upon his sallow cheeks and a nervous clasping and unclasping of his long thin han', ' with a flush upon his sallow cheeks and a nervous clasping and unclasping of his long thin hands. "', ' a flush upon his sallow cheeks and a nervous clasping and unclasping of his long thin hands. "they ', 'ush upon his sallow cheeks and a nervous clasping and unclasping of his long thin hands. "they must ', 'pon his sallow cheeks and a nervous clasping and unclasping of his long thin hands. "they must be cu', 'is sallow cheeks and a nervous clasping and unclasping of his long thin hands. "they must be cunning', 'llow cheeks and a nervous clasping and unclasping of his long thin hands. "they must be cunning devi', 'cheeks and a nervous clasping and unclasping of his long thin hands. "they must be cunning devils," ', 's and a nervous clasping and unclasping of his long thin hands. "they must be cunning devils," he ex', ' a nervous clasping and unclasping of his long thin hands. "they must be cunning devils," he exclaim', 'rvous clasping and unclasping of his long thin hands. "they must be cunning devils," he exclaimed at', ' clasping and unclasping of his long thin hands. "they must be cunning devils," he exclaimed at last', 'ping and unclasping of his long thin hands. "they must be cunning devils," he exclaimed at last. "ho', 'and unclasping of his long thin hands. "they must be cunning devils," he exclaimed at last. "how cou', 'nclasping of his long thin hands. "they must be cunning devils," he exclaimed at last. "how could th', 'ping of his long thin hands. "they must be cunning devils," he exclaimed at last. "how could they ha', 'of his long thin hands. "they must be cunning devils," he exclaimed at last. "how could they have de', 's long thin hands. "they must be cunning devils," he exclaimed at last. "how could they have decoyed', 'g thin hands. "they must be cunning devils," he exclaimed at last. "how could they have decoyed him ', 'n hands. "they must be cunning devils," he exclaimed at last. "how could they have decoyed him down ', 'ds. "they must be cunning devils," he exclaimed at last. "how could they have decoyed him down there', 'they must be cunning devils," he exclaimed at last. "how could they have decoyed him down there? the', 'must be cunning devils," he exclaimed at last. "how could they have decoyed him down there? the emba', 'be cunning devils," he exclaimed at last. "how could they have decoyed him down there? the embankmen', 'nning devils," he exclaimed at last. "how could they have decoyed him down there? the embankment is ', ' devils," he exclaimed at last. "how could they have decoyed him down there? the embankment is not o', 'ls," he exclaimed at last. "how could they have decoyed him down there? the embankment is not on the', 'he exclaimed at last. "how could they have decoyed him down there? the embankment is not on the dire', 'claimed at last. "how could they have decoyed him down there? the embankment is not on the direct li', 'ed at last. "how could they have decoyed him down there? the embankment is not on the direct line to', ' last. "how could they have decoyed him down there? the embankment is not on the direct line to the ', '. "how could they have decoyed him down there? the embankment is not on the direct line to the stati', 'w could they have decoyed him down there? the embankment is not on the direct line to the station. t', 'ld they have decoyed him down there? the embankment is not on the direct line to the station. the br', 'ey have decoyed him down there? the embankment is not on the direct line to the station. the bridge,', 've decoyed him down there? the embankment is not on the direct line to the station. the bridge, no d', 'coyed him down there? the embankment is not on the direct line to the station. the bridge, no doubt,', ' him down there? the embankment is not on the direct line to the station. the bridge, no doubt, was ', 'down there? the embankment is not on the direct line to the station. the bridge, no doubt, was too c', 'there? the embankment is not on the direct line to the station. the bridge, no doubt, was too crowde', '? the embankment is not on the direct line to the station. the bridge, no doubt, was too crowded, ev', ' embankment is not on the direct line to the station. the bridge, no doubt, was too crowded, even on', 'nkment is not on the direct line to the station. the bridge, no doubt, was too crowded, even on such', 't is not on the direct line to the station. the bridge, no doubt, was too crowded, even on such a ni', 'not on the direct line to the station. the bridge, no doubt, was too crowded, even on such a night, ', 'n the direct line to the station. the bridge, no doubt, was too crowded, even on such a night, for t', ' direct line to the station. the bridge, no doubt, was too crowded, even on such a night, for their ', 'ct line to the station. the bridge, no doubt, was too crowded, even on such a night, for their purpo', 'ne to the station. the bridge, no doubt, was too crowded, even on such a night, for their purpose. w', ' the station. the bridge, no doubt, was too crowded, even on such a night, for their purpose. well, ', 'station. the bridge, no doubt, was too crowded, even on such a night, for their purpose. well, watso', 'on. the bridge, no doubt, was too crowded, even on such a night, for their purpose. well, watson, we', 'he bridge, no doubt, was too crowded, even on such a night, for their purpose. well, watson, we shal', 'idge, no doubt, was too crowded, even on such a night, for their purpose. well, watson, we shall see', ' no doubt, was too crowded, even on such a night, for their purpose. well, watson, we shall see who ', 'oubt, was too crowded, even on such a night, for their purpose. well, watson, we shall see who will ', ' was too crowded, even on such a night, for their purpose. well, watson, we shall see who will win i', 'too crowded, even on such a night, for their purpose. well, watson, we shall see who will win in the', 'rowded, even on such a night, for their purpose. well, watson, we shall see who will win in the long', 'd, even on such a night, for their purpose. well, watson, we shall see who will win in the long run.', 'en on such a night, for their purpose. well, watson, we shall see who will win in the long run. i am', ' such a night, for their purpose. well, watson, we shall see who will win in the long run. i am goin', ' a night, for their purpose. well, watson, we shall see who will win in the long run. i am going out', 'ght, for their purpose. well, watson, we shall see who will win in the long run. i am going out now ', 'for their purpose. well, watson, we shall see who will win in the long run. i am going out now "to ', 'heir purpose. well, watson, we shall see who will win in the long run. i am going out now "to the p', 'purpose. well, watson, we shall see who will win in the long run. i am going out now "to the police', 'se. well, watson, we shall see who will win in the long run. i am going out now "to the police?" "n', 'ell, watson, we shall see who will win in the long run. i am going out now "to the police?" "no; i ', 'watson, we shall see who will win in the long run. i am going out now "to the police?" "no; i shall', 'n, we shall see who will win in the long run. i am going out now "to the police?" "no; i shall be m', ' shall see who will win in the long run. i am going out now "to the police?" "no; i shall be my own', 'l see who will win in the long run. i am going out now "to the police?" "no; i shall be my own poli', ' who will win in the long run. i am going out now "to the police?" "no; i shall be my own police. w', 'will win in the long run. i am going out now "to the police?" "no; i shall be my own police. when i', 'win in the long run. i am going out now "to the police?" "no; i shall be my own police. when i have', 'n the long run. i am going out now "to the police?" "no; i shall be my own police. when i have spun', ' long run. i am going out now "to the police?" "no; i shall be my own police. when i have spun the ', ' run. i am going out now "to the police?" "no; i shall be my own police. when i have spun the web t', ' i am going out now "to the police?" "no; i shall be my own police. when i have spun the web they m', ' going out now "to the police?" "no; i shall be my own police. when i have spun the web they may ta', 'g out now "to the police?" "no; i shall be my own police. when i have spun the web they may take th', ' now "to the police?" "no; i shall be my own police. when i have spun the web they may take the fli', ' "to the police?" "no; i shall be my own police. when i have spun the web they may take the flies, b', 'the police?" "no; i shall be my own police. when i have spun the web they may take the flies, but no', 'olice?" "no; i shall be my own police. when i have spun the web they may take the flies, but not bef', '?" "no; i shall be my own police. when i have spun the web they may take the flies, but not before."', 'o; i shall be my own police. when i have spun the web they may take the flies, but not before." all ', 'shall be my own police. when i have spun the web they may take the flies, but not before." all day i', ' be my own police. when i have spun the web they may take the flies, but not before." all day i was ', 'y own police. when i have spun the web they may take the flies, but not before." all day i was engag', ' police. when i have spun the web they may take the flies, but not before." all day i was engaged in', 'ce. when i have spun the web they may take the flies, but not before." all day i was engaged in my p', 'hen i have spun the web they may take the flies, but not before." all day i was engaged in my profes', ' have spun the web they may take the flies, but not before." all day i was engaged in my professiona', ' spun the web they may take the flies, but not before." all day i was engaged in my professional wor', ' the web they may take the flies, but not before." all day i was engaged in my professional work, an', 'web they may take the flies, but not before." all day i was engaged in my professional work, and it ', 'hey may take the flies, but not before." all day i was engaged in my professional work, and it was l', 'ay take the flies, but not before." all day i was engaged in my professional work, and it was late i', 'ke the flies, but not before." all day i was engaged in my professional work, and it was late in the', 'e flies, but not before." all day i was engaged in my professional work, and it was late in the even', 'es, but not before." all day i was engaged in my professional work, and it was late in the evening b', 'ut not before." all day i was engaged in my professional work, and it was late in the evening before', 't before." all day i was engaged in my professional work, and it was late in the evening before i re', 'ore." all day i was engaged in my professional work, and it was late in the evening before i returne', ' all day i was engaged in my professional work, and it was late in the evening before i returned to ', 'day i was engaged in my professional work, and it was late in the evening before i returned to baker', ' was engaged in my professional work, and it was late in the evening before i returned to baker stre', 'engaged in my professional work, and it was late in the evening before i returned to baker street. s', 'ed in my professional work, and it was late in the evening before i returned to baker street. sherlo', ' my professional work, and it was late in the evening before i returned to baker street. sherlock ho', 'rofessional work, and it was late in the evening before i returned to baker street. sherlock holmes ', 'sional work, and it was late in the evening before i returned to baker street. sherlock holmes had n', 'l work, and it was late in the evening before i returned to baker street. sherlock holmes had not co', 'k, and it was late in the evening before i returned to baker street. sherlock holmes had not come ba', 'd it was late in the evening before i returned to baker street. sherlock holmes had not come back ye', 'was late in the evening before i returned to baker street. sherlock holmes had not come back yet. it', 'ate in the evening before i returned to baker street. sherlock holmes had not come back yet. it was ', 'n the evening before i returned to baker street. sherlock holmes had not come back yet. it was nearl', ' evening before i returned to baker street. sherlock holmes had not come back yet. it was nearly ten', "ing before i returned to baker street. sherlock holmes had not come back yet. it was nearly ten o'cl", "efore i returned to baker street. sherlock holmes had not come back yet. it was nearly ten o'clock b", " i returned to baker street. sherlock holmes had not come back yet. it was nearly ten o'clock before", "turned to baker street. sherlock holmes had not come back yet. it was nearly ten o'clock before he e", "d to baker street. sherlock holmes had not come back yet. it was nearly ten o'clock before he entere", "baker street. sherlock holmes had not come back yet. it was nearly ten o'clock before he entered, lo", " street. sherlock holmes had not come back yet. it was nearly ten o'clock before he entered, looking", "et. sherlock holmes had not come back yet. it was nearly ten o'clock before he entered, looking pale", "herlock holmes had not come back yet. it was nearly ten o'clock before he entered, looking pale and ", "ck holmes had not come back yet. it was nearly ten o'clock before he entered, looking pale and worn.", "lmes had not come back yet. it was nearly ten o'clock before he entered, looking pale and worn. he w", "had not come back yet. it was nearly ten o'clock before he entered, looking pale and worn. he walked", "ot come back yet. it was nearly ten o'clock before he entered, looking pale and worn. he walked up t", "me back yet. it was nearly ten o'clock before he entered, looking pale and worn. he walked up to the", "ck yet. it was nearly ten o'clock before he entered, looking pale and worn. he walked up to the side", "t. it was nearly ten o'clock before he entered, looking pale and worn. he walked up to the sideboard", " was nearly ten o'clock before he entered, looking pale and worn. he walked up to the sideboard, and", "nearly ten o'clock before he entered, looking pale and worn. he walked up to the sideboard, and tear", "y ten o'clock before he entered, looking pale and worn. he walked up to the sideboard, and tearing a", " o'clock before he entered, looking pale and worn. he walked up to the sideboard, and tearing a piec", 'ock before he entered, looking pale and worn. he walked up to the sideboard, and tearing a piece fro', 'efore he entered, looking pale and worn. he walked up to the sideboard, and tearing a piece from the', ' he entered, looking pale and worn. he walked up to the sideboard, and tearing a piece from the loaf', 'ntered, looking pale and worn. he walked up to the sideboard, and tearing a piece from the loaf he d', 'd, looking pale and worn. he walked up to the sideboard, and tearing a piece from the loaf he devour', 'oking pale and worn. he walked up to the sideboard, and tearing a piece from the loaf he devoured it', ' pale and worn. he walked up to the sideboard, and tearing a piece from the loaf he devoured it vora', ' and worn. he walked up to the sideboard, and tearing a piece from the loaf he devoured it voracious', 'worn. he walked up to the sideboard, and tearing a piece from the loaf he devoured it voraciously, w', ' he walked up to the sideboard, and tearing a piece from the loaf he devoured it voraciously, washin', 'alked up to the sideboard, and tearing a piece from the loaf he devoured it voraciously, washing it ', ' up to the sideboard, and tearing a piece from the loaf he devoured it voraciously, washing it down ', 'o the sideboard, and tearing a piece from the loaf he devoured it voraciously, washing it down with ', ' sideboard, and tearing a piece from the loaf he devoured it voraciously, washing it down with a lon', 'board, and tearing a piece from the loaf he devoured it voraciously, washing it down with a long dra', ', and tearing a piece from the loaf he devoured it voraciously, washing it down with a long draught ', ' tearing a piece from the loaf he devoured it voraciously, washing it down with a long draught of wa', 'ing a piece from the loaf he devoured it voraciously, washing it down with a long draught of water. ', ' piece from the loaf he devoured it voraciously, washing it down with a long draught of water. "you ', 'e from the loaf he devoured it voraciously, washing it down with a long draught of water. "you are h', 'm the loaf he devoured it voraciously, washing it down with a long draught of water. "you are hungry', ' loaf he devoured it voraciously, washing it down with a long draught of water. "you are hungry," i ', ' he devoured it voraciously, washing it down with a long draught of water. "you are hungry," i remar', 'evoured it voraciously, washing it down with a long draught of water. "you are hungry," i remarked. ', 'ed it voraciously, washing it down with a long draught of water. "you are hungry," i remarked. "star', ' voraciously, washing it down with a long draught of water. "you are hungry," i remarked. "starving.', 'ciously, washing it down with a long draught of water. "you are hungry," i remarked. "starving. it h', 'ly, washing it down with a long draught of water. "you are hungry," i remarked. "starving. it had es', 'ashing it down with a long draught of water. "you are hungry," i remarked. "starving. it had escaped', 'g it down with a long draught of water. "you are hungry," i remarked. "starving. it had escaped my m', 'down with a long draught of water. "you are hungry," i remarked. "starving. it had escaped my memory', 'with a long draught of water. "you are hungry," i remarked. "starving. it had escaped my memory. i h', 'a long draught of water. "you are hungry," i remarked. "starving. it had escaped my memory. i have h', 'g draught of water. "you are hungry," i remarked. "starving. it had escaped my memory. i have had no', 'ught of water. "you are hungry," i remarked. "starving. it had escaped my memory. i have had nothing', 'of water. "you are hungry," i remarked. "starving. it had escaped my memory. i have had nothing sinc', 'ter. "you are hungry," i remarked. "starving. it had escaped my memory. i have had nothing since bre', '"you are hungry," i remarked. "starving. it had escaped my memory. i have had nothing since breakfas', 'are hungry," i remarked. "starving. it had escaped my memory. i have had nothing since breakfast." "', 'ungry," i remarked. "starving. it had escaped my memory. i have had nothing since breakfast." "nothi', '," i remarked. "starving. it had escaped my memory. i have had nothing since breakfast." "nothing?" ', 'remarked. "starving. it had escaped my memory. i have had nothing since breakfast." "nothing?" "not ', 'ked. "starving. it had escaped my memory. i have had nothing since breakfast." "nothing?" "not a bit', '"starving. it had escaped my memory. i have had nothing since breakfast." "nothing?" "not a bite. i ', 'ving. it had escaped my memory. i have had nothing since breakfast." "nothing?" "not a bite. i had n', ' it had escaped my memory. i have had nothing since breakfast." "nothing?" "not a bite. i had no tim', 'ad escaped my memory. i have had nothing since breakfast." "nothing?" "not a bite. i had no time to ', 'caped my memory. i have had nothing since breakfast." "nothing?" "not a bite. i had no time to think', ' my memory. i have had nothing since breakfast." "nothing?" "not a bite. i had no time to think of i', 'emory. i have had nothing since breakfast." "nothing?" "not a bite. i had no time to think of it." "', '. i have had nothing since breakfast." "nothing?" "not a bite. i had no time to think of it." "and h', 'ave had nothing since breakfast." "nothing?" "not a bite. i had no time to think of it." "and how ha', 'ad nothing since breakfast." "nothing?" "not a bite. i had no time to think of it." "and how have yo', 'thing since breakfast." "nothing?" "not a bite. i had no time to think of it." "and how have you suc', ' since breakfast." "nothing?" "not a bite. i had no time to think of it." "and how have you succeede', 'e breakfast." "nothing?" "not a bite. i had no time to think of it." "and how have you succeeded?" "', 'akfast." "nothing?" "not a bite. i had no time to think of it." "and how have you succeeded?" "well.', 't." "nothing?" "not a bite. i had no time to think of it." "and how have you succeeded?" "well." "yo', 'nothing?" "not a bite. i had no time to think of it." "and how have you succeeded?" "well." "you hav', 'ng?" "not a bite. i had no time to think of it." "and how have you succeeded?" "well." "you have a c', '"not a bite. i had no time to think of it." "and how have you succeeded?" "well." "you have a clue?"', 'a bite. i had no time to think of it." "and how have you succeeded?" "well." "you have a clue?" "i h', 'e. i had no time to think of it." "and how have you succeeded?" "well." "you have a clue?" "i have t', 'had no time to think of it." "and how have you succeeded?" "well." "you have a clue?" "i have them i', 'o time to think of it." "and how have you succeeded?" "well." "you have a clue?" "i have them in the', 'e to think of it." "and how have you succeeded?" "well." "you have a clue?" "i have them in the holl', 'think of it." "and how have you succeeded?" "well." "you have a clue?" "i have them in the hollow of', ' of it." "and how have you succeeded?" "well." "you have a clue?" "i have them in the hollow of my h', 't." "and how have you succeeded?" "well." "you have a clue?" "i have them in the hollow of my hand. ', 'and how have you succeeded?" "well." "you have a clue?" "i have them in the hollow of my hand. young', 'ow have you succeeded?" "well." "you have a clue?" "i have them in the hollow of my hand. young open', 've you succeeded?" "well." "you have a clue?" "i have them in the hollow of my hand. young openshaw ', 'u succeeded?" "well." "you have a clue?" "i have them in the hollow of my hand. young openshaw shall', 'ceeded?" "well." "you have a clue?" "i have them in the hollow of my hand. young openshaw shall not ', 'd?" "well." "you have a clue?" "i have them in the hollow of my hand. young openshaw shall not long ', 'well." "you have a clue?" "i have them in the hollow of my hand. young openshaw shall not long remai', '" "you have a clue?" "i have them in the hollow of my hand. young openshaw shall not long remain una', 'u have a clue?" "i have them in the hollow of my hand. young openshaw shall not long remain unavenge', 'e a clue?" "i have them in the hollow of my hand. young openshaw shall not long remain unavenged. wh', 'lue?" "i have them in the hollow of my hand. young openshaw shall not long remain unavenged. why, wa', ' "i have them in the hollow of my hand. young openshaw shall not long remain unavenged. why, watson,', 'ave them in the hollow of my hand. young openshaw shall not long remain unavenged. why, watson, let ', 'hem in the hollow of my hand. young openshaw shall not long remain unavenged. why, watson, let us pu', 'n the hollow of my hand. young openshaw shall not long remain unavenged. why, watson, let us put the', ' hollow of my hand. young openshaw shall not long remain unavenged. why, watson, let us put their ow', 'ow of my hand. young openshaw shall not long remain unavenged. why, watson, let us put their own dev', ' my hand. young openshaw shall not long remain unavenged. why, watson, let us put their own devilish', 'and. young openshaw shall not long remain unavenged. why, watson, let us put their own devilish trad', 'young openshaw shall not long remain unavenged. why, watson, let us put their own devilish trade-mar', ' openshaw shall not long remain unavenged. why, watson, let us put their own devilish trade-mark upo', 'shaw shall not long remain unavenged. why, watson, let us put their own devilish trade-mark upon the', 'shall not long remain unavenged. why, watson, let us put their own devilish trade-mark upon them. it', ' not long remain unavenged. why, watson, let us put their own devilish trade-mark upon them. it is w', 'long remain unavenged. why, watson, let us put their own devilish trade-mark upon them. it is well t', 'remain unavenged. why, watson, let us put their own devilish trade-mark upon them. it is well though', 'n unavenged. why, watson, let us put their own devilish trade-mark upon them. it is well thought of ', 'venged. why, watson, let us put their own devilish trade-mark upon them. it is well thought of "wha', 'd. why, watson, let us put their own devilish trade-mark upon them. it is well thought of "what do ', 'y, watson, let us put their own devilish trade-mark upon them. it is well thought of "what do you m', 'tson, let us put their own devilish trade-mark upon them. it is well thought of "what do you mean?"', ' let us put their own devilish trade-mark upon them. it is well thought of "what do you mean?" he t', 'us put their own devilish trade-mark upon them. it is well thought of "what do you mean?" he took a', 't their own devilish trade-mark upon them. it is well thought of "what do you mean?" he took an ora', 'ir own devilish trade-mark upon them. it is well thought of "what do you mean?" he took an orange f', 'n devilish trade-mark upon them. it is well thought of "what do you mean?" he took an orange from t', 'ilish trade-mark upon them. it is well thought of "what do you mean?" he took an orange from the cu', ' trade-mark upon them. it is well thought of "what do you mean?" he took an orange from the cupboar', 'e-mark upon them. it is well thought of "what do you mean?" he took an orange from the cupboard, an', 'k upon them. it is well thought of "what do you mean?" he took an orange from the cupboard, and tea', 'n them. it is well thought of "what do you mean?" he took an orange from the cupboard, and tearing ', 'm. it is well thought of "what do you mean?" he took an orange from the cupboard, and tearing it to', ' is well thought of "what do you mean?" he took an orange from the cupboard, and tearing it to piec', 'ell thought of "what do you mean?" he took an orange from the cupboard, and tearing it to pieces he', 'hought of "what do you mean?" he took an orange from the cupboard, and tearing it to pieces he sque', 't of "what do you mean?" he took an orange from the cupboard, and tearing it to pieces he squeezed ', ' "what do you mean?" he took an orange from the cupboard, and tearing it to pieces he squeezed out t', 't do you mean?" he took an orange from the cupboard, and tearing it to pieces he squeezed out the pi', 'you mean?" he took an orange from the cupboard, and tearing it to pieces he squeezed out the pips up', 'ean?" he took an orange from the cupboard, and tearing it to pieces he squeezed out the pips upon th', ' he took an orange from the cupboard, and tearing it to pieces he squeezed out the pips upon the tab', 'ook an orange from the cupboard, and tearing it to pieces he squeezed out the pips upon the table. o', 'n orange from the cupboard, and tearing it to pieces he squeezed out the pips upon the table. of the', 'nge from the cupboard, and tearing it to pieces he squeezed out the pips upon the table. of these he', 'rom the cupboard, and tearing it to pieces he squeezed out the pips upon the table. of these he took', 'he cupboard, and tearing it to pieces he squeezed out the pips upon the table. of these he took five', 'pboard, and tearing it to pieces he squeezed out the pips upon the table. of these he took five and ', 'd, and tearing it to pieces he squeezed out the pips upon the table. of these he took five and thrus', 'd tearing it to pieces he squeezed out the pips upon the table. of these he took five and thrust the', 'ring it to pieces he squeezed out the pips upon the table. of these he took five and thrust them int', 'it to pieces he squeezed out the pips upon the table. of these he took five and thrust them into an ', ' pieces he squeezed out the pips upon the table. of these he took five and thrust them into an envel', 'es he squeezed out the pips upon the table. of these he took five and thrust them into an envelope. ', ' squeezed out the pips upon the table. of these he took five and thrust them into an envelope. on th', 'ezed out the pips upon the table. of these he took five and thrust them into an envelope. on the ins', 'out the pips upon the table. of these he took five and thrust them into an envelope. on the inside o', 'he pips upon the table. of these he took five and thrust them into an envelope. on the inside of the', 'ps upon the table. of these he took five and thrust them into an envelope. on the inside of the flap', 'on the table. of these he took five and thrust them into an envelope. on the inside of the flap he w', 'e table. of these he took five and thrust them into an envelope. on the inside of the flap he wrote ', 'le. of these he took five and thrust them into an envelope. on the inside of the flap he wrote "s. h', 'f these he took five and thrust them into an envelope. on the inside of the flap he wrote "s. h. for', 'se he took five and thrust them into an envelope. on the inside of the flap he wrote "s. h. for j. o', ' took five and thrust them into an envelope. on the inside of the flap he wrote "s. h. for j. o." th', ' five and thrust them into an envelope. on the inside of the flap he wrote "s. h. for j. o." then he', ' and thrust them into an envelope. on the inside of the flap he wrote "s. h. for j. o." then he seal', 'thrust them into an envelope. on the inside of the flap he wrote "s. h. for j. o." then he sealed it', 't them into an envelope. on the inside of the flap he wrote "s. h. for j. o." then he sealed it and ', 'm into an envelope. on the inside of the flap he wrote "s. h. for j. o." then he sealed it and addre', 'o an envelope. on the inside of the flap he wrote "s. h. for j. o." then he sealed it and addressed ', 'envelope. on the inside of the flap he wrote "s. h. for j. o." then he sealed it and addressed it to', 'ope. on the inside of the flap he wrote "s. h. for j. o." then he sealed it and addressed it to "cap', 'on the inside of the flap he wrote "s. h. for j. o." then he sealed it and addressed it to "captain ', 'e inside of the flap he wrote "s. h. for j. o." then he sealed it and addressed it to "captain james', 'ide of the flap he wrote "s. h. for j. o." then he sealed it and addressed it to "captain james calh', 'f the flap he wrote "s. h. for j. o." then he sealed it and addressed it to "captain james calhoun, ', ' flap he wrote "s. h. for j. o." then he sealed it and addressed it to "captain james calhoun, barqu', ' he wrote "s. h. for j. o." then he sealed it and addressed it to "captain james calhoun, barque \'lo', 'rote "s. h. for j. o." then he sealed it and addressed it to "captain james calhoun, barque \'lone st', '"s. h. for j. o." then he sealed it and addressed it to "captain james calhoun, barque \'lone star,\' ', '. for j. o." then he sealed it and addressed it to "captain james calhoun, barque \'lone star,\' savan', ' j. o." then he sealed it and addressed it to "captain james calhoun, barque \'lone star,\' savannah, ', '." then he sealed it and addressed it to "captain james calhoun, barque \'lone star,\' savannah, georg', 'en he sealed it and addressed it to "captain james calhoun, barque \'lone star,\' savannah, georgia." ', ' sealed it and addressed it to "captain james calhoun, barque \'lone star,\' savannah, georgia." "that', 'ed it and addressed it to "captain james calhoun, barque \'lone star,\' savannah, georgia." "that will', ' and addressed it to "captain james calhoun, barque \'lone star,\' savannah, georgia." "that will awai', 'addressed it to "captain james calhoun, barque \'lone star,\' savannah, georgia." "that will await him', 'ssed it to "captain james calhoun, barque \'lone star,\' savannah, georgia." "that will await him when', 'it to "captain james calhoun, barque \'lone star,\' savannah, georgia." "that will await him when he e', ' "captain james calhoun, barque \'lone star,\' savannah, georgia." "that will await him when he enters', 'tain james calhoun, barque \'lone star,\' savannah, georgia." "that will await him when he enters port', 'james calhoun, barque \'lone star,\' savannah, georgia." "that will await him when he enters port," sa', ' calhoun, barque \'lone star,\' savannah, georgia." "that will await him when he enters port," said he', 'oun, barque \'lone star,\' savannah, georgia." "that will await him when he enters port," said he, chu', 'barque \'lone star,\' savannah, georgia." "that will await him when he enters port," said he, chucklin', 'e \'lone star,\' savannah, georgia." "that will await him when he enters port," said he, chuckling. "i', 'ne star,\' savannah, georgia." "that will await him when he enters port," said he, chuckling. "it may', 'ar,\' savannah, georgia." "that will await him when he enters port," said he, chuckling. "it may give', 'savannah, georgia." "that will await him when he enters port," said he, chuckling. "it may give him ', 'nah, georgia." "that will await him when he enters port," said he, chuckling. "it may give him a sle', 'georgia." "that will await him when he enters port," said he, chuckling. "it may give him a sleeples', 'ia." "that will await him when he enters port," said he, chuckling. "it may give him a sleepless nig', '"that will await him when he enters port," said he, chuckling. "it may give him a sleepless night. h', ' will await him when he enters port," said he, chuckling. "it may give him a sleepless night. he wil', ' await him when he enters port," said he, chuckling. "it may give him a sleepless night. he will fin', 't him when he enters port," said he, chuckling. "it may give him a sleepless night. he will find it ', ' when he enters port," said he, chuckling. "it may give him a sleepless night. he will find it as su', ' he enters port," said he, chuckling. "it may give him a sleepless night. he will find it as sure a ', 'nters port," said he, chuckling. "it may give him a sleepless night. he will find it as sure a precu', ' port," said he, chuckling. "it may give him a sleepless night. he will find it as sure a precursor ', '," said he, chuckling. "it may give him a sleepless night. he will find it as sure a precursor of hi', 'id he, chuckling. "it may give him a sleepless night. he will find it as sure a precursor of his fat', ', chuckling. "it may give him a sleepless night. he will find it as sure a precursor of his fate as ', 'ckling. "it may give him a sleepless night. he will find it as sure a precursor of his fate as opens', 'g. "it may give him a sleepless night. he will find it as sure a precursor of his fate as openshaw d', 't may give him a sleepless night. he will find it as sure a precursor of his fate as openshaw did be', ' give him a sleepless night. he will find it as sure a precursor of his fate as openshaw did before ', ' him a sleepless night. he will find it as sure a precursor of his fate as openshaw did before him."', 'a sleepless night. he will find it as sure a precursor of his fate as openshaw did before him." "and', 'epless night. he will find it as sure a precursor of his fate as openshaw did before him." "and who ', 's night. he will find it as sure a precursor of his fate as openshaw did before him." "and who is th', 'ht. he will find it as sure a precursor of his fate as openshaw did before him." "and who is this ca', 'e will find it as sure a precursor of his fate as openshaw did before him." "and who is this captain', 'l find it as sure a precursor of his fate as openshaw did before him." "and who is this captain calh', 'd it as sure a precursor of his fate as openshaw did before him." "and who is this captain calhoun?"', 'as sure a precursor of his fate as openshaw did before him." "and who is this captain calhoun?" "the', 're a precursor of his fate as openshaw did before him." "and who is this captain calhoun?" "the lead', 'precursor of his fate as openshaw did before him." "and who is this captain calhoun?" "the leader of', 'rsor of his fate as openshaw did before him." "and who is this captain calhoun?" "the leader of the ', 'of his fate as openshaw did before him." "and who is this captain calhoun?" "the leader of the gang.', 's fate as openshaw did before him." "and who is this captain calhoun?" "the leader of the gang. i sh', 'e as openshaw did before him." "and who is this captain calhoun?" "the leader of the gang. i shall h', 'openshaw did before him." "and who is this captain calhoun?" "the leader of the gang. i shall have t', 'haw did before him." "and who is this captain calhoun?" "the leader of the gang. i shall have the ot', 'id before him." "and who is this captain calhoun?" "the leader of the gang. i shall have the others,', 'fore him." "and who is this captain calhoun?" "the leader of the gang. i shall have the others, but ', 'him." "and who is this captain calhoun?" "the leader of the gang. i shall have the others, but he fi', ' "and who is this captain calhoun?" "the leader of the gang. i shall have the others, but he first."', ' who is this captain calhoun?" "the leader of the gang. i shall have the others, but he first." "how', 'is this captain calhoun?" "the leader of the gang. i shall have the others, but he first." "how did ', 'is captain calhoun?" "the leader of the gang. i shall have the others, but he first." "how did you t', 'ptain calhoun?" "the leader of the gang. i shall have the others, but he first." "how did you trace ', ' calhoun?" "the leader of the gang. i shall have the others, but he first." "how did you trace it, t', 'oun?" "the leader of the gang. i shall have the others, but he first." "how did you trace it, then?"', ' "the leader of the gang. i shall have the others, but he first." "how did you trace it, then?" he t', ' leader of the gang. i shall have the others, but he first." "how did you trace it, then?" he took a', 'er of the gang. i shall have the others, but he first." "how did you trace it, then?" he took a larg', ' the gang. i shall have the others, but he first." "how did you trace it, then?" he took a large she', 'gang. i shall have the others, but he first." "how did you trace it, then?" he took a large sheet of', ' i shall have the others, but he first." "how did you trace it, then?" he took a large sheet of pape', 'all have the others, but he first." "how did you trace it, then?" he took a large sheet of paper fro', 'ave the others, but he first." "how did you trace it, then?" he took a large sheet of paper from his', 'he others, but he first." "how did you trace it, then?" he took a large sheet of paper from his pock', 'hers, but he first." "how did you trace it, then?" he took a large sheet of paper from his pocket, a', ' but he first." "how did you trace it, then?" he took a large sheet of paper from his pocket, all co', 'he first." "how did you trace it, then?" he took a large sheet of paper from his pocket, all covered', 'rst." "how did you trace it, then?" he took a large sheet of paper from his pocket, all covered with', ' "how did you trace it, then?" he took a large sheet of paper from his pocket, all covered with date', ' did you trace it, then?" he took a large sheet of paper from his pocket, all covered with dates and', 'you trace it, then?" he took a large sheet of paper from his pocket, all covered with dates and name', 'race it, then?" he took a large sheet of paper from his pocket, all covered with dates and names. "i', 'it, then?" he took a large sheet of paper from his pocket, all covered with dates and names. "i have', 'hen?" he took a large sheet of paper from his pocket, all covered with dates and names. "i have spen', ' he took a large sheet of paper from his pocket, all covered with dates and names. "i have spent the', 'ook a large sheet of paper from his pocket, all covered with dates and names. "i have spent the whol', ' large sheet of paper from his pocket, all covered with dates and names. "i have spent the whole day', 'e sheet of paper from his pocket, all covered with dates and names. "i have spent the whole day," sa', 'et of paper from his pocket, all covered with dates and names. "i have spent the whole day," said he', ' paper from his pocket, all covered with dates and names. "i have spent the whole day," said he, "ov', 'r from his pocket, all covered with dates and names. "i have spent the whole day," said he, "over ll', 'm his pocket, all covered with dates and names. "i have spent the whole day," said he, "over lloyd\'s', ' pocket, all covered with dates and names. "i have spent the whole day," said he, "over lloyd\'s regi', 'et, all covered with dates and names. "i have spent the whole day," said he, "over lloyd\'s registers', 'll covered with dates and names. "i have spent the whole day," said he, "over lloyd\'s registers and ', 'vered with dates and names. "i have spent the whole day," said he, "over lloyd\'s registers and files', ' with dates and names. "i have spent the whole day," said he, "over lloyd\'s registers and files of t', ' dates and names. "i have spent the whole day," said he, "over lloyd\'s registers and files of the ol', 's and names. "i have spent the whole day," said he, "over lloyd\'s registers and files of the old pap', ' names. "i have spent the whole day," said he, "over lloyd\'s registers and files of the old papers, ', 's. "i have spent the whole day," said he, "over lloyd\'s registers and files of the old papers, follo', ' have spent the whole day," said he, "over lloyd\'s registers and files of the old papers, following ', ' spent the whole day," said he, "over lloyd\'s registers and files of the old papers, following the f', 't the whole day," said he, "over lloyd\'s registers and files of the old papers, following the future', ' whole day," said he, "over lloyd\'s registers and files of the old papers, following the future care', 'e day," said he, "over lloyd\'s registers and files of the old papers, following the future career of', '," said he, "over lloyd\'s registers and files of the old papers, following the future career of ever', 'id he, "over lloyd\'s registers and files of the old papers, following the future career of every ves', ', "over lloyd\'s registers and files of the old papers, following the future career of every vessel w', "er lloyd's registers and files of the old papers, following the future career of every vessel which ", "oyd's registers and files of the old papers, following the future career of every vessel which touch", ' registers and files of the old papers, following the future career of every vessel which touched at', 'sters and files of the old papers, following the future career of every vessel which touched at pond', ' and files of the old papers, following the future career of every vessel which touched at pondicher', 'files of the old papers, following the future career of every vessel which touched at pondicherry in', ' of the old papers, following the future career of every vessel which touched at pondicherry in janu', 'he old papers, following the future career of every vessel which touched at pondicherry in january a', 'd papers, following the future career of every vessel which touched at pondicherry in january and fe', 'ers, following the future career of every vessel which touched at pondicherry in january and februar', 'following the future career of every vessel which touched at pondicherry in january and february in ', "wing the future career of every vessel which touched at pondicherry in january and february in ' . t", "the future career of every vessel which touched at pondicherry in january and february in ' . there ", "uture career of every vessel which touched at pondicherry in january and february in ' . there were ", " career of every vessel which touched at pondicherry in january and february in ' . there were thirt", "er of every vessel which touched at pondicherry in january and february in ' . there were thirty-six", " every vessel which touched at pondicherry in january and february in ' . there were thirty-six ship", "y vessel which touched at pondicherry in january and february in ' . there were thirty-six ships of ", "sel which touched at pondicherry in january and february in ' . there were thirty-six ships of fair ", "hich touched at pondicherry in january and february in ' . there were thirty-six ships of fair tonna", "touched at pondicherry in january and february in ' . there were thirty-six ships of fair tonnage wh", "ed at pondicherry in january and february in ' . there were thirty-six ships of fair tonnage which w", " pondicherry in january and february in ' . there were thirty-six ships of fair tonnage which were r", "icherry in january and february in ' . there were thirty-six ships of fair tonnage which were report", "ry in january and february in ' . there were thirty-six ships of fair tonnage which were reported th", " january and february in ' . there were thirty-six ships of fair tonnage which were reported there d", "ary and february in ' . there were thirty-six ships of fair tonnage which were reported there during", "nd february in ' . there were thirty-six ships of fair tonnage which were reported there during thos", "bruary in ' . there were thirty-six ships of fair tonnage which were reported there during those mon", "y in ' . there were thirty-six ships of fair tonnage which were reported there during those months. ", "' . there were thirty-six ships of fair tonnage which were reported there during those months. of th", 'here were thirty-six ships of fair tonnage which were reported there during those months. of these, ', 'were thirty-six ships of fair tonnage which were reported there during those months. of these, one, ', "thirty-six ships of fair tonnage which were reported there during those months. of these, one, the '", "y-six ships of fair tonnage which were reported there during those months. of these, one, the 'lone ", " ships of fair tonnage which were reported there during those months. of these, one, the 'lone star,", "s of fair tonnage which were reported there during those months. of these, one, the 'lone star,' ins", "fair tonnage which were reported there during those months. of these, one, the 'lone star,' instantl", "tonnage which were reported there during those months. of these, one, the 'lone star,' instantly att", "ge which were reported there during those months. of these, one, the 'lone star,' instantly attracte", "ich were reported there during those months. of these, one, the 'lone star,' instantly attracted my ", "ere reported there during those months. of these, one, the 'lone star,' instantly attracted my atten", "eported there during those months. of these, one, the 'lone star,' instantly attracted my attention,", "ed there during those months. of these, one, the 'lone star,' instantly attracted my attention, sinc", "ere during those months. of these, one, the 'lone star,' instantly attracted my attention, since, al", "uring those months. of these, one, the 'lone star,' instantly attracted my attention, since, althoug", " those months. of these, one, the 'lone star,' instantly attracted my attention, since, although it ", "e months. of these, one, the 'lone star,' instantly attracted my attention, since, although it was r", "ths. of these, one, the 'lone star,' instantly attracted my attention, since, although it was report", "of these, one, the 'lone star,' instantly attracted my attention, since, although it was reported as", "ese, one, the 'lone star,' instantly attracted my attention, since, although it was reported as havi", "one, the 'lone star,' instantly attracted my attention, since, although it was reported as having cl", "the 'lone star,' instantly attracted my attention, since, although it was reported as having cleared", "lone star,' instantly attracted my attention, since, although it was reported as having cleared from", "star,' instantly attracted my attention, since, although it was reported as having cleared from lond", "' instantly attracted my attention, since, although it was reported as having cleared from london, t", 'tantly attracted my attention, since, although it was reported as having cleared from london, the na', 'y attracted my attention, since, although it was reported as having cleared from london, the name is', 'racted my attention, since, although it was reported as having cleared from london, the name is that', 'd my attention, since, although it was reported as having cleared from london, the name is that whic', 'attention, since, although it was reported as having cleared from london, the name is that which is ', 'tion, since, although it was reported as having cleared from london, the name is that which is given', ' since, although it was reported as having cleared from london, the name is that which is given to o', 'e, although it was reported as having cleared from london, the name is that which is given to one of', 'though it was reported as having cleared from london, the name is that which is given to one of the ', 'h it was reported as having cleared from london, the name is that which is given to one of the state', 'was reported as having cleared from london, the name is that which is given to one of the states of ', 'eported as having cleared from london, the name is that which is given to one of the states of the u', 'ed as having cleared from london, the name is that which is given to one of the states of the union.', ' having cleared from london, the name is that which is given to one of the states of the union." "te', 'ng cleared from london, the name is that which is given to one of the states of the union." "texas, ', 'eared from london, the name is that which is given to one of the states of the union." "texas, i thi', ' from london, the name is that which is given to one of the states of the union." "texas, i think." ', ' london, the name is that which is given to one of the states of the union." "texas, i think." "i wa', 'on, the name is that which is given to one of the states of the union." "texas, i think." "i was not', 'he name is that which is given to one of the states of the union." "texas, i think." "i was not and ', 'me is that which is given to one of the states of the union." "texas, i think." "i was not and am no', ' that which is given to one of the states of the union." "texas, i think." "i was not and am not sur', ' which is given to one of the states of the union." "texas, i think." "i was not and am not sure whi', 'h is given to one of the states of the union." "texas, i think." "i was not and am not sure which; b', 'given to one of the states of the union." "texas, i think." "i was not and am not sure which; but i ', ' to one of the states of the union." "texas, i think." "i was not and am not sure which; but i knew ', 'ne of the states of the union." "texas, i think." "i was not and am not sure which; but i knew that ', ' the states of the union." "texas, i think." "i was not and am not sure which; but i knew that the s', 'states of the union." "texas, i think." "i was not and am not sure which; but i knew that the ship m', 's of the union." "texas, i think." "i was not and am not sure which; but i knew that the ship must h', 'the union." "texas, i think." "i was not and am not sure which; but i knew that the ship must have a', 'nion." "texas, i think." "i was not and am not sure which; but i knew that the ship must have an ame', '" "texas, i think." "i was not and am not sure which; but i knew that the ship must have an american', 'xas, i think." "i was not and am not sure which; but i knew that the ship must have an american orig', 'i think." "i was not and am not sure which; but i knew that the ship must have an american origin." ', 'nk." "i was not and am not sure which; but i knew that the ship must have an american origin." "what', '"i was not and am not sure which; but i knew that the ship must have an american origin." "what then', 's not and am not sure which; but i knew that the ship must have an american origin." "what then?" "i', ' and am not sure which; but i knew that the ship must have an american origin." "what then?" "i sear', 'am not sure which; but i knew that the ship must have an american origin." "what then?" "i searched ', 't sure which; but i knew that the ship must have an american origin." "what then?" "i searched the d', 'e which; but i knew that the ship must have an american origin." "what then?" "i searched the dundee', 'ch; but i knew that the ship must have an american origin." "what then?" "i searched the dundee reco', 'ut i knew that the ship must have an american origin." "what then?" "i searched the dundee records, ', 'knew that the ship must have an american origin." "what then?" "i searched the dundee records, and w', 'that the ship must have an american origin." "what then?" "i searched the dundee records, and when i', 'the ship must have an american origin." "what then?" "i searched the dundee records, and when i foun', 'hip must have an american origin." "what then?" "i searched the dundee records, and when i found tha', 'ust have an american origin." "what then?" "i searched the dundee records, and when i found that the', 'ave an american origin." "what then?" "i searched the dundee records, and when i found that the barq', 'n american origin." "what then?" "i searched the dundee records, and when i found that the barque \'l', 'rican origin." "what then?" "i searched the dundee records, and when i found that the barque \'lone s', ' origin." "what then?" "i searched the dundee records, and when i found that the barque \'lone star\' ', 'in." "what then?" "i searched the dundee records, and when i found that the barque \'lone star\' was t', '"what then?" "i searched the dundee records, and when i found that the barque \'lone star\' was there ', ' then?" "i searched the dundee records, and when i found that the barque \'lone star\' was there in ja', '?" "i searched the dundee records, and when i found that the barque \'lone star\' was there in january', " searched the dundee records, and when i found that the barque 'lone star' was there in january, ' ,", "ched the dundee records, and when i found that the barque 'lone star' was there in january, ' , my s", "the dundee records, and when i found that the barque 'lone star' was there in january, ' , my suspic", "undee records, and when i found that the barque 'lone star' was there in january, ' , my suspicion b", " records, and when i found that the barque 'lone star' was there in january, ' , my suspicion became", "rds, and when i found that the barque 'lone star' was there in january, ' , my suspicion became a ce", "and when i found that the barque 'lone star' was there in january, ' , my suspicion became a certain", "hen i found that the barque 'lone star' was there in january, ' , my suspicion became a certainty. i", " found that the barque 'lone star' was there in january, ' , my suspicion became a certainty. i then", "d that the barque 'lone star' was there in january, ' , my suspicion became a certainty. i then inqu", "t the barque 'lone star' was there in january, ' , my suspicion became a certainty. i then inquired ", " barque 'lone star' was there in january, ' , my suspicion became a certainty. i then inquired as to", "ue 'lone star' was there in january, ' , my suspicion became a certainty. i then inquired as to the ", "one star' was there in january, ' , my suspicion became a certainty. i then inquired as to the vesse", "tar' was there in january, ' , my suspicion became a certainty. i then inquired as to the vessels wh", "was there in january, ' , my suspicion became a certainty. i then inquired as to the vessels which l", "here in january, ' , my suspicion became a certainty. i then inquired as to the vessels which lay at", "in january, ' , my suspicion became a certainty. i then inquired as to the vessels which lay at pres", "nuary, ' , my suspicion became a certainty. i then inquired as to the vessels which lay at present i", ", ' , my suspicion became a certainty. i then inquired as to the vessels which lay at present in the", ' my suspicion became a certainty. i then inquired as to the vessels which lay at present in the port', 'uspicion became a certainty. i then inquired as to the vessels which lay at present in the port of l', 'ion became a certainty. i then inquired as to the vessels which lay at present in the port of london', 'ecame a certainty. i then inquired as to the vessels which lay at present in the port of london." "y', ' a certainty. i then inquired as to the vessels which lay at present in the port of london." "yes?" ', 'rtainty. i then inquired as to the vessels which lay at present in the port of london." "yes?" "the ', 'ty. i then inquired as to the vessels which lay at present in the port of london." "yes?" "the \'lone', ' then inquired as to the vessels which lay at present in the port of london." "yes?" "the \'lone star', ' inquired as to the vessels which lay at present in the port of london." "yes?" "the \'lone star\' had', 'ired as to the vessels which lay at present in the port of london." "yes?" "the \'lone star\' had arri', 'as to the vessels which lay at present in the port of london." "yes?" "the \'lone star\' had arrived h', ' the vessels which lay at present in the port of london." "yes?" "the \'lone star\' had arrived here l', 'vessels which lay at present in the port of london." "yes?" "the \'lone star\' had arrived here last w', 'ls which lay at present in the port of london." "yes?" "the \'lone star\' had arrived here last week. ', 'ich lay at present in the port of london." "yes?" "the \'lone star\' had arrived here last week. i wen', 'ay at present in the port of london." "yes?" "the \'lone star\' had arrived here last week. i went dow', ' present in the port of london." "yes?" "the \'lone star\' had arrived here last week. i went down to ', 'ent in the port of london." "yes?" "the \'lone star\' had arrived here last week. i went down to the a', 'n the port of london." "yes?" "the \'lone star\' had arrived here last week. i went down to the albert', ' port of london." "yes?" "the \'lone star\' had arrived here last week. i went down to the albert dock', ' of london." "yes?" "the \'lone star\' had arrived here last week. i went down to the albert dock and ', 'ondon." "yes?" "the \'lone star\' had arrived here last week. i went down to the albert dock and found', '." "yes?" "the \'lone star\' had arrived here last week. i went down to the albert dock and found that', 'es?" "the \'lone star\' had arrived here last week. i went down to the albert dock and found that she ', '"the \'lone star\' had arrived here last week. i went down to the albert dock and found that she had b', "'lone star' had arrived here last week. i went down to the albert dock and found that she had been t", " star' had arrived here last week. i went down to the albert dock and found that she had been taken ", "' had arrived here last week. i went down to the albert dock and found that she had been taken down ", ' arrived here last week. i went down to the albert dock and found that she had been taken down the r', 'ved here last week. i went down to the albert dock and found that she had been taken down the river ', 'ere last week. i went down to the albert dock and found that she had been taken down the river by th', 'ast week. i went down to the albert dock and found that she had been taken down the river by the ear', 'eek. i went down to the albert dock and found that she had been taken down the river by the early ti', 'i went down to the albert dock and found that she had been taken down the river by the early tide th', 't down to the albert dock and found that she had been taken down the river by the early tide this mo', 'n to the albert dock and found that she had been taken down the river by the early tide this morning', 'the albert dock and found that she had been taken down the river by the early tide this morning, hom', 'lbert dock and found that she had been taken down the river by the early tide this morning, homeward', ' dock and found that she had been taken down the river by the early tide this morning, homeward boun', ' and found that she had been taken down the river by the early tide this morning, homeward bound to ', 'found that she had been taken down the river by the early tide this morning, homeward bound to savan', ' that she had been taken down the river by the early tide this morning, homeward bound to savannah. ', ' she had been taken down the river by the early tide this morning, homeward bound to savannah. i wir', 'had been taken down the river by the early tide this morning, homeward bound to savannah. i wired to', 'een taken down the river by the early tide this morning, homeward bound to savannah. i wired to grav', 'aken down the river by the early tide this morning, homeward bound to savannah. i wired to gravesend', 'down the river by the early tide this morning, homeward bound to savannah. i wired to gravesend and ', 'the river by the early tide this morning, homeward bound to savannah. i wired to gravesend and learn', 'iver by the early tide this morning, homeward bound to savannah. i wired to gravesend and learned th', 'by the early tide this morning, homeward bound to savannah. i wired to gravesend and learned that sh', 'e early tide this morning, homeward bound to savannah. i wired to gravesend and learned that she had', 'ly tide this morning, homeward bound to savannah. i wired to gravesend and learned that she had pass', 'de this morning, homeward bound to savannah. i wired to gravesend and learned that she had passed so', 'is morning, homeward bound to savannah. i wired to gravesend and learned that she had passed some ti', 'rning, homeward bound to savannah. i wired to gravesend and learned that she had passed some time ag', ', homeward bound to savannah. i wired to gravesend and learned that she had passed some time ago, an', 'eward bound to savannah. i wired to gravesend and learned that she had passed some time ago, and as ', ' bound to savannah. i wired to gravesend and learned that she had passed some time ago, and as the w', 'd to savannah. i wired to gravesend and learned that she had passed some time ago, and as the wind i', 'savannah. i wired to gravesend and learned that she had passed some time ago, and as the wind is eas', 'nah. i wired to gravesend and learned that she had passed some time ago, and as the wind is easterly', 'i wired to gravesend and learned that she had passed some time ago, and as the wind is easterly i ha', 'ed to gravesend and learned that she had passed some time ago, and as the wind is easterly i have no', ' gravesend and learned that she had passed some time ago, and as the wind is easterly i have no doub', 'esend and learned that she had passed some time ago, and as the wind is easterly i have no doubt tha', ' and learned that she had passed some time ago, and as the wind is easterly i have no doubt that she', 'learned that she had passed some time ago, and as the wind is easterly i have no doubt that she is n', 'ed that she had passed some time ago, and as the wind is easterly i have no doubt that she is now pa', 'at she had passed some time ago, and as the wind is easterly i have no doubt that she is now past th', 'e had passed some time ago, and as the wind is easterly i have no doubt that she is now past the goo', ' passed some time ago, and as the wind is easterly i have no doubt that she is now past the goodwins', 'ed some time ago, and as the wind is easterly i have no doubt that she is now past the goodwins and ', 'me time ago, and as the wind is easterly i have no doubt that she is now past the goodwins and not v', 'me ago, and as the wind is easterly i have no doubt that she is now past the goodwins and not very f', 'o, and as the wind is easterly i have no doubt that she is now past the goodwins and not very far fr', 'd as the wind is easterly i have no doubt that she is now past the goodwins and not very far from th', 'the wind is easterly i have no doubt that she is now past the goodwins and not very far from the isl', 'ind is easterly i have no doubt that she is now past the goodwins and not very far from the isle of ', 's easterly i have no doubt that she is now past the goodwins and not very far from the isle of wight', 'terly i have no doubt that she is now past the goodwins and not very far from the isle of wight." "w', ' i have no doubt that she is now past the goodwins and not very far from the isle of wight." "what w', 've no doubt that she is now past the goodwins and not very far from the isle of wight." "what will y', ' doubt that she is now past the goodwins and not very far from the isle of wight." "what will you do', 't that she is now past the goodwins and not very far from the isle of wight." "what will you do, the', 't she is now past the goodwins and not very far from the isle of wight." "what will you do, then?" "', ' is now past the goodwins and not very far from the isle of wight." "what will you do, then?" "oh, i', 'ow past the goodwins and not very far from the isle of wight." "what will you do, then?" "oh, i have', 'st the goodwins and not very far from the isle of wight." "what will you do, then?" "oh, i have my h', 'e goodwins and not very far from the isle of wight." "what will you do, then?" "oh, i have my hand u', 'dwins and not very far from the isle of wight." "what will you do, then?" "oh, i have my hand upon h', ' and not very far from the isle of wight." "what will you do, then?" "oh, i have my hand upon him. h', 'not very far from the isle of wight." "what will you do, then?" "oh, i have my hand upon him. he and', 'ery far from the isle of wight." "what will you do, then?" "oh, i have my hand upon him. he and the ', 'ar from the isle of wight." "what will you do, then?" "oh, i have my hand upon him. he and the two m', 'om the isle of wight." "what will you do, then?" "oh, i have my hand upon him. he and the two mates,', 'e isle of wight." "what will you do, then?" "oh, i have my hand upon him. he and the two mates, are ', 'e of wight." "what will you do, then?" "oh, i have my hand upon him. he and the two mates, are as i ', 'wight." "what will you do, then?" "oh, i have my hand upon him. he and the two mates, are as i learn', '." "what will you do, then?" "oh, i have my hand upon him. he and the two mates, are as i learn, the', 'hat will you do, then?" "oh, i have my hand upon him. he and the two mates, are as i learn, the only', 'ill you do, then?" "oh, i have my hand upon him. he and the two mates, are as i learn, the only nati', 'ou do, then?" "oh, i have my hand upon him. he and the two mates, are as i learn, the only native-bo', ', then?" "oh, i have my hand upon him. he and the two mates, are as i learn, the only native-born am', 'n?" "oh, i have my hand upon him. he and the two mates, are as i learn, the only native-born america', 'oh, i have my hand upon him. he and the two mates, are as i learn, the only native-born americans in', ' have my hand upon him. he and the two mates, are as i learn, the only native-born americans in the ', ' my hand upon him. he and the two mates, are as i learn, the only native-born americans in the ship.', 'and upon him. he and the two mates, are as i learn, the only native-born americans in the ship. the ', 'pon him. he and the two mates, are as i learn, the only native-born americans in the ship. the other', 'im. he and the two mates, are as i learn, the only native-born americans in the ship. the others are', 'e and the two mates, are as i learn, the only native-born americans in the ship. the others are finn', ' the two mates, are as i learn, the only native-born americans in the ship. the others are finns and', 'two mates, are as i learn, the only native-born americans in the ship. the others are finns and germ', 'ates, are as i learn, the only native-born americans in the ship. the others are finns and germans. ', ' are as i learn, the only native-born americans in the ship. the others are finns and germans. i kno', 'as i learn, the only native-born americans in the ship. the others are finns and germans. i know, al', 'learn, the only native-born americans in the ship. the others are finns and germans. i know, also, t', ', the only native-born americans in the ship. the others are finns and germans. i know, also, that t', ' only native-born americans in the ship. the others are finns and germans. i know, also, that they w', ' native-born americans in the ship. the others are finns and germans. i know, also, that they were a', 've-born americans in the ship. the others are finns and germans. i know, also, that they were all th', 'rn americans in the ship. the others are finns and germans. i know, also, that they were all three a', 'ericans in the ship. the others are finns and germans. i know, also, that they were all three away f', 'ns in the ship. the others are finns and germans. i know, also, that they were all three away from t', ' the ship. the others are finns and germans. i know, also, that they were all three away from the sh', 'ship. the others are finns and germans. i know, also, that they were all three away from the ship la', ' the others are finns and germans. i know, also, that they were all three away from the ship last ni', 'others are finns and germans. i know, also, that they were all three away from the ship last night. ', 's are finns and germans. i know, also, that they were all three away from the ship last night. i had', ' finns and germans. i know, also, that they were all three away from the ship last night. i had it f', 's and germans. i know, also, that they were all three away from the ship last night. i had it from t', ' germans. i know, also, that they were all three away from the ship last night. i had it from the st', 'ans. i know, also, that they were all three away from the ship last night. i had it from the stevedo', 'i know, also, that they were all three away from the ship last night. i had it from the stevedore wh', 'w, also, that they were all three away from the ship last night. i had it from the stevedore who has', 'so, that they were all three away from the ship last night. i had it from the stevedore who has been', 'hat they were all three away from the ship last night. i had it from the stevedore who has been load', 'hey were all three away from the ship last night. i had it from the stevedore who has been loading t', 'ere all three away from the ship last night. i had it from the stevedore who has been loading their ', 'll three away from the ship last night. i had it from the stevedore who has been loading their cargo', 'ree away from the ship last night. i had it from the stevedore who has been loading their cargo. by ', 'way from the ship last night. i had it from the stevedore who has been loading their cargo. by the t', 'rom the ship last night. i had it from the stevedore who has been loading their cargo. by the time t', 'he ship last night. i had it from the stevedore who has been loading their cargo. by the time that t', 'ip last night. i had it from the stevedore who has been loading their cargo. by the time that their ', 'st night. i had it from the stevedore who has been loading their cargo. by the time that their saili', 'ght. i had it from the stevedore who has been loading their cargo. by the time that their sailing-sh', 'i had it from the stevedore who has been loading their cargo. by the time that their sailing-ship re', ' it from the stevedore who has been loading their cargo. by the time that their sailing-ship reaches', 'rom the stevedore who has been loading their cargo. by the time that their sailing-ship reaches sava', 'he stevedore who has been loading their cargo. by the time that their sailing-ship reaches savannah ', 'evedore who has been loading their cargo. by the time that their sailing-ship reaches savannah the m', 're who has been loading their cargo. by the time that their sailing-ship reaches savannah the mail-b', 'o has been loading their cargo. by the time that their sailing-ship reaches savannah the mail-boat w', ' been loading their cargo. by the time that their sailing-ship reaches savannah the mail-boat will h', ' loading their cargo. by the time that their sailing-ship reaches savannah the mail-boat will have c', 'ing their cargo. by the time that their sailing-ship reaches savannah the mail-boat will have carrie', 'heir cargo. by the time that their sailing-ship reaches savannah the mail-boat will have carried thi', 'cargo. by the time that their sailing-ship reaches savannah the mail-boat will have carried this let', '. by the time that their sailing-ship reaches savannah the mail-boat will have carried this letter, ', 'the time that their sailing-ship reaches savannah the mail-boat will have carried this letter, and t', 'ime that their sailing-ship reaches savannah the mail-boat will have carried this letter, and the ca', 'hat their sailing-ship reaches savannah the mail-boat will have carried this letter, and the cable w', 'heir sailing-ship reaches savannah the mail-boat will have carried this letter, and the cable will h', 'sailing-ship reaches savannah the mail-boat will have carried this letter, and the cable will have i', 'ng-ship reaches savannah the mail-boat will have carried this letter, and the cable will have inform', 'ip reaches savannah the mail-boat will have carried this letter, and the cable will have informed th', 'aches savannah the mail-boat will have carried this letter, and the cable will have informed the pol', ' savannah the mail-boat will have carried this letter, and the cable will have informed the police o', 'nnah the mail-boat will have carried this letter, and the cable will have informed the police of sav', 'the mail-boat will have carried this letter, and the cable will have informed the police of savannah', 'ail-boat will have carried this letter, and the cable will have informed the police of savannah that', 'oat will have carried this letter, and the cable will have informed the police of savannah that thes', 'ill have carried this letter, and the cable will have informed the police of savannah that these thr', 'ave carried this letter, and the cable will have informed the police of savannah that these three ge', 'arried this letter, and the cable will have informed the police of savannah that these three gentlem', 'd this letter, and the cable will have informed the police of savannah that these three gentlemen ar', 's letter, and the cable will have informed the police of savannah that these three gentlemen are bad', 'ter, and the cable will have informed the police of savannah that these three gentlemen are badly wa', 'and the cable will have informed the police of savannah that these three gentlemen are badly wanted ', 'he cable will have informed the police of savannah that these three gentlemen are badly wanted here ', 'ble will have informed the police of savannah that these three gentlemen are badly wanted here upon ', 'ill have informed the police of savannah that these three gentlemen are badly wanted here upon a cha', 'ave informed the police of savannah that these three gentlemen are badly wanted here upon a charge o', 'nformed the police of savannah that these three gentlemen are badly wanted here upon a charge of mur', 'ed the police of savannah that these three gentlemen are badly wanted here upon a charge of murder."', 'e police of savannah that these three gentlemen are badly wanted here upon a charge of murder." ther', 'ice of savannah that these three gentlemen are badly wanted here upon a charge of murder." there is ', 'f savannah that these three gentlemen are badly wanted here upon a charge of murder." there is ever ', 'annah that these three gentlemen are badly wanted here upon a charge of murder." there is ever a fla', ' that these three gentlemen are badly wanted here upon a charge of murder." there is ever a flaw, ho', ' these three gentlemen are badly wanted here upon a charge of murder." there is ever a flaw, however', 'e three gentlemen are badly wanted here upon a charge of murder." there is ever a flaw, however, in ', 'ee gentlemen are badly wanted here upon a charge of murder." there is ever a flaw, however, in the b', 'ntlemen are badly wanted here upon a charge of murder." there is ever a flaw, however, in the best l', 'en are badly wanted here upon a charge of murder." there is ever a flaw, however, in the best laid o', 'e badly wanted here upon a charge of murder." there is ever a flaw, however, in the best laid of hum', 'ly wanted here upon a charge of murder." there is ever a flaw, however, in the best laid of human pl', 'nted here upon a charge of murder." there is ever a flaw, however, in the best laid of human plans, ', 'here upon a charge of murder." there is ever a flaw, however, in the best laid of human plans, and t', 'upon a charge of murder." there is ever a flaw, however, in the best laid of human plans, and the mu', 'a charge of murder." there is ever a flaw, however, in the best laid of human plans, and the murdere', 'rge of murder." there is ever a flaw, however, in the best laid of human plans, and the murderers of', 'f murder." there is ever a flaw, however, in the best laid of human plans, and the murderers of john', 'der." there is ever a flaw, however, in the best laid of human plans, and the murderers of john open', ' there is ever a flaw, however, in the best laid of human plans, and the murderers of john openshaw ', 'e is ever a flaw, however, in the best laid of human plans, and the murderers of john openshaw were ', 'ever a flaw, however, in the best laid of human plans, and the murderers of john openshaw were never', 'a flaw, however, in the best laid of human plans, and the murderers of john openshaw were never to r', 'w, however, in the best laid of human plans, and the murderers of john openshaw were never to receiv', 'wever, in the best laid of human plans, and the murderers of john openshaw were never to receive the', ', in the best laid of human plans, and the murderers of john openshaw were never to receive the oran', 'the best laid of human plans, and the murderers of john openshaw were never to receive the orange pi', 'est laid of human plans, and the murderers of john openshaw were never to receive the orange pips wh', 'aid of human plans, and the murderers of john openshaw were never to receive the orange pips which w', 'f human plans, and the murderers of john openshaw were never to receive the orange pips which would ', 'an plans, and the murderers of john openshaw were never to receive the orange pips which would show ', 'ans, and the murderers of john openshaw were never to receive the orange pips which would show them ', 'and the murderers of john openshaw were never to receive the orange pips which would show them that ', 'he murderers of john openshaw were never to receive the orange pips which would show them that anoth', 'rderers of john openshaw were never to receive the orange pips which would show them that another, a', 'rs of john openshaw were never to receive the orange pips which would show them that another, as cun', ' john openshaw were never to receive the orange pips which would show them that another, as cunning ', ' openshaw were never to receive the orange pips which would show them that another, as cunning and a', 'shaw were never to receive the orange pips which would show them that another, as cunning and as res', 'were never to receive the orange pips which would show them that another, as cunning and as resolute', 'never to receive the orange pips which would show them that another, as cunning and as resolute as t', ' to receive the orange pips which would show them that another, as cunning and as resolute as themse', 'eceive the orange pips which would show them that another, as cunning and as resolute as themselves,', 'e the orange pips which would show them that another, as cunning and as resolute as themselves, was ', ' orange pips which would show them that another, as cunning and as resolute as themselves, was upon ', 'ge pips which would show them that another, as cunning and as resolute as themselves, was upon their', 'ps which would show them that another, as cunning and as resolute as themselves, was upon their trac', 'ich would show them that another, as cunning and as resolute as themselves, was upon their track. ve', 'ould show them that another, as cunning and as resolute as themselves, was upon their track. very lo', 'show them that another, as cunning and as resolute as themselves, was upon their track. very long an', 'them that another, as cunning and as resolute as themselves, was upon their track. very long and ver', 'that another, as cunning and as resolute as themselves, was upon their track. very long and very sev', 'another, as cunning and as resolute as themselves, was upon their track. very long and very severe w', 'er, as cunning and as resolute as themselves, was upon their track. very long and very severe were t', 's cunning and as resolute as themselves, was upon their track. very long and very severe were the eq', 'ning and as resolute as themselves, was upon their track. very long and very severe were the equinoc', 'and as resolute as themselves, was upon their track. very long and very severe were the equinoctial ', 's resolute as themselves, was upon their track. very long and very severe were the equinoctial gales', 'olute as themselves, was upon their track. very long and very severe were the equinoctial gales that', ' as themselves, was upon their track. very long and very severe were the equinoctial gales that year', 'hemselves, was upon their track. very long and very severe were the equinoctial gales that year. we ', 'lves, was upon their track. very long and very severe were the equinoctial gales that year. we waite', ' was upon their track. very long and very severe were the equinoctial gales that year. we waited lon', 'upon their track. very long and very severe were the equinoctial gales that year. we waited long for', 'their track. very long and very severe were the equinoctial gales that year. we waited long for news', ' track. very long and very severe were the equinoctial gales that year. we waited long for news of t', 'k. very long and very severe were the equinoctial gales that year. we waited long for news of the "l', 'ry long and very severe were the equinoctial gales that year. we waited long for news of the "lone s', 'ng and very severe were the equinoctial gales that year. we waited long for news of the "lone star" ', 'd very severe were the equinoctial gales that year. we waited long for news of the "lone star" of sa', 'y severe were the equinoctial gales that year. we waited long for news of the "lone star" of savanna', 'ere were the equinoctial gales that year. we waited long for news of the "lone star" of savannah, bu', 'ere the equinoctial gales that year. we waited long for news of the "lone star" of savannah, but non', 'he equinoctial gales that year. we waited long for news of the "lone star" of savannah, but none eve', 'uinoctial gales that year. we waited long for news of the "lone star" of savannah, but none ever rea', 'tial gales that year. we waited long for news of the "lone star" of savannah, but none ever reached ', 'gales that year. we waited long for news of the "lone star" of savannah, but none ever reached us. w', ' that year. we waited long for news of the "lone star" of savannah, but none ever reached us. we did', ' year. we waited long for news of the "lone star" of savannah, but none ever reached us. we did at l', '. we waited long for news of the "lone star" of savannah, but none ever reached us. we did at last h', 'waited long for news of the "lone star" of savannah, but none ever reached us. we did at last hear t', 'd long for news of the "lone star" of savannah, but none ever reached us. we did at last hear that s', 'g for news of the "lone star" of savannah, but none ever reached us. we did at last hear that somewh', ' news of the "lone star" of savannah, but none ever reached us. we did at last hear that somewhere f', ' of the "lone star" of savannah, but none ever reached us. we did at last hear that somewhere far ou', 'he "lone star" of savannah, but none ever reached us. we did at last hear that somewhere far out in ', 'one star" of savannah, but none ever reached us. we did at last hear that somewhere far out in the a', 'tar" of savannah, but none ever reached us. we did at last hear that somewhere far out in the atlant', 'of savannah, but none ever reached us. we did at last hear that somewhere far out in the atlantic a ', 'vannah, but none ever reached us. we did at last hear that somewhere far out in the atlantic a shatt', 'h, but none ever reached us. we did at last hear that somewhere far out in the atlantic a shattered ', 't none ever reached us. we did at last hear that somewhere far out in the atlantic a shattered stern', 'e ever reached us. we did at last hear that somewhere far out in the atlantic a shattered stern-post', 'r reached us. we did at last hear that somewhere far out in the atlantic a shattered stern-post of a', 'ched us. we did at last hear that somewhere far out in the atlantic a shattered stern-post of a boat', 'us. we did at last hear that somewhere far out in the atlantic a shattered stern-post of a boat was ', 'e did at last hear that somewhere far out in the atlantic a shattered stern-post of a boat was seen ', ' at last hear that somewhere far out in the atlantic a shattered stern-post of a boat was seen swing', 'ast hear that somewhere far out in the atlantic a shattered stern-post of a boat was seen swinging i', 'ear that somewhere far out in the atlantic a shattered stern-post of a boat was seen swinging in the', 'hat somewhere far out in the atlantic a shattered stern-post of a boat was seen swinging in the trou', 'omewhere far out in the atlantic a shattered stern-post of a boat was seen swinging in the trough of', 'ere far out in the atlantic a shattered stern-post of a boat was seen swinging in the trough of a wa', 'ar out in the atlantic a shattered stern-post of a boat was seen swinging in the trough of a wave, w', 't in the atlantic a shattered stern-post of a boat was seen swinging in the trough of a wave, with t', 'the atlantic a shattered stern-post of a boat was seen swinging in the trough of a wave, with the le', 'tlantic a shattered stern-post of a boat was seen swinging in the trough of a wave, with the letters', 'ic a shattered stern-post of a boat was seen swinging in the trough of a wave, with the letters "l. ', 'shattered stern-post of a boat was seen swinging in the trough of a wave, with the letters "l. s." c', 'ered stern-post of a boat was seen swinging in the trough of a wave, with the letters "l. s." carved', 'stern-post of a boat was seen swinging in the trough of a wave, with the letters "l. s." carved upon', '-post of a boat was seen swinging in the trough of a wave, with the letters "l. s." carved upon it, ', ' of a boat was seen swinging in the trough of a wave, with the letters "l. s." carved upon it, and t', ' boat was seen swinging in the trough of a wave, with the letters "l. s." carved upon it, and that i', ' was seen swinging in the trough of a wave, with the letters "l. s." carved upon it, and that is all', 'seen swinging in the trough of a wave, with the letters "l. s." carved upon it, and that is all whic', 'swinging in the trough of a wave, with the letters "l. s." carved upon it, and that is all which we ', 'ing in the trough of a wave, with the letters "l. s." carved upon it, and that is all which we shall', 'n the trough of a wave, with the letters "l. s." carved upon it, and that is all which we shall ever', ' trough of a wave, with the letters "l. s." carved upon it, and that is all which we shall ever know', 'gh of a wave, with the letters "l. s." carved upon it, and that is all which we shall ever know of t', ' a wave, with the letters "l. s." carved upon it, and that is all which we shall ever know of the fa', 've, with the letters "l. s." carved upon it, and that is all which we shall ever know of the fate of', 'ith the letters "l. s." carved upon it, and that is all which we shall ever know of the fate of the ', 'he letters "l. s." carved upon it, and that is all which we shall ever know of the fate of the "lone', 'tters "l. s." carved upon it, and that is all which we shall ever know of the fate of the "lone star', ' "l. s." carved upon it, and that is all which we shall ever know of the fate of the "lone star." a', 's." carved upon it, and that is all which we shall ever know of the fate of the "lone star." advent', 'arved upon it, and that is all which we shall ever know of the fate of the "lone star." adventure v', ' upon it, and that is all which we shall ever know of the fate of the "lone star." adventure vi. th', ' it, and that is all which we shall ever know of the fate of the "lone star." adventure vi. the man', 'and that is all which we shall ever know of the fate of the "lone star." adventure vi. the man with', 'hat is all which we shall ever know of the fate of the "lone star." adventure vi. the man with the ', 's all which we shall ever know of the fate of the "lone star." adventure vi. the man with the twist', ' which we shall ever know of the fate of the "lone star." adventure vi. the man with the twisted li', 'h we shall ever know of the fate of the "lone star." adventure vi. the man with the twisted lip isa', 'shall ever know of the fate of the "lone star." adventure vi. the man with the twisted lip isa whit', ' ever know of the fate of the "lone star." adventure vi. the man with the twisted lip isa whitney, ', ' know of the fate of the "lone star." adventure vi. the man with the twisted lip isa whitney, broth', ' of the fate of the "lone star." adventure vi. the man with the twisted lip isa whitney, brother of', 'he fate of the "lone star." adventure vi. the man with the twisted lip isa whitney, brother of the ', 'te of the "lone star." adventure vi. the man with the twisted lip isa whitney, brother of the late ', ' the "lone star." adventure vi. the man with the twisted lip isa whitney, brother of the late elias', '"lone star." adventure vi. the man with the twisted lip isa whitney, brother of the late elias whit', ' star." adventure vi. the man with the twisted lip isa whitney, brother of the late elias whitney, ', '." adventure vi. the man with the twisted lip isa whitney, brother of the late elias whitney, d.d.,', 'dventure vi. the man with the twisted lip isa whitney, brother of the late elias whitney, d.d., prin', 'ure vi. the man with the twisted lip isa whitney, brother of the late elias whitney, d.d., principal', 'i. the man with the twisted lip isa whitney, brother of the late elias whitney, d.d., principal of t', 'e man with the twisted lip isa whitney, brother of the late elias whitney, d.d., principal of the th', ' with the twisted lip isa whitney, brother of the late elias whitney, d.d., principal of the theolog', ' the twisted lip isa whitney, brother of the late elias whitney, d.d., principal of the theological ', 'twisted lip isa whitney, brother of the late elias whitney, d.d., principal of the theological colle', 'ed lip isa whitney, brother of the late elias whitney, d.d., principal of the theological college of', 'p isa whitney, brother of the late elias whitney, d.d., principal of the theological college of st. ', ' whitney, brother of the late elias whitney, d.d., principal of the theological college of st. georg', "ney, brother of the late elias whitney, d.d., principal of the theological college of st. george's, ", "brother of the late elias whitney, d.d., principal of the theological college of st. george's, was m", "er of the late elias whitney, d.d., principal of the theological college of st. george's, was much a", " the late elias whitney, d.d., principal of the theological college of st. george's, was much addict", "late elias whitney, d.d., principal of the theological college of st. george's, was much addicted to", "elias whitney, d.d., principal of the theological college of st. george's, was much addicted to opiu", " whitney, d.d., principal of the theological college of st. george's, was much addicted to opium. th", "ney, d.d., principal of the theological college of st. george's, was much addicted to opium. the hab", "d.d., principal of the theological college of st. george's, was much addicted to opium. the habit gr", " principal of the theological college of st. george's, was much addicted to opium. the habit grew up", "cipal of the theological college of st. george's, was much addicted to opium. the habit grew upon hi", " of the theological college of st. george's, was much addicted to opium. the habit grew upon him, as", "he theological college of st. george's, was much addicted to opium. the habit grew upon him, as i un", "eological college of st. george's, was much addicted to opium. the habit grew upon him, as i underst", "ical college of st. george's, was much addicted to opium. the habit grew upon him, as i understand, ", "college of st. george's, was much addicted to opium. the habit grew upon him, as i understand, from ", "ge of st. george's, was much addicted to opium. the habit grew upon him, as i understand, from some ", " st. george's, was much addicted to opium. the habit grew upon him, as i understand, from some fooli", "george's, was much addicted to opium. the habit grew upon him, as i understand, from some foolish fr", "e's, was much addicted to opium. the habit grew upon him, as i understand, from some foolish freak w", 'was much addicted to opium. the habit grew upon him, as i understand, from some foolish freak when h', 'uch addicted to opium. the habit grew upon him, as i understand, from some foolish freak when he was', 'ddicted to opium. the habit grew upon him, as i understand, from some foolish freak when he was at c', 'ed to opium. the habit grew upon him, as i understand, from some foolish freak when he was at colleg', ' opium. the habit grew upon him, as i understand, from some foolish freak when he was at college; fo', 'm. the habit grew upon him, as i understand, from some foolish freak when he was at college; for hav', 'e habit grew upon him, as i understand, from some foolish freak when he was at college; for having r', 'it grew upon him, as i understand, from some foolish freak when he was at college; for having read d', 'ew upon him, as i understand, from some foolish freak when he was at college; for having read de qui', "on him, as i understand, from some foolish freak when he was at college; for having read de quincey'", "m, as i understand, from some foolish freak when he was at college; for having read de quincey's des", " i understand, from some foolish freak when he was at college; for having read de quincey's descript", "derstand, from some foolish freak when he was at college; for having read de quincey's description o", "and, from some foolish freak when he was at college; for having read de quincey's description of his", "from some foolish freak when he was at college; for having read de quincey's description of his drea", "some foolish freak when he was at college; for having read de quincey's description of his dreams an", "foolish freak when he was at college; for having read de quincey's description of his dreams and sen", "sh freak when he was at college; for having read de quincey's description of his dreams and sensatio", "eak when he was at college; for having read de quincey's description of his dreams and sensations, h", "hen he was at college; for having read de quincey's description of his dreams and sensations, he had", "e was at college; for having read de quincey's description of his dreams and sensations, he had dren", " at college; for having read de quincey's description of his dreams and sensations, he had drenched ", "ollege; for having read de quincey's description of his dreams and sensations, he had drenched his t", "e; for having read de quincey's description of his dreams and sensations, he had drenched his tobacc", "r having read de quincey's description of his dreams and sensations, he had drenched his tobacco wit", "ing read de quincey's description of his dreams and sensations, he had drenched his tobacco with lau", "ead de quincey's description of his dreams and sensations, he had drenched his tobacco with laudanum", "e quincey's description of his dreams and sensations, he had drenched his tobacco with laudanum in a", "ncey's description of his dreams and sensations, he had drenched his tobacco with laudanum in an att", 's description of his dreams and sensations, he had drenched his tobacco with laudanum in an attempt ', 'cription of his dreams and sensations, he had drenched his tobacco with laudanum in an attempt to pr', 'ion of his dreams and sensations, he had drenched his tobacco with laudanum in an attempt to produce', 'f his dreams and sensations, he had drenched his tobacco with laudanum in an attempt to produce the ', ' dreams and sensations, he had drenched his tobacco with laudanum in an attempt to produce the same ', 'ms and sensations, he had drenched his tobacco with laudanum in an attempt to produce the same effec', 'd sensations, he had drenched his tobacco with laudanum in an attempt to produce the same effects. h', 'sations, he had drenched his tobacco with laudanum in an attempt to produce the same effects. he fou', 'ns, he had drenched his tobacco with laudanum in an attempt to produce the same effects. he found, a', 'e had drenched his tobacco with laudanum in an attempt to produce the same effects. he found, as so ', ' drenched his tobacco with laudanum in an attempt to produce the same effects. he found, as so many ', 'ched his tobacco with laudanum in an attempt to produce the same effects. he found, as so many more ', 'his tobacco with laudanum in an attempt to produce the same effects. he found, as so many more have ', 'obacco with laudanum in an attempt to produce the same effects. he found, as so many more have done,', 'o with laudanum in an attempt to produce the same effects. he found, as so many more have done, that', 'h laudanum in an attempt to produce the same effects. he found, as so many more have done, that the ', 'danum in an attempt to produce the same effects. he found, as so many more have done, that the pract', ' in an attempt to produce the same effects. he found, as so many more have done, that the practice i', 'n attempt to produce the same effects. he found, as so many more have done, that the practice is eas', 'empt to produce the same effects. he found, as so many more have done, that the practice is easier t', 'to produce the same effects. he found, as so many more have done, that the practice is easier to att', 'oduce the same effects. he found, as so many more have done, that the practice is easier to attain t', ' the same effects. he found, as so many more have done, that the practice is easier to attain than t', 'same effects. he found, as so many more have done, that the practice is easier to attain than to get', 'effects. he found, as so many more have done, that the practice is easier to attain than to get rid ', 'ts. he found, as so many more have done, that the practice is easier to attain than to get rid of, a', 'e found, as so many more have done, that the practice is easier to attain than to get rid of, and fo', 'nd, as so many more have done, that the practice is easier to attain than to get rid of, and for man', 's so many more have done, that the practice is easier to attain than to get rid of, and for many yea', 'many more have done, that the practice is easier to attain than to get rid of, and for many years he', 'more have done, that the practice is easier to attain than to get rid of, and for many years he cont', 'have done, that the practice is easier to attain than to get rid of, and for many years he continued', 'done, that the practice is easier to attain than to get rid of, and for many years he continued to b', ' that the practice is easier to attain than to get rid of, and for many years he continued to be a s', ' the practice is easier to attain than to get rid of, and for many years he continued to be a slave ', 'practice is easier to attain than to get rid of, and for many years he continued to be a slave to th', 'ice is easier to attain than to get rid of, and for many years he continued to be a slave to the dru', 's easier to attain than to get rid of, and for many years he continued to be a slave to the drug, an', 'ier to attain than to get rid of, and for many years he continued to be a slave to the drug, an obje', 'o attain than to get rid of, and for many years he continued to be a slave to the drug, an object of', 'ain than to get rid of, and for many years he continued to be a slave to the drug, an object of ming', 'han to get rid of, and for many years he continued to be a slave to the drug, an object of mingled h', 'o get rid of, and for many years he continued to be a slave to the drug, an object of mingled horror', ' rid of, and for many years he continued to be a slave to the drug, an object of mingled horror and ', 'of, and for many years he continued to be a slave to the drug, an object of mingled horror and pity ', 'nd for many years he continued to be a slave to the drug, an object of mingled horror and pity to hi', 'r many years he continued to be a slave to the drug, an object of mingled horror and pity to his fri', 'y years he continued to be a slave to the drug, an object of mingled horror and pity to his friends ', 'rs he continued to be a slave to the drug, an object of mingled horror and pity to his friends and r', ' continued to be a slave to the drug, an object of mingled horror and pity to his friends and relati', 'inued to be a slave to the drug, an object of mingled horror and pity to his friends and relatives. ', ' to be a slave to the drug, an object of mingled horror and pity to his friends and relatives. i can', 'e a slave to the drug, an object of mingled horror and pity to his friends and relatives. i can see ', 'lave to the drug, an object of mingled horror and pity to his friends and relatives. i can see him n', 'to the drug, an object of mingled horror and pity to his friends and relatives. i can see him now, w', 'e drug, an object of mingled horror and pity to his friends and relatives. i can see him now, with y', 'g, an object of mingled horror and pity to his friends and relatives. i can see him now, with yellow', ' object of mingled horror and pity to his friends and relatives. i can see him now, with yellow, pas', 'ct of mingled horror and pity to his friends and relatives. i can see him now, with yellow, pasty fa', ' mingled horror and pity to his friends and relatives. i can see him now, with yellow, pasty face, d', 'led horror and pity to his friends and relatives. i can see him now, with yellow, pasty face, droopi', 'orror and pity to his friends and relatives. i can see him now, with yellow, pasty face, drooping li', ' and pity to his friends and relatives. i can see him now, with yellow, pasty face, drooping lids, a', 'pity to his friends and relatives. i can see him now, with yellow, pasty face, drooping lids, and pi', 'to his friends and relatives. i can see him now, with yellow, pasty face, drooping lids, and pin-poi', 's friends and relatives. i can see him now, with yellow, pasty face, drooping lids, and pin-point pu', 'ends and relatives. i can see him now, with yellow, pasty face, drooping lids, and pin-point pupils,', 'and relatives. i can see him now, with yellow, pasty face, drooping lids, and pin-point pupils, all ', 'elatives. i can see him now, with yellow, pasty face, drooping lids, and pin-point pupils, all huddl', 'ves. i can see him now, with yellow, pasty face, drooping lids, and pin-point pupils, all huddled in', 'i can see him now, with yellow, pasty face, drooping lids, and pin-point pupils, all huddled in a ch', ' see him now, with yellow, pasty face, drooping lids, and pin-point pupils, all huddled in a chair, ', 'him now, with yellow, pasty face, drooping lids, and pin-point pupils, all huddled in a chair, the w', 'ow, with yellow, pasty face, drooping lids, and pin-point pupils, all huddled in a chair, the wreck ', 'ith yellow, pasty face, drooping lids, and pin-point pupils, all huddled in a chair, the wreck and r', 'ellow, pasty face, drooping lids, and pin-point pupils, all huddled in a chair, the wreck and ruin o', ', pasty face, drooping lids, and pin-point pupils, all huddled in a chair, the wreck and ruin of a n', 'ty face, drooping lids, and pin-point pupils, all huddled in a chair, the wreck and ruin of a noble ', 'ce, drooping lids, and pin-point pupils, all huddled in a chair, the wreck and ruin of a noble man. ', 'rooping lids, and pin-point pupils, all huddled in a chair, the wreck and ruin of a noble man. one n', 'ng lids, and pin-point pupils, all huddled in a chair, the wreck and ruin of a noble man. one nighti', 'ds, and pin-point pupils, all huddled in a chair, the wreck and ruin of a noble man. one nightit was', 'nd pin-point pupils, all huddled in a chair, the wreck and ruin of a noble man. one nightit was in j', 'n-point pupils, all huddled in a chair, the wreck and ruin of a noble man. one nightit was in june, ', "nt pupils, all huddled in a chair, the wreck and ruin of a noble man. one nightit was in june, ' the", "pils, all huddled in a chair, the wreck and ruin of a noble man. one nightit was in june, ' there ca", " all huddled in a chair, the wreck and ruin of a noble man. one nightit was in june, ' there came a ", "huddled in a chair, the wreck and ruin of a noble man. one nightit was in june, ' there came a ring ", "ed in a chair, the wreck and ruin of a noble man. one nightit was in june, ' there came a ring to my", " a chair, the wreck and ruin of a noble man. one nightit was in june, ' there came a ring to my bell", "air, the wreck and ruin of a noble man. one nightit was in june, ' there came a ring to my bell, abo", "the wreck and ruin of a noble man. one nightit was in june, ' there came a ring to my bell, about th", "reck and ruin of a noble man. one nightit was in june, ' there came a ring to my bell, about the hou", "and ruin of a noble man. one nightit was in june, ' there came a ring to my bell, about the hour whe", "uin of a noble man. one nightit was in june, ' there came a ring to my bell, about the hour when a m", "f a noble man. one nightit was in june, ' there came a ring to my bell, about the hour when a man gi", "oble man. one nightit was in june, ' there came a ring to my bell, about the hour when a man gives h", "man. one nightit was in june, ' there came a ring to my bell, about the hour when a man gives his fi", "one nightit was in june, ' there came a ring to my bell, about the hour when a man gives his first y", "ightit was in june, ' there came a ring to my bell, about the hour when a man gives his first yawn a", "t was in june, ' there came a ring to my bell, about the hour when a man gives his first yawn and gl", " in june, ' there came a ring to my bell, about the hour when a man gives his first yawn and glances", "une, ' there came a ring to my bell, about the hour when a man gives his first yawn and glances at t", "' there came a ring to my bell, about the hour when a man gives his first yawn and glances at the cl", 're came a ring to my bell, about the hour when a man gives his first yawn and glances at the clock. ', 'me a ring to my bell, about the hour when a man gives his first yawn and glances at the clock. i sat', 'ring to my bell, about the hour when a man gives his first yawn and glances at the clock. i sat up i', 'to my bell, about the hour when a man gives his first yawn and glances at the clock. i sat up in my ', ' bell, about the hour when a man gives his first yawn and glances at the clock. i sat up in my chair', ', about the hour when a man gives his first yawn and glances at the clock. i sat up in my chair, and', 'ut the hour when a man gives his first yawn and glances at the clock. i sat up in my chair, and my w', 'e hour when a man gives his first yawn and glances at the clock. i sat up in my chair, and my wife l', 'r when a man gives his first yawn and glances at the clock. i sat up in my chair, and my wife laid h', 'n a man gives his first yawn and glances at the clock. i sat up in my chair, and my wife laid her ne', 'an gives his first yawn and glances at the clock. i sat up in my chair, and my wife laid her needle-', 'ves his first yawn and glances at the clock. i sat up in my chair, and my wife laid her needle-work ', 'is first yawn and glances at the clock. i sat up in my chair, and my wife laid her needle-work down ', 'rst yawn and glances at the clock. i sat up in my chair, and my wife laid her needle-work down in he', 'awn and glances at the clock. i sat up in my chair, and my wife laid her needle-work down in her lap', 'nd glances at the clock. i sat up in my chair, and my wife laid her needle-work down in her lap and ', 'ances at the clock. i sat up in my chair, and my wife laid her needle-work down in her lap and made ', ' at the clock. i sat up in my chair, and my wife laid her needle-work down in her lap and made a lit', 'he clock. i sat up in my chair, and my wife laid her needle-work down in her lap and made a little f', 'ock. i sat up in my chair, and my wife laid her needle-work down in her lap and made a little face o', 'i sat up in my chair, and my wife laid her needle-work down in her lap and made a little face of dis', ' up in my chair, and my wife laid her needle-work down in her lap and made a little face of disappoi', 'n my chair, and my wife laid her needle-work down in her lap and made a little face of disappointmen', 'chair, and my wife laid her needle-work down in her lap and made a little face of disappointment. "a', ', and my wife laid her needle-work down in her lap and made a little face of disappointment. "a pati', ' my wife laid her needle-work down in her lap and made a little face of disappointment. "a patient s', 'ife laid her needle-work down in her lap and made a little face of disappointment. "a patient said s', 'aid her needle-work down in her lap and made a little face of disappointment. "a patient said she. "', 'er needle-work down in her lap and made a little face of disappointment. "a patient said she. "you\'l', 'edle-work down in her lap and made a little face of disappointment. "a patient said she. "you\'ll hav', 'work down in her lap and made a little face of disappointment. "a patient said she. "you\'ll have to ', 'down in her lap and made a little face of disappointment. "a patient said she. "you\'ll have to go ou', 'in her lap and made a little face of disappointment. "a patient said she. "you\'ll have to go out." i', 'r lap and made a little face of disappointment. "a patient said she. "you\'ll have to go out." i groa', ' and made a little face of disappointment. "a patient said she. "you\'ll have to go out." i groaned, ', 'made a little face of disappointment. "a patient said she. "you\'ll have to go out." i groaned, for i', 'a little face of disappointment. "a patient said she. "you\'ll have to go out." i groaned, for i was ', 'tle face of disappointment. "a patient said she. "you\'ll have to go out." i groaned, for i was newly', 'ace of disappointment. "a patient said she. "you\'ll have to go out." i groaned, for i was newly come', 'f disappointment. "a patient said she. "you\'ll have to go out." i groaned, for i was newly come back', 'appointment. "a patient said she. "you\'ll have to go out." i groaned, for i was newly come back from', 'ntment. "a patient said she. "you\'ll have to go out." i groaned, for i was newly come back from a we', 't. "a patient said she. "you\'ll have to go out." i groaned, for i was newly come back from a weary d', ' patient said she. "you\'ll have to go out." i groaned, for i was newly come back from a weary day. w', 'ent said she. "you\'ll have to go out." i groaned, for i was newly come back from a weary day. we hea', 'aid she. "you\'ll have to go out." i groaned, for i was newly come back from a weary day. we heard th', 'he. "you\'ll have to go out." i groaned, for i was newly come back from a weary day. we heard the doo', 'you\'ll have to go out." i groaned, for i was newly come back from a weary day. we heard the door ope', 'l have to go out." i groaned, for i was newly come back from a weary day. we heard the door open, a ', 'e to go out." i groaned, for i was newly come back from a weary day. we heard the door open, a few h', 'go out." i groaned, for i was newly come back from a weary day. we heard the door open, a few hurrie', 't." i groaned, for i was newly come back from a weary day. we heard the door open, a few hurried wor', ' groaned, for i was newly come back from a weary day. we heard the door open, a few hurried words, a', 'ned, for i was newly come back from a weary day. we heard the door open, a few hurried words, and th', 'for i was newly come back from a weary day. we heard the door open, a few hurried words, and then qu', ' was newly come back from a weary day. we heard the door open, a few hurried words, and then quick s', 'newly come back from a weary day. we heard the door open, a few hurried words, and then quick steps ', ' come back from a weary day. we heard the door open, a few hurried words, and then quick steps upon ', ' back from a weary day. we heard the door open, a few hurried words, and then quick steps upon the l', ' from a weary day. we heard the door open, a few hurried words, and then quick steps upon the linole', ' a weary day. we heard the door open, a few hurried words, and then quick steps upon the linoleum. o', 'ary day. we heard the door open, a few hurried words, and then quick steps upon the linoleum. our ow', 'ay. we heard the door open, a few hurried words, and then quick steps upon the linoleum. our own doo', 'e heard the door open, a few hurried words, and then quick steps upon the linoleum. our own door fle', 'rd the door open, a few hurried words, and then quick steps upon the linoleum. our own door flew ope', 'e door open, a few hurried words, and then quick steps upon the linoleum. our own door flew open, an', 'r open, a few hurried words, and then quick steps upon the linoleum. our own door flew open, and a l', 'n, a few hurried words, and then quick steps upon the linoleum. our own door flew open, and a lady, ', 'few hurried words, and then quick steps upon the linoleum. our own door flew open, and a lady, clad ', 'urried words, and then quick steps upon the linoleum. our own door flew open, and a lady, clad in so', 'd words, and then quick steps upon the linoleum. our own door flew open, and a lady, clad in some da', 'ds, and then quick steps upon the linoleum. our own door flew open, and a lady, clad in some dark-co', 'nd then quick steps upon the linoleum. our own door flew open, and a lady, clad in some dark-coloure', 'en quick steps upon the linoleum. our own door flew open, and a lady, clad in some dark-coloured stu', 'ick steps upon the linoleum. our own door flew open, and a lady, clad in some dark-coloured stuff, w', 'teps upon the linoleum. our own door flew open, and a lady, clad in some dark-coloured stuff, with a', 'upon the linoleum. our own door flew open, and a lady, clad in some dark-coloured stuff, with a blac', 'the linoleum. our own door flew open, and a lady, clad in some dark-coloured stuff, with a black vei', 'inoleum. our own door flew open, and a lady, clad in some dark-coloured stuff, with a black veil, en', 'um. our own door flew open, and a lady, clad in some dark-coloured stuff, with a black veil, entered', 'ur own door flew open, and a lady, clad in some dark-coloured stuff, with a black veil, entered the ', 'n door flew open, and a lady, clad in some dark-coloured stuff, with a black veil, entered the room.', 'r flew open, and a lady, clad in some dark-coloured stuff, with a black veil, entered the room. "you', 'w open, and a lady, clad in some dark-coloured stuff, with a black veil, entered the room. "you will', 'n, and a lady, clad in some dark-coloured stuff, with a black veil, entered the room. "you will excu', 'd a lady, clad in some dark-coloured stuff, with a black veil, entered the room. "you will excuse my', 'ady, clad in some dark-coloured stuff, with a black veil, entered the room. "you will excuse my call', 'clad in some dark-coloured stuff, with a black veil, entered the room. "you will excuse my calling s', 'in some dark-coloured stuff, with a black veil, entered the room. "you will excuse my calling so lat', 'me dark-coloured stuff, with a black veil, entered the room. "you will excuse my calling so late," s', 'rk-coloured stuff, with a black veil, entered the room. "you will excuse my calling so late," she be', 'loured stuff, with a black veil, entered the room. "you will excuse my calling so late," she began, ', 'd stuff, with a black veil, entered the room. "you will excuse my calling so late," she began, and t', 'ff, with a black veil, entered the room. "you will excuse my calling so late," she began, and then, ', 'ith a black veil, entered the room. "you will excuse my calling so late," she began, and then, sudde', ' black veil, entered the room. "you will excuse my calling so late," she began, and then, suddenly l', 'k veil, entered the room. "you will excuse my calling so late," she began, and then, suddenly losing', 'l, entered the room. "you will excuse my calling so late," she began, and then, suddenly losing her ', 'tered the room. "you will excuse my calling so late," she began, and then, suddenly losing her self-', ' the room. "you will excuse my calling so late," she began, and then, suddenly losing her self-contr', 'room. "you will excuse my calling so late," she began, and then, suddenly losing her self-control, s', ' "you will excuse my calling so late," she began, and then, suddenly losing her self-control, she ra', ' will excuse my calling so late," she began, and then, suddenly losing her self-control, she ran for', ' excuse my calling so late," she began, and then, suddenly losing her self-control, she ran forward,', 'se my calling so late," she began, and then, suddenly losing her self-control, she ran forward, thre', ' calling so late," she began, and then, suddenly losing her self-control, she ran forward, threw her', 'ing so late," she began, and then, suddenly losing her self-control, she ran forward, threw her arms', 'o late," she began, and then, suddenly losing her self-control, she ran forward, threw her arms abou', 'e," she began, and then, suddenly losing her self-control, she ran forward, threw her arms about my ', "he began, and then, suddenly losing her self-control, she ran forward, threw her arms about my wife'", "gan, and then, suddenly losing her self-control, she ran forward, threw her arms about my wife's nec", "and then, suddenly losing her self-control, she ran forward, threw her arms about my wife's neck, an", "hen, suddenly losing her self-control, she ran forward, threw her arms about my wife's neck, and sob", "suddenly losing her self-control, she ran forward, threw her arms about my wife's neck, and sobbed u", "nly losing her self-control, she ran forward, threw her arms about my wife's neck, and sobbed upon h", "osing her self-control, she ran forward, threw her arms about my wife's neck, and sobbed upon her sh", " her self-control, she ran forward, threw her arms about my wife's neck, and sobbed upon her shoulde", 'self-control, she ran forward, threw her arms about my wife\'s neck, and sobbed upon her shoulder. "o', 'control, she ran forward, threw her arms about my wife\'s neck, and sobbed upon her shoulder. "oh, i\'', 'ol, she ran forward, threw her arms about my wife\'s neck, and sobbed upon her shoulder. "oh, i\'m in ', 'he ran forward, threw her arms about my wife\'s neck, and sobbed upon her shoulder. "oh, i\'m in such ', 'n forward, threw her arms about my wife\'s neck, and sobbed upon her shoulder. "oh, i\'m in such troub', 'ward, threw her arms about my wife\'s neck, and sobbed upon her shoulder. "oh, i\'m in such trouble sh', ' threw her arms about my wife\'s neck, and sobbed upon her shoulder. "oh, i\'m in such trouble she cri', 'w her arms about my wife\'s neck, and sobbed upon her shoulder. "oh, i\'m in such trouble she cried; "', ' arms about my wife\'s neck, and sobbed upon her shoulder. "oh, i\'m in such trouble she cried; "i do ', ' about my wife\'s neck, and sobbed upon her shoulder. "oh, i\'m in such trouble she cried; "i do so wa', 't my wife\'s neck, and sobbed upon her shoulder. "oh, i\'m in such trouble she cried; "i do so want a ', 'wife\'s neck, and sobbed upon her shoulder. "oh, i\'m in such trouble she cried; "i do so want a littl', 's neck, and sobbed upon her shoulder. "oh, i\'m in such trouble she cried; "i do so want a little hel', 'k, and sobbed upon her shoulder. "oh, i\'m in such trouble she cried; "i do so want a little help." "', 'd sobbed upon her shoulder. "oh, i\'m in such trouble she cried; "i do so want a little help." "why,"', 'bed upon her shoulder. "oh, i\'m in such trouble she cried; "i do so want a little help." "why," said', 'pon her shoulder. "oh, i\'m in such trouble she cried; "i do so want a little help." "why," said my w', 'er shoulder. "oh, i\'m in such trouble she cried; "i do so want a little help." "why," said my wife, ', 'oulder. "oh, i\'m in such trouble she cried; "i do so want a little help." "why," said my wife, pulli', 'r. "oh, i\'m in such trouble she cried; "i do so want a little help." "why," said my wife, pulling up', 'h, i\'m in such trouble she cried; "i do so want a little help." "why," said my wife, pulling up her ', 'm in such trouble she cried; "i do so want a little help." "why," said my wife, pulling up her veil,', 'such trouble she cried; "i do so want a little help." "why," said my wife, pulling up her veil, "it ', 'trouble she cried; "i do so want a little help." "why," said my wife, pulling up her veil, "it is ka', 'le she cried; "i do so want a little help." "why," said my wife, pulling up her veil, "it is kate wh', 'e cried; "i do so want a little help." "why," said my wife, pulling up her veil, "it is kate whitney', 'ed; "i do so want a little help." "why," said my wife, pulling up her veil, "it is kate whitney. how', 'i do so want a little help." "why," said my wife, pulling up her veil, "it is kate whitney. how you ', 'so want a little help." "why," said my wife, pulling up her veil, "it is kate whitney. how you start', 'nt a little help." "why," said my wife, pulling up her veil, "it is kate whitney. how you startled m', 'little help." "why," said my wife, pulling up her veil, "it is kate whitney. how you startled me, ka', 'e help." "why," said my wife, pulling up her veil, "it is kate whitney. how you startled me, kate! i', 'p." "why," said my wife, pulling up her veil, "it is kate whitney. how you startled me, kate! i had ', 'why," said my wife, pulling up her veil, "it is kate whitney. how you startled me, kate! i had not a', ' said my wife, pulling up her veil, "it is kate whitney. how you startled me, kate! i had not an ide', ' my wife, pulling up her veil, "it is kate whitney. how you startled me, kate! i had not an idea who', 'ife, pulling up her veil, "it is kate whitney. how you startled me, kate! i had not an idea who you ', 'pulling up her veil, "it is kate whitney. how you startled me, kate! i had not an idea who you were ', 'ng up her veil, "it is kate whitney. how you startled me, kate! i had not an idea who you were when ', ' her veil, "it is kate whitney. how you startled me, kate! i had not an idea who you were when you c', 'veil, "it is kate whitney. how you startled me, kate! i had not an idea who you were when you came i', ' "it is kate whitney. how you startled me, kate! i had not an idea who you were when you came in." "', 'is kate whitney. how you startled me, kate! i had not an idea who you were when you came in." "i did', 'te whitney. how you startled me, kate! i had not an idea who you were when you came in." "i didn\'t k', 'itney. how you startled me, kate! i had not an idea who you were when you came in." "i didn\'t know w', '. how you startled me, kate! i had not an idea who you were when you came in." "i didn\'t know what t', ' you startled me, kate! i had not an idea who you were when you came in." "i didn\'t know what to do,', 'startled me, kate! i had not an idea who you were when you came in." "i didn\'t know what to do, so i', 'led me, kate! i had not an idea who you were when you came in." "i didn\'t know what to do, so i came', 'e, kate! i had not an idea who you were when you came in." "i didn\'t know what to do, so i came stra', 'te! i had not an idea who you were when you came in." "i didn\'t know what to do, so i came straight ', ' had not an idea who you were when you came in." "i didn\'t know what to do, so i came straight to yo', 'not an idea who you were when you came in." "i didn\'t know what to do, so i came straight to you." t', 'n idea who you were when you came in." "i didn\'t know what to do, so i came straight to you." that w', 'a who you were when you came in." "i didn\'t know what to do, so i came straight to you." that was al', ' you were when you came in." "i didn\'t know what to do, so i came straight to you." that was always ', 'were when you came in." "i didn\'t know what to do, so i came straight to you." that was always the w', 'when you came in." "i didn\'t know what to do, so i came straight to you." that was always the way. f', 'you came in." "i didn\'t know what to do, so i came straight to you." that was always the way. folk w', 'ame in." "i didn\'t know what to do, so i came straight to you." that was always the way. folk who we', 'n." "i didn\'t know what to do, so i came straight to you." that was always the way. folk who were in', 'i didn\'t know what to do, so i came straight to you." that was always the way. folk who were in grie', 'n\'t know what to do, so i came straight to you." that was always the way. folk who were in grief cam', 'now what to do, so i came straight to you." that was always the way. folk who were in grief came to ', 'hat to do, so i came straight to you." that was always the way. folk who were in grief came to my wi', 'o do, so i came straight to you." that was always the way. folk who were in grief came to my wife li', ' so i came straight to you." that was always the way. folk who were in grief came to my wife like bi', ' came straight to you." that was always the way. folk who were in grief came to my wife like birds t', ' straight to you." that was always the way. folk who were in grief came to my wife like birds to a l', 'ight to you." that was always the way. folk who were in grief came to my wife like birds to a light-', 'to you." that was always the way. folk who were in grief came to my wife like birds to a light-house', 'u." that was always the way. folk who were in grief came to my wife like birds to a light-house. "it', 'hat was always the way. folk who were in grief came to my wife like birds to a light-house. "it was ', 'as always the way. folk who were in grief came to my wife like birds to a light-house. "it was very ', 'ways the way. folk who were in grief came to my wife like birds to a light-house. "it was very sweet', 'the way. folk who were in grief came to my wife like birds to a light-house. "it was very sweet of y', 'ay. folk who were in grief came to my wife like birds to a light-house. "it was very sweet of you to', 'olk who were in grief came to my wife like birds to a light-house. "it was very sweet of you to come', 'ho were in grief came to my wife like birds to a light-house. "it was very sweet of you to come. now', 're in grief came to my wife like birds to a light-house. "it was very sweet of you to come. now, you', ' grief came to my wife like birds to a light-house. "it was very sweet of you to come. now, you must', 'f came to my wife like birds to a light-house. "it was very sweet of you to come. now, you must have', 'e to my wife like birds to a light-house. "it was very sweet of you to come. now, you must have some', 'my wife like birds to a light-house. "it was very sweet of you to come. now, you must have some wine', 'fe like birds to a light-house. "it was very sweet of you to come. now, you must have some wine and ', 'ke birds to a light-house. "it was very sweet of you to come. now, you must have some wine and water', 'rds to a light-house. "it was very sweet of you to come. now, you must have some wine and water, and', 'o a light-house. "it was very sweet of you to come. now, you must have some wine and water, and sit ', 'ight-house. "it was very sweet of you to come. now, you must have some wine and water, and sit here ', 'house. "it was very sweet of you to come. now, you must have some wine and water, and sit here comfo', '. "it was very sweet of you to come. now, you must have some wine and water, and sit here comfortabl', ' was very sweet of you to come. now, you must have some wine and water, and sit here comfortably and', 'very sweet of you to come. now, you must have some wine and water, and sit here comfortably and tell', 'sweet of you to come. now, you must have some wine and water, and sit here comfortably and tell us a', ' of you to come. now, you must have some wine and water, and sit here comfortably and tell us all ab', 'ou to come. now, you must have some wine and water, and sit here comfortably and tell us all about i', ' come. now, you must have some wine and water, and sit here comfortably and tell us all about it. or', '. now, you must have some wine and water, and sit here comfortably and tell us all about it. or shou', ', you must have some wine and water, and sit here comfortably and tell us all about it. or should yo', ' must have some wine and water, and sit here comfortably and tell us all about it. or should you rat', ' have some wine and water, and sit here comfortably and tell us all about it. or should you rather t', ' some wine and water, and sit here comfortably and tell us all about it. or should you rather that i', ' wine and water, and sit here comfortably and tell us all about it. or should you rather that i sent', ' and water, and sit here comfortably and tell us all about it. or should you rather that i sent jame', 'water, and sit here comfortably and tell us all about it. or should you rather that i sent james off', ', and sit here comfortably and tell us all about it. or should you rather that i sent james off to b', ' sit here comfortably and tell us all about it. or should you rather that i sent james off to bed?" ', 'here comfortably and tell us all about it. or should you rather that i sent james off to bed?" "oh, ', 'comfortably and tell us all about it. or should you rather that i sent james off to bed?" "oh, no, n', 'rtably and tell us all about it. or should you rather that i sent james off to bed?" "oh, no, no! i ', 'y and tell us all about it. or should you rather that i sent james off to bed?" "oh, no, no! i want ', ' tell us all about it. or should you rather that i sent james off to bed?" "oh, no, no! i want the d', ' us all about it. or should you rather that i sent james off to bed?" "oh, no, no! i want the doctor', 'll about it. or should you rather that i sent james off to bed?" "oh, no, no! i want the doctor\'s ad', 'out it. or should you rather that i sent james off to bed?" "oh, no, no! i want the doctor\'s advice ', 't. or should you rather that i sent james off to bed?" "oh, no, no! i want the doctor\'s advice and h', ' should you rather that i sent james off to bed?" "oh, no, no! i want the doctor\'s advice and help, ', 'ld you rather that i sent james off to bed?" "oh, no, no! i want the doctor\'s advice and help, too. ', 'u rather that i sent james off to bed?" "oh, no, no! i want the doctor\'s advice and help, too. it\'s ', 'her that i sent james off to bed?" "oh, no, no! i want the doctor\'s advice and help, too. it\'s about', 'hat i sent james off to bed?" "oh, no, no! i want the doctor\'s advice and help, too. it\'s about isa.', ' sent james off to bed?" "oh, no, no! i want the doctor\'s advice and help, too. it\'s about isa. he h', ' james off to bed?" "oh, no, no! i want the doctor\'s advice and help, too. it\'s about isa. he has no', 's off to bed?" "oh, no, no! i want the doctor\'s advice and help, too. it\'s about isa. he has not bee', ' to bed?" "oh, no, no! i want the doctor\'s advice and help, too. it\'s about isa. he has not been hom', 'ed?" "oh, no, no! i want the doctor\'s advice and help, too. it\'s about isa. he has not been home for', '"oh, no, no! i want the doctor\'s advice and help, too. it\'s about isa. he has not been home for two ', "no, no! i want the doctor's advice and help, too. it's about isa. he has not been home for two days.", "o! i want the doctor's advice and help, too. it's about isa. he has not been home for two days. i am", "want the doctor's advice and help, too. it's about isa. he has not been home for two days. i am so f", "the doctor's advice and help, too. it's about isa. he has not been home for two days. i am so fright", "octor's advice and help, too. it's about isa. he has not been home for two days. i am so frightened ", "'s advice and help, too. it's about isa. he has not been home for two days. i am so frightened about", "vice and help, too. it's about isa. he has not been home for two days. i am so frightened about him ", "and help, too. it's about isa. he has not been home for two days. i am so frightened about him it w", "elp, too. it's about isa. he has not been home for two days. i am so frightened about him it was no", "too. it's about isa. he has not been home for two days. i am so frightened about him it was not the", "it's about isa. he has not been home for two days. i am so frightened about him it was not the firs", 'about isa. he has not been home for two days. i am so frightened about him it was not the first tim', ' isa. he has not been home for two days. i am so frightened about him it was not the first time tha', ' he has not been home for two days. i am so frightened about him it was not the first time that she', 'as not been home for two days. i am so frightened about him it was not the first time that she had ', 't been home for two days. i am so frightened about him it was not the first time that she had spoke', 'n home for two days. i am so frightened about him it was not the first time that she had spoken to ', 'e for two days. i am so frightened about him it was not the first time that she had spoken to us of', ' two days. i am so frightened about him it was not the first time that she had spoken to us of her ', 'days. i am so frightened about him it was not the first time that she had spoken to us of her husba', " i am so frightened about him it was not the first time that she had spoken to us of her husband's ", " so frightened about him it was not the first time that she had spoken to us of her husband's troub", "rightened about him it was not the first time that she had spoken to us of her husband's trouble, t", "ened about him it was not the first time that she had spoken to us of her husband's trouble, to me ", "about him it was not the first time that she had spoken to us of her husband's trouble, to me as a ", " him it was not the first time that she had spoken to us of her husband's trouble, to me as a docto", " it was not the first time that she had spoken to us of her husband's trouble, to me as a doctor, to", "as not the first time that she had spoken to us of her husband's trouble, to me as a doctor, to my w", "t the first time that she had spoken to us of her husband's trouble, to me as a doctor, to my wife a", " first time that she had spoken to us of her husband's trouble, to me as a doctor, to my wife as an ", "t time that she had spoken to us of her husband's trouble, to me as a doctor, to my wife as an old f", "e that she had spoken to us of her husband's trouble, to me as a doctor, to my wife as an old friend", "t she had spoken to us of her husband's trouble, to me as a doctor, to my wife as an old friend and ", " had spoken to us of her husband's trouble, to me as a doctor, to my wife as an old friend and schoo", "spoken to us of her husband's trouble, to me as a doctor, to my wife as an old friend and school com", "n to us of her husband's trouble, to me as a doctor, to my wife as an old friend and school companio", "us of her husband's trouble, to me as a doctor, to my wife as an old friend and school companion. we", " her husband's trouble, to me as a doctor, to my wife as an old friend and school companion. we soot", "husband's trouble, to me as a doctor, to my wife as an old friend and school companion. we soothed a", "nd's trouble, to me as a doctor, to my wife as an old friend and school companion. we soothed and co", 'trouble, to me as a doctor, to my wife as an old friend and school companion. we soothed and comfort', 'le, to me as a doctor, to my wife as an old friend and school companion. we soothed and comforted he', 'o me as a doctor, to my wife as an old friend and school companion. we soothed and comforted her by ', 'as a doctor, to my wife as an old friend and school companion. we soothed and comforted her by such ', 'doctor, to my wife as an old friend and school companion. we soothed and comforted her by such words', 'r, to my wife as an old friend and school companion. we soothed and comforted her by such words as w', ' my wife as an old friend and school companion. we soothed and comforted her by such words as we cou', 'ife as an old friend and school companion. we soothed and comforted her by such words as we could fi', 's an old friend and school companion. we soothed and comforted her by such words as we could find. d', 'old friend and school companion. we soothed and comforted her by such words as we could find. did sh', 'riend and school companion. we soothed and comforted her by such words as we could find. did she kno', ' and school companion. we soothed and comforted her by such words as we could find. did she know whe', 'school companion. we soothed and comforted her by such words as we could find. did she know where he', 'l companion. we soothed and comforted her by such words as we could find. did she know where her hus', 'panion. we soothed and comforted her by such words as we could find. did she know where her husband ', 'n. we soothed and comforted her by such words as we could find. did she know where her husband was? ', ' soothed and comforted her by such words as we could find. did she know where her husband was? was i', 'hed and comforted her by such words as we could find. did she know where her husband was? was it pos', 'nd comforted her by such words as we could find. did she know where her husband was? was it possible', 'mforted her by such words as we could find. did she know where her husband was? was it possible that', 'ed her by such words as we could find. did she know where her husband was? was it possible that we c', 'r by such words as we could find. did she know where her husband was? was it possible that we could ', 'such words as we could find. did she know where her husband was? was it possible that we could bring', 'words as we could find. did she know where her husband was? was it possible that we could bring him ', ' as we could find. did she know where her husband was? was it possible that we could bring him back ', 'e could find. did she know where her husband was? was it possible that we could bring him back to he', 'ld find. did she know where her husband was? was it possible that we could bring him back to her? it', 'nd. did she know where her husband was? was it possible that we could bring him back to her? it seem', 'id she know where her husband was? was it possible that we could bring him back to her? it seems tha', 'e know where her husband was? was it possible that we could bring him back to her? it seems that it ', 'w where her husband was? was it possible that we could bring him back to her? it seems that it was. ', 're her husband was? was it possible that we could bring him back to her? it seems that it was. she h', 'r husband was? was it possible that we could bring him back to her? it seems that it was. she had th', 'band was? was it possible that we could bring him back to her? it seems that it was. she had the sur', 'was? was it possible that we could bring him back to her? it seems that it was. she had the surest i', 'was it possible that we could bring him back to her? it seems that it was. she had the surest inform', 't possible that we could bring him back to her? it seems that it was. she had the surest information', 'sible that we could bring him back to her? it seems that it was. she had the surest information that', ' that we could bring him back to her? it seems that it was. she had the surest information that of l', ' we could bring him back to her? it seems that it was. she had the surest information that of late h', 'ould bring him back to her? it seems that it was. she had the surest information that of late he had', 'bring him back to her? it seems that it was. she had the surest information that of late he had, whe', ' him back to her? it seems that it was. she had the surest information that of late he had, when the', 'back to her? it seems that it was. she had the surest information that of late he had, when the fit ', 'to her? it seems that it was. she had the surest information that of late he had, when the fit was o', 'r? it seems that it was. she had the surest information that of late he had, when the fit was on him', ' seems that it was. she had the surest information that of late he had, when the fit was on him, mad', 's that it was. she had the surest information that of late he had, when the fit was on him, made use', 't it was. she had the surest information that of late he had, when the fit was on him, made use of a', 'was. she had the surest information that of late he had, when the fit was on him, made use of an opi', 'she had the surest information that of late he had, when the fit was on him, made use of an opium de', 'ad the surest information that of late he had, when the fit was on him, made use of an opium den in ', 'e surest information that of late he had, when the fit was on him, made use of an opium den in the f', 'est information that of late he had, when the fit was on him, made use of an opium den in the farthe', 'nformation that of late he had, when the fit was on him, made use of an opium den in the farthest ea', 'ation that of late he had, when the fit was on him, made use of an opium den in the farthest east of', ' that of late he had, when the fit was on him, made use of an opium den in the farthest east of the ', ' of late he had, when the fit was on him, made use of an opium den in the farthest east of the city.', 'ate he had, when the fit was on him, made use of an opium den in the farthest east of the city. hith', 'e had, when the fit was on him, made use of an opium den in the farthest east of the city. hitherto ', ', when the fit was on him, made use of an opium den in the farthest east of the city. hitherto his o', 'n the fit was on him, made use of an opium den in the farthest east of the city. hitherto his orgies', ' fit was on him, made use of an opium den in the farthest east of the city. hitherto his orgies had ', 'was on him, made use of an opium den in the farthest east of the city. hitherto his orgies had alway', 'n him, made use of an opium den in the farthest east of the city. hitherto his orgies had always bee', ', made use of an opium den in the farthest east of the city. hitherto his orgies had always been con', 'e use of an opium den in the farthest east of the city. hitherto his orgies had always been confined', ' of an opium den in the farthest east of the city. hitherto his orgies had always been confined to o', 'n opium den in the farthest east of the city. hitherto his orgies had always been confined to one da', 'um den in the farthest east of the city. hitherto his orgies had always been confined to one day, an', 'n in the farthest east of the city. hitherto his orgies had always been confined to one day, and he ', 'the farthest east of the city. hitherto his orgies had always been confined to one day, and he had c', 'arthest east of the city. hitherto his orgies had always been confined to one day, and he had come b', 'st east of the city. hitherto his orgies had always been confined to one day, and he had come back, ', 'st of the city. hitherto his orgies had always been confined to one day, and he had come back, twitc', ' the city. hitherto his orgies had always been confined to one day, and he had come back, twitching ', 'city. hitherto his orgies had always been confined to one day, and he had come back, twitching and s', ' hitherto his orgies had always been confined to one day, and he had come back, twitching and shatte', 'erto his orgies had always been confined to one day, and he had come back, twitching and shattered, ', 'his orgies had always been confined to one day, and he had come back, twitching and shattered, in th', 'rgies had always been confined to one day, and he had come back, twitching and shattered, in the eve', ' had always been confined to one day, and he had come back, twitching and shattered, in the evening.', 'always been confined to one day, and he had come back, twitching and shattered, in the evening. but ', 's been confined to one day, and he had come back, twitching and shattered, in the evening. but now t', 'n confined to one day, and he had come back, twitching and shattered, in the evening. but now the sp', 'fined to one day, and he had come back, twitching and shattered, in the evening. but now the spell h', ' to one day, and he had come back, twitching and shattered, in the evening. but now the spell had be', 'ne day, and he had come back, twitching and shattered, in the evening. but now the spell had been up', 'y, and he had come back, twitching and shattered, in the evening. but now the spell had been upon hi', 'd he had come back, twitching and shattered, in the evening. but now the spell had been upon him eig', 'had come back, twitching and shattered, in the evening. but now the spell had been upon him eight-an', 'ome back, twitching and shattered, in the evening. but now the spell had been upon him eight-and-for', 'ack, twitching and shattered, in the evening. but now the spell had been upon him eight-and-forty ho', 'twitching and shattered, in the evening. but now the spell had been upon him eight-and-forty hours, ', 'hing and shattered, in the evening. but now the spell had been upon him eight-and-forty hours, and h', 'and shattered, in the evening. but now the spell had been upon him eight-and-forty hours, and he lay', 'hattered, in the evening. but now the spell had been upon him eight-and-forty hours, and he lay ther', 'red, in the evening. but now the spell had been upon him eight-and-forty hours, and he lay there, do', 'in the evening. but now the spell had been upon him eight-and-forty hours, and he lay there, doubtle', 'e evening. but now the spell had been upon him eight-and-forty hours, and he lay there, doubtless am', 'ning. but now the spell had been upon him eight-and-forty hours, and he lay there, doubtless among t', ' but now the spell had been upon him eight-and-forty hours, and he lay there, doubtless among the dr', 'now the spell had been upon him eight-and-forty hours, and he lay there, doubtless among the dregs o', 'he spell had been upon him eight-and-forty hours, and he lay there, doubtless among the dregs of the', 'ell had been upon him eight-and-forty hours, and he lay there, doubtless among the dregs of the dock', 'ad been upon him eight-and-forty hours, and he lay there, doubtless among the dregs of the docks, br', 'en upon him eight-and-forty hours, and he lay there, doubtless among the dregs of the docks, breathi', 'on him eight-and-forty hours, and he lay there, doubtless among the dregs of the docks, breathing in', 'm eight-and-forty hours, and he lay there, doubtless among the dregs of the docks, breathing in the ', 'ht-and-forty hours, and he lay there, doubtless among the dregs of the docks, breathing in the poiso', 'd-forty hours, and he lay there, doubtless among the dregs of the docks, breathing in the poison or ', 'ty hours, and he lay there, doubtless among the dregs of the docks, breathing in the poison or sleep', 'urs, and he lay there, doubtless among the dregs of the docks, breathing in the poison or sleeping o', 'and he lay there, doubtless among the dregs of the docks, breathing in the poison or sleeping off th', 'e lay there, doubtless among the dregs of the docks, breathing in the poison or sleeping off the eff', ' there, doubtless among the dregs of the docks, breathing in the poison or sleeping off the effects.', 'e, doubtless among the dregs of the docks, breathing in the poison or sleeping off the effects. ther', 'ubtless among the dregs of the docks, breathing in the poison or sleeping off the effects. there he ', 'ss among the dregs of the docks, breathing in the poison or sleeping off the effects. there he was t', 'ong the dregs of the docks, breathing in the poison or sleeping off the effects. there he was to be ', 'he dregs of the docks, breathing in the poison or sleeping off the effects. there he was to be found', 'egs of the docks, breathing in the poison or sleeping off the effects. there he was to be found, she', 'f the docks, breathing in the poison or sleeping off the effects. there he was to be found, she was ', ' docks, breathing in the poison or sleeping off the effects. there he was to be found, she was sure ', 's, breathing in the poison or sleeping off the effects. there he was to be found, she was sure of it', 'eathing in the poison or sleeping off the effects. there he was to be found, she was sure of it, at ', 'ng in the poison or sleeping off the effects. there he was to be found, she was sure of it, at the b', ' the poison or sleeping off the effects. there he was to be found, she was sure of it, at the bar of', 'poison or sleeping off the effects. there he was to be found, she was sure of it, at the bar of gold', 'n or sleeping off the effects. there he was to be found, she was sure of it, at the bar of gold, in ', 'sleeping off the effects. there he was to be found, she was sure of it, at the bar of gold, in upper', 'ing off the effects. there he was to be found, she was sure of it, at the bar of gold, in upper swan', 'ff the effects. there he was to be found, she was sure of it, at the bar of gold, in upper swandam l', 'e effects. there he was to be found, she was sure of it, at the bar of gold, in upper swandam lane. ', 'ects. there he was to be found, she was sure of it, at the bar of gold, in upper swandam lane. but w', ' there he was to be found, she was sure of it, at the bar of gold, in upper swandam lane. but what w', 'e he was to be found, she was sure of it, at the bar of gold, in upper swandam lane. but what was sh', 'was to be found, she was sure of it, at the bar of gold, in upper swandam lane. but what was she to ', 'o be found, she was sure of it, at the bar of gold, in upper swandam lane. but what was she to do? h', 'found, she was sure of it, at the bar of gold, in upper swandam lane. but what was she to do? how co', ', she was sure of it, at the bar of gold, in upper swandam lane. but what was she to do? how could s', ' was sure of it, at the bar of gold, in upper swandam lane. but what was she to do? how could she, a', 'sure of it, at the bar of gold, in upper swandam lane. but what was she to do? how could she, a youn', 'of it, at the bar of gold, in upper swandam lane. but what was she to do? how could she, a young and', ', at the bar of gold, in upper swandam lane. but what was she to do? how could she, a young and timi', 'the bar of gold, in upper swandam lane. but what was she to do? how could she, a young and timid wom', 'ar of gold, in upper swandam lane. but what was she to do? how could she, a young and timid woman, m', ' gold, in upper swandam lane. but what was she to do? how could she, a young and timid woman, make h', ', in upper swandam lane. but what was she to do? how could she, a young and timid woman, make her wa', 'upper swandam lane. but what was she to do? how could she, a young and timid woman, make her way int', ' swandam lane. but what was she to do? how could she, a young and timid woman, make her way into suc', 'dam lane. but what was she to do? how could she, a young and timid woman, make her way into such a p', 'ane. but what was she to do? how could she, a young and timid woman, make her way into such a place ', 'but what was she to do? how could she, a young and timid woman, make her way into such a place and p', 'hat was she to do? how could she, a young and timid woman, make her way into such a place and pluck ', 'as she to do? how could she, a young and timid woman, make her way into such a place and pluck her h', 'e to do? how could she, a young and timid woman, make her way into such a place and pluck her husban', 'do? how could she, a young and timid woman, make her way into such a place and pluck her husband out', 'ow could she, a young and timid woman, make her way into such a place and pluck her husband out from', 'uld she, a young and timid woman, make her way into such a place and pluck her husband out from amon', 'he, a young and timid woman, make her way into such a place and pluck her husband out from among the', ' young and timid woman, make her way into such a place and pluck her husband out from among the ruff', 'g and timid woman, make her way into such a place and pluck her husband out from among the ruffians ', ' timid woman, make her way into such a place and pluck her husband out from among the ruffians who s', 'd woman, make her way into such a place and pluck her husband out from among the ruffians who surrou', 'an, make her way into such a place and pluck her husband out from among the ruffians who surrounded ', 'ake her way into such a place and pluck her husband out from among the ruffians who surrounded him? ', 'er way into such a place and pluck her husband out from among the ruffians who surrounded him? there', 'y into such a place and pluck her husband out from among the ruffians who surrounded him? there was ', 'o such a place and pluck her husband out from among the ruffians who surrounded him? there was the c', 'h a place and pluck her husband out from among the ruffians who surrounded him? there was the case, ', 'lace and pluck her husband out from among the ruffians who surrounded him? there was the case, and o', 'and pluck her husband out from among the ruffians who surrounded him? there was the case, and of cou', 'luck her husband out from among the ruffians who surrounded him? there was the case, and of course t', 'her husband out from among the ruffians who surrounded him? there was the case, and of course there ', 'usband out from among the ruffians who surrounded him? there was the case, and of course there was b', 'd out from among the ruffians who surrounded him? there was the case, and of course there was but on', ' from among the ruffians who surrounded him? there was the case, and of course there was but one way', ' among the ruffians who surrounded him? there was the case, and of course there was but one way out ', 'g the ruffians who surrounded him? there was the case, and of course there was but one way out of it', ' ruffians who surrounded him? there was the case, and of course there was but one way out of it. mig', 'ians who surrounded him? there was the case, and of course there was but one way out of it. might i ', 'who surrounded him? there was the case, and of course there was but one way out of it. might i not e', 'urrounded him? there was the case, and of course there was but one way out of it. might i not escort', 'nded him? there was the case, and of course there was but one way out of it. might i not escort her ', 'him? there was the case, and of course there was but one way out of it. might i not escort her to th', 'there was the case, and of course there was but one way out of it. might i not escort her to this pl', ' was the case, and of course there was but one way out of it. might i not escort her to this place? ', 'the case, and of course there was but one way out of it. might i not escort her to this place? and t', 'ase, and of course there was but one way out of it. might i not escort her to this place? and then, ', 'and of course there was but one way out of it. might i not escort her to this place? and then, as a ', 'f course there was but one way out of it. might i not escort her to this place? and then, as a secon', 'rse there was but one way out of it. might i not escort her to this place? and then, as a second tho', 'here was but one way out of it. might i not escort her to this place? and then, as a second thought,', 'was but one way out of it. might i not escort her to this place? and then, as a second thought, why ', 'ut one way out of it. might i not escort her to this place? and then, as a second thought, why shoul', 'e way out of it. might i not escort her to this place? and then, as a second thought, why should she', ' out of it. might i not escort her to this place? and then, as a second thought, why should she come', 'of it. might i not escort her to this place? and then, as a second thought, why should she come at a', '. might i not escort her to this place? and then, as a second thought, why should she come at all? i', 'ht i not escort her to this place? and then, as a second thought, why should she come at all? i was ', 'not escort her to this place? and then, as a second thought, why should she come at all? i was isa w', 'scort her to this place? and then, as a second thought, why should she come at all? i was isa whitne', " her to this place? and then, as a second thought, why should she come at all? i was isa whitney's m", "to this place? and then, as a second thought, why should she come at all? i was isa whitney's medica", "is place? and then, as a second thought, why should she come at all? i was isa whitney's medical adv", "ace? and then, as a second thought, why should she come at all? i was isa whitney's medical adviser,", "and then, as a second thought, why should she come at all? i was isa whitney's medical adviser, and ", "hen, as a second thought, why should she come at all? i was isa whitney's medical adviser, and as su", "as a second thought, why should she come at all? i was isa whitney's medical adviser, and as such i ", "second thought, why should she come at all? i was isa whitney's medical adviser, and as such i had i", "d thought, why should she come at all? i was isa whitney's medical adviser, and as such i had influe", "ught, why should she come at all? i was isa whitney's medical adviser, and as such i had influence o", " why should she come at all? i was isa whitney's medical adviser, and as such i had influence over h", "should she come at all? i was isa whitney's medical adviser, and as such i had influence over him. i", "d she come at all? i was isa whitney's medical adviser, and as such i had influence over him. i coul", " come at all? i was isa whitney's medical adviser, and as such i had influence over him. i could man", " at all? i was isa whitney's medical adviser, and as such i had influence over him. i could manage i", "ll? i was isa whitney's medical adviser, and as such i had influence over him. i could manage it bet", " was isa whitney's medical adviser, and as such i had influence over him. i could manage it better i", "isa whitney's medical adviser, and as such i had influence over him. i could manage it better if i w", "hitney's medical adviser, and as such i had influence over him. i could manage it better if i were a", "y's medical adviser, and as such i had influence over him. i could manage it better if i were alone.", 'edical adviser, and as such i had influence over him. i could manage it better if i were alone. i pr', 'l adviser, and as such i had influence over him. i could manage it better if i were alone. i promise', 'iser, and as such i had influence over him. i could manage it better if i were alone. i promised her', ' and as such i had influence over him. i could manage it better if i were alone. i promised her on m', 'as such i had influence over him. i could manage it better if i were alone. i promised her on my wor', 'ch i had influence over him. i could manage it better if i were alone. i promised her on my word tha', 'had influence over him. i could manage it better if i were alone. i promised her on my word that i w', 'nfluence over him. i could manage it better if i were alone. i promised her on my word that i would ', 'nce over him. i could manage it better if i were alone. i promised her on my word that i would send ', 'ver him. i could manage it better if i were alone. i promised her on my word that i would send him h', 'im. i could manage it better if i were alone. i promised her on my word that i would send him home i', ' could manage it better if i were alone. i promised her on my word that i would send him home in a c', 'd manage it better if i were alone. i promised her on my word that i would send him home in a cab wi', 'age it better if i were alone. i promised her on my word that i would send him home in a cab within ', 't better if i were alone. i promised her on my word that i would send him home in a cab within two h', 'ter if i were alone. i promised her on my word that i would send him home in a cab within two hours ', 'f i were alone. i promised her on my word that i would send him home in a cab within two hours if he', 'ere alone. i promised her on my word that i would send him home in a cab within two hours if he were', 'lone. i promised her on my word that i would send him home in a cab within two hours if he were inde', ' i promised her on my word that i would send him home in a cab within two hours if he were indeed at', 'omised her on my word that i would send him home in a cab within two hours if he were indeed at the ', 'd her on my word that i would send him home in a cab within two hours if he were indeed at the addre', ' on my word that i would send him home in a cab within two hours if he were indeed at the address wh', 'y word that i would send him home in a cab within two hours if he were indeed at the address which s', 'd that i would send him home in a cab within two hours if he were indeed at the address which she ha', 't i would send him home in a cab within two hours if he were indeed at the address which she had giv', 'ould send him home in a cab within two hours if he were indeed at the address which she had given me', 'send him home in a cab within two hours if he were indeed at the address which she had given me. and', 'him home in a cab within two hours if he were indeed at the address which she had given me. and so i', 'ome in a cab within two hours if he were indeed at the address which she had given me. and so in ten', 'n a cab within two hours if he were indeed at the address which she had given me. and so in ten minu', 'ab within two hours if he were indeed at the address which she had given me. and so in ten minutes i', 'thin two hours if he were indeed at the address which she had given me. and so in ten minutes i had ', 'two hours if he were indeed at the address which she had given me. and so in ten minutes i had left ', 'ours if he were indeed at the address which she had given me. and so in ten minutes i had left my ar', 'if he were indeed at the address which she had given me. and so in ten minutes i had left my armchai', ' were indeed at the address which she had given me. and so in ten minutes i had left my armchair and', ' indeed at the address which she had given me. and so in ten minutes i had left my armchair and chee', 'ed at the address which she had given me. and so in ten minutes i had left my armchair and cheery si', ' the address which she had given me. and so in ten minutes i had left my armchair and cheery sitting', 'address which she had given me. and so in ten minutes i had left my armchair and cheery sitting-room', 'ss which she had given me. and so in ten minutes i had left my armchair and cheery sitting-room behi', 'ich she had given me. and so in ten minutes i had left my armchair and cheery sitting-room behind me', 'he had given me. and so in ten minutes i had left my armchair and cheery sitting-room behind me, and', 'd given me. and so in ten minutes i had left my armchair and cheery sitting-room behind me, and was ', 'en me. and so in ten minutes i had left my armchair and cheery sitting-room behind me, and was speed', '. and so in ten minutes i had left my armchair and cheery sitting-room behind me, and was speeding e', ' so in ten minutes i had left my armchair and cheery sitting-room behind me, and was speeding eastwa', 'n ten minutes i had left my armchair and cheery sitting-room behind me, and was speeding eastward in', ' minutes i had left my armchair and cheery sitting-room behind me, and was speeding eastward in a ha', 'tes i had left my armchair and cheery sitting-room behind me, and was speeding eastward in a hansom ', ' had left my armchair and cheery sitting-room behind me, and was speeding eastward in a hansom on a ', 'left my armchair and cheery sitting-room behind me, and was speeding eastward in a hansom on a stran', 'my armchair and cheery sitting-room behind me, and was speeding eastward in a hansom on a strange er', 'mchair and cheery sitting-room behind me, and was speeding eastward in a hansom on a strange errand,', 'r and cheery sitting-room behind me, and was speeding eastward in a hansom on a strange errand, as i', ' cheery sitting-room behind me, and was speeding eastward in a hansom on a strange errand, as it see', 'ry sitting-room behind me, and was speeding eastward in a hansom on a strange errand, as it seemed t', 'tting-room behind me, and was speeding eastward in a hansom on a strange errand, as it seemed to me ', '-room behind me, and was speeding eastward in a hansom on a strange errand, as it seemed to me at th', ' behind me, and was speeding eastward in a hansom on a strange errand, as it seemed to me at the tim', 'nd me, and was speeding eastward in a hansom on a strange errand, as it seemed to me at the time, th', ', and was speeding eastward in a hansom on a strange errand, as it seemed to me at the time, though ', ' was speeding eastward in a hansom on a strange errand, as it seemed to me at the time, though the f', 'speeding eastward in a hansom on a strange errand, as it seemed to me at the time, though the future', 'ing eastward in a hansom on a strange errand, as it seemed to me at the time, though the future only', 'astward in a hansom on a strange errand, as it seemed to me at the time, though the future only coul', 'rd in a hansom on a strange errand, as it seemed to me at the time, though the future only could sho', ' a hansom on a strange errand, as it seemed to me at the time, though the future only could show how', 'nsom on a strange errand, as it seemed to me at the time, though the future only could show how stra', 'on a strange errand, as it seemed to me at the time, though the future only could show how strange i', 'strange errand, as it seemed to me at the time, though the future only could show how strange it was', 'ge errand, as it seemed to me at the time, though the future only could show how strange it was to b', 'rand, as it seemed to me at the time, though the future only could show how strange it was to be. bu', ' as it seemed to me at the time, though the future only could show how strange it was to be. but the', 't seemed to me at the time, though the future only could show how strange it was to be. but there wa', 'med to me at the time, though the future only could show how strange it was to be. but there was no ', 'o me at the time, though the future only could show how strange it was to be. but there was no great', 'at the time, though the future only could show how strange it was to be. but there was no great diff', 'e time, though the future only could show how strange it was to be. but there was no great difficult', 'e, though the future only could show how strange it was to be. but there was no great difficulty in ', 'ough the future only could show how strange it was to be. but there was no great difficulty in the f', 'the future only could show how strange it was to be. but there was no great difficulty in the first ', 'uture only could show how strange it was to be. but there was no great difficulty in the first stage', ' only could show how strange it was to be. but there was no great difficulty in the first stage of m', ' could show how strange it was to be. but there was no great difficulty in the first stage of my adv', 'd show how strange it was to be. but there was no great difficulty in the first stage of my adventur', 'w how strange it was to be. but there was no great difficulty in the first stage of my adventure. up', ' strange it was to be. but there was no great difficulty in the first stage of my adventure. upper s', 'nge it was to be. but there was no great difficulty in the first stage of my adventure. upper swanda', 't was to be. but there was no great difficulty in the first stage of my adventure. upper swandam lan', ' to be. but there was no great difficulty in the first stage of my adventure. upper swandam lane is ', 'e. but there was no great difficulty in the first stage of my adventure. upper swandam lane is a vil', 't there was no great difficulty in the first stage of my adventure. upper swandam lane is a vile all', 're was no great difficulty in the first stage of my adventure. upper swandam lane is a vile alley lu', 's no great difficulty in the first stage of my adventure. upper swandam lane is a vile alley lurking', 'great difficulty in the first stage of my adventure. upper swandam lane is a vile alley lurking behi', ' difficulty in the first stage of my adventure. upper swandam lane is a vile alley lurking behind th', 'iculty in the first stage of my adventure. upper swandam lane is a vile alley lurking behind the hig', 'y in the first stage of my adventure. upper swandam lane is a vile alley lurking behind the high wha', 'the first stage of my adventure. upper swandam lane is a vile alley lurking behind the high wharves ', 'irst stage of my adventure. upper swandam lane is a vile alley lurking behind the high wharves which', 'stage of my adventure. upper swandam lane is a vile alley lurking behind the high wharves which line', ' of my adventure. upper swandam lane is a vile alley lurking behind the high wharves which line the ', 'y adventure. upper swandam lane is a vile alley lurking behind the high wharves which line the north', 'enture. upper swandam lane is a vile alley lurking behind the high wharves which line the north side', 'e. upper swandam lane is a vile alley lurking behind the high wharves which line the north side of t', 'per swandam lane is a vile alley lurking behind the high wharves which line the north side of the ri', 'wandam lane is a vile alley lurking behind the high wharves which line the north side of the river t', 'm lane is a vile alley lurking behind the high wharves which line the north side of the river to the', 'e is a vile alley lurking behind the high wharves which line the north side of the river to the east', 'a vile alley lurking behind the high wharves which line the north side of the river to the east of l', 'e alley lurking behind the high wharves which line the north side of the river to the east of london', 'ey lurking behind the high wharves which line the north side of the river to the east of london brid', 'rking behind the high wharves which line the north side of the river to the east of london bridge. b', ' behind the high wharves which line the north side of the river to the east of london bridge. betwee', 'nd the high wharves which line the north side of the river to the east of london bridge. between a s', 'e high wharves which line the north side of the river to the east of london bridge. between a slop-s', 'h wharves which line the north side of the river to the east of london bridge. between a slop-shop a', 'rves which line the north side of the river to the east of london bridge. between a slop-shop and a ', 'which line the north side of the river to the east of london bridge. between a slop-shop and a gin-s', ' line the north side of the river to the east of london bridge. between a slop-shop and a gin-shop, ', ' the north side of the river to the east of london bridge. between a slop-shop and a gin-shop, appro', 'north side of the river to the east of london bridge. between a slop-shop and a gin-shop, approached', ' side of the river to the east of london bridge. between a slop-shop and a gin-shop, approached by a', ' of the river to the east of london bridge. between a slop-shop and a gin-shop, approached by a stee', 'he river to the east of london bridge. between a slop-shop and a gin-shop, approached by a steep fli', 'ver to the east of london bridge. between a slop-shop and a gin-shop, approached by a steep flight o', 'o the east of london bridge. between a slop-shop and a gin-shop, approached by a steep flight of ste', ' east of london bridge. between a slop-shop and a gin-shop, approached by a steep flight of steps le', ' of london bridge. between a slop-shop and a gin-shop, approached by a steep flight of steps leading', 'ondon bridge. between a slop-shop and a gin-shop, approached by a steep flight of steps leading down', ' bridge. between a slop-shop and a gin-shop, approached by a steep flight of steps leading down to a', 'ge. between a slop-shop and a gin-shop, approached by a steep flight of steps leading down to a blac', 'etween a slop-shop and a gin-shop, approached by a steep flight of steps leading down to a black gap', 'n a slop-shop and a gin-shop, approached by a steep flight of steps leading down to a black gap like', 'lop-shop and a gin-shop, approached by a steep flight of steps leading down to a black gap like the ', 'hop and a gin-shop, approached by a steep flight of steps leading down to a black gap like the mouth', 'nd a gin-shop, approached by a steep flight of steps leading down to a black gap like the mouth of a', 'gin-shop, approached by a steep flight of steps leading down to a black gap like the mouth of a cave', 'hop, approached by a steep flight of steps leading down to a black gap like the mouth of a cave, i f', 'approached by a steep flight of steps leading down to a black gap like the mouth of a cave, i found ', 'ached by a steep flight of steps leading down to a black gap like the mouth of a cave, i found the d', ' by a steep flight of steps leading down to a black gap like the mouth of a cave, i found the den of', ' steep flight of steps leading down to a black gap like the mouth of a cave, i found the den of whic', 'p flight of steps leading down to a black gap like the mouth of a cave, i found the den of which i w', 'ght of steps leading down to a black gap like the mouth of a cave, i found the den of which i was in', 'f steps leading down to a black gap like the mouth of a cave, i found the den of which i was in sear', 'ps leading down to a black gap like the mouth of a cave, i found the den of which i was in search. o', 'ading down to a black gap like the mouth of a cave, i found the den of which i was in search. orderi', ' down to a black gap like the mouth of a cave, i found the den of which i was in search. ordering my', ' to a black gap like the mouth of a cave, i found the den of which i was in search. ordering my cab ', ' black gap like the mouth of a cave, i found the den of which i was in search. ordering my cab to wa', 'k gap like the mouth of a cave, i found the den of which i was in search. ordering my cab to wait, i', ' like the mouth of a cave, i found the den of which i was in search. ordering my cab to wait, i pass', ' the mouth of a cave, i found the den of which i was in search. ordering my cab to wait, i passed do', 'mouth of a cave, i found the den of which i was in search. ordering my cab to wait, i passed down th', ' of a cave, i found the den of which i was in search. ordering my cab to wait, i passed down the ste', ' cave, i found the den of which i was in search. ordering my cab to wait, i passed down the steps, w', ', i found the den of which i was in search. ordering my cab to wait, i passed down the steps, worn h', 'ound the den of which i was in search. ordering my cab to wait, i passed down the steps, worn hollow', 'the den of which i was in search. ordering my cab to wait, i passed down the steps, worn hollow in t', 'en of which i was in search. ordering my cab to wait, i passed down the steps, worn hollow in the ce', ' which i was in search. ordering my cab to wait, i passed down the steps, worn hollow in the centre ', 'h i was in search. ordering my cab to wait, i passed down the steps, worn hollow in the centre by th', 'as in search. ordering my cab to wait, i passed down the steps, worn hollow in the centre by the cea', ' search. ordering my cab to wait, i passed down the steps, worn hollow in the centre by the ceaseles', 'ch. ordering my cab to wait, i passed down the steps, worn hollow in the centre by the ceaseless tre', 'rdering my cab to wait, i passed down the steps, worn hollow in the centre by the ceaseless tread of', 'ng my cab to wait, i passed down the steps, worn hollow in the centre by the ceaseless tread of drun', ' cab to wait, i passed down the steps, worn hollow in the centre by the ceaseless tread of drunken f', 'to wait, i passed down the steps, worn hollow in the centre by the ceaseless tread of drunken feet; ', 'it, i passed down the steps, worn hollow in the centre by the ceaseless tread of drunken feet; and b', ' passed down the steps, worn hollow in the centre by the ceaseless tread of drunken feet; and by the', 'ed down the steps, worn hollow in the centre by the ceaseless tread of drunken feet; and by the ligh', 'wn the steps, worn hollow in the centre by the ceaseless tread of drunken feet; and by the light of ', 'e steps, worn hollow in the centre by the ceaseless tread of drunken feet; and by the light of a fli', 'ps, worn hollow in the centre by the ceaseless tread of drunken feet; and by the light of a flickeri', 'orn hollow in the centre by the ceaseless tread of drunken feet; and by the light of a flickering oi', 'ollow in the centre by the ceaseless tread of drunken feet; and by the light of a flickering oil-lam', ' in the centre by the ceaseless tread of drunken feet; and by the light of a flickering oil-lamp abo', 'he centre by the ceaseless tread of drunken feet; and by the light of a flickering oil-lamp above th', 'ntre by the ceaseless tread of drunken feet; and by the light of a flickering oil-lamp above the doo', 'by the ceaseless tread of drunken feet; and by the light of a flickering oil-lamp above the door i f', 'e ceaseless tread of drunken feet; and by the light of a flickering oil-lamp above the door i found ', 'seless tread of drunken feet; and by the light of a flickering oil-lamp above the door i found the l', 's tread of drunken feet; and by the light of a flickering oil-lamp above the door i found the latch ', 'ad of drunken feet; and by the light of a flickering oil-lamp above the door i found the latch and m', ' drunken feet; and by the light of a flickering oil-lamp above the door i found the latch and made m', 'ken feet; and by the light of a flickering oil-lamp above the door i found the latch and made my way', 'eet; and by the light of a flickering oil-lamp above the door i found the latch and made my way into', 'and by the light of a flickering oil-lamp above the door i found the latch and made my way into a lo', 'y the light of a flickering oil-lamp above the door i found the latch and made my way into a long, l', ' light of a flickering oil-lamp above the door i found the latch and made my way into a long, low ro', 't of a flickering oil-lamp above the door i found the latch and made my way into a long, low room, t', 'a flickering oil-lamp above the door i found the latch and made my way into a long, low room, thick ', 'ckering oil-lamp above the door i found the latch and made my way into a long, low room, thick and h', 'ng oil-lamp above the door i found the latch and made my way into a long, low room, thick and heavy ', 'l-lamp above the door i found the latch and made my way into a long, low room, thick and heavy with ', 'p above the door i found the latch and made my way into a long, low room, thick and heavy with the b', 've the door i found the latch and made my way into a long, low room, thick and heavy with the brown ', 'e door i found the latch and made my way into a long, low room, thick and heavy with the brown opium', 'r i found the latch and made my way into a long, low room, thick and heavy with the brown opium smok', 'ound the latch and made my way into a long, low room, thick and heavy with the brown opium smoke, an', 'the latch and made my way into a long, low room, thick and heavy with the brown opium smoke, and ter', 'atch and made my way into a long, low room, thick and heavy with the brown opium smoke, and terraced', 'and made my way into a long, low room, thick and heavy with the brown opium smoke, and terraced with', 'ade my way into a long, low room, thick and heavy with the brown opium smoke, and terraced with wood', 'y way into a long, low room, thick and heavy with the brown opium smoke, and terraced with wooden be', ' into a long, low room, thick and heavy with the brown opium smoke, and terraced with wooden berths,', ' a long, low room, thick and heavy with the brown opium smoke, and terraced with wooden berths, like', 'ng, low room, thick and heavy with the brown opium smoke, and terraced with wooden berths, like the ', 'ow room, thick and heavy with the brown opium smoke, and terraced with wooden berths, like the forec', 'om, thick and heavy with the brown opium smoke, and terraced with wooden berths, like the forecastle', 'hick and heavy with the brown opium smoke, and terraced with wooden berths, like the forecastle of a', 'and heavy with the brown opium smoke, and terraced with wooden berths, like the forecastle of an emi', 'eavy with the brown opium smoke, and terraced with wooden berths, like the forecastle of an emigrant', 'with the brown opium smoke, and terraced with wooden berths, like the forecastle of an emigrant ship', 'the brown opium smoke, and terraced with wooden berths, like the forecastle of an emigrant ship. thr', 'rown opium smoke, and terraced with wooden berths, like the forecastle of an emigrant ship. through ', 'opium smoke, and terraced with wooden berths, like the forecastle of an emigrant ship. through the g', ' smoke, and terraced with wooden berths, like the forecastle of an emigrant ship. through the gloom ', 'e, and terraced with wooden berths, like the forecastle of an emigrant ship. through the gloom one c', 'd terraced with wooden berths, like the forecastle of an emigrant ship. through the gloom one could ', 'raced with wooden berths, like the forecastle of an emigrant ship. through the gloom one could dimly', ' with wooden berths, like the forecastle of an emigrant ship. through the gloom one could dimly catc', ' wooden berths, like the forecastle of an emigrant ship. through the gloom one could dimly catch a g', 'en berths, like the forecastle of an emigrant ship. through the gloom one could dimly catch a glimps', 'rths, like the forecastle of an emigrant ship. through the gloom one could dimly catch a glimpse of ', ' like the forecastle of an emigrant ship. through the gloom one could dimly catch a glimpse of bodie', ' the forecastle of an emigrant ship. through the gloom one could dimly catch a glimpse of bodies lyi', 'forecastle of an emigrant ship. through the gloom one could dimly catch a glimpse of bodies lying in', 'astle of an emigrant ship. through the gloom one could dimly catch a glimpse of bodies lying in stra', ' of an emigrant ship. through the gloom one could dimly catch a glimpse of bodies lying in strange f', 'n emigrant ship. through the gloom one could dimly catch a glimpse of bodies lying in strange fantas', 'grant ship. through the gloom one could dimly catch a glimpse of bodies lying in strange fantastic p', ' ship. through the gloom one could dimly catch a glimpse of bodies lying in strange fantastic poses,', '. through the gloom one could dimly catch a glimpse of bodies lying in strange fantastic poses, bowe', 'ough the gloom one could dimly catch a glimpse of bodies lying in strange fantastic poses, bowed sho', 'the gloom one could dimly catch a glimpse of bodies lying in strange fantastic poses, bowed shoulder', 'loom one could dimly catch a glimpse of bodies lying in strange fantastic poses, bowed shoulders, be', 'one could dimly catch a glimpse of bodies lying in strange fantastic poses, bowed shoulders, bent kn', 'ould dimly catch a glimpse of bodies lying in strange fantastic poses, bowed shoulders, bent knees, ', 'dimly catch a glimpse of bodies lying in strange fantastic poses, bowed shoulders, bent knees, heads', ' catch a glimpse of bodies lying in strange fantastic poses, bowed shoulders, bent knees, heads thro', 'h a glimpse of bodies lying in strange fantastic poses, bowed shoulders, bent knees, heads thrown ba', 'limpse of bodies lying in strange fantastic poses, bowed shoulders, bent knees, heads thrown back, a', 'e of bodies lying in strange fantastic poses, bowed shoulders, bent knees, heads thrown back, and ch', 'bodies lying in strange fantastic poses, bowed shoulders, bent knees, heads thrown back, and chins p', 's lying in strange fantastic poses, bowed shoulders, bent knees, heads thrown back, and chins pointi', 'ng in strange fantastic poses, bowed shoulders, bent knees, heads thrown back, and chins pointing up', ' strange fantastic poses, bowed shoulders, bent knees, heads thrown back, and chins pointing upward,', 'nge fantastic poses, bowed shoulders, bent knees, heads thrown back, and chins pointing upward, with', 'antastic poses, bowed shoulders, bent knees, heads thrown back, and chins pointing upward, with here', 'tic poses, bowed shoulders, bent knees, heads thrown back, and chins pointing upward, with here and ', 'oses, bowed shoulders, bent knees, heads thrown back, and chins pointing upward, with here and there', ' bowed shoulders, bent knees, heads thrown back, and chins pointing upward, with here and there a da', 'd shoulders, bent knees, heads thrown back, and chins pointing upward, with here and there a dark, l', 'ulders, bent knees, heads thrown back, and chins pointing upward, with here and there a dark, lack-l', 's, bent knees, heads thrown back, and chins pointing upward, with here and there a dark, lack-lustre', 'nt knees, heads thrown back, and chins pointing upward, with here and there a dark, lack-lustre eye ', 'ees, heads thrown back, and chins pointing upward, with here and there a dark, lack-lustre eye turne', 'heads thrown back, and chins pointing upward, with here and there a dark, lack-lustre eye turned upo', ' thrown back, and chins pointing upward, with here and there a dark, lack-lustre eye turned upon the', 'wn back, and chins pointing upward, with here and there a dark, lack-lustre eye turned upon the newc', 'ck, and chins pointing upward, with here and there a dark, lack-lustre eye turned upon the newcomer.', 'nd chins pointing upward, with here and there a dark, lack-lustre eye turned upon the newcomer. out ', 'ins pointing upward, with here and there a dark, lack-lustre eye turned upon the newcomer. out of th', 'ointing upward, with here and there a dark, lack-lustre eye turned upon the newcomer. out of the bla', 'ng upward, with here and there a dark, lack-lustre eye turned upon the newcomer. out of the black sh', 'ward, with here and there a dark, lack-lustre eye turned upon the newcomer. out of the black shadows', ' with here and there a dark, lack-lustre eye turned upon the newcomer. out of the black shadows ther', ' here and there a dark, lack-lustre eye turned upon the newcomer. out of the black shadows there gli', ' and there a dark, lack-lustre eye turned upon the newcomer. out of the black shadows there glimmere', 'there a dark, lack-lustre eye turned upon the newcomer. out of the black shadows there glimmered lit', ' a dark, lack-lustre eye turned upon the newcomer. out of the black shadows there glimmered little r', 'rk, lack-lustre eye turned upon the newcomer. out of the black shadows there glimmered little red ci', 'ack-lustre eye turned upon the newcomer. out of the black shadows there glimmered little red circles', 'ustre eye turned upon the newcomer. out of the black shadows there glimmered little red circles of l', ' eye turned upon the newcomer. out of the black shadows there glimmered little red circles of light,', 'turned upon the newcomer. out of the black shadows there glimmered little red circles of light, now ', 'd upon the newcomer. out of the black shadows there glimmered little red circles of light, now brigh', 'n the newcomer. out of the black shadows there glimmered little red circles of light, now bright, no', ' newcomer. out of the black shadows there glimmered little red circles of light, now bright, now fai', 'omer. out of the black shadows there glimmered little red circles of light, now bright, now faint, a', ' out of the black shadows there glimmered little red circles of light, now bright, now faint, as the', 'of the black shadows there glimmered little red circles of light, now bright, now faint, as the burn', 'e black shadows there glimmered little red circles of light, now bright, now faint, as the burning p', 'ck shadows there glimmered little red circles of light, now bright, now faint, as the burning poison', 'adows there glimmered little red circles of light, now bright, now faint, as the burning poison waxe', ' there glimmered little red circles of light, now bright, now faint, as the burning poison waxed or ', 'e glimmered little red circles of light, now bright, now faint, as the burning poison waxed or waned', 'mmered little red circles of light, now bright, now faint, as the burning poison waxed or waned in t', 'd little red circles of light, now bright, now faint, as the burning poison waxed or waned in the bo', 'tle red circles of light, now bright, now faint, as the burning poison waxed or waned in the bowls o', 'ed circles of light, now bright, now faint, as the burning poison waxed or waned in the bowls of the', 'rcles of light, now bright, now faint, as the burning poison waxed or waned in the bowls of the meta', ' of light, now bright, now faint, as the burning poison waxed or waned in the bowls of the metal pip', 'ight, now bright, now faint, as the burning poison waxed or waned in the bowls of the metal pipes. t', ' now bright, now faint, as the burning poison waxed or waned in the bowls of the metal pipes. the mo', 'bright, now faint, as the burning poison waxed or waned in the bowls of the metal pipes. the most la', 't, now faint, as the burning poison waxed or waned in the bowls of the metal pipes. the most lay sil', 'w faint, as the burning poison waxed or waned in the bowls of the metal pipes. the most lay silent, ', 'nt, as the burning poison waxed or waned in the bowls of the metal pipes. the most lay silent, but s', 's the burning poison waxed or waned in the bowls of the metal pipes. the most lay silent, but some m', ' burning poison waxed or waned in the bowls of the metal pipes. the most lay silent, but some mutter', 'ing poison waxed or waned in the bowls of the metal pipes. the most lay silent, but some muttered to', 'oison waxed or waned in the bowls of the metal pipes. the most lay silent, but some muttered to them', ' waxed or waned in the bowls of the metal pipes. the most lay silent, but some muttered to themselve', 'd or waned in the bowls of the metal pipes. the most lay silent, but some muttered to themselves, an', 'waned in the bowls of the metal pipes. the most lay silent, but some muttered to themselves, and oth', ' in the bowls of the metal pipes. the most lay silent, but some muttered to themselves, and others t', 'he bowls of the metal pipes. the most lay silent, but some muttered to themselves, and others talked', 'wls of the metal pipes. the most lay silent, but some muttered to themselves, and others talked toge', 'f the metal pipes. the most lay silent, but some muttered to themselves, and others talked together ', ' metal pipes. the most lay silent, but some muttered to themselves, and others talked together in a ', 'l pipes. the most lay silent, but some muttered to themselves, and others talked together in a stran', 'es. the most lay silent, but some muttered to themselves, and others talked together in a strange, l', 'he most lay silent, but some muttered to themselves, and others talked together in a strange, low, m', 'st lay silent, but some muttered to themselves, and others talked together in a strange, low, monoto', 'y silent, but some muttered to themselves, and others talked together in a strange, low, monotonous ', 'ent, but some muttered to themselves, and others talked together in a strange, low, monotonous voice', 'but some muttered to themselves, and others talked together in a strange, low, monotonous voice, the', 'ome muttered to themselves, and others talked together in a strange, low, monotonous voice, their co', 'uttered to themselves, and others talked together in a strange, low, monotonous voice, their convers', 'ed to themselves, and others talked together in a strange, low, monotonous voice, their conversation', ' themselves, and others talked together in a strange, low, monotonous voice, their conversation comi', 'selves, and others talked together in a strange, low, monotonous voice, their conversation coming in', 's, and others talked together in a strange, low, monotonous voice, their conversation coming in gush', 'd others talked together in a strange, low, monotonous voice, their conversation coming in gushes, a', 'ers talked together in a strange, low, monotonous voice, their conversation coming in gushes, and th', 'alked together in a strange, low, monotonous voice, their conversation coming in gushes, and then su', ' together in a strange, low, monotonous voice, their conversation coming in gushes, and then suddenl', 'ther in a strange, low, monotonous voice, their conversation coming in gushes, and then suddenly tai', 'in a strange, low, monotonous voice, their conversation coming in gushes, and then suddenly tailing ', 'strange, low, monotonous voice, their conversation coming in gushes, and then suddenly tailing off i', 'ge, low, monotonous voice, their conversation coming in gushes, and then suddenly tailing off into s', 'ow, monotonous voice, their conversation coming in gushes, and then suddenly tailing off into silenc', 'onotonous voice, their conversation coming in gushes, and then suddenly tailing off into silence, ea', 'nous voice, their conversation coming in gushes, and then suddenly tailing off into silence, each mu', 'voice, their conversation coming in gushes, and then suddenly tailing off into silence, each mumblin', ', their conversation coming in gushes, and then suddenly tailing off into silence, each mumbling out', 'ir conversation coming in gushes, and then suddenly tailing off into silence, each mumbling out his ', 'nversation coming in gushes, and then suddenly tailing off into silence, each mumbling out his own t', 'ation coming in gushes, and then suddenly tailing off into silence, each mumbling out his own though', ' coming in gushes, and then suddenly tailing off into silence, each mumbling out his own thoughts an', 'ng in gushes, and then suddenly tailing off into silence, each mumbling out his own thoughts and pay', ' gushes, and then suddenly tailing off into silence, each mumbling out his own thoughts and paying l', 'es, and then suddenly tailing off into silence, each mumbling out his own thoughts and paying little', 'nd then suddenly tailing off into silence, each mumbling out his own thoughts and paying little heed', 'en suddenly tailing off into silence, each mumbling out his own thoughts and paying little heed to t', 'ddenly tailing off into silence, each mumbling out his own thoughts and paying little heed to the wo', 'y tailing off into silence, each mumbling out his own thoughts and paying little heed to the words o', 'ling off into silence, each mumbling out his own thoughts and paying little heed to the words of his', 'off into silence, each mumbling out his own thoughts and paying little heed to the words of his neig', 'nto silence, each mumbling out his own thoughts and paying little heed to the words of his neighbour', 'ilence, each mumbling out his own thoughts and paying little heed to the words of his neighbour. at ', 'e, each mumbling out his own thoughts and paying little heed to the words of his neighbour. at the f', 'ch mumbling out his own thoughts and paying little heed to the words of his neighbour. at the farthe', 'mbling out his own thoughts and paying little heed to the words of his neighbour. at the farther end', 'g out his own thoughts and paying little heed to the words of his neighbour. at the farther end was ', ' his own thoughts and paying little heed to the words of his neighbour. at the farther end was a sma', 'own thoughts and paying little heed to the words of his neighbour. at the farther end was a small br', 'houghts and paying little heed to the words of his neighbour. at the farther end was a small brazier', 'ts and paying little heed to the words of his neighbour. at the farther end was a small brazier of b', 'd paying little heed to the words of his neighbour. at the farther end was a small brazier of burnin', 'ing little heed to the words of his neighbour. at the farther end was a small brazier of burning cha', 'ittle heed to the words of his neighbour. at the farther end was a small brazier of burning charcoal', ' heed to the words of his neighbour. at the farther end was a small brazier of burning charcoal, bes', ' to the words of his neighbour. at the farther end was a small brazier of burning charcoal, beside w', 'he words of his neighbour. at the farther end was a small brazier of burning charcoal, beside which ', 'rds of his neighbour. at the farther end was a small brazier of burning charcoal, beside which on a ', 'f his neighbour. at the farther end was a small brazier of burning charcoal, beside which on a three', ' neighbour. at the farther end was a small brazier of burning charcoal, beside which on a three-legg', 'hbour. at the farther end was a small brazier of burning charcoal, beside which on a three-legged wo', '. at the farther end was a small brazier of burning charcoal, beside which on a three-legged wooden ', 'the farther end was a small brazier of burning charcoal, beside which on a three-legged wooden stool', 'arther end was a small brazier of burning charcoal, beside which on a three-legged wooden stool ther', 'r end was a small brazier of burning charcoal, beside which on a three-legged wooden stool there sat', ' was a small brazier of burning charcoal, beside which on a three-legged wooden stool there sat a ta', 'a small brazier of burning charcoal, beside which on a three-legged wooden stool there sat a tall, t', 'll brazier of burning charcoal, beside which on a three-legged wooden stool there sat a tall, thin o', 'azier of burning charcoal, beside which on a three-legged wooden stool there sat a tall, thin old ma', ' of burning charcoal, beside which on a three-legged wooden stool there sat a tall, thin old man, wi', 'urning charcoal, beside which on a three-legged wooden stool there sat a tall, thin old man, with hi', 'g charcoal, beside which on a three-legged wooden stool there sat a tall, thin old man, with his jaw', 'rcoal, beside which on a three-legged wooden stool there sat a tall, thin old man, with his jaw rest', ', beside which on a three-legged wooden stool there sat a tall, thin old man, with his jaw resting u', 'ide which on a three-legged wooden stool there sat a tall, thin old man, with his jaw resting upon h', 'hich on a three-legged wooden stool there sat a tall, thin old man, with his jaw resting upon his tw', 'on a three-legged wooden stool there sat a tall, thin old man, with his jaw resting upon his two fis', 'three-legged wooden stool there sat a tall, thin old man, with his jaw resting upon his two fists, a', '-legged wooden stool there sat a tall, thin old man, with his jaw resting upon his two fists, and hi', 'ed wooden stool there sat a tall, thin old man, with his jaw resting upon his two fists, and his elb', 'oden stool there sat a tall, thin old man, with his jaw resting upon his two fists, and his elbows u', 'stool there sat a tall, thin old man, with his jaw resting upon his two fists, and his elbows upon h', ' there sat a tall, thin old man, with his jaw resting upon his two fists, and his elbows upon his kn', 'e sat a tall, thin old man, with his jaw resting upon his two fists, and his elbows upon his knees, ', ' a tall, thin old man, with his jaw resting upon his two fists, and his elbows upon his knees, stari', 'll, thin old man, with his jaw resting upon his two fists, and his elbows upon his knees, staring in', 'hin old man, with his jaw resting upon his two fists, and his elbows upon his knees, staring into th', 'ld man, with his jaw resting upon his two fists, and his elbows upon his knees, staring into the fir', 'n, with his jaw resting upon his two fists, and his elbows upon his knees, staring into the fire. as', 'th his jaw resting upon his two fists, and his elbows upon his knees, staring into the fire. as i en', 's jaw resting upon his two fists, and his elbows upon his knees, staring into the fire. as i entered', ' resting upon his two fists, and his elbows upon his knees, staring into the fire. as i entered, a s', 'ing upon his two fists, and his elbows upon his knees, staring into the fire. as i entered, a sallow', 'pon his two fists, and his elbows upon his knees, staring into the fire. as i entered, a sallow mala', 'is two fists, and his elbows upon his knees, staring into the fire. as i entered, a sallow malay att', 'o fists, and his elbows upon his knees, staring into the fire. as i entered, a sallow malay attendan', 'ts, and his elbows upon his knees, staring into the fire. as i entered, a sallow malay attendant had', 'nd his elbows upon his knees, staring into the fire. as i entered, a sallow malay attendant had hurr', 's elbows upon his knees, staring into the fire. as i entered, a sallow malay attendant had hurried u', 'ows upon his knees, staring into the fire. as i entered, a sallow malay attendant had hurried up wit', 'pon his knees, staring into the fire. as i entered, a sallow malay attendant had hurried up with a p', 'is knees, staring into the fire. as i entered, a sallow malay attendant had hurried up with a pipe f', 'ees, staring into the fire. as i entered, a sallow malay attendant had hurried up with a pipe for me', 'staring into the fire. as i entered, a sallow malay attendant had hurried up with a pipe for me and ', 'ng into the fire. as i entered, a sallow malay attendant had hurried up with a pipe for me and a sup', 'to the fire. as i entered, a sallow malay attendant had hurried up with a pipe for me and a supply o', 'e fire. as i entered, a sallow malay attendant had hurried up with a pipe for me and a supply of the', 'e. as i entered, a sallow malay attendant had hurried up with a pipe for me and a supply of the drug', ' i entered, a sallow malay attendant had hurried up with a pipe for me and a supply of the drug, bec', 'tered, a sallow malay attendant had hurried up with a pipe for me and a supply of the drug, beckonin', ', a sallow malay attendant had hurried up with a pipe for me and a supply of the drug, beckoning me ', 'allow malay attendant had hurried up with a pipe for me and a supply of the drug, beckoning me to an', ' malay attendant had hurried up with a pipe for me and a supply of the drug, beckoning me to an empt', 'y attendant had hurried up with a pipe for me and a supply of the drug, beckoning me to an empty ber', 'endant had hurried up with a pipe for me and a supply of the drug, beckoning me to an empty berth. "', 't had hurried up with a pipe for me and a supply of the drug, beckoning me to an empty berth. "thank', ' hurried up with a pipe for me and a supply of the drug, beckoning me to an empty berth. "thank you.', 'ied up with a pipe for me and a supply of the drug, beckoning me to an empty berth. "thank you. i ha', 'p with a pipe for me and a supply of the drug, beckoning me to an empty berth. "thank you. i have no', 'h a pipe for me and a supply of the drug, beckoning me to an empty berth. "thank you. i have not com', 'ipe for me and a supply of the drug, beckoning me to an empty berth. "thank you. i have not come to ', 'or me and a supply of the drug, beckoning me to an empty berth. "thank you. i have not come to stay,', ' and a supply of the drug, beckoning me to an empty berth. "thank you. i have not come to stay," sai', 'a supply of the drug, beckoning me to an empty berth. "thank you. i have not come to stay," said i. ', 'ply of the drug, beckoning me to an empty berth. "thank you. i have not come to stay," said i. "ther', 'f the drug, beckoning me to an empty berth. "thank you. i have not come to stay," said i. "there is ', ' drug, beckoning me to an empty berth. "thank you. i have not come to stay," said i. "there is a fri', ', beckoning me to an empty berth. "thank you. i have not come to stay," said i. "there is a friend o', 'koning me to an empty berth. "thank you. i have not come to stay," said i. "there is a friend of min', 'g me to an empty berth. "thank you. i have not come to stay," said i. "there is a friend of mine her', 'to an empty berth. "thank you. i have not come to stay," said i. "there is a friend of mine here, mr', ' empty berth. "thank you. i have not come to stay," said i. "there is a friend of mine here, mr. isa', 'y berth. "thank you. i have not come to stay," said i. "there is a friend of mine here, mr. isa whit', 'th. "thank you. i have not come to stay," said i. "there is a friend of mine here, mr. isa whitney, ', 'thank you. i have not come to stay," said i. "there is a friend of mine here, mr. isa whitney, and i', ' you. i have not come to stay," said i. "there is a friend of mine here, mr. isa whitney, and i wish', ' i have not come to stay," said i. "there is a friend of mine here, mr. isa whitney, and i wish to s', 've not come to stay," said i. "there is a friend of mine here, mr. isa whitney, and i wish to speak ', 't come to stay," said i. "there is a friend of mine here, mr. isa whitney, and i wish to speak with ', 'e to stay," said i. "there is a friend of mine here, mr. isa whitney, and i wish to speak with him."', 'stay," said i. "there is a friend of mine here, mr. isa whitney, and i wish to speak with him." ther', '" said i. "there is a friend of mine here, mr. isa whitney, and i wish to speak with him." there was', 'd i. "there is a friend of mine here, mr. isa whitney, and i wish to speak with him." there was a mo', '"there is a friend of mine here, mr. isa whitney, and i wish to speak with him." there was a movemen', 'e is a friend of mine here, mr. isa whitney, and i wish to speak with him." there was a movement and', 'a friend of mine here, mr. isa whitney, and i wish to speak with him." there was a movement and an e', 'end of mine here, mr. isa whitney, and i wish to speak with him." there was a movement and an exclam', 'f mine here, mr. isa whitney, and i wish to speak with him." there was a movement and an exclamation', 'e here, mr. isa whitney, and i wish to speak with him." there was a movement and an exclamation from', 'e, mr. isa whitney, and i wish to speak with him." there was a movement and an exclamation from my r', '. isa whitney, and i wish to speak with him." there was a movement and an exclamation from my right,', ' whitney, and i wish to speak with him." there was a movement and an exclamation from my right, and ', 'ney, and i wish to speak with him." there was a movement and an exclamation from my right, and peeri', 'and i wish to speak with him." there was a movement and an exclamation from my right, and peering th', ' wish to speak with him." there was a movement and an exclamation from my right, and peering through', ' to speak with him." there was a movement and an exclamation from my right, and peering through the ', 'peak with him." there was a movement and an exclamation from my right, and peering through the gloom', 'with him." there was a movement and an exclamation from my right, and peering through the gloom, i s', 'him." there was a movement and an exclamation from my right, and peering through the gloom, i saw wh', ' there was a movement and an exclamation from my right, and peering through the gloom, i saw whitney', 'e was a movement and an exclamation from my right, and peering through the gloom, i saw whitney, pal', ' a movement and an exclamation from my right, and peering through the gloom, i saw whitney, pale, ha', 'vement and an exclamation from my right, and peering through the gloom, i saw whitney, pale, haggard', 't and an exclamation from my right, and peering through the gloom, i saw whitney, pale, haggard, and', ' an exclamation from my right, and peering through the gloom, i saw whitney, pale, haggard, and unke', 'xclamation from my right, and peering through the gloom, i saw whitney, pale, haggard, and unkempt, ', 'ation from my right, and peering through the gloom, i saw whitney, pale, haggard, and unkempt, stari', ' from my right, and peering through the gloom, i saw whitney, pale, haggard, and unkempt, staring ou', ' my right, and peering through the gloom, i saw whitney, pale, haggard, and unkempt, staring out at ', 'ight, and peering through the gloom, i saw whitney, pale, haggard, and unkempt, staring out at me. "', ' and peering through the gloom, i saw whitney, pale, haggard, and unkempt, staring out at me. "my go', 'peering through the gloom, i saw whitney, pale, haggard, and unkempt, staring out at me. "my god! it', 'ng through the gloom, i saw whitney, pale, haggard, and unkempt, staring out at me. "my god! it\'s wa', 'rough the gloom, i saw whitney, pale, haggard, and unkempt, staring out at me. "my god! it\'s watson,', ' the gloom, i saw whitney, pale, haggard, and unkempt, staring out at me. "my god! it\'s watson," sai', 'gloom, i saw whitney, pale, haggard, and unkempt, staring out at me. "my god! it\'s watson," said he.', ', i saw whitney, pale, haggard, and unkempt, staring out at me. "my god! it\'s watson," said he. he w', 'aw whitney, pale, haggard, and unkempt, staring out at me. "my god! it\'s watson," said he. he was in', 'itney, pale, haggard, and unkempt, staring out at me. "my god! it\'s watson," said he. he was in a pi', ', pale, haggard, and unkempt, staring out at me. "my god! it\'s watson," said he. he was in a pitiabl', 'e, haggard, and unkempt, staring out at me. "my god! it\'s watson," said he. he was in a pitiable sta', 'ggard, and unkempt, staring out at me. "my god! it\'s watson," said he. he was in a pitiable state of', ', and unkempt, staring out at me. "my god! it\'s watson," said he. he was in a pitiable state of reac', ' unkempt, staring out at me. "my god! it\'s watson," said he. he was in a pitiable state of reaction,', 'mpt, staring out at me. "my god! it\'s watson," said he. he was in a pitiable state of reaction, with', 'staring out at me. "my god! it\'s watson," said he. he was in a pitiable state of reaction, with ever', 'ng out at me. "my god! it\'s watson," said he. he was in a pitiable state of reaction, with every ner', 't at me. "my god! it\'s watson," said he. he was in a pitiable state of reaction, with every nerve in', 'me. "my god! it\'s watson," said he. he was in a pitiable state of reaction, with every nerve in a tw', 'my god! it\'s watson," said he. he was in a pitiable state of reaction, with every nerve in a twitter', 'd! it\'s watson," said he. he was in a pitiable state of reaction, with every nerve in a twitter. "i ', '\'s watson," said he. he was in a pitiable state of reaction, with every nerve in a twitter. "i say, ', 'tson," said he. he was in a pitiable state of reaction, with every nerve in a twitter. "i say, watso', '" said he. he was in a pitiable state of reaction, with every nerve in a twitter. "i say, watson, wh', 'd he. he was in a pitiable state of reaction, with every nerve in a twitter. "i say, watson, what o\'', ' he was in a pitiable state of reaction, with every nerve in a twitter. "i say, watson, what o\'clock', 'as in a pitiable state of reaction, with every nerve in a twitter. "i say, watson, what o\'clock is i', ' a pitiable state of reaction, with every nerve in a twitter. "i say, watson, what o\'clock is it?" "', 'tiable state of reaction, with every nerve in a twitter. "i say, watson, what o\'clock is it?" "nearl', 'e state of reaction, with every nerve in a twitter. "i say, watson, what o\'clock is it?" "nearly ele', 'te of reaction, with every nerve in a twitter. "i say, watson, what o\'clock is it?" "nearly eleven."', ' reaction, with every nerve in a twitter. "i say, watson, what o\'clock is it?" "nearly eleven." "of ', 'tion, with every nerve in a twitter. "i say, watson, what o\'clock is it?" "nearly eleven." "of what ', ' with every nerve in a twitter. "i say, watson, what o\'clock is it?" "nearly eleven." "of what day?"', ' every nerve in a twitter. "i say, watson, what o\'clock is it?" "nearly eleven." "of what day?" "of ', 'y nerve in a twitter. "i say, watson, what o\'clock is it?" "nearly eleven." "of what day?" "of frida', 've in a twitter. "i say, watson, what o\'clock is it?" "nearly eleven." "of what day?" "of friday, ju', ' a twitter. "i say, watson, what o\'clock is it?" "nearly eleven." "of what day?" "of friday, june t', 'itter. "i say, watson, what o\'clock is it?" "nearly eleven." "of what day?" "of friday, june th." "', '. "i say, watson, what o\'clock is it?" "nearly eleven." "of what day?" "of friday, june th." "good ', 'say, watson, what o\'clock is it?" "nearly eleven." "of what day?" "of friday, june th." "good heave', 'watson, what o\'clock is it?" "nearly eleven." "of what day?" "of friday, june th." "good heavens! i', 'n, what o\'clock is it?" "nearly eleven." "of what day?" "of friday, june th." "good heavens! i thou', 'at o\'clock is it?" "nearly eleven." "of what day?" "of friday, june th." "good heavens! i thought i', 'clock is it?" "nearly eleven." "of what day?" "of friday, june th." "good heavens! i thought it was', ' is it?" "nearly eleven." "of what day?" "of friday, june th." "good heavens! i thought it was wedn', 't?" "nearly eleven." "of what day?" "of friday, june th." "good heavens! i thought it was wednesday', 'nearly eleven." "of what day?" "of friday, june th." "good heavens! i thought it was wednesday. it ', 'y eleven." "of what day?" "of friday, june th." "good heavens! i thought it was wednesday. it is we', 'ven." "of what day?" "of friday, june th." "good heavens! i thought it was wednesday. it is wednesd', ' "of what day?" "of friday, june th." "good heavens! i thought it was wednesday. it is wednesday. w', 'what day?" "of friday, june th." "good heavens! i thought it was wednesday. it is wednesday. what d', 'day?" "of friday, june th." "good heavens! i thought it was wednesday. it is wednesday. what d\'you ', ' "of friday, june th." "good heavens! i thought it was wednesday. it is wednesday. what d\'you want ', 'friday, june th." "good heavens! i thought it was wednesday. it is wednesday. what d\'you want to fr', 'y, june th." "good heavens! i thought it was wednesday. it is wednesday. what d\'you want to frighte', 'ne th." "good heavens! i thought it was wednesday. it is wednesday. what d\'you want to frighten a c', 'h." "good heavens! i thought it was wednesday. it is wednesday. what d\'you want to frighten a chap f', 'good heavens! i thought it was wednesday. it is wednesday. what d\'you want to frighten a chap for?" ', 'heavens! i thought it was wednesday. it is wednesday. what d\'you want to frighten a chap for?" he sa', 'ns! i thought it was wednesday. it is wednesday. what d\'you want to frighten a chap for?" he sank hi', ' thought it was wednesday. it is wednesday. what d\'you want to frighten a chap for?" he sank his fac', 'ght it was wednesday. it is wednesday. what d\'you want to frighten a chap for?" he sank his face ont', 't was wednesday. it is wednesday. what d\'you want to frighten a chap for?" he sank his face onto his', ' wednesday. it is wednesday. what d\'you want to frighten a chap for?" he sank his face onto his arms', 'esday. it is wednesday. what d\'you want to frighten a chap for?" he sank his face onto his arms and ', '. it is wednesday. what d\'you want to frighten a chap for?" he sank his face onto his arms and began', 'is wednesday. what d\'you want to frighten a chap for?" he sank his face onto his arms and began to s', 'dnesday. what d\'you want to frighten a chap for?" he sank his face onto his arms and began to sob in', 'ay. what d\'you want to frighten a chap for?" he sank his face onto his arms and began to sob in a hi', 'hat d\'you want to frighten a chap for?" he sank his face onto his arms and began to sob in a high tr', '\'you want to frighten a chap for?" he sank his face onto his arms and began to sob in a high treble ', 'want to frighten a chap for?" he sank his face onto his arms and began to sob in a high treble key. ', 'to frighten a chap for?" he sank his face onto his arms and began to sob in a high treble key. "i te', 'ighten a chap for?" he sank his face onto his arms and began to sob in a high treble key. "i tell yo', 'n a chap for?" he sank his face onto his arms and began to sob in a high treble key. "i tell you tha', 'hap for?" he sank his face onto his arms and began to sob in a high treble key. "i tell you that it ', 'or?" he sank his face onto his arms and began to sob in a high treble key. "i tell you that it is fr', 'he sank his face onto his arms and began to sob in a high treble key. "i tell you that it is friday,', 'nk his face onto his arms and began to sob in a high treble key. "i tell you that it is friday, man.', 's face onto his arms and began to sob in a high treble key. "i tell you that it is friday, man. your', 'e onto his arms and began to sob in a high treble key. "i tell you that it is friday, man. your wife', 'o his arms and began to sob in a high treble key. "i tell you that it is friday, man. your wife has ', ' arms and began to sob in a high treble key. "i tell you that it is friday, man. your wife has been ', ' and began to sob in a high treble key. "i tell you that it is friday, man. your wife has been waiti', 'began to sob in a high treble key. "i tell you that it is friday, man. your wife has been waiting th', ' to sob in a high treble key. "i tell you that it is friday, man. your wife has been waiting this tw', 'ob in a high treble key. "i tell you that it is friday, man. your wife has been waiting this two day', ' a high treble key. "i tell you that it is friday, man. your wife has been waiting this two days for', 'gh treble key. "i tell you that it is friday, man. your wife has been waiting this two days for you.', 'eble key. "i tell you that it is friday, man. your wife has been waiting this two days for you. you ', 'key. "i tell you that it is friday, man. your wife has been waiting this two days for you. you shoul', '"i tell you that it is friday, man. your wife has been waiting this two days for you. you should be ', 'll you that it is friday, man. your wife has been waiting this two days for you. you should be asham', 'u that it is friday, man. your wife has been waiting this two days for you. you should be ashamed of', 't it is friday, man. your wife has been waiting this two days for you. you should be ashamed of your', 'is friday, man. your wife has been waiting this two days for you. you should be ashamed of yourself ', 'iday, man. your wife has been waiting this two days for you. you should be ashamed of yourself "so ', ' man. your wife has been waiting this two days for you. you should be ashamed of yourself "so i am.', ' your wife has been waiting this two days for you. you should be ashamed of yourself "so i am. but ', ' wife has been waiting this two days for you. you should be ashamed of yourself "so i am. but you\'v', ' has been waiting this two days for you. you should be ashamed of yourself "so i am. but you\'ve got', 'been waiting this two days for you. you should be ashamed of yourself "so i am. but you\'ve got mixe', 'waiting this two days for you. you should be ashamed of yourself "so i am. but you\'ve got mixed, wa', 'ng this two days for you. you should be ashamed of yourself "so i am. but you\'ve got mixed, watson,', 'is two days for you. you should be ashamed of yourself "so i am. but you\'ve got mixed, watson, for ', 'o days for you. you should be ashamed of yourself "so i am. but you\'ve got mixed, watson, for i hav', 's for you. you should be ashamed of yourself "so i am. but you\'ve got mixed, watson, for i have onl', ' you. you should be ashamed of yourself "so i am. but you\'ve got mixed, watson, for i have only bee', ' you should be ashamed of yourself "so i am. but you\'ve got mixed, watson, for i have only been her', 'should be ashamed of yourself "so i am. but you\'ve got mixed, watson, for i have only been here a f', 'd be ashamed of yourself "so i am. but you\'ve got mixed, watson, for i have only been here a few ho', 'ashamed of yourself "so i am. but you\'ve got mixed, watson, for i have only been here a few hours, ', 'ed of yourself "so i am. but you\'ve got mixed, watson, for i have only been here a few hours, three', ' yourself "so i am. but you\'ve got mixed, watson, for i have only been here a few hours, three pipe', 'self "so i am. but you\'ve got mixed, watson, for i have only been here a few hours, three pipes, fo', ' "so i am. but you\'ve got mixed, watson, for i have only been here a few hours, three pipes, four pi', "i am. but you've got mixed, watson, for i have only been here a few hours, three pipes, four pipesi ", " but you've got mixed, watson, for i have only been here a few hours, three pipes, four pipesi forge", "you've got mixed, watson, for i have only been here a few hours, three pipes, four pipesi forget how", 'e got mixed, watson, for i have only been here a few hours, three pipes, four pipesi forget how many', ' mixed, watson, for i have only been here a few hours, three pipes, four pipesi forget how many. but', "d, watson, for i have only been here a few hours, three pipes, four pipesi forget how many. but i'll", "tson, for i have only been here a few hours, three pipes, four pipesi forget how many. but i'll go h", " for i have only been here a few hours, three pipes, four pipesi forget how many. but i'll go home w", "i have only been here a few hours, three pipes, four pipesi forget how many. but i'll go home with y", "e only been here a few hours, three pipes, four pipesi forget how many. but i'll go home with you. i", "y been here a few hours, three pipes, four pipesi forget how many. but i'll go home with you. i woul", "n here a few hours, three pipes, four pipesi forget how many. but i'll go home with you. i wouldn't ", "e a few hours, three pipes, four pipesi forget how many. but i'll go home with you. i wouldn't frigh", "ew hours, three pipes, four pipesi forget how many. but i'll go home with you. i wouldn't frighten k", "urs, three pipes, four pipesi forget how many. but i'll go home with you. i wouldn't frighten katepo", "three pipes, four pipesi forget how many. but i'll go home with you. i wouldn't frighten katepoor li", " pipes, four pipesi forget how many. but i'll go home with you. i wouldn't frighten katepoor little ", "s, four pipesi forget how many. but i'll go home with you. i wouldn't frighten katepoor little kate.", "ur pipesi forget how many. but i'll go home with you. i wouldn't frighten katepoor little kate. give", "pesi forget how many. but i'll go home with you. i wouldn't frighten katepoor little kate. give me y", "forget how many. but i'll go home with you. i wouldn't frighten katepoor little kate. give me your h", "t how many. but i'll go home with you. i wouldn't frighten katepoor little kate. give me your hand! ", " many. but i'll go home with you. i wouldn't frighten katepoor little kate. give me your hand! have ", ". but i'll go home with you. i wouldn't frighten katepoor little kate. give me your hand! have you a", " i'll go home with you. i wouldn't frighten katepoor little kate. give me your hand! have you a cab?", ' go home with you. i wouldn\'t frighten katepoor little kate. give me your hand! have you a cab?" "ye', 'ome with you. i wouldn\'t frighten katepoor little kate. give me your hand! have you a cab?" "yes, i ', 'ith you. i wouldn\'t frighten katepoor little kate. give me your hand! have you a cab?" "yes, i have ', 'ou. i wouldn\'t frighten katepoor little kate. give me your hand! have you a cab?" "yes, i have one w', ' wouldn\'t frighten katepoor little kate. give me your hand! have you a cab?" "yes, i have one waitin', 'dn\'t frighten katepoor little kate. give me your hand! have you a cab?" "yes, i have one waiting." "', 'frighten katepoor little kate. give me your hand! have you a cab?" "yes, i have one waiting." "then ', 'ten katepoor little kate. give me your hand! have you a cab?" "yes, i have one waiting." "then i sha', 'atepoor little kate. give me your hand! have you a cab?" "yes, i have one waiting." "then i shall go', 'or little kate. give me your hand! have you a cab?" "yes, i have one waiting." "then i shall go in i', 'ttle kate. give me your hand! have you a cab?" "yes, i have one waiting." "then i shall go in it. bu', 'kate. give me your hand! have you a cab?" "yes, i have one waiting." "then i shall go in it. but i m', ' give me your hand! have you a cab?" "yes, i have one waiting." "then i shall go in it. but i must o', ' me your hand! have you a cab?" "yes, i have one waiting." "then i shall go in it. but i must owe so', 'our hand! have you a cab?" "yes, i have one waiting." "then i shall go in it. but i must owe somethi', 'and! have you a cab?" "yes, i have one waiting." "then i shall go in it. but i must owe something. f', 'have you a cab?" "yes, i have one waiting." "then i shall go in it. but i must owe something. find w', 'you a cab?" "yes, i have one waiting." "then i shall go in it. but i must owe something. find what i', ' cab?" "yes, i have one waiting." "then i shall go in it. but i must owe something. find what i owe,', '" "yes, i have one waiting." "then i shall go in it. but i must owe something. find what i owe, wats', 's, i have one waiting." "then i shall go in it. but i must owe something. find what i owe, watson. i', 'have one waiting." "then i shall go in it. but i must owe something. find what i owe, watson. i am a', 'one waiting." "then i shall go in it. but i must owe something. find what i owe, watson. i am all of', 'aiting." "then i shall go in it. but i must owe something. find what i owe, watson. i am all off col', 'g." "then i shall go in it. but i must owe something. find what i owe, watson. i am all off colour. ', 'then i shall go in it. but i must owe something. find what i owe, watson. i am all off colour. i can', 'i shall go in it. but i must owe something. find what i owe, watson. i am all off colour. i can do n', 'll go in it. but i must owe something. find what i owe, watson. i am all off colour. i can do nothin', ' in it. but i must owe something. find what i owe, watson. i am all off colour. i can do nothing for', 't. but i must owe something. find what i owe, watson. i am all off colour. i can do nothing for myse', 't i must owe something. find what i owe, watson. i am all off colour. i can do nothing for myself." ', 'ust owe something. find what i owe, watson. i am all off colour. i can do nothing for myself." i wal', 'we something. find what i owe, watson. i am all off colour. i can do nothing for myself." i walked d', 'mething. find what i owe, watson. i am all off colour. i can do nothing for myself." i walked down t', 'ng. find what i owe, watson. i am all off colour. i can do nothing for myself." i walked down the na', 'ind what i owe, watson. i am all off colour. i can do nothing for myself." i walked down the narrow ', 'hat i owe, watson. i am all off colour. i can do nothing for myself." i walked down the narrow passa', ' owe, watson. i am all off colour. i can do nothing for myself." i walked down the narrow passage be', ' watson. i am all off colour. i can do nothing for myself." i walked down the narrow passage between', 'on. i am all off colour. i can do nothing for myself." i walked down the narrow passage between the ', ' am all off colour. i can do nothing for myself." i walked down the narrow passage between the doubl', 'll off colour. i can do nothing for myself." i walked down the narrow passage between the double row', 'f colour. i can do nothing for myself." i walked down the narrow passage between the double row of s', 'our. i can do nothing for myself." i walked down the narrow passage between the double row of sleepe', 'i can do nothing for myself." i walked down the narrow passage between the double row of sleepers, h', ' do nothing for myself." i walked down the narrow passage between the double row of sleepers, holdin', 'othing for myself." i walked down the narrow passage between the double row of sleepers, holding my ', 'g for myself." i walked down the narrow passage between the double row of sleepers, holding my breat', ' myself." i walked down the narrow passage between the double row of sleepers, holding my breath to ', 'lf." i walked down the narrow passage between the double row of sleepers, holding my breath to keep ', 'i walked down the narrow passage between the double row of sleepers, holding my breath to keep out t', 'ked down the narrow passage between the double row of sleepers, holding my breath to keep out the vi', 'own the narrow passage between the double row of sleepers, holding my breath to keep out the vile, s', 'he narrow passage between the double row of sleepers, holding my breath to keep out the vile, stupef', 'rrow passage between the double row of sleepers, holding my breath to keep out the vile, stupefying ', 'passage between the double row of sleepers, holding my breath to keep out the vile, stupefying fumes', 'ge between the double row of sleepers, holding my breath to keep out the vile, stupefying fumes of t', 'tween the double row of sleepers, holding my breath to keep out the vile, stupefying fumes of the dr', ' the double row of sleepers, holding my breath to keep out the vile, stupefying fumes of the drug, a', 'double row of sleepers, holding my breath to keep out the vile, stupefying fumes of the drug, and lo', 'e row of sleepers, holding my breath to keep out the vile, stupefying fumes of the drug, and looking', ' of sleepers, holding my breath to keep out the vile, stupefying fumes of the drug, and looking abou', 'leepers, holding my breath to keep out the vile, stupefying fumes of the drug, and looking about for', 'rs, holding my breath to keep out the vile, stupefying fumes of the drug, and looking about for the ', 'olding my breath to keep out the vile, stupefying fumes of the drug, and looking about for the manag', 'g my breath to keep out the vile, stupefying fumes of the drug, and looking about for the manager. a', 'breath to keep out the vile, stupefying fumes of the drug, and looking about for the manager. as i p', 'h to keep out the vile, stupefying fumes of the drug, and looking about for the manager. as i passed', 'keep out the vile, stupefying fumes of the drug, and looking about for the manager. as i passed the ', 'out the vile, stupefying fumes of the drug, and looking about for the manager. as i passed the tall ', 'he vile, stupefying fumes of the drug, and looking about for the manager. as i passed the tall man w', 'le, stupefying fumes of the drug, and looking about for the manager. as i passed the tall man who sa', 'tupefying fumes of the drug, and looking about for the manager. as i passed the tall man who sat by ', 'ying fumes of the drug, and looking about for the manager. as i passed the tall man who sat by the b', 'fumes of the drug, and looking about for the manager. as i passed the tall man who sat by the brazie', ' of the drug, and looking about for the manager. as i passed the tall man who sat by the brazier i f', 'he drug, and looking about for the manager. as i passed the tall man who sat by the brazier i felt a', 'ug, and looking about for the manager. as i passed the tall man who sat by the brazier i felt a sudd', 'nd looking about for the manager. as i passed the tall man who sat by the brazier i felt a sudden pl', 'oking about for the manager. as i passed the tall man who sat by the brazier i felt a sudden pluck a', ' about for the manager. as i passed the tall man who sat by the brazier i felt a sudden pluck at my ', 't for the manager. as i passed the tall man who sat by the brazier i felt a sudden pluck at my skirt', ' the manager. as i passed the tall man who sat by the brazier i felt a sudden pluck at my skirt, and', 'manager. as i passed the tall man who sat by the brazier i felt a sudden pluck at my skirt, and a lo', 'er. as i passed the tall man who sat by the brazier i felt a sudden pluck at my skirt, and a low voi', 's i passed the tall man who sat by the brazier i felt a sudden pluck at my skirt, and a low voice wh', 'assed the tall man who sat by the brazier i felt a sudden pluck at my skirt, and a low voice whisper', ' the tall man who sat by the brazier i felt a sudden pluck at my skirt, and a low voice whispered, "', 'tall man who sat by the brazier i felt a sudden pluck at my skirt, and a low voice whispered, "walk ', 'man who sat by the brazier i felt a sudden pluck at my skirt, and a low voice whispered, "walk past ', 'ho sat by the brazier i felt a sudden pluck at my skirt, and a low voice whispered, "walk past me, a', 't by the brazier i felt a sudden pluck at my skirt, and a low voice whispered, "walk past me, and th', 'the brazier i felt a sudden pluck at my skirt, and a low voice whispered, "walk past me, and then lo', 'razier i felt a sudden pluck at my skirt, and a low voice whispered, "walk past me, and then look ba', 'r i felt a sudden pluck at my skirt, and a low voice whispered, "walk past me, and then look back at', 'elt a sudden pluck at my skirt, and a low voice whispered, "walk past me, and then look back at me."', ' sudden pluck at my skirt, and a low voice whispered, "walk past me, and then look back at me." the ', 'en pluck at my skirt, and a low voice whispered, "walk past me, and then look back at me." the words', 'uck at my skirt, and a low voice whispered, "walk past me, and then look back at me." the words fell', 't my skirt, and a low voice whispered, "walk past me, and then look back at me." the words fell quit', 'skirt, and a low voice whispered, "walk past me, and then look back at me." the words fell quite dis', ', and a low voice whispered, "walk past me, and then look back at me." the words fell quite distinct', ' a low voice whispered, "walk past me, and then look back at me." the words fell quite distinctly up', 'w voice whispered, "walk past me, and then look back at me." the words fell quite distinctly upon my', 'ce whispered, "walk past me, and then look back at me." the words fell quite distinctly upon my ear.', 'ispered, "walk past me, and then look back at me." the words fell quite distinctly upon my ear. i gl', 'ed, "walk past me, and then look back at me." the words fell quite distinctly upon my ear. i glanced', 'walk past me, and then look back at me." the words fell quite distinctly upon my ear. i glanced down', 'past me, and then look back at me." the words fell quite distinctly upon my ear. i glanced down. the', 'me, and then look back at me." the words fell quite distinctly upon my ear. i glanced down. they cou', 'nd then look back at me." the words fell quite distinctly upon my ear. i glanced down. they could on', 'en look back at me." the words fell quite distinctly upon my ear. i glanced down. they could only ha', 'ok back at me." the words fell quite distinctly upon my ear. i glanced down. they could only have co', 'ck at me." the words fell quite distinctly upon my ear. i glanced down. they could only have come fr', ' me." the words fell quite distinctly upon my ear. i glanced down. they could only have come from th', ' the words fell quite distinctly upon my ear. i glanced down. they could only have come from the old', 'words fell quite distinctly upon my ear. i glanced down. they could only have come from the old man ', ' fell quite distinctly upon my ear. i glanced down. they could only have come from the old man at my', ' quite distinctly upon my ear. i glanced down. they could only have come from the old man at my side', 'e distinctly upon my ear. i glanced down. they could only have come from the old man at my side, and', 'tinctly upon my ear. i glanced down. they could only have come from the old man at my side, and yet ', 'ly upon my ear. i glanced down. they could only have come from the old man at my side, and yet he sa', 'on my ear. i glanced down. they could only have come from the old man at my side, and yet he sat now', ' ear. i glanced down. they could only have come from the old man at my side, and yet he sat now as a', ' i glanced down. they could only have come from the old man at my side, and yet he sat now as absorb', 'anced down. they could only have come from the old man at my side, and yet he sat now as absorbed as', ' down. they could only have come from the old man at my side, and yet he sat now as absorbed as ever', '. they could only have come from the old man at my side, and yet he sat now as absorbed as ever, ver', 'y could only have come from the old man at my side, and yet he sat now as absorbed as ever, very thi', 'ld only have come from the old man at my side, and yet he sat now as absorbed as ever, very thin, ve', 'ly have come from the old man at my side, and yet he sat now as absorbed as ever, very thin, very wr', 've come from the old man at my side, and yet he sat now as absorbed as ever, very thin, very wrinkle', 'me from the old man at my side, and yet he sat now as absorbed as ever, very thin, very wrinkled, be', 'om the old man at my side, and yet he sat now as absorbed as ever, very thin, very wrinkled, bent wi', 'e old man at my side, and yet he sat now as absorbed as ever, very thin, very wrinkled, bent with ag', ' man at my side, and yet he sat now as absorbed as ever, very thin, very wrinkled, bent with age, an', 'at my side, and yet he sat now as absorbed as ever, very thin, very wrinkled, bent with age, an opiu', ' side, and yet he sat now as absorbed as ever, very thin, very wrinkled, bent with age, an opium pip', ', and yet he sat now as absorbed as ever, very thin, very wrinkled, bent with age, an opium pipe dan', ' yet he sat now as absorbed as ever, very thin, very wrinkled, bent with age, an opium pipe dangling', 'he sat now as absorbed as ever, very thin, very wrinkled, bent with age, an opium pipe dangling down', 't now as absorbed as ever, very thin, very wrinkled, bent with age, an opium pipe dangling down from', ' as absorbed as ever, very thin, very wrinkled, bent with age, an opium pipe dangling down from betw', 'bsorbed as ever, very thin, very wrinkled, bent with age, an opium pipe dangling down from between h', 'ed as ever, very thin, very wrinkled, bent with age, an opium pipe dangling down from between his kn', ' ever, very thin, very wrinkled, bent with age, an opium pipe dangling down from between his knees, ', ', very thin, very wrinkled, bent with age, an opium pipe dangling down from between his knees, as th', 'y thin, very wrinkled, bent with age, an opium pipe dangling down from between his knees, as though ', 'n, very wrinkled, bent with age, an opium pipe dangling down from between his knees, as though it ha', 'ry wrinkled, bent with age, an opium pipe dangling down from between his knees, as though it had dro', 'inkled, bent with age, an opium pipe dangling down from between his knees, as though it had dropped ', 'd, bent with age, an opium pipe dangling down from between his knees, as though it had dropped in sh', 'nt with age, an opium pipe dangling down from between his knees, as though it had dropped in sheer l', 'th age, an opium pipe dangling down from between his knees, as though it had dropped in sheer lassit', 'e, an opium pipe dangling down from between his knees, as though it had dropped in sheer lassitude f', ' opium pipe dangling down from between his knees, as though it had dropped in sheer lassitude from h', 'm pipe dangling down from between his knees, as though it had dropped in sheer lassitude from his fi', 'e dangling down from between his knees, as though it had dropped in sheer lassitude from his fingers', 'gling down from between his knees, as though it had dropped in sheer lassitude from his fingers. i t', ' down from between his knees, as though it had dropped in sheer lassitude from his fingers. i took t', ' from between his knees, as though it had dropped in sheer lassitude from his fingers. i took two st', ' between his knees, as though it had dropped in sheer lassitude from his fingers. i took two steps f', 'een his knees, as though it had dropped in sheer lassitude from his fingers. i took two steps forwar', 'is knees, as though it had dropped in sheer lassitude from his fingers. i took two steps forward and', 'ees, as though it had dropped in sheer lassitude from his fingers. i took two steps forward and look', 'as though it had dropped in sheer lassitude from his fingers. i took two steps forward and looked ba', 'ough it had dropped in sheer lassitude from his fingers. i took two steps forward and looked back. i', 'it had dropped in sheer lassitude from his fingers. i took two steps forward and looked back. it too', 'd dropped in sheer lassitude from his fingers. i took two steps forward and looked back. it took all', 'pped in sheer lassitude from his fingers. i took two steps forward and looked back. it took all my s', 'in sheer lassitude from his fingers. i took two steps forward and looked back. it took all my self-c', 'eer lassitude from his fingers. i took two steps forward and looked back. it took all my self-contro', 'assitude from his fingers. i took two steps forward and looked back. it took all my self-control to ', 'ude from his fingers. i took two steps forward and looked back. it took all my self-control to preve', 'rom his fingers. i took two steps forward and looked back. it took all my self-control to prevent me', 'is fingers. i took two steps forward and looked back. it took all my self-control to prevent me from', 'ngers. i took two steps forward and looked back. it took all my self-control to prevent me from brea', '. i took two steps forward and looked back. it took all my self-control to prevent me from breaking ', 'ook two steps forward and looked back. it took all my self-control to prevent me from breaking out i', 'wo steps forward and looked back. it took all my self-control to prevent me from breaking out into a', 'eps forward and looked back. it took all my self-control to prevent me from breaking out into a cry ', 'orward and looked back. it took all my self-control to prevent me from breaking out into a cry of as', 'd and looked back. it took all my self-control to prevent me from breaking out into a cry of astonis', ' looked back. it took all my self-control to prevent me from breaking out into a cry of astonishment', 'ed back. it took all my self-control to prevent me from breaking out into a cry of astonishment. he ', 'ck. it took all my self-control to prevent me from breaking out into a cry of astonishment. he had t', 't took all my self-control to prevent me from breaking out into a cry of astonishment. he had turned', 'k all my self-control to prevent me from breaking out into a cry of astonishment. he had turned his ', ' my self-control to prevent me from breaking out into a cry of astonishment. he had turned his back ', 'elf-control to prevent me from breaking out into a cry of astonishment. he had turned his back so th', 'ontrol to prevent me from breaking out into a cry of astonishment. he had turned his back so that no', 'l to prevent me from breaking out into a cry of astonishment. he had turned his back so that none co', 'prevent me from breaking out into a cry of astonishment. he had turned his back so that none could s', 'nt me from breaking out into a cry of astonishment. he had turned his back so that none could see hi', ' from breaking out into a cry of astonishment. he had turned his back so that none could see him but', ' breaking out into a cry of astonishment. he had turned his back so that none could see him but i. h', 'king out into a cry of astonishment. he had turned his back so that none could see him but i. his fo', 'out into a cry of astonishment. he had turned his back so that none could see him but i. his form ha', 'nto a cry of astonishment. he had turned his back so that none could see him but i. his form had fil', ' cry of astonishment. he had turned his back so that none could see him but i. his form had filled o', 'of astonishment. he had turned his back so that none could see him but i. his form had filled out, h', 'tonishment. he had turned his back so that none could see him but i. his form had filled out, his wr', 'hment. he had turned his back so that none could see him but i. his form had filled out, his wrinkle', '. he had turned his back so that none could see him but i. his form had filled out, his wrinkles wer', 'had turned his back so that none could see him but i. his form had filled out, his wrinkles were gon', 'urned his back so that none could see him but i. his form had filled out, his wrinkles were gone, th', ' his back so that none could see him but i. his form had filled out, his wrinkles were gone, the dul', 'back so that none could see him but i. his form had filled out, his wrinkles were gone, the dull eye', 'so that none could see him but i. his form had filled out, his wrinkles were gone, the dull eyes had', 'at none could see him but i. his form had filled out, his wrinkles were gone, the dull eyes had rega', 'ne could see him but i. his form had filled out, his wrinkles were gone, the dull eyes had regained ', 'uld see him but i. his form had filled out, his wrinkles were gone, the dull eyes had regained their', 'ee him but i. his form had filled out, his wrinkles were gone, the dull eyes had regained their fire', 'm but i. his form had filled out, his wrinkles were gone, the dull eyes had regained their fire, and', ' i. his form had filled out, his wrinkles were gone, the dull eyes had regained their fire, and ther', 'is form had filled out, his wrinkles were gone, the dull eyes had regained their fire, and there, si', 'rm had filled out, his wrinkles were gone, the dull eyes had regained their fire, and there, sitting', 'd filled out, his wrinkles were gone, the dull eyes had regained their fire, and there, sitting by t', 'led out, his wrinkles were gone, the dull eyes had regained their fire, and there, sitting by the fi', 'ut, his wrinkles were gone, the dull eyes had regained their fire, and there, sitting by the fire an', 'is wrinkles were gone, the dull eyes had regained their fire, and there, sitting by the fire and gri', 'inkles were gone, the dull eyes had regained their fire, and there, sitting by the fire and grinning', 's were gone, the dull eyes had regained their fire, and there, sitting by the fire and grinning at m', 'e gone, the dull eyes had regained their fire, and there, sitting by the fire and grinning at my sur', 'e, the dull eyes had regained their fire, and there, sitting by the fire and grinning at my surprise', 'e dull eyes had regained their fire, and there, sitting by the fire and grinning at my surprise, was', 'l eyes had regained their fire, and there, sitting by the fire and grinning at my surprise, was none', 's had regained their fire, and there, sitting by the fire and grinning at my surprise, was none othe', ' regained their fire, and there, sitting by the fire and grinning at my surprise, was none other tha', 'ined their fire, and there, sitting by the fire and grinning at my surprise, was none other than she', 'their fire, and there, sitting by the fire and grinning at my surprise, was none other than sherlock', ' fire, and there, sitting by the fire and grinning at my surprise, was none other than sherlock holm', ', and there, sitting by the fire and grinning at my surprise, was none other than sherlock holmes. h', ' there, sitting by the fire and grinning at my surprise, was none other than sherlock holmes. he mad', 'e, sitting by the fire and grinning at my surprise, was none other than sherlock holmes. he made a s', 'tting by the fire and grinning at my surprise, was none other than sherlock holmes. he made a slight', ' by the fire and grinning at my surprise, was none other than sherlock holmes. he made a slight moti', 'he fire and grinning at my surprise, was none other than sherlock holmes. he made a slight motion to', 're and grinning at my surprise, was none other than sherlock holmes. he made a slight motion to me t', 'd grinning at my surprise, was none other than sherlock holmes. he made a slight motion to me to app', 'nning at my surprise, was none other than sherlock holmes. he made a slight motion to me to approach', ' at my surprise, was none other than sherlock holmes. he made a slight motion to me to approach him,', 'y surprise, was none other than sherlock holmes. he made a slight motion to me to approach him, and ', 'prise, was none other than sherlock holmes. he made a slight motion to me to approach him, and insta', ', was none other than sherlock holmes. he made a slight motion to me to approach him, and instantly,', ' none other than sherlock holmes. he made a slight motion to me to approach him, and instantly, as h', ' other than sherlock holmes. he made a slight motion to me to approach him, and instantly, as he tur', 'r than sherlock holmes. he made a slight motion to me to approach him, and instantly, as he turned h', 'n sherlock holmes. he made a slight motion to me to approach him, and instantly, as he turned his fa', 'rlock holmes. he made a slight motion to me to approach him, and instantly, as he turned his face ha', ' holmes. he made a slight motion to me to approach him, and instantly, as he turned his face half ro', 'es. he made a slight motion to me to approach him, and instantly, as he turned his face half round t', 'e made a slight motion to me to approach him, and instantly, as he turned his face half round to the', 'e a slight motion to me to approach him, and instantly, as he turned his face half round to the comp', 'light motion to me to approach him, and instantly, as he turned his face half round to the company o', ' motion to me to approach him, and instantly, as he turned his face half round to the company once m', 'on to me to approach him, and instantly, as he turned his face half round to the company once more, ', ' me to approach him, and instantly, as he turned his face half round to the company once more, subsi', 'o approach him, and instantly, as he turned his face half round to the company once more, subsided i', 'roach him, and instantly, as he turned his face half round to the company once more, subsided into a', ' him, and instantly, as he turned his face half round to the company once more, subsided into a dodd', ' and instantly, as he turned his face half round to the company once more, subsided into a doddering', 'instantly, as he turned his face half round to the company once more, subsided into a doddering, loo', 'ntly, as he turned his face half round to the company once more, subsided into a doddering, loose-li', ' as he turned his face half round to the company once more, subsided into a doddering, loose-lipped ', 'e turned his face half round to the company once more, subsided into a doddering, loose-lipped senil', 'ned his face half round to the company once more, subsided into a doddering, loose-lipped senility. ', 'is face half round to the company once more, subsided into a doddering, loose-lipped senility. "holm', 'ce half round to the company once more, subsided into a doddering, loose-lipped senility. "holmes i ', 'lf round to the company once more, subsided into a doddering, loose-lipped senility. "holmes i whisp', 'und to the company once more, subsided into a doddering, loose-lipped senility. "holmes i whispered,', 'o the company once more, subsided into a doddering, loose-lipped senility. "holmes i whispered, "wha', ' company once more, subsided into a doddering, loose-lipped senility. "holmes i whispered, "what on ', 'any once more, subsided into a doddering, loose-lipped senility. "holmes i whispered, "what on earth', 'nce more, subsided into a doddering, loose-lipped senility. "holmes i whispered, "what on earth are ', 'ore, subsided into a doddering, loose-lipped senility. "holmes i whispered, "what on earth are you d', 'subsided into a doddering, loose-lipped senility. "holmes i whispered, "what on earth are you doing ', 'ded into a doddering, loose-lipped senility. "holmes i whispered, "what on earth are you doing in th', 'nto a doddering, loose-lipped senility. "holmes i whispered, "what on earth are you doing in this de', ' doddering, loose-lipped senility. "holmes i whispered, "what on earth are you doing in this den?" "', 'ering, loose-lipped senility. "holmes i whispered, "what on earth are you doing in this den?" "as lo', ', loose-lipped senility. "holmes i whispered, "what on earth are you doing in this den?" "as low as ', 'se-lipped senility. "holmes i whispered, "what on earth are you doing in this den?" "as low as you c', 'pped senility. "holmes i whispered, "what on earth are you doing in this den?" "as low as you can," ', 'senility. "holmes i whispered, "what on earth are you doing in this den?" "as low as you can," he an', 'ity. "holmes i whispered, "what on earth are you doing in this den?" "as low as you can," he answere', '"holmes i whispered, "what on earth are you doing in this den?" "as low as you can," he answered; "i', 'es i whispered, "what on earth are you doing in this den?" "as low as you can," he answered; "i have', 'whispered, "what on earth are you doing in this den?" "as low as you can," he answered; "i have exce', 'ered, "what on earth are you doing in this den?" "as low as you can," he answered; "i have excellent', ' "what on earth are you doing in this den?" "as low as you can," he answered; "i have excellent ears', 't on earth are you doing in this den?" "as low as you can," he answered; "i have excellent ears. if ', 'earth are you doing in this den?" "as low as you can," he answered; "i have excellent ears. if you w', ' are you doing in this den?" "as low as you can," he answered; "i have excellent ears. if you would ', 'you doing in this den?" "as low as you can," he answered; "i have excellent ears. if you would have ', 'oing in this den?" "as low as you can," he answered; "i have excellent ears. if you would have the g', 'in this den?" "as low as you can," he answered; "i have excellent ears. if you would have the great ', 'is den?" "as low as you can," he answered; "i have excellent ears. if you would have the great kindn', 'n?" "as low as you can," he answered; "i have excellent ears. if you would have the great kindness t', 'as low as you can," he answered; "i have excellent ears. if you would have the great kindness to get', 'w as you can," he answered; "i have excellent ears. if you would have the great kindness to get rid ', 'you can," he answered; "i have excellent ears. if you would have the great kindness to get rid of th', 'an," he answered; "i have excellent ears. if you would have the great kindness to get rid of that so', 'he answered; "i have excellent ears. if you would have the great kindness to get rid of that sottish', 'swered; "i have excellent ears. if you would have the great kindness to get rid of that sottish frie', 'd; "i have excellent ears. if you would have the great kindness to get rid of that sottish friend of', ' have excellent ears. if you would have the great kindness to get rid of that sottish friend of your', ' excellent ears. if you would have the great kindness to get rid of that sottish friend of yours i s', 'llent ears. if you would have the great kindness to get rid of that sottish friend of yours i should', ' ears. if you would have the great kindness to get rid of that sottish friend of yours i should be e', '. if you would have the great kindness to get rid of that sottish friend of yours i should be exceed', 'you would have the great kindness to get rid of that sottish friend of yours i should be exceedingly', 'ould have the great kindness to get rid of that sottish friend of yours i should be exceedingly glad', 'have the great kindness to get rid of that sottish friend of yours i should be exceedingly glad to h', 'the great kindness to get rid of that sottish friend of yours i should be exceedingly glad to have a', 'reat kindness to get rid of that sottish friend of yours i should be exceedingly glad to have a litt', 'kindness to get rid of that sottish friend of yours i should be exceedingly glad to have a little ta', 'ess to get rid of that sottish friend of yours i should be exceedingly glad to have a little talk wi', 'o get rid of that sottish friend of yours i should be exceedingly glad to have a little talk with yo', ' rid of that sottish friend of yours i should be exceedingly glad to have a little talk with you." "', 'of that sottish friend of yours i should be exceedingly glad to have a little talk with you." "i hav', 'at sottish friend of yours i should be exceedingly glad to have a little talk with you." "i have a c', 'ttish friend of yours i should be exceedingly glad to have a little talk with you." "i have a cab ou', ' friend of yours i should be exceedingly glad to have a little talk with you." "i have a cab outside', 'nd of yours i should be exceedingly glad to have a little talk with you." "i have a cab outside." "t', ' yours i should be exceedingly glad to have a little talk with you." "i have a cab outside." "then p', 's i should be exceedingly glad to have a little talk with you." "i have a cab outside." "then pray s', 'hould be exceedingly glad to have a little talk with you." "i have a cab outside." "then pray send h', ' be exceedingly glad to have a little talk with you." "i have a cab outside." "then pray send him ho', 'xceedingly glad to have a little talk with you." "i have a cab outside." "then pray send him home in', 'ingly glad to have a little talk with you." "i have a cab outside." "then pray send him home in it. ', ' glad to have a little talk with you." "i have a cab outside." "then pray send him home in it. you m', ' to have a little talk with you." "i have a cab outside." "then pray send him home in it. you may sa', 'ave a little talk with you." "i have a cab outside." "then pray send him home in it. you may safely ', ' little talk with you." "i have a cab outside." "then pray send him home in it. you may safely trust', 'le talk with you." "i have a cab outside." "then pray send him home in it. you may safely trust him,', 'lk with you." "i have a cab outside." "then pray send him home in it. you may safely trust him, for ', 'th you." "i have a cab outside." "then pray send him home in it. you may safely trust him, for he ap', 'u." "i have a cab outside." "then pray send him home in it. you may safely trust him, for he appears', 'i have a cab outside." "then pray send him home in it. you may safely trust him, for he appears to b', 'e a cab outside." "then pray send him home in it. you may safely trust him, for he appears to be too', 'ab outside." "then pray send him home in it. you may safely trust him, for he appears to be too limp', 'tside." "then pray send him home in it. you may safely trust him, for he appears to be too limp to g', '." "then pray send him home in it. you may safely trust him, for he appears to be too limp to get in', 'hen pray send him home in it. you may safely trust him, for he appears to be too limp to get into an', 'ray send him home in it. you may safely trust him, for he appears to be too limp to get into any mis', 'end him home in it. you may safely trust him, for he appears to be too limp to get into any mischief', 'im home in it. you may safely trust him, for he appears to be too limp to get into any mischief. i s', 'me in it. you may safely trust him, for he appears to be too limp to get into any mischief. i should', ' it. you may safely trust him, for he appears to be too limp to get into any mischief. i should reco', 'you may safely trust him, for he appears to be too limp to get into any mischief. i should recommend', 'ay safely trust him, for he appears to be too limp to get into any mischief. i should recommend you ', 'fely trust him, for he appears to be too limp to get into any mischief. i should recommend you also ', 'trust him, for he appears to be too limp to get into any mischief. i should recommend you also to se', ' him, for he appears to be too limp to get into any mischief. i should recommend you also to send a ', ' for he appears to be too limp to get into any mischief. i should recommend you also to send a note ', 'he appears to be too limp to get into any mischief. i should recommend you also to send a note by th', 'pears to be too limp to get into any mischief. i should recommend you also to send a note by the cab', ' to be too limp to get into any mischief. i should recommend you also to send a note by the cabman t', 'e too limp to get into any mischief. i should recommend you also to send a note by the cabman to you', ' limp to get into any mischief. i should recommend you also to send a note by the cabman to your wif', ' to get into any mischief. i should recommend you also to send a note by the cabman to your wife to ', 'et into any mischief. i should recommend you also to send a note by the cabman to your wife to say t', 'to any mischief. i should recommend you also to send a note by the cabman to your wife to say that y', 'y mischief. i should recommend you also to send a note by the cabman to your wife to say that you ha', 'chief. i should recommend you also to send a note by the cabman to your wife to say that you have th', '. i should recommend you also to send a note by the cabman to your wife to say that you have thrown ', 'hould recommend you also to send a note by the cabman to your wife to say that you have thrown in yo', ' recommend you also to send a note by the cabman to your wife to say that you have thrown in your lo', 'mmend you also to send a note by the cabman to your wife to say that you have thrown in your lot wit', ' you also to send a note by the cabman to your wife to say that you have thrown in your lot with me.', 'also to send a note by the cabman to your wife to say that you have thrown in your lot with me. if y', 'to send a note by the cabman to your wife to say that you have thrown in your lot with me. if you wi', 'nd a note by the cabman to your wife to say that you have thrown in your lot with me. if you will wa', 'note by the cabman to your wife to say that you have thrown in your lot with me. if you will wait ou', 'by the cabman to your wife to say that you have thrown in your lot with me. if you will wait outside', 'e cabman to your wife to say that you have thrown in your lot with me. if you will wait outside, i s', 'man to your wife to say that you have thrown in your lot with me. if you will wait outside, i shall ', 'o your wife to say that you have thrown in your lot with me. if you will wait outside, i shall be wi', 'r wife to say that you have thrown in your lot with me. if you will wait outside, i shall be with yo', 'e to say that you have thrown in your lot with me. if you will wait outside, i shall be with you in ', 'say that you have thrown in your lot with me. if you will wait outside, i shall be with you in five ', 'hat you have thrown in your lot with me. if you will wait outside, i shall be with you in five minut', 'ou have thrown in your lot with me. if you will wait outside, i shall be with you in five minutes." ', 've thrown in your lot with me. if you will wait outside, i shall be with you in five minutes." it wa', 'rown in your lot with me. if you will wait outside, i shall be with you in five minutes." it was dif', 'in your lot with me. if you will wait outside, i shall be with you in five minutes." it was difficul', 'ur lot with me. if you will wait outside, i shall be with you in five minutes." it was difficult to ', 't with me. if you will wait outside, i shall be with you in five minutes." it was difficult to refus', 'h me. if you will wait outside, i shall be with you in five minutes." it was difficult to refuse any', ' if you will wait outside, i shall be with you in five minutes." it was difficult to refuse any of s', 'ou will wait outside, i shall be with you in five minutes." it was difficult to refuse any of sherlo', 'll wait outside, i shall be with you in five minutes." it was difficult to refuse any of sherlock ho', 'it outside, i shall be with you in five minutes." it was difficult to refuse any of sherlock holmes\'', 'tside, i shall be with you in five minutes." it was difficult to refuse any of sherlock holmes\' requ', ', i shall be with you in five minutes." it was difficult to refuse any of sherlock holmes\' requests,', 'hall be with you in five minutes." it was difficult to refuse any of sherlock holmes\' requests, for ', 'be with you in five minutes." it was difficult to refuse any of sherlock holmes\' requests, for they ', 'th you in five minutes." it was difficult to refuse any of sherlock holmes\' requests, for they were ', 'u in five minutes." it was difficult to refuse any of sherlock holmes\' requests, for they were alway', 'five minutes." it was difficult to refuse any of sherlock holmes\' requests, for they were always so ', 'minutes." it was difficult to refuse any of sherlock holmes\' requests, for they were always so excee', 'es." it was difficult to refuse any of sherlock holmes\' requests, for they were always so exceedingl', "it was difficult to refuse any of sherlock holmes' requests, for they were always so exceedingly def", "s difficult to refuse any of sherlock holmes' requests, for they were always so exceedingly definite", "ficult to refuse any of sherlock holmes' requests, for they were always so exceedingly definite, and", "t to refuse any of sherlock holmes' requests, for they were always so exceedingly definite, and put ", "refuse any of sherlock holmes' requests, for they were always so exceedingly definite, and put forwa", "e any of sherlock holmes' requests, for they were always so exceedingly definite, and put forward wi", " of sherlock holmes' requests, for they were always so exceedingly definite, and put forward with su", "herlock holmes' requests, for they were always so exceedingly definite, and put forward with such a ", "ck holmes' requests, for they were always so exceedingly definite, and put forward with such a quiet", "lmes' requests, for they were always so exceedingly definite, and put forward with such a quiet air ", ' requests, for they were always so exceedingly definite, and put forward with such a quiet air of ma', 'ests, for they were always so exceedingly definite, and put forward with such a quiet air of mastery', ' for they were always so exceedingly definite, and put forward with such a quiet air of mastery. i f', 'they were always so exceedingly definite, and put forward with such a quiet air of mastery. i felt, ', 'were always so exceedingly definite, and put forward with such a quiet air of mastery. i felt, howev', 'always so exceedingly definite, and put forward with such a quiet air of mastery. i felt, however, t', 's so exceedingly definite, and put forward with such a quiet air of mastery. i felt, however, that w', 'exceedingly definite, and put forward with such a quiet air of mastery. i felt, however, that when w', 'dingly definite, and put forward with such a quiet air of mastery. i felt, however, that when whitne', 'y definite, and put forward with such a quiet air of mastery. i felt, however, that when whitney was', 'inite, and put forward with such a quiet air of mastery. i felt, however, that when whitney was once', ', and put forward with such a quiet air of mastery. i felt, however, that when whitney was once conf', ' put forward with such a quiet air of mastery. i felt, however, that when whitney was once confined ', 'forward with such a quiet air of mastery. i felt, however, that when whitney was once confined in th', 'rd with such a quiet air of mastery. i felt, however, that when whitney was once confined in the cab', 'th such a quiet air of mastery. i felt, however, that when whitney was once confined in the cab my m', 'ch a quiet air of mastery. i felt, however, that when whitney was once confined in the cab my missio', 'quiet air of mastery. i felt, however, that when whitney was once confined in the cab my mission was', ' air of mastery. i felt, however, that when whitney was once confined in the cab my mission was prac', 'of mastery. i felt, however, that when whitney was once confined in the cab my mission was practical', 'stery. i felt, however, that when whitney was once confined in the cab my mission was practically ac', '. i felt, however, that when whitney was once confined in the cab my mission was practically accompl', 'elt, however, that when whitney was once confined in the cab my mission was practically accomplished', 'however, that when whitney was once confined in the cab my mission was practically accomplished; and', 'er, that when whitney was once confined in the cab my mission was practically accomplished; and for ', 'hat when whitney was once confined in the cab my mission was practically accomplished; and for the r', 'hen whitney was once confined in the cab my mission was practically accomplished; and for the rest, ', 'hitney was once confined in the cab my mission was practically accomplished; and for the rest, i cou', 'y was once confined in the cab my mission was practically accomplished; and for the rest, i could no', ' once confined in the cab my mission was practically accomplished; and for the rest, i could not wis', ' confined in the cab my mission was practically accomplished; and for the rest, i could not wish any', 'ined in the cab my mission was practically accomplished; and for the rest, i could not wish anything', 'in the cab my mission was practically accomplished; and for the rest, i could not wish anything bett', 'e cab my mission was practically accomplished; and for the rest, i could not wish anything better th', ' my mission was practically accomplished; and for the rest, i could not wish anything better than to', 'ission was practically accomplished; and for the rest, i could not wish anything better than to be a', 'n was practically accomplished; and for the rest, i could not wish anything better than to be associ', ' practically accomplished; and for the rest, i could not wish anything better than to be associated ', 'tically accomplished; and for the rest, i could not wish anything better than to be associated with ', 'ly accomplished; and for the rest, i could not wish anything better than to be associated with my fr', 'complished; and for the rest, i could not wish anything better than to be associated with my friend ', 'ished; and for the rest, i could not wish anything better than to be associated with my friend in on', '; and for the rest, i could not wish anything better than to be associated with my friend in one of ', ' for the rest, i could not wish anything better than to be associated with my friend in one of those', 'the rest, i could not wish anything better than to be associated with my friend in one of those sing', 'est, i could not wish anything better than to be associated with my friend in one of those singular ', 'i could not wish anything better than to be associated with my friend in one of those singular adven', 'ld not wish anything better than to be associated with my friend in one of those singular adventures', 't wish anything better than to be associated with my friend in one of those singular adventures whic', 'h anything better than to be associated with my friend in one of those singular adventures which wer', 'thing better than to be associated with my friend in one of those singular adventures which were the', ' better than to be associated with my friend in one of those singular adventures which were the norm', 'er than to be associated with my friend in one of those singular adventures which were the normal co', 'an to be associated with my friend in one of those singular adventures which were the normal conditi', ' be associated with my friend in one of those singular adventures which were the normal condition of', 'ssociated with my friend in one of those singular adventures which were the normal condition of his ', 'ated with my friend in one of those singular adventures which were the normal condition of his exist', 'with my friend in one of those singular adventures which were the normal condition of his existence.', 'my friend in one of those singular adventures which were the normal condition of his existence. in a', 'iend in one of those singular adventures which were the normal condition of his existence. in a few ', 'in one of those singular adventures which were the normal condition of his existence. in a few minut', 'e of those singular adventures which were the normal condition of his existence. in a few minutes i ', 'those singular adventures which were the normal condition of his existence. in a few minutes i had w', ' singular adventures which were the normal condition of his existence. in a few minutes i had writte', 'ular adventures which were the normal condition of his existence. in a few minutes i had written my ', 'adventures which were the normal condition of his existence. in a few minutes i had written my note,', 'tures which were the normal condition of his existence. in a few minutes i had written my note, paid', ' which were the normal condition of his existence. in a few minutes i had written my note, paid whit', "h were the normal condition of his existence. in a few minutes i had written my note, paid whitney's", "e the normal condition of his existence. in a few minutes i had written my note, paid whitney's bill", " normal condition of his existence. in a few minutes i had written my note, paid whitney's bill, led", "al condition of his existence. in a few minutes i had written my note, paid whitney's bill, led him ", "ndition of his existence. in a few minutes i had written my note, paid whitney's bill, led him out t", "on of his existence. in a few minutes i had written my note, paid whitney's bill, led him out to the", " his existence. in a few minutes i had written my note, paid whitney's bill, led him out to the cab,", "existence. in a few minutes i had written my note, paid whitney's bill, led him out to the cab, and ", "ence. in a few minutes i had written my note, paid whitney's bill, led him out to the cab, and seen ", " in a few minutes i had written my note, paid whitney's bill, led him out to the cab, and seen him d", " few minutes i had written my note, paid whitney's bill, led him out to the cab, and seen him driven", "minutes i had written my note, paid whitney's bill, led him out to the cab, and seen him driven thro", "es i had written my note, paid whitney's bill, led him out to the cab, and seen him driven through t", "had written my note, paid whitney's bill, led him out to the cab, and seen him driven through the da", "ritten my note, paid whitney's bill, led him out to the cab, and seen him driven through the darknes", "n my note, paid whitney's bill, led him out to the cab, and seen him driven through the darkness. in", "note, paid whitney's bill, led him out to the cab, and seen him driven through the darkness. in a ve", " paid whitney's bill, led him out to the cab, and seen him driven through the darkness. in a very sh", " whitney's bill, led him out to the cab, and seen him driven through the darkness. in a very short t", "ney's bill, led him out to the cab, and seen him driven through the darkness. in a very short time a", ' bill, led him out to the cab, and seen him driven through the darkness. in a very short time a decr', ', led him out to the cab, and seen him driven through the darkness. in a very short time a decrepit ', ' him out to the cab, and seen him driven through the darkness. in a very short time a decrepit figur', 'out to the cab, and seen him driven through the darkness. in a very short time a decrepit figure had', 'o the cab, and seen him driven through the darkness. in a very short time a decrepit figure had emer', ' cab, and seen him driven through the darkness. in a very short time a decrepit figure had emerged f', ' and seen him driven through the darkness. in a very short time a decrepit figure had emerged from t', 'seen him driven through the darkness. in a very short time a decrepit figure had emerged from the op', 'him driven through the darkness. in a very short time a decrepit figure had emerged from the opium d', 'riven through the darkness. in a very short time a decrepit figure had emerged from the opium den, a', ' through the darkness. in a very short time a decrepit figure had emerged from the opium den, and i ', 'ugh the darkness. in a very short time a decrepit figure had emerged from the opium den, and i was w', 'he darkness. in a very short time a decrepit figure had emerged from the opium den, and i was walkin', 'rkness. in a very short time a decrepit figure had emerged from the opium den, and i was walking dow', 's. in a very short time a decrepit figure had emerged from the opium den, and i was walking down the', ' a very short time a decrepit figure had emerged from the opium den, and i was walking down the stre', 'ry short time a decrepit figure had emerged from the opium den, and i was walking down the street wi', 'ort time a decrepit figure had emerged from the opium den, and i was walking down the street with sh', 'ime a decrepit figure had emerged from the opium den, and i was walking down the street with sherloc', ' decrepit figure had emerged from the opium den, and i was walking down the street with sherlock hol', 'epit figure had emerged from the opium den, and i was walking down the street with sherlock holmes. ', 'figure had emerged from the opium den, and i was walking down the street with sherlock holmes. for t', 'e had emerged from the opium den, and i was walking down the street with sherlock holmes. for two st', ' emerged from the opium den, and i was walking down the street with sherlock holmes. for two streets', 'ged from the opium den, and i was walking down the street with sherlock holmes. for two streets he s', 'rom the opium den, and i was walking down the street with sherlock holmes. for two streets he shuffl', 'he opium den, and i was walking down the street with sherlock holmes. for two streets he shuffled al', 'ium den, and i was walking down the street with sherlock holmes. for two streets he shuffled along w', 'en, and i was walking down the street with sherlock holmes. for two streets he shuffled along with a', 'nd i was walking down the street with sherlock holmes. for two streets he shuffled along with a bent', 'was walking down the street with sherlock holmes. for two streets he shuffled along with a bent back', 'alking down the street with sherlock holmes. for two streets he shuffled along with a bent back and ', 'g down the street with sherlock holmes. for two streets he shuffled along with a bent back and an un', 'n the street with sherlock holmes. for two streets he shuffled along with a bent back and an uncerta', ' street with sherlock holmes. for two streets he shuffled along with a bent back and an uncertain fo', 'et with sherlock holmes. for two streets he shuffled along with a bent back and an uncertain foot. t', 'th sherlock holmes. for two streets he shuffled along with a bent back and an uncertain foot. then, ', 'erlock holmes. for two streets he shuffled along with a bent back and an uncertain foot. then, glanc', 'k holmes. for two streets he shuffled along with a bent back and an uncertain foot. then, glancing q', 'mes. for two streets he shuffled along with a bent back and an uncertain foot. then, glancing quickl', 'for two streets he shuffled along with a bent back and an uncertain foot. then, glancing quickly rou', 'wo streets he shuffled along with a bent back and an uncertain foot. then, glancing quickly round, h', 'reets he shuffled along with a bent back and an uncertain foot. then, glancing quickly round, he str', ' he shuffled along with a bent back and an uncertain foot. then, glancing quickly round, he straight', 'huffled along with a bent back and an uncertain foot. then, glancing quickly round, he straightened ', 'ed along with a bent back and an uncertain foot. then, glancing quickly round, he straightened himse', 'ong with a bent back and an uncertain foot. then, glancing quickly round, he straightened himself ou', 'ith a bent back and an uncertain foot. then, glancing quickly round, he straightened himself out and', ' bent back and an uncertain foot. then, glancing quickly round, he straightened himself out and burs', ' back and an uncertain foot. then, glancing quickly round, he straightened himself out and burst int', ' and an uncertain foot. then, glancing quickly round, he straightened himself out and burst into a h', 'an uncertain foot. then, glancing quickly round, he straightened himself out and burst into a hearty', 'certain foot. then, glancing quickly round, he straightened himself out and burst into a hearty fit ', 'in foot. then, glancing quickly round, he straightened himself out and burst into a hearty fit of la', 'ot. then, glancing quickly round, he straightened himself out and burst into a hearty fit of laughte', 'hen, glancing quickly round, he straightened himself out and burst into a hearty fit of laughter. "i', 'glancing quickly round, he straightened himself out and burst into a hearty fit of laughter. "i supp', 'ing quickly round, he straightened himself out and burst into a hearty fit of laughter. "i suppose, ', 'uickly round, he straightened himself out and burst into a hearty fit of laughter. "i suppose, watso', 'y round, he straightened himself out and burst into a hearty fit of laughter. "i suppose, watson," s', 'nd, he straightened himself out and burst into a hearty fit of laughter. "i suppose, watson," said h', 'e straightened himself out and burst into a hearty fit of laughter. "i suppose, watson," said he, "t', 'aightened himself out and burst into a hearty fit of laughter. "i suppose, watson," said he, "that y', 'ened himself out and burst into a hearty fit of laughter. "i suppose, watson," said he, "that you im', 'himself out and burst into a hearty fit of laughter. "i suppose, watson," said he, "that you imagine', 'lf out and burst into a hearty fit of laughter. "i suppose, watson," said he, "that you imagine that', 't and burst into a hearty fit of laughter. "i suppose, watson," said he, "that you imagine that i ha', ' burst into a hearty fit of laughter. "i suppose, watson," said he, "that you imagine that i have ad', 't into a hearty fit of laughter. "i suppose, watson," said he, "that you imagine that i have added o', 'o a hearty fit of laughter. "i suppose, watson," said he, "that you imagine that i have added opium-', 'earty fit of laughter. "i suppose, watson," said he, "that you imagine that i have added opium-smoki', ' fit of laughter. "i suppose, watson," said he, "that you imagine that i have added opium-smoking to', 'of laughter. "i suppose, watson," said he, "that you imagine that i have added opium-smoking to coca', 'ughter. "i suppose, watson," said he, "that you imagine that i have added opium-smoking to cocaine i', 'r. "i suppose, watson," said he, "that you imagine that i have added opium-smoking to cocaine inject', ' suppose, watson," said he, "that you imagine that i have added opium-smoking to cocaine injections,', 'ose, watson," said he, "that you imagine that i have added opium-smoking to cocaine injections, and ', 'watson," said he, "that you imagine that i have added opium-smoking to cocaine injections, and all t', 'n," said he, "that you imagine that i have added opium-smoking to cocaine injections, and all the ot', 'aid he, "that you imagine that i have added opium-smoking to cocaine injections, and all the other l', 'e, "that you imagine that i have added opium-smoking to cocaine injections, and all the other little', 'hat you imagine that i have added opium-smoking to cocaine injections, and all the other little weak', 'ou imagine that i have added opium-smoking to cocaine injections, and all the other little weaknesse', 'agine that i have added opium-smoking to cocaine injections, and all the other little weaknesses on ', ' that i have added opium-smoking to cocaine injections, and all the other little weaknesses on which', ' i have added opium-smoking to cocaine injections, and all the other little weaknesses on which you ', 've added opium-smoking to cocaine injections, and all the other little weaknesses on which you have ', 'ded opium-smoking to cocaine injections, and all the other little weaknesses on which you have favou', 'pium-smoking to cocaine injections, and all the other little weaknesses on which you have favoured m', 'smoking to cocaine injections, and all the other little weaknesses on which you have favoured me wit', 'ng to cocaine injections, and all the other little weaknesses on which you have favoured me with you', ' cocaine injections, and all the other little weaknesses on which you have favoured me with your med', 'ine injections, and all the other little weaknesses on which you have favoured me with your medical ', 'njections, and all the other little weaknesses on which you have favoured me with your medical views', 'ions, and all the other little weaknesses on which you have favoured me with your medical views." "i', ' and all the other little weaknesses on which you have favoured me with your medical views." "i was ', 'all the other little weaknesses on which you have favoured me with your medical views." "i was certa', 'he other little weaknesses on which you have favoured me with your medical views." "i was certainly ', 'her little weaknesses on which you have favoured me with your medical views." "i was certainly surpr', 'ittle weaknesses on which you have favoured me with your medical views." "i was certainly surprised ', ' weaknesses on which you have favoured me with your medical views." "i was certainly surprised to fi', 'nesses on which you have favoured me with your medical views." "i was certainly surprised to find yo', 's on which you have favoured me with your medical views." "i was certainly surprised to find you the', 'which you have favoured me with your medical views." "i was certainly surprised to find you there." ', ' you have favoured me with your medical views." "i was certainly surprised to find you there." "but ', 'have favoured me with your medical views." "i was certainly surprised to find you there." "but not m', 'favoured me with your medical views." "i was certainly surprised to find you there." "but not more s', 'red me with your medical views." "i was certainly surprised to find you there." "but not more so tha', 'e with your medical views." "i was certainly surprised to find you there." "but not more so than i t', 'h your medical views." "i was certainly surprised to find you there." "but not more so than i to fin', 'r medical views." "i was certainly surprised to find you there." "but not more so than i to find you', 'ical views." "i was certainly surprised to find you there." "but not more so than i to find you." "i', 'views." "i was certainly surprised to find you there." "but not more so than i to find you." "i came', '." "i was certainly surprised to find you there." "but not more so than i to find you." "i came to f', ' was certainly surprised to find you there." "but not more so than i to find you." "i came to find a', 'certainly surprised to find you there." "but not more so than i to find you." "i came to find a frie', 'inly surprised to find you there." "but not more so than i to find you." "i came to find a friend." ', 'surprised to find you there." "but not more so than i to find you." "i came to find a friend." "and ', 'ised to find you there." "but not more so than i to find you." "i came to find a friend." "and i to ', 'to find you there." "but not more so than i to find you." "i came to find a friend." "and i to find ', 'nd you there." "but not more so than i to find you." "i came to find a friend." "and i to find an en', 'u there." "but not more so than i to find you." "i came to find a friend." "and i to find an enemy."', 're." "but not more so than i to find you." "i came to find a friend." "and i to find an enemy." "an ', '"but not more so than i to find you." "i came to find a friend." "and i to find an enemy." "an enemy', 'not more so than i to find you." "i came to find a friend." "and i to find an enemy." "an enemy?" "y', 'ore so than i to find you." "i came to find a friend." "and i to find an enemy." "an enemy?" "yes; o', 'o than i to find you." "i came to find a friend." "and i to find an enemy." "an enemy?" "yes; one of', 'n i to find you." "i came to find a friend." "and i to find an enemy." "an enemy?" "yes; one of my n', 'o find you." "i came to find a friend." "and i to find an enemy." "an enemy?" "yes; one of my natura', 'd you." "i came to find a friend." "and i to find an enemy." "an enemy?" "yes; one of my natural ene', '." "i came to find a friend." "and i to find an enemy." "an enemy?" "yes; one of my natural enemies,', ' came to find a friend." "and i to find an enemy." "an enemy?" "yes; one of my natural enemies, or, ', ' to find a friend." "and i to find an enemy." "an enemy?" "yes; one of my natural enemies, or, shall', 'ind a friend." "and i to find an enemy." "an enemy?" "yes; one of my natural enemies, or, shall i sa', ' friend." "and i to find an enemy." "an enemy?" "yes; one of my natural enemies, or, shall i say, my', 'nd." "and i to find an enemy." "an enemy?" "yes; one of my natural enemies, or, shall i say, my natu', '"and i to find an enemy." "an enemy?" "yes; one of my natural enemies, or, shall i say, my natural p', 'i to find an enemy." "an enemy?" "yes; one of my natural enemies, or, shall i say, my natural prey. ', 'find an enemy." "an enemy?" "yes; one of my natural enemies, or, shall i say, my natural prey. brief', 'an enemy." "an enemy?" "yes; one of my natural enemies, or, shall i say, my natural prey. briefly, w', 'emy." "an enemy?" "yes; one of my natural enemies, or, shall i say, my natural prey. briefly, watson', ' "an enemy?" "yes; one of my natural enemies, or, shall i say, my natural prey. briefly, watson, i a', 'enemy?" "yes; one of my natural enemies, or, shall i say, my natural prey. briefly, watson, i am in ', '?" "yes; one of my natural enemies, or, shall i say, my natural prey. briefly, watson, i am in the m', 'es; one of my natural enemies, or, shall i say, my natural prey. briefly, watson, i am in the midst ', 'ne of my natural enemies, or, shall i say, my natural prey. briefly, watson, i am in the midst of a ', ' my natural enemies, or, shall i say, my natural prey. briefly, watson, i am in the midst of a very ', 'atural enemies, or, shall i say, my natural prey. briefly, watson, i am in the midst of a very remar', 'l enemies, or, shall i say, my natural prey. briefly, watson, i am in the midst of a very remarkable', 'mies, or, shall i say, my natural prey. briefly, watson, i am in the midst of a very remarkable inqu', ' or, shall i say, my natural prey. briefly, watson, i am in the midst of a very remarkable inquiry, ', 'shall i say, my natural prey. briefly, watson, i am in the midst of a very remarkable inquiry, and i', ' i say, my natural prey. briefly, watson, i am in the midst of a very remarkable inquiry, and i have', 'y, my natural prey. briefly, watson, i am in the midst of a very remarkable inquiry, and i have hope', ' natural prey. briefly, watson, i am in the midst of a very remarkable inquiry, and i have hoped to ', 'ral prey. briefly, watson, i am in the midst of a very remarkable inquiry, and i have hoped to find ', 'rey. briefly, watson, i am in the midst of a very remarkable inquiry, and i have hoped to find a clu', 'briefly, watson, i am in the midst of a very remarkable inquiry, and i have hoped to find a clue in ', 'ly, watson, i am in the midst of a very remarkable inquiry, and i have hoped to find a clue in the i', 'atson, i am in the midst of a very remarkable inquiry, and i have hoped to find a clue in the incohe', ', i am in the midst of a very remarkable inquiry, and i have hoped to find a clue in the incoherent ', 'm in the midst of a very remarkable inquiry, and i have hoped to find a clue in the incoherent rambl', 'the midst of a very remarkable inquiry, and i have hoped to find a clue in the incoherent ramblings ', 'idst of a very remarkable inquiry, and i have hoped to find a clue in the incoherent ramblings of th', 'of a very remarkable inquiry, and i have hoped to find a clue in the incoherent ramblings of these s', 'very remarkable inquiry, and i have hoped to find a clue in the incoherent ramblings of these sots, ', 'remarkable inquiry, and i have hoped to find a clue in the incoherent ramblings of these sots, as i ', 'kable inquiry, and i have hoped to find a clue in the incoherent ramblings of these sots, as i have ', ' inquiry, and i have hoped to find a clue in the incoherent ramblings of these sots, as i have done ', 'iry, and i have hoped to find a clue in the incoherent ramblings of these sots, as i have done befor', 'and i have hoped to find a clue in the incoherent ramblings of these sots, as i have done before now', ' have hoped to find a clue in the incoherent ramblings of these sots, as i have done before now. had', ' hoped to find a clue in the incoherent ramblings of these sots, as i have done before now. had i be', 'd to find a clue in the incoherent ramblings of these sots, as i have done before now. had i been re', 'find a clue in the incoherent ramblings of these sots, as i have done before now. had i been recogni', 'a clue in the incoherent ramblings of these sots, as i have done before now. had i been recognised i', 'e in the incoherent ramblings of these sots, as i have done before now. had i been recognised in tha', 'the incoherent ramblings of these sots, as i have done before now. had i been recognised in that den', 'ncoherent ramblings of these sots, as i have done before now. had i been recognised in that den my l', 'rent ramblings of these sots, as i have done before now. had i been recognised in that den my life w', 'ramblings of these sots, as i have done before now. had i been recognised in that den my life would ', 'ings of these sots, as i have done before now. had i been recognised in that den my life would not h', 'of these sots, as i have done before now. had i been recognised in that den my life would not have b', 'ese sots, as i have done before now. had i been recognised in that den my life would not have been w', 'ots, as i have done before now. had i been recognised in that den my life would not have been worth ', 'as i have done before now. had i been recognised in that den my life would not have been worth an ho', "have done before now. had i been recognised in that den my life would not have been worth an hour's ", "done before now. had i been recognised in that den my life would not have been worth an hour's purch", "before now. had i been recognised in that den my life would not have been worth an hour's purchase; ", "e now. had i been recognised in that den my life would not have been worth an hour's purchase; for i", ". had i been recognised in that den my life would not have been worth an hour's purchase; for i have", " i been recognised in that den my life would not have been worth an hour's purchase; for i have used", "en recognised in that den my life would not have been worth an hour's purchase; for i have used it b", "cognised in that den my life would not have been worth an hour's purchase; for i have used it before", "sed in that den my life would not have been worth an hour's purchase; for i have used it before now ", "n that den my life would not have been worth an hour's purchase; for i have used it before now for m", "t den my life would not have been worth an hour's purchase; for i have used it before now for my own", " my life would not have been worth an hour's purchase; for i have used it before now for my own purp", "ife would not have been worth an hour's purchase; for i have used it before now for my own purposes,", "ould not have been worth an hour's purchase; for i have used it before now for my own purposes, and ", "not have been worth an hour's purchase; for i have used it before now for my own purposes, and the r", "ave been worth an hour's purchase; for i have used it before now for my own purposes, and the rascal", "een worth an hour's purchase; for i have used it before now for my own purposes, and the rascally la", "orth an hour's purchase; for i have used it before now for my own purposes, and the rascally lascar ", "an hour's purchase; for i have used it before now for my own purposes, and the rascally lascar who r", "ur's purchase; for i have used it before now for my own purposes, and the rascally lascar who runs i", 'purchase; for i have used it before now for my own purposes, and the rascally lascar who runs it has', 'ase; for i have used it before now for my own purposes, and the rascally lascar who runs it has swor', 'for i have used it before now for my own purposes, and the rascally lascar who runs it has sworn to ', ' have used it before now for my own purposes, and the rascally lascar who runs it has sworn to have ', ' used it before now for my own purposes, and the rascally lascar who runs it has sworn to have venge', ' it before now for my own purposes, and the rascally lascar who runs it has sworn to have vengeance ', 'efore now for my own purposes, and the rascally lascar who runs it has sworn to have vengeance upon ', ' now for my own purposes, and the rascally lascar who runs it has sworn to have vengeance upon me. t', 'for my own purposes, and the rascally lascar who runs it has sworn to have vengeance upon me. there ', 'y own purposes, and the rascally lascar who runs it has sworn to have vengeance upon me. there is a ', ' purposes, and the rascally lascar who runs it has sworn to have vengeance upon me. there is a trap-', 'oses, and the rascally lascar who runs it has sworn to have vengeance upon me. there is a trap-door ', ' and the rascally lascar who runs it has sworn to have vengeance upon me. there is a trap-door at th', 'the rascally lascar who runs it has sworn to have vengeance upon me. there is a trap-door at the bac', 'ascally lascar who runs it has sworn to have vengeance upon me. there is a trap-door at the back of ', 'ly lascar who runs it has sworn to have vengeance upon me. there is a trap-door at the back of that ', 'scar who runs it has sworn to have vengeance upon me. there is a trap-door at the back of that build', 'who runs it has sworn to have vengeance upon me. there is a trap-door at the back of that building, ', 'uns it has sworn to have vengeance upon me. there is a trap-door at the back of that building, near ', 't has sworn to have vengeance upon me. there is a trap-door at the back of that building, near the c', ' sworn to have vengeance upon me. there is a trap-door at the back of that building, near the corner', 'n to have vengeance upon me. there is a trap-door at the back of that building, near the corner of p', "have vengeance upon me. there is a trap-door at the back of that building, near the corner of paul's", "vengeance upon me. there is a trap-door at the back of that building, near the corner of paul's whar", "ance upon me. there is a trap-door at the back of that building, near the corner of paul's wharf, wh", "upon me. there is a trap-door at the back of that building, near the corner of paul's wharf, which c", "me. there is a trap-door at the back of that building, near the corner of paul's wharf, which could ", "here is a trap-door at the back of that building, near the corner of paul's wharf, which could tell ", "is a trap-door at the back of that building, near the corner of paul's wharf, which could tell some ", "trap-door at the back of that building, near the corner of paul's wharf, which could tell some stran", "door at the back of that building, near the corner of paul's wharf, which could tell some strange ta", "at the back of that building, near the corner of paul's wharf, which could tell some strange tales o", "e back of that building, near the corner of paul's wharf, which could tell some strange tales of wha", "k of that building, near the corner of paul's wharf, which could tell some strange tales of what has", "that building, near the corner of paul's wharf, which could tell some strange tales of what has pass", "building, near the corner of paul's wharf, which could tell some strange tales of what has passed th", "ing, near the corner of paul's wharf, which could tell some strange tales of what has passed through", "near the corner of paul's wharf, which could tell some strange tales of what has passed through it u", "the corner of paul's wharf, which could tell some strange tales of what has passed through it upon t", "orner of paul's wharf, which could tell some strange tales of what has passed through it upon the mo", " of paul's wharf, which could tell some strange tales of what has passed through it upon the moonles", "aul's wharf, which could tell some strange tales of what has passed through it upon the moonless nig", ' wharf, which could tell some strange tales of what has passed through it upon the moonless nights."', 'f, which could tell some strange tales of what has passed through it upon the moonless nights." "wha', 'ich could tell some strange tales of what has passed through it upon the moonless nights." "what! yo', 'ould tell some strange tales of what has passed through it upon the moonless nights." "what! you do ', 'tell some strange tales of what has passed through it upon the moonless nights." "what! you do not m', 'some strange tales of what has passed through it upon the moonless nights." "what! you do not mean b', 'strange tales of what has passed through it upon the moonless nights." "what! you do not mean bodies', 'ge tales of what has passed through it upon the moonless nights." "what! you do not mean bodies?" "a', 'les of what has passed through it upon the moonless nights." "what! you do not mean bodies?" "ay, bo', 'f what has passed through it upon the moonless nights." "what! you do not mean bodies?" "ay, bodies,', 't has passed through it upon the moonless nights." "what! you do not mean bodies?" "ay, bodies, wats', ' passed through it upon the moonless nights." "what! you do not mean bodies?" "ay, bodies, watson. w', 'ed through it upon the moonless nights." "what! you do not mean bodies?" "ay, bodies, watson. we sho', 'rough it upon the moonless nights." "what! you do not mean bodies?" "ay, bodies, watson. we should b', ' it upon the moonless nights." "what! you do not mean bodies?" "ay, bodies, watson. we should be ric', 'pon the moonless nights." "what! you do not mean bodies?" "ay, bodies, watson. we should be rich men', 'he moonless nights." "what! you do not mean bodies?" "ay, bodies, watson. we should be rich men if w', 'onless nights." "what! you do not mean bodies?" "ay, bodies, watson. we should be rich men if we had', 's nights." "what! you do not mean bodies?" "ay, bodies, watson. we should be rich men if we had po', 'hts." "what! you do not mean bodies?" "ay, bodies, watson. we should be rich men if we had pounds ', ' "what! you do not mean bodies?" "ay, bodies, watson. we should be rich men if we had pounds for e', 't! you do not mean bodies?" "ay, bodies, watson. we should be rich men if we had pounds for every ', 'u do not mean bodies?" "ay, bodies, watson. we should be rich men if we had pounds for every poor ', 'not mean bodies?" "ay, bodies, watson. we should be rich men if we had pounds for every poor devil', 'ean bodies?" "ay, bodies, watson. we should be rich men if we had pounds for every poor devil who ', 'odies?" "ay, bodies, watson. we should be rich men if we had pounds for every poor devil who has b', '?" "ay, bodies, watson. we should be rich men if we had pounds for every poor devil who has been d', 'y, bodies, watson. we should be rich men if we had pounds for every poor devil who has been done t', 'dies, watson. we should be rich men if we had pounds for every poor devil who has been done to dea', ' watson. we should be rich men if we had pounds for every poor devil who has been done to death in', 'on. we should be rich men if we had pounds for every poor devil who has been done to death in that', 'e should be rich men if we had pounds for every poor devil who has been done to death in that den.', 'uld be rich men if we had pounds for every poor devil who has been done to death in that den. it i', 'e rich men if we had pounds for every poor devil who has been done to death in that den. it is the', 'h men if we had pounds for every poor devil who has been done to death in that den. it is the vile', ' if we had pounds for every poor devil who has been done to death in that den. it is the vilest mu', 'e had pounds for every poor devil who has been done to death in that den. it is the vilest murder-', ' pounds for every poor devil who has been done to death in that den. it is the vilest murder-trap ', 'unds for every poor devil who has been done to death in that den. it is the vilest murder-trap on th', 'for every poor devil who has been done to death in that den. it is the vilest murder-trap on the who', 'very poor devil who has been done to death in that den. it is the vilest murder-trap on the whole ri', 'poor devil who has been done to death in that den. it is the vilest murder-trap on the whole riversi', 'devil who has been done to death in that den. it is the vilest murder-trap on the whole riverside, a', ' who has been done to death in that den. it is the vilest murder-trap on the whole riverside, and i ', 'has been done to death in that den. it is the vilest murder-trap on the whole riverside, and i fear ', 'een done to death in that den. it is the vilest murder-trap on the whole riverside, and i fear that ', 'one to death in that den. it is the vilest murder-trap on the whole riverside, and i fear that nevil', 'o death in that den. it is the vilest murder-trap on the whole riverside, and i fear that neville st', 'th in that den. it is the vilest murder-trap on the whole riverside, and i fear that neville st. cla', ' that den. it is the vilest murder-trap on the whole riverside, and i fear that neville st. clair ha', ' den. it is the vilest murder-trap on the whole riverside, and i fear that neville st. clair has ent', ' it is the vilest murder-trap on the whole riverside, and i fear that neville st. clair has entered ', 's the vilest murder-trap on the whole riverside, and i fear that neville st. clair has entered it ne', ' vilest murder-trap on the whole riverside, and i fear that neville st. clair has entered it never t', 'st murder-trap on the whole riverside, and i fear that neville st. clair has entered it never to lea', 'rder-trap on the whole riverside, and i fear that neville st. clair has entered it never to leave it', 'trap on the whole riverside, and i fear that neville st. clair has entered it never to leave it more', 'on the whole riverside, and i fear that neville st. clair has entered it never to leave it more. but', 'e whole riverside, and i fear that neville st. clair has entered it never to leave it more. but our ', 'le riverside, and i fear that neville st. clair has entered it never to leave it more. but our trap ', 'verside, and i fear that neville st. clair has entered it never to leave it more. but our trap shoul', 'de, and i fear that neville st. clair has entered it never to leave it more. but our trap should be ', 'nd i fear that neville st. clair has entered it never to leave it more. but our trap should be here.', 'fear that neville st. clair has entered it never to leave it more. but our trap should be here." he ', 'that neville st. clair has entered it never to leave it more. but our trap should be here." he put h', 'neville st. clair has entered it never to leave it more. but our trap should be here." he put his tw', 'le st. clair has entered it never to leave it more. but our trap should be here." he put his two for', '. clair has entered it never to leave it more. but our trap should be here." he put his two forefing', 'ir has entered it never to leave it more. but our trap should be here." he put his two forefingers b', 's entered it never to leave it more. but our trap should be here." he put his two forefingers betwee', 'ered it never to leave it more. but our trap should be here." he put his two forefingers between his', 'it never to leave it more. but our trap should be here." he put his two forefingers between his teet', 'ver to leave it more. but our trap should be here." he put his two forefingers between his teeth and', 'o leave it more. but our trap should be here." he put his two forefingers between his teeth and whis', 've it more. but our trap should be here." he put his two forefingers between his teeth and whistled ', ' more. but our trap should be here." he put his two forefingers between his teeth and whistled shril', '. but our trap should be here." he put his two forefingers between his teeth and whistled shrillya s', ' our trap should be here." he put his two forefingers between his teeth and whistled shrillya signal', 'trap should be here." he put his two forefingers between his teeth and whistled shrillya signal whic', 'should be here." he put his two forefingers between his teeth and whistled shrillya signal which was', 'd be here." he put his two forefingers between his teeth and whistled shrillya signal which was answ', 'here." he put his two forefingers between his teeth and whistled shrillya signal which was answered ', '" he put his two forefingers between his teeth and whistled shrillya signal which was answered by a ', 'put his two forefingers between his teeth and whistled shrillya signal which was answered by a simil', 'is two forefingers between his teeth and whistled shrillya signal which was answered by a similar wh', 'o forefingers between his teeth and whistled shrillya signal which was answered by a similar whistle', 'efingers between his teeth and whistled shrillya signal which was answered by a similar whistle from', 'ers between his teeth and whistled shrillya signal which was answered by a similar whistle from the ', 'etween his teeth and whistled shrillya signal which was answered by a similar whistle from the dista', 'n his teeth and whistled shrillya signal which was answered by a similar whistle from the distance, ', ' teeth and whistled shrillya signal which was answered by a similar whistle from the distance, follo', 'h and whistled shrillya signal which was answered by a similar whistle from the distance, followed s', ' whistled shrillya signal which was answered by a similar whistle from the distance, followed shortl', 'tled shrillya signal which was answered by a similar whistle from the distance, followed shortly by ', 'shrillya signal which was answered by a similar whistle from the distance, followed shortly by the r', 'lya signal which was answered by a similar whistle from the distance, followed shortly by the rattle', 'ignal which was answered by a similar whistle from the distance, followed shortly by the rattle of w', ' which was answered by a similar whistle from the distance, followed shortly by the rattle of wheels', 'h was answered by a similar whistle from the distance, followed shortly by the rattle of wheels and ', ' answered by a similar whistle from the distance, followed shortly by the rattle of wheels and the c', 'ered by a similar whistle from the distance, followed shortly by the rattle of wheels and the clink ', 'by a similar whistle from the distance, followed shortly by the rattle of wheels and the clink of ho', "similar whistle from the distance, followed shortly by the rattle of wheels and the clink of horses'", "ar whistle from the distance, followed shortly by the rattle of wheels and the clink of horses' hoof", 'istle from the distance, followed shortly by the rattle of wheels and the clink of horses\' hoofs. "n', ' from the distance, followed shortly by the rattle of wheels and the clink of horses\' hoofs. "now, w', ' the distance, followed shortly by the rattle of wheels and the clink of horses\' hoofs. "now, watson', 'distance, followed shortly by the rattle of wheels and the clink of horses\' hoofs. "now, watson," sa', 'nce, followed shortly by the rattle of wheels and the clink of horses\' hoofs. "now, watson," said ho', 'followed shortly by the rattle of wheels and the clink of horses\' hoofs. "now, watson," said holmes,', 'wed shortly by the rattle of wheels and the clink of horses\' hoofs. "now, watson," said holmes, as a', 'hortly by the rattle of wheels and the clink of horses\' hoofs. "now, watson," said holmes, as a tall', 'y by the rattle of wheels and the clink of horses\' hoofs. "now, watson," said holmes, as a tall dog-', 'the rattle of wheels and the clink of horses\' hoofs. "now, watson," said holmes, as a tall dog-cart ', 'attle of wheels and the clink of horses\' hoofs. "now, watson," said holmes, as a tall dog-cart dashe', ' of wheels and the clink of horses\' hoofs. "now, watson," said holmes, as a tall dog-cart dashed up ', 'heels and the clink of horses\' hoofs. "now, watson," said holmes, as a tall dog-cart dashed up throu', ' and the clink of horses\' hoofs. "now, watson," said holmes, as a tall dog-cart dashed up through th', 'the clink of horses\' hoofs. "now, watson," said holmes, as a tall dog-cart dashed up through the glo', 'link of horses\' hoofs. "now, watson," said holmes, as a tall dog-cart dashed up through the gloom, t', 'of horses\' hoofs. "now, watson," said holmes, as a tall dog-cart dashed up through the gloom, throwi', 'rses\' hoofs. "now, watson," said holmes, as a tall dog-cart dashed up through the gloom, throwing ou', ' hoofs. "now, watson," said holmes, as a tall dog-cart dashed up through the gloom, throwing out two', 's. "now, watson," said holmes, as a tall dog-cart dashed up through the gloom, throwing out two gold', 'ow, watson," said holmes, as a tall dog-cart dashed up through the gloom, throwing out two golden tu', 'atson," said holmes, as a tall dog-cart dashed up through the gloom, throwing out two golden tunnels', '," said holmes, as a tall dog-cart dashed up through the gloom, throwing out two golden tunnels of y', 'id holmes, as a tall dog-cart dashed up through the gloom, throwing out two golden tunnels of yellow', 'lmes, as a tall dog-cart dashed up through the gloom, throwing out two golden tunnels of yellow ligh', ' as a tall dog-cart dashed up through the gloom, throwing out two golden tunnels of yellow light fro', ' tall dog-cart dashed up through the gloom, throwing out two golden tunnels of yellow light from its', ' dog-cart dashed up through the gloom, throwing out two golden tunnels of yellow light from its side', 'cart dashed up through the gloom, throwing out two golden tunnels of yellow light from its side lant', 'dashed up through the gloom, throwing out two golden tunnels of yellow light from its side lanterns.', 'd up through the gloom, throwing out two golden tunnels of yellow light from its side lanterns. "you', 'through the gloom, throwing out two golden tunnels of yellow light from its side lanterns. "you\'ll c', 'gh the gloom, throwing out two golden tunnels of yellow light from its side lanterns. "you\'ll come w', 'e gloom, throwing out two golden tunnels of yellow light from its side lanterns. "you\'ll come with m', 'om, throwing out two golden tunnels of yellow light from its side lanterns. "you\'ll come with me, wo', 'hrowing out two golden tunnels of yellow light from its side lanterns. "you\'ll come with me, won\'t y', 'ng out two golden tunnels of yellow light from its side lanterns. "you\'ll come with me, won\'t you?" ', 't two golden tunnels of yellow light from its side lanterns. "you\'ll come with me, won\'t you?" "if i', ' golden tunnels of yellow light from its side lanterns. "you\'ll come with me, won\'t you?" "if i can ', 'en tunnels of yellow light from its side lanterns. "you\'ll come with me, won\'t you?" "if i can be of', 'nnels of yellow light from its side lanterns. "you\'ll come with me, won\'t you?" "if i can be of use.', ' of yellow light from its side lanterns. "you\'ll come with me, won\'t you?" "if i can be of use." "oh', 'ellow light from its side lanterns. "you\'ll come with me, won\'t you?" "if i can be of use." "oh, a t', ' light from its side lanterns. "you\'ll come with me, won\'t you?" "if i can be of use." "oh, a trusty', 't from its side lanterns. "you\'ll come with me, won\'t you?" "if i can be of use." "oh, a trusty comr', 'm its side lanterns. "you\'ll come with me, won\'t you?" "if i can be of use." "oh, a trusty comrade i', ' side lanterns. "you\'ll come with me, won\'t you?" "if i can be of use." "oh, a trusty comrade is alw', ' lanterns. "you\'ll come with me, won\'t you?" "if i can be of use." "oh, a trusty comrade is always o', 'erns. "you\'ll come with me, won\'t you?" "if i can be of use." "oh, a trusty comrade is always of use', ' "you\'ll come with me, won\'t you?" "if i can be of use." "oh, a trusty comrade is always of use; and', '\'ll come with me, won\'t you?" "if i can be of use." "oh, a trusty comrade is always of use; and a ch', 'ome with me, won\'t you?" "if i can be of use." "oh, a trusty comrade is always of use; and a chronic', 'ith me, won\'t you?" "if i can be of use." "oh, a trusty comrade is always of use; and a chronicler s', 'e, won\'t you?" "if i can be of use." "oh, a trusty comrade is always of use; and a chronicler still ', 'n\'t you?" "if i can be of use." "oh, a trusty comrade is always of use; and a chronicler still more ', 'ou?" "if i can be of use." "oh, a trusty comrade is always of use; and a chronicler still more so. m', '"if i can be of use." "oh, a trusty comrade is always of use; and a chronicler still more so. my roo', ' can be of use." "oh, a trusty comrade is always of use; and a chronicler still more so. my room at ', 'be of use." "oh, a trusty comrade is always of use; and a chronicler still more so. my room at the c', ' use." "oh, a trusty comrade is always of use; and a chronicler still more so. my room at the cedars', '" "oh, a trusty comrade is always of use; and a chronicler still more so. my room at the cedars is a', ', a trusty comrade is always of use; and a chronicler still more so. my room at the cedars is a doub', 'rusty comrade is always of use; and a chronicler still more so. my room at the cedars is a double-be', ' comrade is always of use; and a chronicler still more so. my room at the cedars is a double-bedded ', 'ade is always of use; and a chronicler still more so. my room at the cedars is a double-bedded one."', 's always of use; and a chronicler still more so. my room at the cedars is a double-bedded one." "the', 'ays of use; and a chronicler still more so. my room at the cedars is a double-bedded one." "the ceda', 'f use; and a chronicler still more so. my room at the cedars is a double-bedded one." "the cedars?" ', '; and a chronicler still more so. my room at the cedars is a double-bedded one." "the cedars?" "yes;', ' a chronicler still more so. my room at the cedars is a double-bedded one." "the cedars?" "yes; that', 'ronicler still more so. my room at the cedars is a double-bedded one." "the cedars?" "yes; that is m', 'ler still more so. my room at the cedars is a double-bedded one." "the cedars?" "yes; that is mr. st', 'till more so. my room at the cedars is a double-bedded one." "the cedars?" "yes; that is mr. st. cla', 'more so. my room at the cedars is a double-bedded one." "the cedars?" "yes; that is mr. st. clair\'s ', 'so. my room at the cedars is a double-bedded one." "the cedars?" "yes; that is mr. st. clair\'s house', 'y room at the cedars is a double-bedded one." "the cedars?" "yes; that is mr. st. clair\'s house. i a', 'm at the cedars is a double-bedded one." "the cedars?" "yes; that is mr. st. clair\'s house. i am sta', 'the cedars is a double-bedded one." "the cedars?" "yes; that is mr. st. clair\'s house. i am staying ', 'edars is a double-bedded one." "the cedars?" "yes; that is mr. st. clair\'s house. i am staying there', ' is a double-bedded one." "the cedars?" "yes; that is mr. st. clair\'s house. i am staying there whil', ' double-bedded one." "the cedars?" "yes; that is mr. st. clair\'s house. i am staying there while i c', 'le-bedded one." "the cedars?" "yes; that is mr. st. clair\'s house. i am staying there while i conduc', 'dded one." "the cedars?" "yes; that is mr. st. clair\'s house. i am staying there while i conduct the', 'one." "the cedars?" "yes; that is mr. st. clair\'s house. i am staying there while i conduct the inqu', ' "the cedars?" "yes; that is mr. st. clair\'s house. i am staying there while i conduct the inquiry."', ' cedars?" "yes; that is mr. st. clair\'s house. i am staying there while i conduct the inquiry." "whe', 'rs?" "yes; that is mr. st. clair\'s house. i am staying there while i conduct the inquiry." "where is', '"yes; that is mr. st. clair\'s house. i am staying there while i conduct the inquiry." "where is it, ', ' that is mr. st. clair\'s house. i am staying there while i conduct the inquiry." "where is it, then?', ' is mr. st. clair\'s house. i am staying there while i conduct the inquiry." "where is it, then?" "ne', 'r. st. clair\'s house. i am staying there while i conduct the inquiry." "where is it, then?" "near le', '. clair\'s house. i am staying there while i conduct the inquiry." "where is it, then?" "near lee, in', 'ir\'s house. i am staying there while i conduct the inquiry." "where is it, then?" "near lee, in kent', 'house. i am staying there while i conduct the inquiry." "where is it, then?" "near lee, in kent. we ', '. i am staying there while i conduct the inquiry." "where is it, then?" "near lee, in kent. we have ', 'm staying there while i conduct the inquiry." "where is it, then?" "near lee, in kent. we have a sev', 'ying there while i conduct the inquiry." "where is it, then?" "near lee, in kent. we have a seven-mi', 'there while i conduct the inquiry." "where is it, then?" "near lee, in kent. we have a seven-mile dr', ' while i conduct the inquiry." "where is it, then?" "near lee, in kent. we have a seven-mile drive b', 'e i conduct the inquiry." "where is it, then?" "near lee, in kent. we have a seven-mile drive before', 'onduct the inquiry." "where is it, then?" "near lee, in kent. we have a seven-mile drive before us."', 't the inquiry." "where is it, then?" "near lee, in kent. we have a seven-mile drive before us." "but', ' inquiry." "where is it, then?" "near lee, in kent. we have a seven-mile drive before us." "but i am', 'iry." "where is it, then?" "near lee, in kent. we have a seven-mile drive before us." "but i am all ', ' "where is it, then?" "near lee, in kent. we have a seven-mile drive before us." "but i am all in th', 're is it, then?" "near lee, in kent. we have a seven-mile drive before us." "but i am all in the dar', ' it, then?" "near lee, in kent. we have a seven-mile drive before us." "but i am all in the dark." "', 'then?" "near lee, in kent. we have a seven-mile drive before us." "but i am all in the dark." "of co', '" "near lee, in kent. we have a seven-mile drive before us." "but i am all in the dark." "of course ', 'ar lee, in kent. we have a seven-mile drive before us." "but i am all in the dark." "of course you a', 'e, in kent. we have a seven-mile drive before us." "but i am all in the dark." "of course you are. y', ' kent. we have a seven-mile drive before us." "but i am all in the dark." "of course you are. you\'ll', '. we have a seven-mile drive before us." "but i am all in the dark." "of course you are. you\'ll know', 'have a seven-mile drive before us." "but i am all in the dark." "of course you are. you\'ll know all ', 'a seven-mile drive before us." "but i am all in the dark." "of course you are. you\'ll know all about', 'en-mile drive before us." "but i am all in the dark." "of course you are. you\'ll know all about it p', 'le drive before us." "but i am all in the dark." "of course you are. you\'ll know all about it presen', 'ive before us." "but i am all in the dark." "of course you are. you\'ll know all about it presently. ', 'efore us." "but i am all in the dark." "of course you are. you\'ll know all about it presently. jump ', ' us." "but i am all in the dark." "of course you are. you\'ll know all about it presently. jump up he', ' "but i am all in the dark." "of course you are. you\'ll know all about it presently. jump up here. a', ' i am all in the dark." "of course you are. you\'ll know all about it presently. jump up here. all ri', ' all in the dark." "of course you are. you\'ll know all about it presently. jump up here. all right, ', 'in the dark." "of course you are. you\'ll know all about it presently. jump up here. all right, john;', 'e dark." "of course you are. you\'ll know all about it presently. jump up here. all right, john; we s', 'k." "of course you are. you\'ll know all about it presently. jump up here. all right, john; we shall ', "of course you are. you'll know all about it presently. jump up here. all right, john; we shall not n", "urse you are. you'll know all about it presently. jump up here. all right, john; we shall not need y", "you are. you'll know all about it presently. jump up here. all right, john; we shall not need you. h", "re. you'll know all about it presently. jump up here. all right, john; we shall not need you. here's", "ou'll know all about it presently. jump up here. all right, john; we shall not need you. here's half", " know all about it presently. jump up here. all right, john; we shall not need you. here's half a cr", " all about it presently. jump up here. all right, john; we shall not need you. here's half a crown. ", "about it presently. jump up here. all right, john; we shall not need you. here's half a crown. look ", " it presently. jump up here. all right, john; we shall not need you. here's half a crown. look out f", "resently. jump up here. all right, john; we shall not need you. here's half a crown. look out for me", "tly. jump up here. all right, john; we shall not need you. here's half a crown. look out for me to-m", "jump up here. all right, john; we shall not need you. here's half a crown. look out for me to-morrow", "up here. all right, john; we shall not need you. here's half a crown. look out for me to-morrow, abo", "re. all right, john; we shall not need you. here's half a crown. look out for me to-morrow, about el", "ll right, john; we shall not need you. here's half a crown. look out for me to-morrow, about eleven.", "ght, john; we shall not need you. here's half a crown. look out for me to-morrow, about eleven. give", "john; we shall not need you. here's half a crown. look out for me to-morrow, about eleven. give her ", " we shall not need you. here's half a crown. look out for me to-morrow, about eleven. give her her h", "hall not need you. here's half a crown. look out for me to-morrow, about eleven. give her her head. ", "not need you. here's half a crown. look out for me to-morrow, about eleven. give her her head. so lo", "eed you. here's half a crown. look out for me to-morrow, about eleven. give her her head. so long, t", "ou. here's half a crown. look out for me to-morrow, about eleven. give her her head. so long, then ", "ere's half a crown. look out for me to-morrow, about eleven. give her her head. so long, then he fl", ' half a crown. look out for me to-morrow, about eleven. give her her head. so long, then he flicked', ' a crown. look out for me to-morrow, about eleven. give her her head. so long, then he flicked the ', 'own. look out for me to-morrow, about eleven. give her her head. so long, then he flicked the horse', 'look out for me to-morrow, about eleven. give her her head. so long, then he flicked the horse with', 'out for me to-morrow, about eleven. give her her head. so long, then he flicked the horse with his ', 'or me to-morrow, about eleven. give her her head. so long, then he flicked the horse with his whip,', ' to-morrow, about eleven. give her her head. so long, then he flicked the horse with his whip, and ', 'orrow, about eleven. give her her head. so long, then he flicked the horse with his whip, and we da', ', about eleven. give her her head. so long, then he flicked the horse with his whip, and we dashed ', 'ut eleven. give her her head. so long, then he flicked the horse with his whip, and we dashed away ', 'even. give her her head. so long, then he flicked the horse with his whip, and we dashed away throu', ' give her her head. so long, then he flicked the horse with his whip, and we dashed away through th', ' her her head. so long, then he flicked the horse with his whip, and we dashed away through the end', 'her head. so long, then he flicked the horse with his whip, and we dashed away through the endless ', 'ead. so long, then he flicked the horse with his whip, and we dashed away through the endless succe', 'so long, then he flicked the horse with his whip, and we dashed away through the endless succession', 'ng, then he flicked the horse with his whip, and we dashed away through the endless succession of s', 'hen he flicked the horse with his whip, and we dashed away through the endless succession of sombre', 'he flicked the horse with his whip, and we dashed away through the endless succession of sombre and ', 'icked the horse with his whip, and we dashed away through the endless succession of sombre and deser', ' the horse with his whip, and we dashed away through the endless succession of sombre and deserted s', 'horse with his whip, and we dashed away through the endless succession of sombre and deserted street', ' with his whip, and we dashed away through the endless succession of sombre and deserted streets, wh', ' his whip, and we dashed away through the endless succession of sombre and deserted streets, which w', 'whip, and we dashed away through the endless succession of sombre and deserted streets, which widene', ' and we dashed away through the endless succession of sombre and deserted streets, which widened gra', 'we dashed away through the endless succession of sombre and deserted streets, which widened graduall', 'shed away through the endless succession of sombre and deserted streets, which widened gradually, un', 'away through the endless succession of sombre and deserted streets, which widened gradually, until w', 'through the endless succession of sombre and deserted streets, which widened gradually, until we wer', 'gh the endless succession of sombre and deserted streets, which widened gradually, until we were fly', 'e endless succession of sombre and deserted streets, which widened gradually, until we were flying a', 'less succession of sombre and deserted streets, which widened gradually, until we were flying across', 'succession of sombre and deserted streets, which widened gradually, until we were flying across a br', 'ssion of sombre and deserted streets, which widened gradually, until we were flying across a broad b', ' of sombre and deserted streets, which widened gradually, until we were flying across a broad balust', 'ombre and deserted streets, which widened gradually, until we were flying across a broad balustraded', ' and deserted streets, which widened gradually, until we were flying across a broad balustraded brid', 'deserted streets, which widened gradually, until we were flying across a broad balustraded bridge, w', 'ted streets, which widened gradually, until we were flying across a broad balustraded bridge, with t', 'treets, which widened gradually, until we were flying across a broad balustraded bridge, with the mu', 's, which widened gradually, until we were flying across a broad balustraded bridge, with the murky r', 'ich widened gradually, until we were flying across a broad balustraded bridge, with the murky river ', 'idened gradually, until we were flying across a broad balustraded bridge, with the murky river flowi', 'd gradually, until we were flying across a broad balustraded bridge, with the murky river flowing sl', 'dually, until we were flying across a broad balustraded bridge, with the murky river flowing sluggis', 'y, until we were flying across a broad balustraded bridge, with the murky river flowing sluggishly b', 'til we were flying across a broad balustraded bridge, with the murky river flowing sluggishly beneat', 'e were flying across a broad balustraded bridge, with the murky river flowing sluggishly beneath us.', 'e flying across a broad balustraded bridge, with the murky river flowing sluggishly beneath us. beyo', 'ing across a broad balustraded bridge, with the murky river flowing sluggishly beneath us. beyond la', 'cross a broad balustraded bridge, with the murky river flowing sluggishly beneath us. beyond lay ano', ' a broad balustraded bridge, with the murky river flowing sluggishly beneath us. beyond lay another ', 'oad balustraded bridge, with the murky river flowing sluggishly beneath us. beyond lay another dull ', 'alustraded bridge, with the murky river flowing sluggishly beneath us. beyond lay another dull wilde', 'raded bridge, with the murky river flowing sluggishly beneath us. beyond lay another dull wilderness', ' bridge, with the murky river flowing sluggishly beneath us. beyond lay another dull wilderness of b', 'ge, with the murky river flowing sluggishly beneath us. beyond lay another dull wilderness of bricks', 'ith the murky river flowing sluggishly beneath us. beyond lay another dull wilderness of bricks and ', 'he murky river flowing sluggishly beneath us. beyond lay another dull wilderness of bricks and morta', 'rky river flowing sluggishly beneath us. beyond lay another dull wilderness of bricks and mortar, it', 'iver flowing sluggishly beneath us. beyond lay another dull wilderness of bricks and mortar, its sil', 'flowing sluggishly beneath us. beyond lay another dull wilderness of bricks and mortar, its silence ', 'ng sluggishly beneath us. beyond lay another dull wilderness of bricks and mortar, its silence broke', 'uggishly beneath us. beyond lay another dull wilderness of bricks and mortar, its silence broken onl', 'hly beneath us. beyond lay another dull wilderness of bricks and mortar, its silence broken only by ', 'eneath us. beyond lay another dull wilderness of bricks and mortar, its silence broken only by the h', 'h us. beyond lay another dull wilderness of bricks and mortar, its silence broken only by the heavy,', ' beyond lay another dull wilderness of bricks and mortar, its silence broken only by the heavy, regu', 'nd lay another dull wilderness of bricks and mortar, its silence broken only by the heavy, regular f', 'y another dull wilderness of bricks and mortar, its silence broken only by the heavy, regular footfa', 'ther dull wilderness of bricks and mortar, its silence broken only by the heavy, regular footfall of', 'dull wilderness of bricks and mortar, its silence broken only by the heavy, regular footfall of the ', 'wilderness of bricks and mortar, its silence broken only by the heavy, regular footfall of the polic', 'rness of bricks and mortar, its silence broken only by the heavy, regular footfall of the policeman,', ' of bricks and mortar, its silence broken only by the heavy, regular footfall of the policeman, or t', 'ricks and mortar, its silence broken only by the heavy, regular footfall of the policeman, or the so', ' and mortar, its silence broken only by the heavy, regular footfall of the policeman, or the songs a', 'mortar, its silence broken only by the heavy, regular footfall of the policeman, or the songs and sh', 'r, its silence broken only by the heavy, regular footfall of the policeman, or the songs and shouts ', 's silence broken only by the heavy, regular footfall of the policeman, or the songs and shouts of so', 'ence broken only by the heavy, regular footfall of the policeman, or the songs and shouts of some be', 'broken only by the heavy, regular footfall of the policeman, or the songs and shouts of some belated', 'n only by the heavy, regular footfall of the policeman, or the songs and shouts of some belated part', 'y by the heavy, regular footfall of the policeman, or the songs and shouts of some belated party of ', 'the heavy, regular footfall of the policeman, or the songs and shouts of some belated party of revel', 'eavy, regular footfall of the policeman, or the songs and shouts of some belated party of revellers.', ' regular footfall of the policeman, or the songs and shouts of some belated party of revellers. a du', 'lar footfall of the policeman, or the songs and shouts of some belated party of revellers. a dull wr', 'ootfall of the policeman, or the songs and shouts of some belated party of revellers. a dull wrack w', 'll of the policeman, or the songs and shouts of some belated party of revellers. a dull wrack was dr', ' the policeman, or the songs and shouts of some belated party of revellers. a dull wrack was driftin', 'policeman, or the songs and shouts of some belated party of revellers. a dull wrack was drifting slo', 'eman, or the songs and shouts of some belated party of revellers. a dull wrack was drifting slowly a', ' or the songs and shouts of some belated party of revellers. a dull wrack was drifting slowly across', 'he songs and shouts of some belated party of revellers. a dull wrack was drifting slowly across the ', 'ngs and shouts of some belated party of revellers. a dull wrack was drifting slowly across the sky, ', 'nd shouts of some belated party of revellers. a dull wrack was drifting slowly across the sky, and a', 'outs of some belated party of revellers. a dull wrack was drifting slowly across the sky, and a star', 'of some belated party of revellers. a dull wrack was drifting slowly across the sky, and a star or t', 'me belated party of revellers. a dull wrack was drifting slowly across the sky, and a star or two tw', 'lated party of revellers. a dull wrack was drifting slowly across the sky, and a star or two twinkle', ' party of revellers. a dull wrack was drifting slowly across the sky, and a star or two twinkled dim', 'y of revellers. a dull wrack was drifting slowly across the sky, and a star or two twinkled dimly he', 'revellers. a dull wrack was drifting slowly across the sky, and a star or two twinkled dimly here an', 'lers. a dull wrack was drifting slowly across the sky, and a star or two twinkled dimly here and the', ' a dull wrack was drifting slowly across the sky, and a star or two twinkled dimly here and there th', 'll wrack was drifting slowly across the sky, and a star or two twinkled dimly here and there through', 'ack was drifting slowly across the sky, and a star or two twinkled dimly here and there through the ', 'as drifting slowly across the sky, and a star or two twinkled dimly here and there through the rifts', 'ifting slowly across the sky, and a star or two twinkled dimly here and there through the rifts of t', 'g slowly across the sky, and a star or two twinkled dimly here and there through the rifts of the cl', 'wly across the sky, and a star or two twinkled dimly here and there through the rifts of the clouds.', 'cross the sky, and a star or two twinkled dimly here and there through the rifts of the clouds. holm', ' the sky, and a star or two twinkled dimly here and there through the rifts of the clouds. holmes dr', 'sky, and a star or two twinkled dimly here and there through the rifts of the clouds. holmes drove i', 'and a star or two twinkled dimly here and there through the rifts of the clouds. holmes drove in sil', ' star or two twinkled dimly here and there through the rifts of the clouds. holmes drove in silence,', ' or two twinkled dimly here and there through the rifts of the clouds. holmes drove in silence, with', 'wo twinkled dimly here and there through the rifts of the clouds. holmes drove in silence, with his ', 'inkled dimly here and there through the rifts of the clouds. holmes drove in silence, with his head ', 'd dimly here and there through the rifts of the clouds. holmes drove in silence, with his head sunk ', 'ly here and there through the rifts of the clouds. holmes drove in silence, with his head sunk upon ', 're and there through the rifts of the clouds. holmes drove in silence, with his head sunk upon his b', 'd there through the rifts of the clouds. holmes drove in silence, with his head sunk upon his breast', 're through the rifts of the clouds. holmes drove in silence, with his head sunk upon his breast, and', 'rough the rifts of the clouds. holmes drove in silence, with his head sunk upon his breast, and the ', ' the rifts of the clouds. holmes drove in silence, with his head sunk upon his breast, and the air o', 'rifts of the clouds. holmes drove in silence, with his head sunk upon his breast, and the air of a m', ' of the clouds. holmes drove in silence, with his head sunk upon his breast, and the air of a man wh', 'he clouds. holmes drove in silence, with his head sunk upon his breast, and the air of a man who is ', 'ouds. holmes drove in silence, with his head sunk upon his breast, and the air of a man who is lost ', ' holmes drove in silence, with his head sunk upon his breast, and the air of a man who is lost in th', 'es drove in silence, with his head sunk upon his breast, and the air of a man who is lost in thought', 'ove in silence, with his head sunk upon his breast, and the air of a man who is lost in thought, whi', 'n silence, with his head sunk upon his breast, and the air of a man who is lost in thought, while i ', 'ence, with his head sunk upon his breast, and the air of a man who is lost in thought, while i sat b', ' with his head sunk upon his breast, and the air of a man who is lost in thought, while i sat beside', ' his head sunk upon his breast, and the air of a man who is lost in thought, while i sat beside him,', 'head sunk upon his breast, and the air of a man who is lost in thought, while i sat beside him, curi', 'sunk upon his breast, and the air of a man who is lost in thought, while i sat beside him, curious t', 'upon his breast, and the air of a man who is lost in thought, while i sat beside him, curious to lea', 'his breast, and the air of a man who is lost in thought, while i sat beside him, curious to learn wh', 'reast, and the air of a man who is lost in thought, while i sat beside him, curious to learn what th', ', and the air of a man who is lost in thought, while i sat beside him, curious to learn what this ne', ' the air of a man who is lost in thought, while i sat beside him, curious to learn what this new que', 'air of a man who is lost in thought, while i sat beside him, curious to learn what this new quest mi', 'f a man who is lost in thought, while i sat beside him, curious to learn what this new quest might b', 'an who is lost in thought, while i sat beside him, curious to learn what this new quest might be whi', 'o is lost in thought, while i sat beside him, curious to learn what this new quest might be which se', 'lost in thought, while i sat beside him, curious to learn what this new quest might be which seemed ', 'in thought, while i sat beside him, curious to learn what this new quest might be which seemed to ta', 'ought, while i sat beside him, curious to learn what this new quest might be which seemed to tax his', ', while i sat beside him, curious to learn what this new quest might be which seemed to tax his powe', 'le i sat beside him, curious to learn what this new quest might be which seemed to tax his powers so', 'sat beside him, curious to learn what this new quest might be which seemed to tax his powers so sore', 'eside him, curious to learn what this new quest might be which seemed to tax his powers so sorely, a', ' him, curious to learn what this new quest might be which seemed to tax his powers so sorely, and ye', ' curious to learn what this new quest might be which seemed to tax his powers so sorely, and yet afr', 'ous to learn what this new quest might be which seemed to tax his powers so sorely, and yet afraid t', 'o learn what this new quest might be which seemed to tax his powers so sorely, and yet afraid to bre', 'rn what this new quest might be which seemed to tax his powers so sorely, and yet afraid to break in', 'at this new quest might be which seemed to tax his powers so sorely, and yet afraid to break in upon', 'is new quest might be which seemed to tax his powers so sorely, and yet afraid to break in upon the ', 'w quest might be which seemed to tax his powers so sorely, and yet afraid to break in upon the curre', 'st might be which seemed to tax his powers so sorely, and yet afraid to break in upon the current of', 'ght be which seemed to tax his powers so sorely, and yet afraid to break in upon the current of his ', 'e which seemed to tax his powers so sorely, and yet afraid to break in upon the current of his thoug', 'ch seemed to tax his powers so sorely, and yet afraid to break in upon the current of his thoughts. ', 'emed to tax his powers so sorely, and yet afraid to break in upon the current of his thoughts. we ha', 'to tax his powers so sorely, and yet afraid to break in upon the current of his thoughts. we had dri', 'x his powers so sorely, and yet afraid to break in upon the current of his thoughts. we had driven s', ' powers so sorely, and yet afraid to break in upon the current of his thoughts. we had driven severa', 'rs so sorely, and yet afraid to break in upon the current of his thoughts. we had driven several mil', ' sorely, and yet afraid to break in upon the current of his thoughts. we had driven several miles, a', 'ly, and yet afraid to break in upon the current of his thoughts. we had driven several miles, and we', 'nd yet afraid to break in upon the current of his thoughts. we had driven several miles, and were be', 't afraid to break in upon the current of his thoughts. we had driven several miles, and were beginni', 'aid to break in upon the current of his thoughts. we had driven several miles, and were beginning to', 'o break in upon the current of his thoughts. we had driven several miles, and were beginning to get ', 'ak in upon the current of his thoughts. we had driven several miles, and were beginning to get to th', ' upon the current of his thoughts. we had driven several miles, and were beginning to get to the fri', ' the current of his thoughts. we had driven several miles, and were beginning to get to the fringe o', 'current of his thoughts. we had driven several miles, and were beginning to get to the fringe of the', 'nt of his thoughts. we had driven several miles, and were beginning to get to the fringe of the belt', ' his thoughts. we had driven several miles, and were beginning to get to the fringe of the belt of s', 'thoughts. we had driven several miles, and were beginning to get to the fringe of the belt of suburb', 'hts. we had driven several miles, and were beginning to get to the fringe of the belt of suburban vi', 'we had driven several miles, and were beginning to get to the fringe of the belt of suburban villas,', 'd driven several miles, and were beginning to get to the fringe of the belt of suburban villas, when', 'ven several miles, and were beginning to get to the fringe of the belt of suburban villas, when he s', 'everal miles, and were beginning to get to the fringe of the belt of suburban villas, when he shook ', 'l miles, and were beginning to get to the fringe of the belt of suburban villas, when he shook himse', 'es, and were beginning to get to the fringe of the belt of suburban villas, when he shook himself, s', 'nd were beginning to get to the fringe of the belt of suburban villas, when he shook himself, shrugg', 're beginning to get to the fringe of the belt of suburban villas, when he shook himself, shrugged hi', 'ginning to get to the fringe of the belt of suburban villas, when he shook himself, shrugged his sho', 'ng to get to the fringe of the belt of suburban villas, when he shook himself, shrugged his shoulder', ' get to the fringe of the belt of suburban villas, when he shook himself, shrugged his shoulders, an', 'to the fringe of the belt of suburban villas, when he shook himself, shrugged his shoulders, and lit', 'e fringe of the belt of suburban villas, when he shook himself, shrugged his shoulders, and lit up h', 'nge of the belt of suburban villas, when he shook himself, shrugged his shoulders, and lit up his pi', 'f the belt of suburban villas, when he shook himself, shrugged his shoulders, and lit up his pipe wi', ' belt of suburban villas, when he shook himself, shrugged his shoulders, and lit up his pipe with th', ' of suburban villas, when he shook himself, shrugged his shoulders, and lit up his pipe with the air', 'uburban villas, when he shook himself, shrugged his shoulders, and lit up his pipe with the air of a', 'an villas, when he shook himself, shrugged his shoulders, and lit up his pipe with the air of a man ', 'llas, when he shook himself, shrugged his shoulders, and lit up his pipe with the air of a man who h', ' when he shook himself, shrugged his shoulders, and lit up his pipe with the air of a man who has sa', ' he shook himself, shrugged his shoulders, and lit up his pipe with the air of a man who has satisfi', 'hook himself, shrugged his shoulders, and lit up his pipe with the air of a man who has satisfied hi', 'himself, shrugged his shoulders, and lit up his pipe with the air of a man who has satisfied himself', 'lf, shrugged his shoulders, and lit up his pipe with the air of a man who has satisfied himself that', 'hrugged his shoulders, and lit up his pipe with the air of a man who has satisfied himself that he i', 'ed his shoulders, and lit up his pipe with the air of a man who has satisfied himself that he is act', 's shoulders, and lit up his pipe with the air of a man who has satisfied himself that he is acting f', 'ulders, and lit up his pipe with the air of a man who has satisfied himself that he is acting for th', 's, and lit up his pipe with the air of a man who has satisfied himself that he is acting for the bes', 'd lit up his pipe with the air of a man who has satisfied himself that he is acting for the best. "y', ' up his pipe with the air of a man who has satisfied himself that he is acting for the best. "you ha', 'is pipe with the air of a man who has satisfied himself that he is acting for the best. "you have a ', 'pe with the air of a man who has satisfied himself that he is acting for the best. "you have a grand', 'th the air of a man who has satisfied himself that he is acting for the best. "you have a grand gift', 'e air of a man who has satisfied himself that he is acting for the best. "you have a grand gift of s', ' of a man who has satisfied himself that he is acting for the best. "you have a grand gift of silenc', ' man who has satisfied himself that he is acting for the best. "you have a grand gift of silence, wa', 'who has satisfied himself that he is acting for the best. "you have a grand gift of silence, watson,', 'as satisfied himself that he is acting for the best. "you have a grand gift of silence, watson," sai', 'tisfied himself that he is acting for the best. "you have a grand gift of silence, watson," said he.', 'ed himself that he is acting for the best. "you have a grand gift of silence, watson," said he. "it ', 'mself that he is acting for the best. "you have a grand gift of silence, watson," said he. "it makes', ' that he is acting for the best. "you have a grand gift of silence, watson," said he. "it makes you ', ' he is acting for the best. "you have a grand gift of silence, watson," said he. "it makes you quite', 's acting for the best. "you have a grand gift of silence, watson," said he. "it makes you quite inva', 'ing for the best. "you have a grand gift of silence, watson," said he. "it makes you quite invaluabl', 'or the best. "you have a grand gift of silence, watson," said he. "it makes you quite invaluable as ', 'e best. "you have a grand gift of silence, watson," said he. "it makes you quite invaluable as a com', 't. "you have a grand gift of silence, watson," said he. "it makes you quite invaluable as a companio', 'ou have a grand gift of silence, watson," said he. "it makes you quite invaluable as a companion. \'p', 've a grand gift of silence, watson," said he. "it makes you quite invaluable as a companion. \'pon my', 'grand gift of silence, watson," said he. "it makes you quite invaluable as a companion. \'pon my word', ' gift of silence, watson," said he. "it makes you quite invaluable as a companion. \'pon my word, it ', ' of silence, watson," said he. "it makes you quite invaluable as a companion. \'pon my word, it is a ', 'ilence, watson," said he. "it makes you quite invaluable as a companion. \'pon my word, it is a great', 'e, watson," said he. "it makes you quite invaluable as a companion. \'pon my word, it is a great thin', 'tson," said he. "it makes you quite invaluable as a companion. \'pon my word, it is a great thing for', '" said he. "it makes you quite invaluable as a companion. \'pon my word, it is a great thing for me t', 'd he. "it makes you quite invaluable as a companion. \'pon my word, it is a great thing for me to hav', ' "it makes you quite invaluable as a companion. \'pon my word, it is a great thing for me to have som', "makes you quite invaluable as a companion. 'pon my word, it is a great thing for me to have someone ", " you quite invaluable as a companion. 'pon my word, it is a great thing for me to have someone to ta", "quite invaluable as a companion. 'pon my word, it is a great thing for me to have someone to talk to", " invaluable as a companion. 'pon my word, it is a great thing for me to have someone to talk to, for", "luable as a companion. 'pon my word, it is a great thing for me to have someone to talk to, for my o", "e as a companion. 'pon my word, it is a great thing for me to have someone to talk to, for my own th", "a companion. 'pon my word, it is a great thing for me to have someone to talk to, for my own thought", "panion. 'pon my word, it is a great thing for me to have someone to talk to, for my own thoughts are", "n. 'pon my word, it is a great thing for me to have someone to talk to, for my own thoughts are not ", 'on my word, it is a great thing for me to have someone to talk to, for my own thoughts are not over-', ' word, it is a great thing for me to have someone to talk to, for my own thoughts are not over-pleas', ', it is a great thing for me to have someone to talk to, for my own thoughts are not over-pleasant. ', 'is a great thing for me to have someone to talk to, for my own thoughts are not over-pleasant. i was', 'great thing for me to have someone to talk to, for my own thoughts are not over-pleasant. i was wond', ' thing for me to have someone to talk to, for my own thoughts are not over-pleasant. i was wondering', 'g for me to have someone to talk to, for my own thoughts are not over-pleasant. i was wondering what', ' me to have someone to talk to, for my own thoughts are not over-pleasant. i was wondering what i sh', 'o have someone to talk to, for my own thoughts are not over-pleasant. i was wondering what i should ', 'e someone to talk to, for my own thoughts are not over-pleasant. i was wondering what i should say t', 'eone to talk to, for my own thoughts are not over-pleasant. i was wondering what i should say to thi', 'to talk to, for my own thoughts are not over-pleasant. i was wondering what i should say to this dea', 'lk to, for my own thoughts are not over-pleasant. i was wondering what i should say to this dear lit', ', for my own thoughts are not over-pleasant. i was wondering what i should say to this dear little w', ' my own thoughts are not over-pleasant. i was wondering what i should say to this dear little woman ', 'wn thoughts are not over-pleasant. i was wondering what i should say to this dear little woman to-ni', 'oughts are not over-pleasant. i was wondering what i should say to this dear little woman to-night w', 's are not over-pleasant. i was wondering what i should say to this dear little woman to-night when s', ' not over-pleasant. i was wondering what i should say to this dear little woman to-night when she me', 'over-pleasant. i was wondering what i should say to this dear little woman to-night when she meets m', 'pleasant. i was wondering what i should say to this dear little woman to-night when she meets me at ', 'ant. i was wondering what i should say to this dear little woman to-night when she meets me at the d', 'i was wondering what i should say to this dear little woman to-night when she meets me at the door."', ' wondering what i should say to this dear little woman to-night when she meets me at the door." "you', 'ering what i should say to this dear little woman to-night when she meets me at the door." "you forg', ' what i should say to this dear little woman to-night when she meets me at the door." "you forget th', ' i should say to this dear little woman to-night when she meets me at the door." "you forget that i ', 'ould say to this dear little woman to-night when she meets me at the door." "you forget that i know ', 'say to this dear little woman to-night when she meets me at the door." "you forget that i know nothi', 'o this dear little woman to-night when she meets me at the door." "you forget that i know nothing ab', 's dear little woman to-night when she meets me at the door." "you forget that i know nothing about i', 'r little woman to-night when she meets me at the door." "you forget that i know nothing about it." "', 'tle woman to-night when she meets me at the door." "you forget that i know nothing about it." "i sha', 'oman to-night when she meets me at the door." "you forget that i know nothing about it." "i shall ju', 'to-night when she meets me at the door." "you forget that i know nothing about it." "i shall just ha', 'ght when she meets me at the door." "you forget that i know nothing about it." "i shall just have ti', 'hen she meets me at the door." "you forget that i know nothing about it." "i shall just have time to', 'he meets me at the door." "you forget that i know nothing about it." "i shall just have time to tell', 'ets me at the door." "you forget that i know nothing about it." "i shall just have time to tell you ', 'e at the door." "you forget that i know nothing about it." "i shall just have time to tell you the f', 'the door." "you forget that i know nothing about it." "i shall just have time to tell you the facts ', 'oor." "you forget that i know nothing about it." "i shall just have time to tell you the facts of th', ' "you forget that i know nothing about it." "i shall just have time to tell you the facts of the cas', ' forget that i know nothing about it." "i shall just have time to tell you the facts of the case bef', 'et that i know nothing about it." "i shall just have time to tell you the facts of the case before w', 'at i know nothing about it." "i shall just have time to tell you the facts of the case before we get', 'know nothing about it." "i shall just have time to tell you the facts of the case before we get to l', 'nothing about it." "i shall just have time to tell you the facts of the case before we get to lee. i', 'ng about it." "i shall just have time to tell you the facts of the case before we get to lee. it see', 'out it." "i shall just have time to tell you the facts of the case before we get to lee. it seems ab', 't." "i shall just have time to tell you the facts of the case before we get to lee. it seems absurdl', 'i shall just have time to tell you the facts of the case before we get to lee. it seems absurdly sim', 'll just have time to tell you the facts of the case before we get to lee. it seems absurdly simple, ', 'st have time to tell you the facts of the case before we get to lee. it seems absurdly simple, and y', 've time to tell you the facts of the case before we get to lee. it seems absurdly simple, and yet, s', 'me to tell you the facts of the case before we get to lee. it seems absurdly simple, and yet, someho', ' tell you the facts of the case before we get to lee. it seems absurdly simple, and yet, somehow i c', ' you the facts of the case before we get to lee. it seems absurdly simple, and yet, somehow i can ge', 'the facts of the case before we get to lee. it seems absurdly simple, and yet, somehow i can get not', 'acts of the case before we get to lee. it seems absurdly simple, and yet, somehow i can get nothing ', 'of the case before we get to lee. it seems absurdly simple, and yet, somehow i can get nothing to go', 'e case before we get to lee. it seems absurdly simple, and yet, somehow i can get nothing to go upon', 'e before we get to lee. it seems absurdly simple, and yet, somehow i can get nothing to go upon. the', "ore we get to lee. it seems absurdly simple, and yet, somehow i can get nothing to go upon. there's ", "e get to lee. it seems absurdly simple, and yet, somehow i can get nothing to go upon. there's plent", " to lee. it seems absurdly simple, and yet, somehow i can get nothing to go upon. there's plenty of ", "ee. it seems absurdly simple, and yet, somehow i can get nothing to go upon. there's plenty of threa", "t seems absurdly simple, and yet, somehow i can get nothing to go upon. there's plenty of thread, no", "ms absurdly simple, and yet, somehow i can get nothing to go upon. there's plenty of thread, no doub", "surdly simple, and yet, somehow i can get nothing to go upon. there's plenty of thread, no doubt, bu", "y simple, and yet, somehow i can get nothing to go upon. there's plenty of thread, no doubt, but i c", "ple, and yet, somehow i can get nothing to go upon. there's plenty of thread, no doubt, but i can't ", "and yet, somehow i can get nothing to go upon. there's plenty of thread, no doubt, but i can't get t", "et, somehow i can get nothing to go upon. there's plenty of thread, no doubt, but i can't get the en", "omehow i can get nothing to go upon. there's plenty of thread, no doubt, but i can't get the end of ", "w i can get nothing to go upon. there's plenty of thread, no doubt, but i can't get the end of it in", "an get nothing to go upon. there's plenty of thread, no doubt, but i can't get the end of it into my", "t nothing to go upon. there's plenty of thread, no doubt, but i can't get the end of it into my hand", "hing to go upon. there's plenty of thread, no doubt, but i can't get the end of it into my hand. now", "to go upon. there's plenty of thread, no doubt, but i can't get the end of it into my hand. now, i'l", " upon. there's plenty of thread, no doubt, but i can't get the end of it into my hand. now, i'll sta", ". there's plenty of thread, no doubt, but i can't get the end of it into my hand. now, i'll state th", "re's plenty of thread, no doubt, but i can't get the end of it into my hand. now, i'll state the cas", "plenty of thread, no doubt, but i can't get the end of it into my hand. now, i'll state the case cle", "y of thread, no doubt, but i can't get the end of it into my hand. now, i'll state the case clearly ", "thread, no doubt, but i can't get the end of it into my hand. now, i'll state the case clearly and c", "d, no doubt, but i can't get the end of it into my hand. now, i'll state the case clearly and concis", " doubt, but i can't get the end of it into my hand. now, i'll state the case clearly and concisely t", "t, but i can't get the end of it into my hand. now, i'll state the case clearly and concisely to you", "t i can't get the end of it into my hand. now, i'll state the case clearly and concisely to you, wat", "an't get the end of it into my hand. now, i'll state the case clearly and concisely to you, watson, ", "get the end of it into my hand. now, i'll state the case clearly and concisely to you, watson, and m", "he end of it into my hand. now, i'll state the case clearly and concisely to you, watson, and maybe ", "d of it into my hand. now, i'll state the case clearly and concisely to you, watson, and maybe you c", "it into my hand. now, i'll state the case clearly and concisely to you, watson, and maybe you can se", "to my hand. now, i'll state the case clearly and concisely to you, watson, and maybe you can see a s", " hand. now, i'll state the case clearly and concisely to you, watson, and maybe you can see a spark ", ". now, i'll state the case clearly and concisely to you, watson, and maybe you can see a spark where", ", i'll state the case clearly and concisely to you, watson, and maybe you can see a spark where all ", 'l state the case clearly and concisely to you, watson, and maybe you can see a spark where all is da', 'te the case clearly and concisely to you, watson, and maybe you can see a spark where all is dark to', 'e case clearly and concisely to you, watson, and maybe you can see a spark where all is dark to me."', 'e clearly and concisely to you, watson, and maybe you can see a spark where all is dark to me." "pro', 'arly and concisely to you, watson, and maybe you can see a spark where all is dark to me." "proceed,', 'and concisely to you, watson, and maybe you can see a spark where all is dark to me." "proceed, then', 'oncisely to you, watson, and maybe you can see a spark where all is dark to me." "proceed, then." "s', 'ely to you, watson, and maybe you can see a spark where all is dark to me." "proceed, then." "some y', 'o you, watson, and maybe you can see a spark where all is dark to me." "proceed, then." "some years ', ', watson, and maybe you can see a spark where all is dark to me." "proceed, then." "some years agoto', 'son, and maybe you can see a spark where all is dark to me." "proceed, then." "some years agoto be d', 'and maybe you can see a spark where all is dark to me." "proceed, then." "some years agoto be defini', 'aybe you can see a spark where all is dark to me." "proceed, then." "some years agoto be definite, i', 'you can see a spark where all is dark to me." "proceed, then." "some years agoto be definite, in may', 'an see a spark where all is dark to me." "proceed, then." "some years agoto be definite, in may, t', 'e a spark where all is dark to me." "proceed, then." "some years agoto be definite, in may, there ', 'park where all is dark to me." "proceed, then." "some years agoto be definite, in may, there came ', 'where all is dark to me." "proceed, then." "some years agoto be definite, in may, there came to le', ' all is dark to me." "proceed, then." "some years agoto be definite, in may, there came to lee a g', 'is dark to me." "proceed, then." "some years agoto be definite, in may, there came to lee a gentle', 'rk to me." "proceed, then." "some years agoto be definite, in may, there came to lee a gentleman, ', ' me." "proceed, then." "some years agoto be definite, in may, there came to lee a gentleman, nevil', ' "proceed, then." "some years agoto be definite, in may, there came to lee a gentleman, neville st', 'ceed, then." "some years agoto be definite, in may, there came to lee a gentleman, neville st. cla', ' then." "some years agoto be definite, in may, there came to lee a gentleman, neville st. clair by', '." "some years agoto be definite, in may, there came to lee a gentleman, neville st. clair by name', 'ome years agoto be definite, in may, there came to lee a gentleman, neville st. clair by name, who', 'ears agoto be definite, in may, there came to lee a gentleman, neville st. clair by name, who appe', 'agoto be definite, in may, there came to lee a gentleman, neville st. clair by name, who appeared ', ' be definite, in may, there came to lee a gentleman, neville st. clair by name, who appeared to ha', 'efinite, in may, there came to lee a gentleman, neville st. clair by name, who appeared to have pl', 'te, in may, there came to lee a gentleman, neville st. clair by name, who appeared to have plenty ', 'n may, there came to lee a gentleman, neville st. clair by name, who appeared to have plenty of mo', ', there came to lee a gentleman, neville st. clair by name, who appeared to have plenty of money. ', 'here came to lee a gentleman, neville st. clair by name, who appeared to have plenty of money. he to', 'came to lee a gentleman, neville st. clair by name, who appeared to have plenty of money. he took a ', 'to lee a gentleman, neville st. clair by name, who appeared to have plenty of money. he took a large', 'e a gentleman, neville st. clair by name, who appeared to have plenty of money. he took a large vill', 'entleman, neville st. clair by name, who appeared to have plenty of money. he took a large villa, la', 'man, neville st. clair by name, who appeared to have plenty of money. he took a large villa, laid ou', 'neville st. clair by name, who appeared to have plenty of money. he took a large villa, laid out the', 'le st. clair by name, who appeared to have plenty of money. he took a large villa, laid out the grou', '. clair by name, who appeared to have plenty of money. he took a large villa, laid out the grounds v', 'ir by name, who appeared to have plenty of money. he took a large villa, laid out the grounds very n', ' name, who appeared to have plenty of money. he took a large villa, laid out the grounds very nicely', ', who appeared to have plenty of money. he took a large villa, laid out the grounds very nicely, and', ' appeared to have plenty of money. he took a large villa, laid out the grounds very nicely, and live', 'ared to have plenty of money. he took a large villa, laid out the grounds very nicely, and lived gen', 'to have plenty of money. he took a large villa, laid out the grounds very nicely, and lived generall', 've plenty of money. he took a large villa, laid out the grounds very nicely, and lived generally in ', 'enty of money. he took a large villa, laid out the grounds very nicely, and lived generally in good ', 'of money. he took a large villa, laid out the grounds very nicely, and lived generally in good style', 'ney. he took a large villa, laid out the grounds very nicely, and lived generally in good style. by ', 'he took a large villa, laid out the grounds very nicely, and lived generally in good style. by degre', 'ok a large villa, laid out the grounds very nicely, and lived generally in good style. by degrees he', 'large villa, laid out the grounds very nicely, and lived generally in good style. by degrees he made', ' villa, laid out the grounds very nicely, and lived generally in good style. by degrees he made frie', 'a, laid out the grounds very nicely, and lived generally in good style. by degrees he made friends i', 'id out the grounds very nicely, and lived generally in good style. by degrees he made friends in the', 't the grounds very nicely, and lived generally in good style. by degrees he made friends in the neig', ' grounds very nicely, and lived generally in good style. by degrees he made friends in the neighbour', 'nds very nicely, and lived generally in good style. by degrees he made friends in the neighbourhood,', 'ery nicely, and lived generally in good style. by degrees he made friends in the neighbourhood, and ', 'icely, and lived generally in good style. by degrees he made friends in the neighbourhood, and in ', ', and lived generally in good style. by degrees he made friends in the neighbourhood, and in he ma', ' lived generally in good style. by degrees he made friends in the neighbourhood, and in he married', 'd generally in good style. by degrees he made friends in the neighbourhood, and in he married the ', 'erally in good style. by degrees he made friends in the neighbourhood, and in he married the daugh', 'y in good style. by degrees he made friends in the neighbourhood, and in he married the daughter o', 'good style. by degrees he made friends in the neighbourhood, and in he married the daughter of a l', 'style. by degrees he made friends in the neighbourhood, and in he married the daughter of a local ', '. by degrees he made friends in the neighbourhood, and in he married the daughter of a local brewe', 'degrees he made friends in the neighbourhood, and in he married the daughter of a local brewer, by', 'es he made friends in the neighbourhood, and in he married the daughter of a local brewer, by whom', ' made friends in the neighbourhood, and in he married the daughter of a local brewer, by whom he n', ' friends in the neighbourhood, and in he married the daughter of a local brewer, by whom he now ha', 'nds in the neighbourhood, and in he married the daughter of a local brewer, by whom he now has two', 'n the neighbourhood, and in he married the daughter of a local brewer, by whom he now has two chil', ' neighbourhood, and in he married the daughter of a local brewer, by whom he now has two children.', 'hbourhood, and in he married the daughter of a local brewer, by whom he now has two children. he h', 'hood, and in he married the daughter of a local brewer, by whom he now has two children. he had no', ' and in he married the daughter of a local brewer, by whom he now has two children. he had no occu', 'in he married the daughter of a local brewer, by whom he now has two children. he had no occupatio', 'he married the daughter of a local brewer, by whom he now has two children. he had no occupation, bu', 'rried the daughter of a local brewer, by whom he now has two children. he had no occupation, but was', ' the daughter of a local brewer, by whom he now has two children. he had no occupation, but was inte', 'daughter of a local brewer, by whom he now has two children. he had no occupation, but was intereste', 'ter of a local brewer, by whom he now has two children. he had no occupation, but was interested in ', 'f a local brewer, by whom he now has two children. he had no occupation, but was interested in sever', 'ocal brewer, by whom he now has two children. he had no occupation, but was interested in several co', 'brewer, by whom he now has two children. he had no occupation, but was interested in several compani', 'r, by whom he now has two children. he had no occupation, but was interested in several companies an', ' whom he now has two children. he had no occupation, but was interested in several companies and wen', ' he now has two children. he had no occupation, but was interested in several companies and went int', 'ow has two children. he had no occupation, but was interested in several companies and went into tow', 's two children. he had no occupation, but was interested in several companies and went into town as ', ' children. he had no occupation, but was interested in several companies and went into town as a rul', 'dren. he had no occupation, but was interested in several companies and went into town as a rule in ', ' he had no occupation, but was interested in several companies and went into town as a rule in the m', 'ad no occupation, but was interested in several companies and went into town as a rule in the mornin', ' occupation, but was interested in several companies and went into town as a rule in the morning, re', 'pation, but was interested in several companies and went into town as a rule in the morning, returni', 'n, but was interested in several companies and went into town as a rule in the morning, returning by', 't was interested in several companies and went into town as a rule in the morning, returning by the ', ' interested in several companies and went into town as a rule in the morning, returning by the : fr', 'rested in several companies and went into town as a rule in the morning, returning by the : from ca', 'd in several companies and went into town as a rule in the morning, returning by the : from cannon ', 'several companies and went into town as a rule in the morning, returning by the : from cannon stree', 'al companies and went into town as a rule in the morning, returning by the : from cannon street eve', 'mpanies and went into town as a rule in the morning, returning by the : from cannon street every ni', 'es and went into town as a rule in the morning, returning by the : from cannon street every night. ', 'd went into town as a rule in the morning, returning by the : from cannon street every night. mr. s', 't into town as a rule in the morning, returning by the : from cannon street every night. mr. st. cl', 'o town as a rule in the morning, returning by the : from cannon street every night. mr. st. clair i', 'n as a rule in the morning, returning by the : from cannon street every night. mr. st. clair is now', 'a rule in the morning, returning by the : from cannon street every night. mr. st. clair is now thir', 'e in the morning, returning by the : from cannon street every night. mr. st. clair is now thirty-se', 'the morning, returning by the : from cannon street every night. mr. st. clair is now thirty-seven y', 'orning, returning by the : from cannon street every night. mr. st. clair is now thirty-seven years ', 'g, returning by the : from cannon street every night. mr. st. clair is now thirty-seven years of ag', 'turning by the : from cannon street every night. mr. st. clair is now thirty-seven years of age, is', 'ng by the : from cannon street every night. mr. st. clair is now thirty-seven years of age, is a ma', ' the : from cannon street every night. mr. st. clair is now thirty-seven years of age, is a man of ', ': from cannon street every night. mr. st. clair is now thirty-seven years of age, is a man of tempe', 'om cannon street every night. mr. st. clair is now thirty-seven years of age, is a man of temperate ', 'nnon street every night. mr. st. clair is now thirty-seven years of age, is a man of temperate habit', 'street every night. mr. st. clair is now thirty-seven years of age, is a man of temperate habits, a ', 't every night. mr. st. clair is now thirty-seven years of age, is a man of temperate habits, a good ', 'ry night. mr. st. clair is now thirty-seven years of age, is a man of temperate habits, a good husba', 'ght. mr. st. clair is now thirty-seven years of age, is a man of temperate habits, a good husband, a', 'mr. st. clair is now thirty-seven years of age, is a man of temperate habits, a good husband, a very', 't. clair is now thirty-seven years of age, is a man of temperate habits, a good husband, a very affe', 'air is now thirty-seven years of age, is a man of temperate habits, a good husband, a very affection', 's now thirty-seven years of age, is a man of temperate habits, a good husband, a very affectionate f', ' thirty-seven years of age, is a man of temperate habits, a good husband, a very affectionate father', 'ty-seven years of age, is a man of temperate habits, a good husband, a very affectionate father, and', 'ven years of age, is a man of temperate habits, a good husband, a very affectionate father, and a ma', 'ears of age, is a man of temperate habits, a good husband, a very affectionate father, and a man who', 'of age, is a man of temperate habits, a good husband, a very affectionate father, and a man who is p', 'e, is a man of temperate habits, a good husband, a very affectionate father, and a man who is popula', ' a man of temperate habits, a good husband, a very affectionate father, and a man who is popular wit', 'n of temperate habits, a good husband, a very affectionate father, and a man who is popular with all', 'temperate habits, a good husband, a very affectionate father, and a man who is popular with all who ', 'rate habits, a good husband, a very affectionate father, and a man who is popular with all who know ', 'habits, a good husband, a very affectionate father, and a man who is popular with all who know him. ', 's, a good husband, a very affectionate father, and a man who is popular with all who know him. i may', 'good husband, a very affectionate father, and a man who is popular with all who know him. i may add ', 'husband, a very affectionate father, and a man who is popular with all who know him. i may add that ', 'nd, a very affectionate father, and a man who is popular with all who know him. i may add that his w', ' very affectionate father, and a man who is popular with all who know him. i may add that his whole ', ' affectionate father, and a man who is popular with all who know him. i may add that his whole debts', 'ctionate father, and a man who is popular with all who know him. i may add that his whole debts at t', 'ate father, and a man who is popular with all who know him. i may add that his whole debts at the pr', 'ather, and a man who is popular with all who know him. i may add that his whole debts at the present', ', and a man who is popular with all who know him. i may add that his whole debts at the present mome', ' a man who is popular with all who know him. i may add that his whole debts at the present moment, a', 'n who is popular with all who know him. i may add that his whole debts at the present moment, as far', ' is popular with all who know him. i may add that his whole debts at the present moment, as far as w', 'opular with all who know him. i may add that his whole debts at the present moment, as far as we hav', 'r with all who know him. i may add that his whole debts at the present moment, as far as we have bee', 'h all who know him. i may add that his whole debts at the present moment, as far as we have been abl', ' who know him. i may add that his whole debts at the present moment, as far as we have been able to ', 'know him. i may add that his whole debts at the present moment, as far as we have been able to ascer', 'him. i may add that his whole debts at the present moment, as far as we have been able to ascertain,', 'i may add that his whole debts at the present moment, as far as we have been able to ascertain, amou', ' add that his whole debts at the present moment, as far as we have been able to ascertain, amount to', 'that his whole debts at the present moment, as far as we have been able to ascertain, amount to pou', 'his whole debts at the present moment, as far as we have been able to ascertain, amount to pounds ', 'hole debts at the present moment, as far as we have been able to ascertain, amount to pounds s., w', 'debts at the present moment, as far as we have been able to ascertain, amount to pounds s., while ', ' at the present moment, as far as we have been able to ascertain, amount to pounds s., while he ha', 'he present moment, as far as we have been able to ascertain, amount to pounds s., while he has p', 'esent moment, as far as we have been able to ascertain, amount to pounds s., while he has pounds', ' moment, as far as we have been able to ascertain, amount to pounds s., while he has pounds stan', 'nt, as far as we have been able to ascertain, amount to pounds s., while he has pounds standing ', 's far as we have been able to ascertain, amount to pounds s., while he has pounds standing to hi', ' as we have been able to ascertain, amount to pounds s., while he has pounds standing to his cre', 'e have been able to ascertain, amount to pounds s., while he has pounds standing to his credit i', 'e been able to ascertain, amount to pounds s., while he has pounds standing to his credit in the', 'n able to ascertain, amount to pounds s., while he has pounds standing to his credit in the capi', 'e to ascertain, amount to pounds s., while he has pounds standing to his credit in the capital a', 'ascertain, amount to pounds s., while he has pounds standing to his credit in the capital and co', 'tain, amount to pounds s., while he has pounds standing to his credit in the capital and countie', ' amount to pounds s., while he has pounds standing to his credit in the capital and counties ban', 'nt to pounds s., while he has pounds standing to his credit in the capital and counties bank. th', ' pounds s., while he has pounds standing to his credit in the capital and counties bank. there i', 'nds s., while he has pounds standing to his credit in the capital and counties bank. there is no ', 's., while he has pounds standing to his credit in the capital and counties bank. there is no reaso', 'hile he has pounds standing to his credit in the capital and counties bank. there is no reason, th', 'he has pounds standing to his credit in the capital and counties bank. there is no reason, therefo', 's pounds standing to his credit in the capital and counties bank. there is no reason, therefore, t', 'ounds standing to his credit in the capital and counties bank. there is no reason, therefore, to thi', ' standing to his credit in the capital and counties bank. there is no reason, therefore, to think th', 'ding to his credit in the capital and counties bank. there is no reason, therefore, to think that mo', 'to his credit in the capital and counties bank. there is no reason, therefore, to think that money t', 's credit in the capital and counties bank. there is no reason, therefore, to think that money troubl', 'dit in the capital and counties bank. there is no reason, therefore, to think that money troubles ha', 'n the capital and counties bank. there is no reason, therefore, to think that money troubles have be', ' capital and counties bank. there is no reason, therefore, to think that money troubles have been we', 'tal and counties bank. there is no reason, therefore, to think that money troubles have been weighin', 'nd counties bank. there is no reason, therefore, to think that money troubles have been weighing upo', 'unties bank. there is no reason, therefore, to think that money troubles have been weighing upon his', 's bank. there is no reason, therefore, to think that money troubles have been weighing upon his mind', 'k. there is no reason, therefore, to think that money troubles have been weighing upon his mind. "la', 'ere is no reason, therefore, to think that money troubles have been weighing upon his mind. "last mo', 's no reason, therefore, to think that money troubles have been weighing upon his mind. "last monday ', 'reason, therefore, to think that money troubles have been weighing upon his mind. "last monday mr. n', 'n, therefore, to think that money troubles have been weighing upon his mind. "last monday mr. nevill', 'erefore, to think that money troubles have been weighing upon his mind. "last monday mr. neville st.', 're, to think that money troubles have been weighing upon his mind. "last monday mr. neville st. clai', 'o think that money troubles have been weighing upon his mind. "last monday mr. neville st. clair wen', 'nk that money troubles have been weighing upon his mind. "last monday mr. neville st. clair went int', 'at money troubles have been weighing upon his mind. "last monday mr. neville st. clair went into tow', 'ney troubles have been weighing upon his mind. "last monday mr. neville st. clair went into town rat', 'roubles have been weighing upon his mind. "last monday mr. neville st. clair went into town rather e', 'es have been weighing upon his mind. "last monday mr. neville st. clair went into town rather earlie', 've been weighing upon his mind. "last monday mr. neville st. clair went into town rather earlier tha', 'en weighing upon his mind. "last monday mr. neville st. clair went into town rather earlier than usu', 'ighing upon his mind. "last monday mr. neville st. clair went into town rather earlier than usual, r', 'g upon his mind. "last monday mr. neville st. clair went into town rather earlier than usual, remark', 'n his mind. "last monday mr. neville st. clair went into town rather earlier than usual, remarking b', ' mind. "last monday mr. neville st. clair went into town rather earlier than usual, remarking before', '. "last monday mr. neville st. clair went into town rather earlier than usual, remarking before he s', 'st monday mr. neville st. clair went into town rather earlier than usual, remarking before he starte', 'nday mr. neville st. clair went into town rather earlier than usual, remarking before he started tha', 'mr. neville st. clair went into town rather earlier than usual, remarking before he started that he ', 'eville st. clair went into town rather earlier than usual, remarking before he started that he had t', 'e st. clair went into town rather earlier than usual, remarking before he started that he had two im', ' clair went into town rather earlier than usual, remarking before he started that he had two importa', 'r went into town rather earlier than usual, remarking before he started that he had two important co', 't into town rather earlier than usual, remarking before he started that he had two important commiss', 'o town rather earlier than usual, remarking before he started that he had two important commissions ', 'n rather earlier than usual, remarking before he started that he had two important commissions to pe', 'her earlier than usual, remarking before he started that he had two important commissions to perform', 'arlier than usual, remarking before he started that he had two important commissions to perform, and', 'r than usual, remarking before he started that he had two important commissions to perform, and that', 'n usual, remarking before he started that he had two important commissions to perform, and that he w', 'al, remarking before he started that he had two important commissions to perform, and that he would ', 'emarking before he started that he had two important commissions to perform, and that he would bring', 'ing before he started that he had two important commissions to perform, and that he would bring his ', 'efore he started that he had two important commissions to perform, and that he would bring his littl', ' he started that he had two important commissions to perform, and that he would bring his little boy', 'tarted that he had two important commissions to perform, and that he would bring his little boy home', 'd that he had two important commissions to perform, and that he would bring his little boy home a bo', 't he had two important commissions to perform, and that he would bring his little boy home a box of ', 'had two important commissions to perform, and that he would bring his little boy home a box of brick', 'wo important commissions to perform, and that he would bring his little boy home a box of bricks. no', 'portant commissions to perform, and that he would bring his little boy home a box of bricks. now, by', 'nt commissions to perform, and that he would bring his little boy home a box of bricks. now, by the ', 'mmissions to perform, and that he would bring his little boy home a box of bricks. now, by the meres', 'ions to perform, and that he would bring his little boy home a box of bricks. now, by the merest cha', 'to perform, and that he would bring his little boy home a box of bricks. now, by the merest chance, ', 'rform, and that he would bring his little boy home a box of bricks. now, by the merest chance, his w', ', and that he would bring his little boy home a box of bricks. now, by the merest chance, his wife r', ' that he would bring his little boy home a box of bricks. now, by the merest chance, his wife receiv', ' he would bring his little boy home a box of bricks. now, by the merest chance, his wife received a ', 'ould bring his little boy home a box of bricks. now, by the merest chance, his wife received a teleg', 'bring his little boy home a box of bricks. now, by the merest chance, his wife received a telegram u', ' his little boy home a box of bricks. now, by the merest chance, his wife received a telegram upon t', 'little boy home a box of bricks. now, by the merest chance, his wife received a telegram upon this s', 'e boy home a box of bricks. now, by the merest chance, his wife received a telegram upon this same m', ' home a box of bricks. now, by the merest chance, his wife received a telegram upon this same monday', ' a box of bricks. now, by the merest chance, his wife received a telegram upon this same monday, ver', 'x of bricks. now, by the merest chance, his wife received a telegram upon this same monday, very sho', 'bricks. now, by the merest chance, his wife received a telegram upon this same monday, very shortly ', 's. now, by the merest chance, his wife received a telegram upon this same monday, very shortly after', 'w, by the merest chance, his wife received a telegram upon this same monday, very shortly after his ', ' the merest chance, his wife received a telegram upon this same monday, very shortly after his depar', 'merest chance, his wife received a telegram upon this same monday, very shortly after his departure,', 't chance, his wife received a telegram upon this same monday, very shortly after his departure, to t', 'nce, his wife received a telegram upon this same monday, very shortly after his departure, to the ef', 'his wife received a telegram upon this same monday, very shortly after his departure, to the effect ', 'ife received a telegram upon this same monday, very shortly after his departure, to the effect that ', 'eceived a telegram upon this same monday, very shortly after his departure, to the effect that a sma', 'ed a telegram upon this same monday, very shortly after his departure, to the effect that a small pa', 'telegram upon this same monday, very shortly after his departure, to the effect that a small parcel ', 'ram upon this same monday, very shortly after his departure, to the effect that a small parcel of co', 'pon this same monday, very shortly after his departure, to the effect that a small parcel of conside', 'his same monday, very shortly after his departure, to the effect that a small parcel of considerable', 'ame monday, very shortly after his departure, to the effect that a small parcel of considerable valu', 'onday, very shortly after his departure, to the effect that a small parcel of considerable value whi', ', very shortly after his departure, to the effect that a small parcel of considerable value which sh', 'y shortly after his departure, to the effect that a small parcel of considerable value which she had', 'rtly after his departure, to the effect that a small parcel of considerable value which she had been', 'after his departure, to the effect that a small parcel of considerable value which she had been expe', ' his departure, to the effect that a small parcel of considerable value which she had been expecting', 'departure, to the effect that a small parcel of considerable value which she had been expecting was ', 'ture, to the effect that a small parcel of considerable value which she had been expecting was waiti', ' to the effect that a small parcel of considerable value which she had been expecting was waiting fo', 'he effect that a small parcel of considerable value which she had been expecting was waiting for her', 'fect that a small parcel of considerable value which she had been expecting was waiting for her at t', 'that a small parcel of considerable value which she had been expecting was waiting for her at the of', 'a small parcel of considerable value which she had been expecting was waiting for her at the offices', 'll parcel of considerable value which she had been expecting was waiting for her at the offices of t', 'rcel of considerable value which she had been expecting was waiting for her at the offices of the ab', 'of considerable value which she had been expecting was waiting for her at the offices of the aberdee', 'nsiderable value which she had been expecting was waiting for her at the offices of the aberdeen shi', 'rable value which she had been expecting was waiting for her at the offices of the aberdeen shipping', ' value which she had been expecting was waiting for her at the offices of the aberdeen shipping comp', 'e which she had been expecting was waiting for her at the offices of the aberdeen shipping company. ', 'ch she had been expecting was waiting for her at the offices of the aberdeen shipping company. now, ', 'e had been expecting was waiting for her at the offices of the aberdeen shipping company. now, if yo', ' been expecting was waiting for her at the offices of the aberdeen shipping company. now, if you are', ' expecting was waiting for her at the offices of the aberdeen shipping company. now, if you are well', 'cting was waiting for her at the offices of the aberdeen shipping company. now, if you are well up i', ' was waiting for her at the offices of the aberdeen shipping company. now, if you are well up in you', 'waiting for her at the offices of the aberdeen shipping company. now, if you are well up in your lon', 'ng for her at the offices of the aberdeen shipping company. now, if you are well up in your london, ', 'r her at the offices of the aberdeen shipping company. now, if you are well up in your london, you w', ' at the offices of the aberdeen shipping company. now, if you are well up in your london, you will k', 'he offices of the aberdeen shipping company. now, if you are well up in your london, you will know t', 'fices of the aberdeen shipping company. now, if you are well up in your london, you will know that t', ' of the aberdeen shipping company. now, if you are well up in your london, you will know that the of', 'he aberdeen shipping company. now, if you are well up in your london, you will know that the office ', 'erdeen shipping company. now, if you are well up in your london, you will know that the office of th', 'n shipping company. now, if you are well up in your london, you will know that the office of the com', 'pping company. now, if you are well up in your london, you will know that the office of the company ', ' company. now, if you are well up in your london, you will know that the office of the company is in', 'any. now, if you are well up in your london, you will know that the office of the company is in fres', 'now, if you are well up in your london, you will know that the office of the company is in fresno st', 'if you are well up in your london, you will know that the office of the company is in fresno street,', 'u are well up in your london, you will know that the office of the company is in fresno street, whic', ' well up in your london, you will know that the office of the company is in fresno street, which bra', ' up in your london, you will know that the office of the company is in fresno street, which branches', 'n your london, you will know that the office of the company is in fresno street, which branches out ', 'r london, you will know that the office of the company is in fresno street, which branches out of up', 'don, you will know that the office of the company is in fresno street, which branches out of upper s', 'you will know that the office of the company is in fresno street, which branches out of upper swanda', 'ill know that the office of the company is in fresno street, which branches out of upper swandam lan', 'now that the office of the company is in fresno street, which branches out of upper swandam lane, wh', 'hat the office of the company is in fresno street, which branches out of upper swandam lane, where y', 'he office of the company is in fresno street, which branches out of upper swandam lane, where you fo', 'fice of the company is in fresno street, which branches out of upper swandam lane, where you found m', 'of the company is in fresno street, which branches out of upper swandam lane, where you found me to-', 'e company is in fresno street, which branches out of upper swandam lane, where you found me to-night', 'pany is in fresno street, which branches out of upper swandam lane, where you found me to-night. mrs', 'is in fresno street, which branches out of upper swandam lane, where you found me to-night. mrs. st.', ' fresno street, which branches out of upper swandam lane, where you found me to-night. mrs. st. clai', 'no street, which branches out of upper swandam lane, where you found me to-night. mrs. st. clair had', 'reet, which branches out of upper swandam lane, where you found me to-night. mrs. st. clair had her ', ' which branches out of upper swandam lane, where you found me to-night. mrs. st. clair had her lunch', 'h branches out of upper swandam lane, where you found me to-night. mrs. st. clair had her lunch, sta', 'nches out of upper swandam lane, where you found me to-night. mrs. st. clair had her lunch, started ', ' out of upper swandam lane, where you found me to-night. mrs. st. clair had her lunch, started for t', 'of upper swandam lane, where you found me to-night. mrs. st. clair had her lunch, started for the ci', 'per swandam lane, where you found me to-night. mrs. st. clair had her lunch, started for the city, d', 'wandam lane, where you found me to-night. mrs. st. clair had her lunch, started for the city, did so', 'm lane, where you found me to-night. mrs. st. clair had her lunch, started for the city, did some sh', 'e, where you found me to-night. mrs. st. clair had her lunch, started for the city, did some shoppin', 'ere you found me to-night. mrs. st. clair had her lunch, started for the city, did some shopping, pr', 'ou found me to-night. mrs. st. clair had her lunch, started for the city, did some shopping, proceed', 'und me to-night. mrs. st. clair had her lunch, started for the city, did some shopping, proceeded to', 'e to-night. mrs. st. clair had her lunch, started for the city, did some shopping, proceeded to the ', 'night. mrs. st. clair had her lunch, started for the city, did some shopping, proceeded to the compa', ". mrs. st. clair had her lunch, started for the city, did some shopping, proceeded to the company's ", ". st. clair had her lunch, started for the city, did some shopping, proceeded to the company's offic", " clair had her lunch, started for the city, did some shopping, proceeded to the company's office, go", "r had her lunch, started for the city, did some shopping, proceeded to the company's office, got her", " her lunch, started for the city, did some shopping, proceeded to the company's office, got her pack", "lunch, started for the city, did some shopping, proceeded to the company's office, got her packet, a", ", started for the city, did some shopping, proceeded to the company's office, got her packet, and fo", "rted for the city, did some shopping, proceeded to the company's office, got her packet, and found h", "for the city, did some shopping, proceeded to the company's office, got her packet, and found hersel", "he city, did some shopping, proceeded to the company's office, got her packet, and found herself at ", "ty, did some shopping, proceeded to the company's office, got her packet, and found herself at exact", "id some shopping, proceeded to the company's office, got her packet, and found herself at exactly : ", "me shopping, proceeded to the company's office, got her packet, and found herself at exactly : walk", "opping, proceeded to the company's office, got her packet, and found herself at exactly : walking t", "g, proceeded to the company's office, got her packet, and found herself at exactly : walking throug", "oceeded to the company's office, got her packet, and found herself at exactly : walking through swa", "ed to the company's office, got her packet, and found herself at exactly : walking through swandam ", " the company's office, got her packet, and found herself at exactly : walking through swandam lane ", "company's office, got her packet, and found herself at exactly : walking through swandam lane on he", "ny's office, got her packet, and found herself at exactly : walking through swandam lane on her way", 'office, got her packet, and found herself at exactly : walking through swandam lane on her way back', 'e, got her packet, and found herself at exactly : walking through swandam lane on her way back to t', 't her packet, and found herself at exactly : walking through swandam lane on her way back to the st', ' packet, and found herself at exactly : walking through swandam lane on her way back to the station', 'et, and found herself at exactly : walking through swandam lane on her way back to the station. hav', 'nd found herself at exactly : walking through swandam lane on her way back to the station. have you', 'und herself at exactly : walking through swandam lane on her way back to the station. have you foll', 'erself at exactly : walking through swandam lane on her way back to the station. have you followed ', 'f at exactly : walking through swandam lane on her way back to the station. have you followed me so', 'exactly : walking through swandam lane on her way back to the station. have you followed me so far?', 'ly : walking through swandam lane on her way back to the station. have you followed me so far?" "it', ' walking through swandam lane on her way back to the station. have you followed me so far?" "it is v', 'ing through swandam lane on her way back to the station. have you followed me so far?" "it is very c', 'hrough swandam lane on her way back to the station. have you followed me so far?" "it is very clear.', 'h swandam lane on her way back to the station. have you followed me so far?" "it is very clear." "if', 'ndam lane on her way back to the station. have you followed me so far?" "it is very clear." "if you ', 'lane on her way back to the station. have you followed me so far?" "it is very clear." "if you remem', 'on her way back to the station. have you followed me so far?" "it is very clear." "if you remember, ', 'r way back to the station. have you followed me so far?" "it is very clear." "if you remember, monda', ' back to the station. have you followed me so far?" "it is very clear." "if you remember, monday was', ' to the station. have you followed me so far?" "it is very clear." "if you remember, monday was an e', 'he station. have you followed me so far?" "it is very clear." "if you remember, monday was an exceed', 'ation. have you followed me so far?" "it is very clear." "if you remember, monday was an exceedingly', '. have you followed me so far?" "it is very clear." "if you remember, monday was an exceedingly hot ', 'e you followed me so far?" "it is very clear." "if you remember, monday was an exceedingly hot day, ', ' followed me so far?" "it is very clear." "if you remember, monday was an exceedingly hot day, and m', 'owed me so far?" "it is very clear." "if you remember, monday was an exceedingly hot day, and mrs. s', 'me so far?" "it is very clear." "if you remember, monday was an exceedingly hot day, and mrs. st. cl', ' far?" "it is very clear." "if you remember, monday was an exceedingly hot day, and mrs. st. clair w', '" "it is very clear." "if you remember, monday was an exceedingly hot day, and mrs. st. clair walked', ' is very clear." "if you remember, monday was an exceedingly hot day, and mrs. st. clair walked slow', 'ery clear." "if you remember, monday was an exceedingly hot day, and mrs. st. clair walked slowly, g', 'lear." "if you remember, monday was an exceedingly hot day, and mrs. st. clair walked slowly, glanci', '" "if you remember, monday was an exceedingly hot day, and mrs. st. clair walked slowly, glancing ab', ' you remember, monday was an exceedingly hot day, and mrs. st. clair walked slowly, glancing about i', 'remember, monday was an exceedingly hot day, and mrs. st. clair walked slowly, glancing about in the', 'ber, monday was an exceedingly hot day, and mrs. st. clair walked slowly, glancing about in the hope', 'monday was an exceedingly hot day, and mrs. st. clair walked slowly, glancing about in the hope of s', 'y was an exceedingly hot day, and mrs. st. clair walked slowly, glancing about in the hope of seeing', ' an exceedingly hot day, and mrs. st. clair walked slowly, glancing about in the hope of seeing a ca', 'xceedingly hot day, and mrs. st. clair walked slowly, glancing about in the hope of seeing a cab, as', 'ingly hot day, and mrs. st. clair walked slowly, glancing about in the hope of seeing a cab, as she ', ' hot day, and mrs. st. clair walked slowly, glancing about in the hope of seeing a cab, as she did n', 'day, and mrs. st. clair walked slowly, glancing about in the hope of seeing a cab, as she did not li', 'and mrs. st. clair walked slowly, glancing about in the hope of seeing a cab, as she did not like th', 'rs. st. clair walked slowly, glancing about in the hope of seeing a cab, as she did not like the nei', 't. clair walked slowly, glancing about in the hope of seeing a cab, as she did not like the neighbou', 'air walked slowly, glancing about in the hope of seeing a cab, as she did not like the neighbourhood', 'alked slowly, glancing about in the hope of seeing a cab, as she did not like the neighbourhood in w', ' slowly, glancing about in the hope of seeing a cab, as she did not like the neighbourhood in which ', 'ly, glancing about in the hope of seeing a cab, as she did not like the neighbourhood in which she f', 'lancing about in the hope of seeing a cab, as she did not like the neighbourhood in which she found ', 'ng about in the hope of seeing a cab, as she did not like the neighbourhood in which she found herse', 'out in the hope of seeing a cab, as she did not like the neighbourhood in which she found herself. w', 'n the hope of seeing a cab, as she did not like the neighbourhood in which she found herself. while ', ' hope of seeing a cab, as she did not like the neighbourhood in which she found herself. while she w', ' of seeing a cab, as she did not like the neighbourhood in which she found herself. while she was wa', 'eeing a cab, as she did not like the neighbourhood in which she found herself. while she was walking', ' a cab, as she did not like the neighbourhood in which she found herself. while she was walking in t', 'b, as she did not like the neighbourhood in which she found herself. while she was walking in this w', ' she did not like the neighbourhood in which she found herself. while she was walking in this way do', 'did not like the neighbourhood in which she found herself. while she was walking in this way down sw', 'ot like the neighbourhood in which she found herself. while she was walking in this way down swandam', 'ke the neighbourhood in which she found herself. while she was walking in this way down swandam lane', 'e neighbourhood in which she found herself. while she was walking in this way down swandam lane, she', 'ghbourhood in which she found herself. while she was walking in this way down swandam lane, she sudd', 'rhood in which she found herself. while she was walking in this way down swandam lane, she suddenly ', ' in which she found herself. while she was walking in this way down swandam lane, she suddenly heard', 'hich she found herself. while she was walking in this way down swandam lane, she suddenly heard an e', 'she found herself. while she was walking in this way down swandam lane, she suddenly heard an ejacul', 'ound herself. while she was walking in this way down swandam lane, she suddenly heard an ejaculation', 'herself. while she was walking in this way down swandam lane, she suddenly heard an ejaculation or c', 'lf. while she was walking in this way down swandam lane, she suddenly heard an ejaculation or cry, a', 'hile she was walking in this way down swandam lane, she suddenly heard an ejaculation or cry, and wa', 'she was walking in this way down swandam lane, she suddenly heard an ejaculation or cry, and was str', 'as walking in this way down swandam lane, she suddenly heard an ejaculation or cry, and was struck c', 'lking in this way down swandam lane, she suddenly heard an ejaculation or cry, and was struck cold t', ' in this way down swandam lane, she suddenly heard an ejaculation or cry, and was struck cold to see', 'his way down swandam lane, she suddenly heard an ejaculation or cry, and was struck cold to see her ', 'ay down swandam lane, she suddenly heard an ejaculation or cry, and was struck cold to see her husba', 'wn swandam lane, she suddenly heard an ejaculation or cry, and was struck cold to see her husband lo', 'andam lane, she suddenly heard an ejaculation or cry, and was struck cold to see her husband looking', ' lane, she suddenly heard an ejaculation or cry, and was struck cold to see her husband looking down', ', she suddenly heard an ejaculation or cry, and was struck cold to see her husband looking down at h', ' suddenly heard an ejaculation or cry, and was struck cold to see her husband looking down at her an', 'enly heard an ejaculation or cry, and was struck cold to see her husband looking down at her and, as', 'heard an ejaculation or cry, and was struck cold to see her husband looking down at her and, as it s', ' an ejaculation or cry, and was struck cold to see her husband looking down at her and, as it seemed', 'jaculation or cry, and was struck cold to see her husband looking down at her and, as it seemed to h', 'ation or cry, and was struck cold to see her husband looking down at her and, as it seemed to her, b', ' or cry, and was struck cold to see her husband looking down at her and, as it seemed to her, beckon', 'ry, and was struck cold to see her husband looking down at her and, as it seemed to her, beckoning t', 'nd was struck cold to see her husband looking down at her and, as it seemed to her, beckoning to her', 's struck cold to see her husband looking down at her and, as it seemed to her, beckoning to her from', 'uck cold to see her husband looking down at her and, as it seemed to her, beckoning to her from a se', 'old to see her husband looking down at her and, as it seemed to her, beckoning to her from a second-', 'o see her husband looking down at her and, as it seemed to her, beckoning to her from a second-floor', ' her husband looking down at her and, as it seemed to her, beckoning to her from a second-floor wind', 'husband looking down at her and, as it seemed to her, beckoning to her from a second-floor window. t', 'nd looking down at her and, as it seemed to her, beckoning to her from a second-floor window. the wi', 'oking down at her and, as it seemed to her, beckoning to her from a second-floor window. the window ', ' down at her and, as it seemed to her, beckoning to her from a second-floor window. the window was o', ' at her and, as it seemed to her, beckoning to her from a second-floor window. the window was open, ', 'er and, as it seemed to her, beckoning to her from a second-floor window. the window was open, and s', 'd, as it seemed to her, beckoning to her from a second-floor window. the window was open, and she di', ' it seemed to her, beckoning to her from a second-floor window. the window was open, and she distinc', 'eemed to her, beckoning to her from a second-floor window. the window was open, and she distinctly s', ' to her, beckoning to her from a second-floor window. the window was open, and she distinctly saw hi', 'er, beckoning to her from a second-floor window. the window was open, and she distinctly saw his fac', 'eckoning to her from a second-floor window. the window was open, and she distinctly saw his face, wh', 'ing to her from a second-floor window. the window was open, and she distinctly saw his face, which s', 'o her from a second-floor window. the window was open, and she distinctly saw his face, which she de', ' from a second-floor window. the window was open, and she distinctly saw his face, which she describ', ' a second-floor window. the window was open, and she distinctly saw his face, which she describes as', 'cond-floor window. the window was open, and she distinctly saw his face, which she describes as bein', 'floor window. the window was open, and she distinctly saw his face, which she describes as being ter', ' window. the window was open, and she distinctly saw his face, which she describes as being terribly', 'ow. the window was open, and she distinctly saw his face, which she describes as being terribly agit', 'he window was open, and she distinctly saw his face, which she describes as being terribly agitated.', 'ndow was open, and she distinctly saw his face, which she describes as being terribly agitated. he w', 'was open, and she distinctly saw his face, which she describes as being terribly agitated. he waved ', 'pen, and she distinctly saw his face, which she describes as being terribly agitated. he waved his h', 'and she distinctly saw his face, which she describes as being terribly agitated. he waved his hands ', 'he distinctly saw his face, which she describes as being terribly agitated. he waved his hands frant', 'stinctly saw his face, which she describes as being terribly agitated. he waved his hands franticall', 'tly saw his face, which she describes as being terribly agitated. he waved his hands frantically to ', 'aw his face, which she describes as being terribly agitated. he waved his hands frantically to her, ', 's face, which she describes as being terribly agitated. he waved his hands frantically to her, and t', 'e, which she describes as being terribly agitated. he waved his hands frantically to her, and then v', 'ich she describes as being terribly agitated. he waved his hands frantically to her, and then vanish', 'he describes as being terribly agitated. he waved his hands frantically to her, and then vanished fr', 'scribes as being terribly agitated. he waved his hands frantically to her, and then vanished from th', 'es as being terribly agitated. he waved his hands frantically to her, and then vanished from the win', ' being terribly agitated. he waved his hands frantically to her, and then vanished from the window s', 'g terribly agitated. he waved his hands frantically to her, and then vanished from the window so sud', 'ribly agitated. he waved his hands frantically to her, and then vanished from the window so suddenly', ' agitated. he waved his hands frantically to her, and then vanished from the window so suddenly that', 'ated. he waved his hands frantically to her, and then vanished from the window so suddenly that it s', ' he waved his hands frantically to her, and then vanished from the window so suddenly that it seemed', 'aved his hands frantically to her, and then vanished from the window so suddenly that it seemed to h', 'his hands frantically to her, and then vanished from the window so suddenly that it seemed to her th', 'ands frantically to her, and then vanished from the window so suddenly that it seemed to her that he', 'frantically to her, and then vanished from the window so suddenly that it seemed to her that he had ', 'ically to her, and then vanished from the window so suddenly that it seemed to her that he had been ', 'y to her, and then vanished from the window so suddenly that it seemed to her that he had been pluck', 'her, and then vanished from the window so suddenly that it seemed to her that he had been plucked ba', 'and then vanished from the window so suddenly that it seemed to her that he had been plucked back by', 'hen vanished from the window so suddenly that it seemed to her that he had been plucked back by some', 'anished from the window so suddenly that it seemed to her that he had been plucked back by some irre', 'ed from the window so suddenly that it seemed to her that he had been plucked back by some irresisti', 'om the window so suddenly that it seemed to her that he had been plucked back by some irresistible f', 'e window so suddenly that it seemed to her that he had been plucked back by some irresistible force ', 'dow so suddenly that it seemed to her that he had been plucked back by some irresistible force from ', 'o suddenly that it seemed to her that he had been plucked back by some irresistible force from behin', 'denly that it seemed to her that he had been plucked back by some irresistible force from behind. on', ' that it seemed to her that he had been plucked back by some irresistible force from behind. one sin', ' it seemed to her that he had been plucked back by some irresistible force from behind. one singular', 'eemed to her that he had been plucked back by some irresistible force from behind. one singular poin', ' to her that he had been plucked back by some irresistible force from behind. one singular point whi', 'er that he had been plucked back by some irresistible force from behind. one singular point which st', 'at he had been plucked back by some irresistible force from behind. one singular point which struck ', ' had been plucked back by some irresistible force from behind. one singular point which struck her q', 'been plucked back by some irresistible force from behind. one singular point which struck her quick ', 'plucked back by some irresistible force from behind. one singular point which struck her quick femin', 'ed back by some irresistible force from behind. one singular point which struck her quick feminine e', 'ck by some irresistible force from behind. one singular point which struck her quick feminine eye wa', ' some irresistible force from behind. one singular point which struck her quick feminine eye was tha', ' irresistible force from behind. one singular point which struck her quick feminine eye was that alt', 'sistible force from behind. one singular point which struck her quick feminine eye was that although', 'ble force from behind. one singular point which struck her quick feminine eye was that although he w', 'orce from behind. one singular point which struck her quick feminine eye was that although he wore s', 'from behind. one singular point which struck her quick feminine eye was that although he wore some d', 'behind. one singular point which struck her quick feminine eye was that although he wore some dark c', 'd. one singular point which struck her quick feminine eye was that although he wore some dark coat, ', 'e singular point which struck her quick feminine eye was that although he wore some dark coat, such ', 'gular point which struck her quick feminine eye was that although he wore some dark coat, such as he', ' point which struck her quick feminine eye was that although he wore some dark coat, such as he had ', 't which struck her quick feminine eye was that although he wore some dark coat, such as he had start', 'ch struck her quick feminine eye was that although he wore some dark coat, such as he had started to', 'ruck her quick feminine eye was that although he wore some dark coat, such as he had started to town', 'her quick feminine eye was that although he wore some dark coat, such as he had started to town in, ', 'uick feminine eye was that although he wore some dark coat, such as he had started to town in, he ha', 'feminine eye was that although he wore some dark coat, such as he had started to town in, he had on ', 'ine eye was that although he wore some dark coat, such as he had started to town in, he had on neith', 'ye was that although he wore some dark coat, such as he had started to town in, he had on neither co', 's that although he wore some dark coat, such as he had started to town in, he had on neither collar ', 't although he wore some dark coat, such as he had started to town in, he had on neither collar nor n', 'hough he wore some dark coat, such as he had started to town in, he had on neither collar nor neckti', ' he wore some dark coat, such as he had started to town in, he had on neither collar nor necktie. "c', 'ore some dark coat, such as he had started to town in, he had on neither collar nor necktie. "convin', 'ome dark coat, such as he had started to town in, he had on neither collar nor necktie. "convinced t', 'ark coat, such as he had started to town in, he had on neither collar nor necktie. "convinced that s', 'oat, such as he had started to town in, he had on neither collar nor necktie. "convinced that someth', 'such as he had started to town in, he had on neither collar nor necktie. "convinced that something w', 'as he had started to town in, he had on neither collar nor necktie. "convinced that something was am', ' had started to town in, he had on neither collar nor necktie. "convinced that something was amiss w', 'started to town in, he had on neither collar nor necktie. "convinced that something was amiss with h', 'ed to town in, he had on neither collar nor necktie. "convinced that something was amiss with him, s', ' town in, he had on neither collar nor necktie. "convinced that something was amiss with him, she ru', ' in, he had on neither collar nor necktie. "convinced that something was amiss with him, she rushed ', 'he had on neither collar nor necktie. "convinced that something was amiss with him, she rushed down ', 'd on neither collar nor necktie. "convinced that something was amiss with him, she rushed down the s', 'neither collar nor necktie. "convinced that something was amiss with him, she rushed down the stepsf', 'er collar nor necktie. "convinced that something was amiss with him, she rushed down the stepsfor th', 'llar nor necktie. "convinced that something was amiss with him, she rushed down the stepsfor the hou', 'nor necktie. "convinced that something was amiss with him, she rushed down the stepsfor the house wa', 'ecktie. "convinced that something was amiss with him, she rushed down the stepsfor the house was non', 'e. "convinced that something was amiss with him, she rushed down the stepsfor the house was none oth', 'onvinced that something was amiss with him, she rushed down the stepsfor the house was none other th', 'ced that something was amiss with him, she rushed down the stepsfor the house was none other than th', 'hat something was amiss with him, she rushed down the stepsfor the house was none other than the opi', 'omething was amiss with him, she rushed down the stepsfor the house was none other than the opium de', 'ing was amiss with him, she rushed down the stepsfor the house was none other than the opium den in ', 'as amiss with him, she rushed down the stepsfor the house was none other than the opium den in which', 'iss with him, she rushed down the stepsfor the house was none other than the opium den in which you ', 'ith him, she rushed down the stepsfor the house was none other than the opium den in which you found', 'im, she rushed down the stepsfor the house was none other than the opium den in which you found me t', 'he rushed down the stepsfor the house was none other than the opium den in which you found me to-nig', 'shed down the stepsfor the house was none other than the opium den in which you found me to-nightand', 'down the stepsfor the house was none other than the opium den in which you found me to-nightand runn', 'the stepsfor the house was none other than the opium den in which you found me to-nightand running t', 'tepsfor the house was none other than the opium den in which you found me to-nightand running throug', 'or the house was none other than the opium den in which you found me to-nightand running through the', 'e house was none other than the opium den in which you found me to-nightand running through the fron', 'se was none other than the opium den in which you found me to-nightand running through the front roo', 's none other than the opium den in which you found me to-nightand running through the front room she', 'e other than the opium den in which you found me to-nightand running through the front room she atte', 'er than the opium den in which you found me to-nightand running through the front room she attempted', 'an the opium den in which you found me to-nightand running through the front room she attempted to a', 'e opium den in which you found me to-nightand running through the front room she attempted to ascend', 'um den in which you found me to-nightand running through the front room she attempted to ascend the ', 'n in which you found me to-nightand running through the front room she attempted to ascend the stair', 'which you found me to-nightand running through the front room she attempted to ascend the stairs whi', ' you found me to-nightand running through the front room she attempted to ascend the stairs which le', 'found me to-nightand running through the front room she attempted to ascend the stairs which led to ', ' me to-nightand running through the front room she attempted to ascend the stairs which led to the f', 'o-nightand running through the front room she attempted to ascend the stairs which led to the first ', 'htand running through the front room she attempted to ascend the stairs which led to the first floor', ' running through the front room she attempted to ascend the stairs which led to the first floor. at ', 'ing through the front room she attempted to ascend the stairs which led to the first floor. at the f', 'hrough the front room she attempted to ascend the stairs which led to the first floor. at the foot o', 'h the front room she attempted to ascend the stairs which led to the first floor. at the foot of the', ' front room she attempted to ascend the stairs which led to the first floor. at the foot of the stai', 't room she attempted to ascend the stairs which led to the first floor. at the foot of the stairs, h', 'm she attempted to ascend the stairs which led to the first floor. at the foot of the stairs, howeve', ' attempted to ascend the stairs which led to the first floor. at the foot of the stairs, however, sh', 'mpted to ascend the stairs which led to the first floor. at the foot of the stairs, however, she met', ' to ascend the stairs which led to the first floor. at the foot of the stairs, however, she met this', 'scend the stairs which led to the first floor. at the foot of the stairs, however, she met this lasc', ' the stairs which led to the first floor. at the foot of the stairs, however, she met this lascar sc', 'stairs which led to the first floor. at the foot of the stairs, however, she met this lascar scoundr', 's which led to the first floor. at the foot of the stairs, however, she met this lascar scoundrel of', 'ch led to the first floor. at the foot of the stairs, however, she met this lascar scoundrel of whom', 'd to the first floor. at the foot of the stairs, however, she met this lascar scoundrel of whom i ha', 'the first floor. at the foot of the stairs, however, she met this lascar scoundrel of whom i have sp', 'irst floor. at the foot of the stairs, however, she met this lascar scoundrel of whom i have spoken,', 'floor. at the foot of the stairs, however, she met this lascar scoundrel of whom i have spoken, who ', '. at the foot of the stairs, however, she met this lascar scoundrel of whom i have spoken, who thrus', 'the foot of the stairs, however, she met this lascar scoundrel of whom i have spoken, who thrust her', 'oot of the stairs, however, she met this lascar scoundrel of whom i have spoken, who thrust her back', 'f the stairs, however, she met this lascar scoundrel of whom i have spoken, who thrust her back and,', ' stairs, however, she met this lascar scoundrel of whom i have spoken, who thrust her back and, aide', 'rs, however, she met this lascar scoundrel of whom i have spoken, who thrust her back and, aided by ', 'owever, she met this lascar scoundrel of whom i have spoken, who thrust her back and, aided by a dan', 'r, she met this lascar scoundrel of whom i have spoken, who thrust her back and, aided by a dane, wh', 'e met this lascar scoundrel of whom i have spoken, who thrust her back and, aided by a dane, who act', ' this lascar scoundrel of whom i have spoken, who thrust her back and, aided by a dane, who acts as ', ' lascar scoundrel of whom i have spoken, who thrust her back and, aided by a dane, who acts as assis', 'ar scoundrel of whom i have spoken, who thrust her back and, aided by a dane, who acts as assistant ', 'oundrel of whom i have spoken, who thrust her back and, aided by a dane, who acts as assistant there', 'el of whom i have spoken, who thrust her back and, aided by a dane, who acts as assistant there, pus', ' whom i have spoken, who thrust her back and, aided by a dane, who acts as assistant there, pushed h', ' i have spoken, who thrust her back and, aided by a dane, who acts as assistant there, pushed her ou', 've spoken, who thrust her back and, aided by a dane, who acts as assistant there, pushed her out int', 'oken, who thrust her back and, aided by a dane, who acts as assistant there, pushed her out into the', ' who thrust her back and, aided by a dane, who acts as assistant there, pushed her out into the stre', 'thrust her back and, aided by a dane, who acts as assistant there, pushed her out into the street. f', 't her back and, aided by a dane, who acts as assistant there, pushed her out into the street. filled', ' back and, aided by a dane, who acts as assistant there, pushed her out into the street. filled with', ' and, aided by a dane, who acts as assistant there, pushed her out into the street. filled with the ', ' aided by a dane, who acts as assistant there, pushed her out into the street. filled with the most ', 'd by a dane, who acts as assistant there, pushed her out into the street. filled with the most madde', 'a dane, who acts as assistant there, pushed her out into the street. filled with the most maddening ', 'e, who acts as assistant there, pushed her out into the street. filled with the most maddening doubt', 'o acts as assistant there, pushed her out into the street. filled with the most maddening doubts and', 's as assistant there, pushed her out into the street. filled with the most maddening doubts and fear', 'assistant there, pushed her out into the street. filled with the most maddening doubts and fears, sh', 'tant there, pushed her out into the street. filled with the most maddening doubts and fears, she rus', 'there, pushed her out into the street. filled with the most maddening doubts and fears, she rushed d', ', pushed her out into the street. filled with the most maddening doubts and fears, she rushed down t', 'hed her out into the street. filled with the most maddening doubts and fears, she rushed down the la', 'er out into the street. filled with the most maddening doubts and fears, she rushed down the lane an', 't into the street. filled with the most maddening doubts and fears, she rushed down the lane and, by', 'o the street. filled with the most maddening doubts and fears, she rushed down the lane and, by rare', ' street. filled with the most maddening doubts and fears, she rushed down the lane and, by rare good', 'et. filled with the most maddening doubts and fears, she rushed down the lane and, by rare good-fort', 'illed with the most maddening doubts and fears, she rushed down the lane and, by rare good-fortune, ', ' with the most maddening doubts and fears, she rushed down the lane and, by rare good-fortune, met i', ' the most maddening doubts and fears, she rushed down the lane and, by rare good-fortune, met in fre', 'most maddening doubts and fears, she rushed down the lane and, by rare good-fortune, met in fresno s', 'maddening doubts and fears, she rushed down the lane and, by rare good-fortune, met in fresno street', 'ning doubts and fears, she rushed down the lane and, by rare good-fortune, met in fresno street a nu', 'doubts and fears, she rushed down the lane and, by rare good-fortune, met in fresno street a number ', 's and fears, she rushed down the lane and, by rare good-fortune, met in fresno street a number of co', ' fears, she rushed down the lane and, by rare good-fortune, met in fresno street a number of constab', 's, she rushed down the lane and, by rare good-fortune, met in fresno street a number of constables w', 'e rushed down the lane and, by rare good-fortune, met in fresno street a number of constables with a', 'hed down the lane and, by rare good-fortune, met in fresno street a number of constables with an ins', 'own the lane and, by rare good-fortune, met in fresno street a number of constables with an inspecto', 'he lane and, by rare good-fortune, met in fresno street a number of constables with an inspector, al', 'ne and, by rare good-fortune, met in fresno street a number of constables with an inspector, all on ', 'd, by rare good-fortune, met in fresno street a number of constables with an inspector, all on their', ' rare good-fortune, met in fresno street a number of constables with an inspector, all on their way ', ' good-fortune, met in fresno street a number of constables with an inspector, all on their way to th', '-fortune, met in fresno street a number of constables with an inspector, all on their way to their b', 'une, met in fresno street a number of constables with an inspector, all on their way to their beat. ', 'met in fresno street a number of constables with an inspector, all on their way to their beat. the i', 'n fresno street a number of constables with an inspector, all on their way to their beat. the inspec', 'sno street a number of constables with an inspector, all on their way to their beat. the inspector a', 'treet a number of constables with an inspector, all on their way to their beat. the inspector and tw', ' a number of constables with an inspector, all on their way to their beat. the inspector and two men', 'mber of constables with an inspector, all on their way to their beat. the inspector and two men acco', 'of constables with an inspector, all on their way to their beat. the inspector and two men accompani', 'nstables with an inspector, all on their way to their beat. the inspector and two men accompanied he', 'les with an inspector, all on their way to their beat. the inspector and two men accompanied her bac', 'ith an inspector, all on their way to their beat. the inspector and two men accompanied her back, an', 'n inspector, all on their way to their beat. the inspector and two men accompanied her back, and in ', 'pector, all on their way to their beat. the inspector and two men accompanied her back, and in spite', 'r, all on their way to their beat. the inspector and two men accompanied her back, and in spite of t', 'l on their way to their beat. the inspector and two men accompanied her back, and in spite of the co', 'their way to their beat. the inspector and two men accompanied her back, and in spite of the continu', ' way to their beat. the inspector and two men accompanied her back, and in spite of the continued re', 'to their beat. the inspector and two men accompanied her back, and in spite of the continued resista', 'eir beat. the inspector and two men accompanied her back, and in spite of the continued resistance o', 'eat. the inspector and two men accompanied her back, and in spite of the continued resistance of the', 'the inspector and two men accompanied her back, and in spite of the continued resistance of the prop', 'nspector and two men accompanied her back, and in spite of the continued resistance of the proprieto', 'tor and two men accompanied her back, and in spite of the continued resistance of the proprietor, th', 'nd two men accompanied her back, and in spite of the continued resistance of the proprietor, they ma', 'o men accompanied her back, and in spite of the continued resistance of the proprietor, they made th', ' accompanied her back, and in spite of the continued resistance of the proprietor, they made their w', 'mpanied her back, and in spite of the continued resistance of the proprietor, they made their way to', 'ed her back, and in spite of the continued resistance of the proprietor, they made their way to the ', 'r back, and in spite of the continued resistance of the proprietor, they made their way to the room ', 'k, and in spite of the continued resistance of the proprietor, they made their way to the room in wh', 'd in spite of the continued resistance of the proprietor, they made their way to the room in which m', 'spite of the continued resistance of the proprietor, they made their way to the room in which mr. st', ' of the continued resistance of the proprietor, they made their way to the room in which mr. st. cla', 'he continued resistance of the proprietor, they made their way to the room in which mr. st. clair ha', 'ntinued resistance of the proprietor, they made their way to the room in which mr. st. clair had las', 'ed resistance of the proprietor, they made their way to the room in which mr. st. clair had last bee', 'sistance of the proprietor, they made their way to the room in which mr. st. clair had last been see', 'nce of the proprietor, they made their way to the room in which mr. st. clair had last been seen. th', 'f the proprietor, they made their way to the room in which mr. st. clair had last been seen. there w', ' proprietor, they made their way to the room in which mr. st. clair had last been seen. there was no', 'rietor, they made their way to the room in which mr. st. clair had last been seen. there was no sign', 'r, they made their way to the room in which mr. st. clair had last been seen. there was no sign of h', 'ey made their way to the room in which mr. st. clair had last been seen. there was no sign of him th', 'de their way to the room in which mr. st. clair had last been seen. there was no sign of him there. ', 'eir way to the room in which mr. st. clair had last been seen. there was no sign of him there. in fa', 'ay to the room in which mr. st. clair had last been seen. there was no sign of him there. in fact, i', ' the room in which mr. st. clair had last been seen. there was no sign of him there. in fact, in the', 'room in which mr. st. clair had last been seen. there was no sign of him there. in fact, in the whol', 'in which mr. st. clair had last been seen. there was no sign of him there. in fact, in the whole of ', 'ich mr. st. clair had last been seen. there was no sign of him there. in fact, in the whole of that ', 'r. st. clair had last been seen. there was no sign of him there. in fact, in the whole of that floor', '. clair had last been seen. there was no sign of him there. in fact, in the whole of that floor ther', 'ir had last been seen. there was no sign of him there. in fact, in the whole of that floor there was', 'd last been seen. there was no sign of him there. in fact, in the whole of that floor there was no o', 't been seen. there was no sign of him there. in fact, in the whole of that floor there was no one to', 'n seen. there was no sign of him there. in fact, in the whole of that floor there was no one to be f', 'n. there was no sign of him there. in fact, in the whole of that floor there was no one to be found ', 'ere was no sign of him there. in fact, in the whole of that floor there was no one to be found save ', 'as no sign of him there. in fact, in the whole of that floor there was no one to be found save a cri', ' sign of him there. in fact, in the whole of that floor there was no one to be found save a crippled', ' of him there. in fact, in the whole of that floor there was no one to be found save a crippled wret', 'im there. in fact, in the whole of that floor there was no one to be found save a crippled wretch of', 'ere. in fact, in the whole of that floor there was no one to be found save a crippled wretch of hide', 'in fact, in the whole of that floor there was no one to be found save a crippled wretch of hideous a', 'ct, in the whole of that floor there was no one to be found save a crippled wretch of hideous aspect', 'n the whole of that floor there was no one to be found save a crippled wretch of hideous aspect, who', ' whole of that floor there was no one to be found save a crippled wretch of hideous aspect, who, it ', 'e of that floor there was no one to be found save a crippled wretch of hideous aspect, who, it seems', 'that floor there was no one to be found save a crippled wretch of hideous aspect, who, it seems, mad', 'floor there was no one to be found save a crippled wretch of hideous aspect, who, it seems, made his', ' there was no one to be found save a crippled wretch of hideous aspect, who, it seems, made his home', 'e was no one to be found save a crippled wretch of hideous aspect, who, it seems, made his home ther', ' no one to be found save a crippled wretch of hideous aspect, who, it seems, made his home there. bo', 'ne to be found save a crippled wretch of hideous aspect, who, it seems, made his home there. both he', ' be found save a crippled wretch of hideous aspect, who, it seems, made his home there. both he and ', 'ound save a crippled wretch of hideous aspect, who, it seems, made his home there. both he and the l', 'save a crippled wretch of hideous aspect, who, it seems, made his home there. both he and the lascar', 'a crippled wretch of hideous aspect, who, it seems, made his home there. both he and the lascar stou', 'ppled wretch of hideous aspect, who, it seems, made his home there. both he and the lascar stoutly s', ' wretch of hideous aspect, who, it seems, made his home there. both he and the lascar stoutly swore ', 'ch of hideous aspect, who, it seems, made his home there. both he and the lascar stoutly swore that ', ' hideous aspect, who, it seems, made his home there. both he and the lascar stoutly swore that no on', 'ous aspect, who, it seems, made his home there. both he and the lascar stoutly swore that no one els', 'spect, who, it seems, made his home there. both he and the lascar stoutly swore that no one else had', ', who, it seems, made his home there. both he and the lascar stoutly swore that no one else had been', ', it seems, made his home there. both he and the lascar stoutly swore that no one else had been in t', 'seems, made his home there. both he and the lascar stoutly swore that no one else had been in the fr', ', made his home there. both he and the lascar stoutly swore that no one else had been in the front r', 'e his home there. both he and the lascar stoutly swore that no one else had been in the front room d', ' home there. both he and the lascar stoutly swore that no one else had been in the front room during', ' there. both he and the lascar stoutly swore that no one else had been in the front room during the ', 'e. both he and the lascar stoutly swore that no one else had been in the front room during the after', 'th he and the lascar stoutly swore that no one else had been in the front room during the afternoon.', ' and the lascar stoutly swore that no one else had been in the front room during the afternoon. so d', 'the lascar stoutly swore that no one else had been in the front room during the afternoon. so determ', 'ascar stoutly swore that no one else had been in the front room during the afternoon. so determined ', ' stoutly swore that no one else had been in the front room during the afternoon. so determined was t', 'tly swore that no one else had been in the front room during the afternoon. so determined was their ', 'wore that no one else had been in the front room during the afternoon. so determined was their denia', 'that no one else had been in the front room during the afternoon. so determined was their denial tha', 'no one else had been in the front room during the afternoon. so determined was their denial that the', 'e else had been in the front room during the afternoon. so determined was their denial that the insp', 'e had been in the front room during the afternoon. so determined was their denial that the inspector', ' been in the front room during the afternoon. so determined was their denial that the inspector was ', ' in the front room during the afternoon. so determined was their denial that the inspector was stagg', 'he front room during the afternoon. so determined was their denial that the inspector was staggered,', 'ont room during the afternoon. so determined was their denial that the inspector was staggered, and ', 'oom during the afternoon. so determined was their denial that the inspector was staggered, and had a', 'uring the afternoon. so determined was their denial that the inspector was staggered, and had almost', ' the afternoon. so determined was their denial that the inspector was staggered, and had almost come', 'afternoon. so determined was their denial that the inspector was staggered, and had almost come to b', 'noon. so determined was their denial that the inspector was staggered, and had almost come to believ', ' so determined was their denial that the inspector was staggered, and had almost come to believe tha', 'etermined was their denial that the inspector was staggered, and had almost come to believe that mrs', 'ined was their denial that the inspector was staggered, and had almost come to believe that mrs. st.', 'was their denial that the inspector was staggered, and had almost come to believe that mrs. st. clai', 'heir denial that the inspector was staggered, and had almost come to believe that mrs. st. clair had', 'denial that the inspector was staggered, and had almost come to believe that mrs. st. clair had been', 'l that the inspector was staggered, and had almost come to believe that mrs. st. clair had been delu', 't the inspector was staggered, and had almost come to believe that mrs. st. clair had been deluded w', ' inspector was staggered, and had almost come to believe that mrs. st. clair had been deluded when, ', 'ector was staggered, and had almost come to believe that mrs. st. clair had been deluded when, with ', ' was staggered, and had almost come to believe that mrs. st. clair had been deluded when, with a cry', 'staggered, and had almost come to believe that mrs. st. clair had been deluded when, with a cry, she', 'ered, and had almost come to believe that mrs. st. clair had been deluded when, with a cry, she spra', ' and had almost come to believe that mrs. st. clair had been deluded when, with a cry, she sprang at', 'had almost come to believe that mrs. st. clair had been deluded when, with a cry, she sprang at a sm', 'lmost come to believe that mrs. st. clair had been deluded when, with a cry, she sprang at a small d', ' come to believe that mrs. st. clair had been deluded when, with a cry, she sprang at a small deal b', ' to believe that mrs. st. clair had been deluded when, with a cry, she sprang at a small deal box wh', 'elieve that mrs. st. clair had been deluded when, with a cry, she sprang at a small deal box which l', 'e that mrs. st. clair had been deluded when, with a cry, she sprang at a small deal box which lay up', 't mrs. st. clair had been deluded when, with a cry, she sprang at a small deal box which lay upon th', '. st. clair had been deluded when, with a cry, she sprang at a small deal box which lay upon the tab', ' clair had been deluded when, with a cry, she sprang at a small deal box which lay upon the table an', 'r had been deluded when, with a cry, she sprang at a small deal box which lay upon the table and tor', ' been deluded when, with a cry, she sprang at a small deal box which lay upon the table and tore the', ' deluded when, with a cry, she sprang at a small deal box which lay upon the table and tore the lid ', 'ded when, with a cry, she sprang at a small deal box which lay upon the table and tore the lid from ', 'hen, with a cry, she sprang at a small deal box which lay upon the table and tore the lid from it. o', 'with a cry, she sprang at a small deal box which lay upon the table and tore the lid from it. out th', 'a cry, she sprang at a small deal box which lay upon the table and tore the lid from it. out there f', ', she sprang at a small deal box which lay upon the table and tore the lid from it. out there fell a', ' sprang at a small deal box which lay upon the table and tore the lid from it. out there fell a casc', 'ng at a small deal box which lay upon the table and tore the lid from it. out there fell a cascade o', ' a small deal box which lay upon the table and tore the lid from it. out there fell a cascade of chi', 'all deal box which lay upon the table and tore the lid from it. out there fell a cascade of children', "eal box which lay upon the table and tore the lid from it. out there fell a cascade of children's br", "ox which lay upon the table and tore the lid from it. out there fell a cascade of children's bricks.", "ich lay upon the table and tore the lid from it. out there fell a cascade of children's bricks. it w", "ay upon the table and tore the lid from it. out there fell a cascade of children's bricks. it was th", "on the table and tore the lid from it. out there fell a cascade of children's bricks. it was the toy", "e table and tore the lid from it. out there fell a cascade of children's bricks. it was the toy whic", "le and tore the lid from it. out there fell a cascade of children's bricks. it was the toy which he ", "d tore the lid from it. out there fell a cascade of children's bricks. it was the toy which he had p", "e the lid from it. out there fell a cascade of children's bricks. it was the toy which he had promis", " lid from it. out there fell a cascade of children's bricks. it was the toy which he had promised to", "from it. out there fell a cascade of children's bricks. it was the toy which he had promised to brin", "it. out there fell a cascade of children's bricks. it was the toy which he had promised to bring hom", 'ut there fell a cascade of children\'s bricks. it was the toy which he had promised to bring home. "t', 'ere fell a cascade of children\'s bricks. it was the toy which he had promised to bring home. "this d', 'ell a cascade of children\'s bricks. it was the toy which he had promised to bring home. "this discov', ' cascade of children\'s bricks. it was the toy which he had promised to bring home. "this discovery, ', 'ade of children\'s bricks. it was the toy which he had promised to bring home. "this discovery, and t', 'f children\'s bricks. it was the toy which he had promised to bring home. "this discovery, and the ev', 'ldren\'s bricks. it was the toy which he had promised to bring home. "this discovery, and the evident', '\'s bricks. it was the toy which he had promised to bring home. "this discovery, and the evident conf', 'icks. it was the toy which he had promised to bring home. "this discovery, and the evident confusion', ' it was the toy which he had promised to bring home. "this discovery, and the evident confusion whic', 'as the toy which he had promised to bring home. "this discovery, and the evident confusion which the', 'e toy which he had promised to bring home. "this discovery, and the evident confusion which the crip', ' which he had promised to bring home. "this discovery, and the evident confusion which the cripple s', 'h he had promised to bring home. "this discovery, and the evident confusion which the cripple showed', 'had promised to bring home. "this discovery, and the evident confusion which the cripple showed, mad', 'romised to bring home. "this discovery, and the evident confusion which the cripple showed, made the', 'ed to bring home. "this discovery, and the evident confusion which the cripple showed, made the insp', ' bring home. "this discovery, and the evident confusion which the cripple showed, made the inspector', 'g home. "this discovery, and the evident confusion which the cripple showed, made the inspector real', 'e. "this discovery, and the evident confusion which the cripple showed, made the inspector realise t', 'his discovery, and the evident confusion which the cripple showed, made the inspector realise that t', 'iscovery, and the evident confusion which the cripple showed, made the inspector realise that the ma', 'ery, and the evident confusion which the cripple showed, made the inspector realise that the matter ', 'and the evident confusion which the cripple showed, made the inspector realise that the matter was s', 'he evident confusion which the cripple showed, made the inspector realise that the matter was seriou', 'ident confusion which the cripple showed, made the inspector realise that the matter was serious. th', ' confusion which the cripple showed, made the inspector realise that the matter was serious. the roo', 'usion which the cripple showed, made the inspector realise that the matter was serious. the rooms we', ' which the cripple showed, made the inspector realise that the matter was serious. the rooms were ca', 'h the cripple showed, made the inspector realise that the matter was serious. the rooms were careful', ' cripple showed, made the inspector realise that the matter was serious. the rooms were carefully ex', 'ple showed, made the inspector realise that the matter was serious. the rooms were carefully examine', 'howed, made the inspector realise that the matter was serious. the rooms were carefully examined, an', ', made the inspector realise that the matter was serious. the rooms were carefully examined, and res', 'e the inspector realise that the matter was serious. the rooms were carefully examined, and results ', ' inspector realise that the matter was serious. the rooms were carefully examined, and results all p', 'ector realise that the matter was serious. the rooms were carefully examined, and results all pointe', ' realise that the matter was serious. the rooms were carefully examined, and results all pointed to ', 'ise that the matter was serious. the rooms were carefully examined, and results all pointed to an ab', 'hat the matter was serious. the rooms were carefully examined, and results all pointed to an abomina', 'he matter was serious. the rooms were carefully examined, and results all pointed to an abominable c', 'tter was serious. the rooms were carefully examined, and results all pointed to an abominable crime.', 'was serious. the rooms were carefully examined, and results all pointed to an abominable crime. the ', 'erious. the rooms were carefully examined, and results all pointed to an abominable crime. the front', 's. the rooms were carefully examined, and results all pointed to an abominable crime. the front room', 'e rooms were carefully examined, and results all pointed to an abominable crime. the front room was ', 'ms were carefully examined, and results all pointed to an abominable crime. the front room was plain', 're carefully examined, and results all pointed to an abominable crime. the front room was plainly fu', 'refully examined, and results all pointed to an abominable crime. the front room was plainly furnish', 'ly examined, and results all pointed to an abominable crime. the front room was plainly furnished as', 'amined, and results all pointed to an abominable crime. the front room was plainly furnished as a si', 'd, and results all pointed to an abominable crime. the front room was plainly furnished as a sitting', 'd results all pointed to an abominable crime. the front room was plainly furnished as a sitting-room', 'ults all pointed to an abominable crime. the front room was plainly furnished as a sitting-room and ', 'all pointed to an abominable crime. the front room was plainly furnished as a sitting-room and led i', 'ointed to an abominable crime. the front room was plainly furnished as a sitting-room and led into a', 'd to an abominable crime. the front room was plainly furnished as a sitting-room and led into a smal', 'an abominable crime. the front room was plainly furnished as a sitting-room and led into a small bed', 'ominable crime. the front room was plainly furnished as a sitting-room and led into a small bedroom,', 'ble crime. the front room was plainly furnished as a sitting-room and led into a small bedroom, whic', 'rime. the front room was plainly furnished as a sitting-room and led into a small bedroom, which loo', ' the front room was plainly furnished as a sitting-room and led into a small bedroom, which looked o', 'front room was plainly furnished as a sitting-room and led into a small bedroom, which looked out up', ' room was plainly furnished as a sitting-room and led into a small bedroom, which looked out upon th', ' was plainly furnished as a sitting-room and led into a small bedroom, which looked out upon the bac', 'plainly furnished as a sitting-room and led into a small bedroom, which looked out upon the back of ', 'ly furnished as a sitting-room and led into a small bedroom, which looked out upon the back of one o', 'rnished as a sitting-room and led into a small bedroom, which looked out upon the back of one of the', 'ed as a sitting-room and led into a small bedroom, which looked out upon the back of one of the whar', ' a sitting-room and led into a small bedroom, which looked out upon the back of one of the wharves. ', 'tting-room and led into a small bedroom, which looked out upon the back of one of the wharves. betwe', '-room and led into a small bedroom, which looked out upon the back of one of the wharves. between th', ' and led into a small bedroom, which looked out upon the back of one of the wharves. between the wha', 'led into a small bedroom, which looked out upon the back of one of the wharves. between the wharf an', 'nto a small bedroom, which looked out upon the back of one of the wharves. between the wharf and the', ' small bedroom, which looked out upon the back of one of the wharves. between the wharf and the bedr', 'l bedroom, which looked out upon the back of one of the wharves. between the wharf and the bedroom w', 'room, which looked out upon the back of one of the wharves. between the wharf and the bedroom window', ' which looked out upon the back of one of the wharves. between the wharf and the bedroom window is a', 'h looked out upon the back of one of the wharves. between the wharf and the bedroom window is a narr', 'ked out upon the back of one of the wharves. between the wharf and the bedroom window is a narrow st', 'ut upon the back of one of the wharves. between the wharf and the bedroom window is a narrow strip, ', 'on the back of one of the wharves. between the wharf and the bedroom window is a narrow strip, which', 'e back of one of the wharves. between the wharf and the bedroom window is a narrow strip, which is d', 'k of one of the wharves. between the wharf and the bedroom window is a narrow strip, which is dry at', 'one of the wharves. between the wharf and the bedroom window is a narrow strip, which is dry at low ', 'f the wharves. between the wharf and the bedroom window is a narrow strip, which is dry at low tide ', ' wharves. between the wharf and the bedroom window is a narrow strip, which is dry at low tide but i', 'ves. between the wharf and the bedroom window is a narrow strip, which is dry at low tide but is cov', 'between the wharf and the bedroom window is a narrow strip, which is dry at low tide but is covered ', 'en the wharf and the bedroom window is a narrow strip, which is dry at low tide but is covered at hi', 'e wharf and the bedroom window is a narrow strip, which is dry at low tide but is covered at high ti', 'rf and the bedroom window is a narrow strip, which is dry at low tide but is covered at high tide wi', 'd the bedroom window is a narrow strip, which is dry at low tide but is covered at high tide with at', ' bedroom window is a narrow strip, which is dry at low tide but is covered at high tide with at leas', 'oom window is a narrow strip, which is dry at low tide but is covered at high tide with at least fou', 'indow is a narrow strip, which is dry at low tide but is covered at high tide with at least four and', ' is a narrow strip, which is dry at low tide but is covered at high tide with at least four and a ha', ' narrow strip, which is dry at low tide but is covered at high tide with at least four and a half fe', 'ow strip, which is dry at low tide but is covered at high tide with at least four and a half feet of', 'rip, which is dry at low tide but is covered at high tide with at least four and a half feet of wate', 'which is dry at low tide but is covered at high tide with at least four and a half feet of water. th', ' is dry at low tide but is covered at high tide with at least four and a half feet of water. the bed', 'ry at low tide but is covered at high tide with at least four and a half feet of water. the bedroom ', ' low tide but is covered at high tide with at least four and a half feet of water. the bedroom windo', 'tide but is covered at high tide with at least four and a half feet of water. the bedroom window was', 'but is covered at high tide with at least four and a half feet of water. the bedroom window was a br', 's covered at high tide with at least four and a half feet of water. the bedroom window was a broad o', 'ered at high tide with at least four and a half feet of water. the bedroom window was a broad one an', 'at high tide with at least four and a half feet of water. the bedroom window was a broad one and ope', 'gh tide with at least four and a half feet of water. the bedroom window was a broad one and opened f', 'de with at least four and a half feet of water. the bedroom window was a broad one and opened from b', 'th at least four and a half feet of water. the bedroom window was a broad one and opened from below.', ' least four and a half feet of water. the bedroom window was a broad one and opened from below. on e', 't four and a half feet of water. the bedroom window was a broad one and opened from below. on examin', 'r and a half feet of water. the bedroom window was a broad one and opened from below. on examination', ' a half feet of water. the bedroom window was a broad one and opened from below. on examination trac', 'lf feet of water. the bedroom window was a broad one and opened from below. on examination traces of', 'et of water. the bedroom window was a broad one and opened from below. on examination traces of bloo', ' water. the bedroom window was a broad one and opened from below. on examination traces of blood wer', 'r. the bedroom window was a broad one and opened from below. on examination traces of blood were to ', 'e bedroom window was a broad one and opened from below. on examination traces of blood were to be se', 'room window was a broad one and opened from below. on examination traces of blood were to be seen up', 'window was a broad one and opened from below. on examination traces of blood were to be seen upon th', 'w was a broad one and opened from below. on examination traces of blood were to be seen upon the win', ' a broad one and opened from below. on examination traces of blood were to be seen upon the windowsi', 'oad one and opened from below. on examination traces of blood were to be seen upon the windowsill, a', 'ne and opened from below. on examination traces of blood were to be seen upon the windowsill, and se', 'd opened from below. on examination traces of blood were to be seen upon the windowsill, and several', 'ned from below. on examination traces of blood were to be seen upon the windowsill, and several scat', 'rom below. on examination traces of blood were to be seen upon the windowsill, and several scattered', 'elow. on examination traces of blood were to be seen upon the windowsill, and several scattered drop', ' on examination traces of blood were to be seen upon the windowsill, and several scattered drops wer', 'xamination traces of blood were to be seen upon the windowsill, and several scattered drops were vis', 'ation traces of blood were to be seen upon the windowsill, and several scattered drops were visible ', ' traces of blood were to be seen upon the windowsill, and several scattered drops were visible upon ', 'es of blood were to be seen upon the windowsill, and several scattered drops were visible upon the w', ' blood were to be seen upon the windowsill, and several scattered drops were visible upon the wooden', 'd were to be seen upon the windowsill, and several scattered drops were visible upon the wooden floo', 'e to be seen upon the windowsill, and several scattered drops were visible upon the wooden floor of ', 'be seen upon the windowsill, and several scattered drops were visible upon the wooden floor of the b', 'en upon the windowsill, and several scattered drops were visible upon the wooden floor of the bedroo', 'on the windowsill, and several scattered drops were visible upon the wooden floor of the bedroom. th', 'e windowsill, and several scattered drops were visible upon the wooden floor of the bedroom. thrust ', 'dowsill, and several scattered drops were visible upon the wooden floor of the bedroom. thrust away ', 'll, and several scattered drops were visible upon the wooden floor of the bedroom. thrust away behin', 'nd several scattered drops were visible upon the wooden floor of the bedroom. thrust away behind a c', 'veral scattered drops were visible upon the wooden floor of the bedroom. thrust away behind a curtai', ' scattered drops were visible upon the wooden floor of the bedroom. thrust away behind a curtain in ', 'tered drops were visible upon the wooden floor of the bedroom. thrust away behind a curtain in the f', ' drops were visible upon the wooden floor of the bedroom. thrust away behind a curtain in the front ', 's were visible upon the wooden floor of the bedroom. thrust away behind a curtain in the front room ', 'e visible upon the wooden floor of the bedroom. thrust away behind a curtain in the front room were ', 'ible upon the wooden floor of the bedroom. thrust away behind a curtain in the front room were all t', 'upon the wooden floor of the bedroom. thrust away behind a curtain in the front room were all the cl', 'the wooden floor of the bedroom. thrust away behind a curtain in the front room were all the clothes', 'ooden floor of the bedroom. thrust away behind a curtain in the front room were all the clothes of m', ' floor of the bedroom. thrust away behind a curtain in the front room were all the clothes of mr. ne', 'r of the bedroom. thrust away behind a curtain in the front room were all the clothes of mr. neville', 'the bedroom. thrust away behind a curtain in the front room were all the clothes of mr. neville st. ', 'edroom. thrust away behind a curtain in the front room were all the clothes of mr. neville st. clair', 'm. thrust away behind a curtain in the front room were all the clothes of mr. neville st. clair, wit', 'rust away behind a curtain in the front room were all the clothes of mr. neville st. clair, with the', 'away behind a curtain in the front room were all the clothes of mr. neville st. clair, with the exce', 'behind a curtain in the front room were all the clothes of mr. neville st. clair, with the exception', 'd a curtain in the front room were all the clothes of mr. neville st. clair, with the exception of h', 'urtain in the front room were all the clothes of mr. neville st. clair, with the exception of his co', 'n in the front room were all the clothes of mr. neville st. clair, with the exception of his coat. h', 'the front room were all the clothes of mr. neville st. clair, with the exception of his coat. his bo', 'ront room were all the clothes of mr. neville st. clair, with the exception of his coat. his boots, ', 'room were all the clothes of mr. neville st. clair, with the exception of his coat. his boots, his s', 'were all the clothes of mr. neville st. clair, with the exception of his coat. his boots, his socks,', 'all the clothes of mr. neville st. clair, with the exception of his coat. his boots, his socks, his ', 'he clothes of mr. neville st. clair, with the exception of his coat. his boots, his socks, his hat, ', 'othes of mr. neville st. clair, with the exception of his coat. his boots, his socks, his hat, and h', ' of mr. neville st. clair, with the exception of his coat. his boots, his socks, his hat, and his wa', 'r. neville st. clair, with the exception of his coat. his boots, his socks, his hat, and his watchal', 'ville st. clair, with the exception of his coat. his boots, his socks, his hat, and his watchall wer', ' st. clair, with the exception of his coat. his boots, his socks, his hat, and his watchall were the', 'clair, with the exception of his coat. his boots, his socks, his hat, and his watchall were there. t', ', with the exception of his coat. his boots, his socks, his hat, and his watchall were there. there ', 'h the exception of his coat. his boots, his socks, his hat, and his watchall were there. there were ', ' exception of his coat. his boots, his socks, his hat, and his watchall were there. there were no si', 'ption of his coat. his boots, his socks, his hat, and his watchall were there. there were no signs o', ' of his coat. his boots, his socks, his hat, and his watchall were there. there were no signs of vio', 'is coat. his boots, his socks, his hat, and his watchall were there. there were no signs of violence', 'at. his boots, his socks, his hat, and his watchall were there. there were no signs of violence upon', 'is boots, his socks, his hat, and his watchall were there. there were no signs of violence upon any ', 'ots, his socks, his hat, and his watchall were there. there were no signs of violence upon any of th', 'his socks, his hat, and his watchall were there. there were no signs of violence upon any of these g', 'ocks, his hat, and his watchall were there. there were no signs of violence upon any of these garmen', ' his hat, and his watchall were there. there were no signs of violence upon any of these garments, a', 'hat, and his watchall were there. there were no signs of violence upon any of these garments, and th', 'and his watchall were there. there were no signs of violence upon any of these garments, and there w', 'is watchall were there. there were no signs of violence upon any of these garments, and there were n', 'tchall were there. there were no signs of violence upon any of these garments, and there were no oth', 'l were there. there were no signs of violence upon any of these garments, and there were no other tr', 'e there. there were no signs of violence upon any of these garments, and there were no other traces ', 're. there were no signs of violence upon any of these garments, and there were no other traces of mr', 'here were no signs of violence upon any of these garments, and there were no other traces of mr. nev', 'were no signs of violence upon any of these garments, and there were no other traces of mr. neville ', 'no signs of violence upon any of these garments, and there were no other traces of mr. neville st. c', 'gns of violence upon any of these garments, and there were no other traces of mr. neville st. clair.', 'f violence upon any of these garments, and there were no other traces of mr. neville st. clair. out ', 'lence upon any of these garments, and there were no other traces of mr. neville st. clair. out of th', ' upon any of these garments, and there were no other traces of mr. neville st. clair. out of the win', ' any of these garments, and there were no other traces of mr. neville st. clair. out of the window h', 'of these garments, and there were no other traces of mr. neville st. clair. out of the window he mus', 'ese garments, and there were no other traces of mr. neville st. clair. out of the window he must app', 'arments, and there were no other traces of mr. neville st. clair. out of the window he must apparent', 'ts, and there were no other traces of mr. neville st. clair. out of the window he must apparently ha', 'nd there were no other traces of mr. neville st. clair. out of the window he must apparently have go', 'ere were no other traces of mr. neville st. clair. out of the window he must apparently have gone fo', 'ere no other traces of mr. neville st. clair. out of the window he must apparently have gone for no ', 'o other traces of mr. neville st. clair. out of the window he must apparently have gone for no other', 'er traces of mr. neville st. clair. out of the window he must apparently have gone for no other exit', 'aces of mr. neville st. clair. out of the window he must apparently have gone for no other exit coul', 'of mr. neville st. clair. out of the window he must apparently have gone for no other exit could be ', '. neville st. clair. out of the window he must apparently have gone for no other exit could be disco', 'ille st. clair. out of the window he must apparently have gone for no other exit could be discovered', 'st. clair. out of the window he must apparently have gone for no other exit could be discovered, and', 'lair. out of the window he must apparently have gone for no other exit could be discovered, and the ', ' out of the window he must apparently have gone for no other exit could be discovered, and the omino', 'of the window he must apparently have gone for no other exit could be discovered, and the ominous bl', 'e window he must apparently have gone for no other exit could be discovered, and the ominous bloodst', 'dow he must apparently have gone for no other exit could be discovered, and the ominous bloodstains ', 'e must apparently have gone for no other exit could be discovered, and the ominous bloodstains upon ', 't apparently have gone for no other exit could be discovered, and the ominous bloodstains upon the s', 'arently have gone for no other exit could be discovered, and the ominous bloodstains upon the sill g', 'ly have gone for no other exit could be discovered, and the ominous bloodstains upon the sill gave l', 've gone for no other exit could be discovered, and the ominous bloodstains upon the sill gave little', 'ne for no other exit could be discovered, and the ominous bloodstains upon the sill gave little prom', 'r no other exit could be discovered, and the ominous bloodstains upon the sill gave little promise t', 'other exit could be discovered, and the ominous bloodstains upon the sill gave little promise that h', ' exit could be discovered, and the ominous bloodstains upon the sill gave little promise that he cou', ' could be discovered, and the ominous bloodstains upon the sill gave little promise that he could sa', 'd be discovered, and the ominous bloodstains upon the sill gave little promise that he could save hi', 'discovered, and the ominous bloodstains upon the sill gave little promise that he could save himself', 'vered, and the ominous bloodstains upon the sill gave little promise that he could save himself by s', ', and the ominous bloodstains upon the sill gave little promise that he could save himself by swimmi', ' the ominous bloodstains upon the sill gave little promise that he could save himself by swimming, f', 'ominous bloodstains upon the sill gave little promise that he could save himself by swimming, for th', 'us bloodstains upon the sill gave little promise that he could save himself by swimming, for the tid', 'oodstains upon the sill gave little promise that he could save himself by swimming, for the tide was', 'ains upon the sill gave little promise that he could save himself by swimming, for the tide was at i', 'upon the sill gave little promise that he could save himself by swimming, for the tide was at its ve', 'the sill gave little promise that he could save himself by swimming, for the tide was at its very hi', 'ill gave little promise that he could save himself by swimming, for the tide was at its very highest', 'ave little promise that he could save himself by swimming, for the tide was at its very highest at t', 'ittle promise that he could save himself by swimming, for the tide was at its very highest at the mo', ' promise that he could save himself by swimming, for the tide was at its very highest at the moment ', 'ise that he could save himself by swimming, for the tide was at its very highest at the moment of th', 'hat he could save himself by swimming, for the tide was at its very highest at the moment of the tra', 'e could save himself by swimming, for the tide was at its very highest at the moment of the tragedy.', 'ld save himself by swimming, for the tide was at its very highest at the moment of the tragedy. "and', 've himself by swimming, for the tide was at its very highest at the moment of the tragedy. "and now ', 'mself by swimming, for the tide was at its very highest at the moment of the tragedy. "and now as to', ' by swimming, for the tide was at its very highest at the moment of the tragedy. "and now as to the ', 'wimming, for the tide was at its very highest at the moment of the tragedy. "and now as to the villa', 'ng, for the tide was at its very highest at the moment of the tragedy. "and now as to the villains w', 'or the tide was at its very highest at the moment of the tragedy. "and now as to the villains who se', 'e tide was at its very highest at the moment of the tragedy. "and now as to the villains who seemed ', 'e was at its very highest at the moment of the tragedy. "and now as to the villains who seemed to be', ' at its very highest at the moment of the tragedy. "and now as to the villains who seemed to be imme', 'ts very highest at the moment of the tragedy. "and now as to the villains who seemed to be immediate', 'ry highest at the moment of the tragedy. "and now as to the villains who seemed to be immediately im', 'ghest at the moment of the tragedy. "and now as to the villains who seemed to be immediately implica', ' at the moment of the tragedy. "and now as to the villains who seemed to be immediately implicated i', 'he moment of the tragedy. "and now as to the villains who seemed to be immediately implicated in the', 'ment of the tragedy. "and now as to the villains who seemed to be immediately implicated in the matt', 'of the tragedy. "and now as to the villains who seemed to be immediately implicated in the matter. t', 'e tragedy. "and now as to the villains who seemed to be immediately implicated in the matter. the la', 'gedy. "and now as to the villains who seemed to be immediately implicated in the matter. the lascar ', ' "and now as to the villains who seemed to be immediately implicated in the matter. the lascar was k', ' now as to the villains who seemed to be immediately implicated in the matter. the lascar was known ', 'as to the villains who seemed to be immediately implicated in the matter. the lascar was known to be', ' the villains who seemed to be immediately implicated in the matter. the lascar was known to be a ma', 'villains who seemed to be immediately implicated in the matter. the lascar was known to be a man of ', 'ins who seemed to be immediately implicated in the matter. the lascar was known to be a man of the v', 'ho seemed to be immediately implicated in the matter. the lascar was known to be a man of the vilest', 'emed to be immediately implicated in the matter. the lascar was known to be a man of the vilest ante', 'to be immediately implicated in the matter. the lascar was known to be a man of the vilest anteceden', ' immediately implicated in the matter. the lascar was known to be a man of the vilest antecedents, b', 'diately implicated in the matter. the lascar was known to be a man of the vilest antecedents, but as', 'ly implicated in the matter. the lascar was known to be a man of the vilest antecedents, but as, by ', 'plicated in the matter. the lascar was known to be a man of the vilest antecedents, but as, by mrs. ', 'ted in the matter. the lascar was known to be a man of the vilest antecedents, but as, by mrs. st. c', "n the matter. the lascar was known to be a man of the vilest antecedents, but as, by mrs. st. clair'", " matter. the lascar was known to be a man of the vilest antecedents, but as, by mrs. st. clair's sto", "er. the lascar was known to be a man of the vilest antecedents, but as, by mrs. st. clair's story, h", "he lascar was known to be a man of the vilest antecedents, but as, by mrs. st. clair's story, he was", "scar was known to be a man of the vilest antecedents, but as, by mrs. st. clair's story, he was know", "was known to be a man of the vilest antecedents, but as, by mrs. st. clair's story, he was known to ", "nown to be a man of the vilest antecedents, but as, by mrs. st. clair's story, he was known to have ", "to be a man of the vilest antecedents, but as, by mrs. st. clair's story, he was known to have been ", " a man of the vilest antecedents, but as, by mrs. st. clair's story, he was known to have been at th", "n of the vilest antecedents, but as, by mrs. st. clair's story, he was known to have been at the foo", "the vilest antecedents, but as, by mrs. st. clair's story, he was known to have been at the foot of ", "ilest antecedents, but as, by mrs. st. clair's story, he was known to have been at the foot of the s", " antecedents, but as, by mrs. st. clair's story, he was known to have been at the foot of the stair ", "cedents, but as, by mrs. st. clair's story, he was known to have been at the foot of the stair withi", "ts, but as, by mrs. st. clair's story, he was known to have been at the foot of the stair within a v", "ut as, by mrs. st. clair's story, he was known to have been at the foot of the stair within a very f", ", by mrs. st. clair's story, he was known to have been at the foot of the stair within a very few se", "mrs. st. clair's story, he was known to have been at the foot of the stair within a very few seconds", "st. clair's story, he was known to have been at the foot of the stair within a very few seconds of h", "lair's story, he was known to have been at the foot of the stair within a very few seconds of her hu", 's story, he was known to have been at the foot of the stair within a very few seconds of her husband', "ry, he was known to have been at the foot of the stair within a very few seconds of her husband's ap", "e was known to have been at the foot of the stair within a very few seconds of her husband's appeara", " known to have been at the foot of the stair within a very few seconds of her husband's appearance a", "n to have been at the foot of the stair within a very few seconds of her husband's appearance at the", "have been at the foot of the stair within a very few seconds of her husband's appearance at the wind", "been at the foot of the stair within a very few seconds of her husband's appearance at the window, h", "at the foot of the stair within a very few seconds of her husband's appearance at the window, he cou", "e foot of the stair within a very few seconds of her husband's appearance at the window, he could ha", "t of the stair within a very few seconds of her husband's appearance at the window, he could hardly ", "the stair within a very few seconds of her husband's appearance at the window, he could hardly have ", "tair within a very few seconds of her husband's appearance at the window, he could hardly have been ", "within a very few seconds of her husband's appearance at the window, he could hardly have been more ", "n a very few seconds of her husband's appearance at the window, he could hardly have been more than ", "ery few seconds of her husband's appearance at the window, he could hardly have been more than an ac", "ew seconds of her husband's appearance at the window, he could hardly have been more than an accesso", "conds of her husband's appearance at the window, he could hardly have been more than an accessory to", " of her husband's appearance at the window, he could hardly have been more than an accessory to the ", "er husband's appearance at the window, he could hardly have been more than an accessory to the crime", "sband's appearance at the window, he could hardly have been more than an accessory to the crime. his", "'s appearance at the window, he could hardly have been more than an accessory to the crime. his defe", 'pearance at the window, he could hardly have been more than an accessory to the crime. his defence w', 'nce at the window, he could hardly have been more than an accessory to the crime. his defence was on', 't the window, he could hardly have been more than an accessory to the crime. his defence was one of ', ' window, he could hardly have been more than an accessory to the crime. his defence was one of absol', 'ow, he could hardly have been more than an accessory to the crime. his defence was one of absolute i', 'e could hardly have been more than an accessory to the crime. his defence was one of absolute ignora', 'ld hardly have been more than an accessory to the crime. his defence was one of absolute ignorance, ', 'rdly have been more than an accessory to the crime. his defence was one of absolute ignorance, and h', 'have been more than an accessory to the crime. his defence was one of absolute ignorance, and he pro', 'been more than an accessory to the crime. his defence was one of absolute ignorance, and he proteste', 'more than an accessory to the crime. his defence was one of absolute ignorance, and he protested tha', 'than an accessory to the crime. his defence was one of absolute ignorance, and he protested that he ', 'an accessory to the crime. his defence was one of absolute ignorance, and he protested that he had n', 'cessory to the crime. his defence was one of absolute ignorance, and he protested that he had no kno', 'ry to the crime. his defence was one of absolute ignorance, and he protested that he had no knowledg', ' the crime. his defence was one of absolute ignorance, and he protested that he had no knowledge as ', 'crime. his defence was one of absolute ignorance, and he protested that he had no knowledge as to th', '. his defence was one of absolute ignorance, and he protested that he had no knowledge as to the doi', ' defence was one of absolute ignorance, and he protested that he had no knowledge as to the doings o', 'nce was one of absolute ignorance, and he protested that he had no knowledge as to the doings of hug', 'as one of absolute ignorance, and he protested that he had no knowledge as to the doings of hugh boo', 'e of absolute ignorance, and he protested that he had no knowledge as to the doings of hugh boone, h', 'absolute ignorance, and he protested that he had no knowledge as to the doings of hugh boone, his lo', 'ute ignorance, and he protested that he had no knowledge as to the doings of hugh boone, his lodger,', 'gnorance, and he protested that he had no knowledge as to the doings of hugh boone, his lodger, and ', 'nce, and he protested that he had no knowledge as to the doings of hugh boone, his lodger, and that ', 'and he protested that he had no knowledge as to the doings of hugh boone, his lodger, and that he co', 'e protested that he had no knowledge as to the doings of hugh boone, his lodger, and that he could n', 'tested that he had no knowledge as to the doings of hugh boone, his lodger, and that he could not ac', 'd that he had no knowledge as to the doings of hugh boone, his lodger, and that he could not account', 't he had no knowledge as to the doings of hugh boone, his lodger, and that he could not account in a', 'had no knowledge as to the doings of hugh boone, his lodger, and that he could not account in any wa', 'o knowledge as to the doings of hugh boone, his lodger, and that he could not account in any way for', 'wledge as to the doings of hugh boone, his lodger, and that he could not account in any way for the ', 'e as to the doings of hugh boone, his lodger, and that he could not account in any way for the prese', 'to the doings of hugh boone, his lodger, and that he could not account in any way for the presence o', 'e doings of hugh boone, his lodger, and that he could not account in any way for the presence of the', 'ngs of hugh boone, his lodger, and that he could not account in any way for the presence of the miss', 'f hugh boone, his lodger, and that he could not account in any way for the presence of the missing g', 'h boone, his lodger, and that he could not account in any way for the presence of the missing gentle', "ne, his lodger, and that he could not account in any way for the presence of the missing gentleman's", "is lodger, and that he could not account in any way for the presence of the missing gentleman's clot", "dger, and that he could not account in any way for the presence of the missing gentleman's clothes. ", ' and that he could not account in any way for the presence of the missing gentleman\'s clothes. "so m', 'that he could not account in any way for the presence of the missing gentleman\'s clothes. "so much f', 'he could not account in any way for the presence of the missing gentleman\'s clothes. "so much for th', 'uld not account in any way for the presence of the missing gentleman\'s clothes. "so much for the las', 'ot account in any way for the presence of the missing gentleman\'s clothes. "so much for the lascar m', 'count in any way for the presence of the missing gentleman\'s clothes. "so much for the lascar manage', ' in any way for the presence of the missing gentleman\'s clothes. "so much for the lascar manager. no', 'ny way for the presence of the missing gentleman\'s clothes. "so much for the lascar manager. now for', 'y for the presence of the missing gentleman\'s clothes. "so much for the lascar manager. now for the ', ' the presence of the missing gentleman\'s clothes. "so much for the lascar manager. now for the sinis', 'presence of the missing gentleman\'s clothes. "so much for the lascar manager. now for the sinister c', 'nce of the missing gentleman\'s clothes. "so much for the lascar manager. now for the sinister crippl', 'f the missing gentleman\'s clothes. "so much for the lascar manager. now for the sinister cripple who', ' missing gentleman\'s clothes. "so much for the lascar manager. now for the sinister cripple who live', 'ing gentleman\'s clothes. "so much for the lascar manager. now for the sinister cripple who lives upo', 'entleman\'s clothes. "so much for the lascar manager. now for the sinister cripple who lives upon the', 'man\'s clothes. "so much for the lascar manager. now for the sinister cripple who lives upon the seco', ' clothes. "so much for the lascar manager. now for the sinister cripple who lives upon the second fl', 'hes. "so much for the lascar manager. now for the sinister cripple who lives upon the second floor o', '"so much for the lascar manager. now for the sinister cripple who lives upon the second floor of the', 'uch for the lascar manager. now for the sinister cripple who lives upon the second floor of the opiu', 'or the lascar manager. now for the sinister cripple who lives upon the second floor of the opium den', 'e lascar manager. now for the sinister cripple who lives upon the second floor of the opium den, and', 'car manager. now for the sinister cripple who lives upon the second floor of the opium den, and who ', 'anager. now for the sinister cripple who lives upon the second floor of the opium den, and who was c', 'r. now for the sinister cripple who lives upon the second floor of the opium den, and who was certai', 'w for the sinister cripple who lives upon the second floor of the opium den, and who was certainly t', ' the sinister cripple who lives upon the second floor of the opium den, and who was certainly the la', 'sinister cripple who lives upon the second floor of the opium den, and who was certainly the last hu', 'ter cripple who lives upon the second floor of the opium den, and who was certainly the last human b', 'ripple who lives upon the second floor of the opium den, and who was certainly the last human being ', 'e who lives upon the second floor of the opium den, and who was certainly the last human being whose', ' lives upon the second floor of the opium den, and who was certainly the last human being whose eyes', 's upon the second floor of the opium den, and who was certainly the last human being whose eyes rest', 'n the second floor of the opium den, and who was certainly the last human being whose eyes rested up', ' second floor of the opium den, and who was certainly the last human being whose eyes rested upon ne', 'nd floor of the opium den, and who was certainly the last human being whose eyes rested upon neville', 'oor of the opium den, and who was certainly the last human being whose eyes rested upon neville st. ', 'f the opium den, and who was certainly the last human being whose eyes rested upon neville st. clair', ' opium den, and who was certainly the last human being whose eyes rested upon neville st. clair. his', 'm den, and who was certainly the last human being whose eyes rested upon neville st. clair. his name', ', and who was certainly the last human being whose eyes rested upon neville st. clair. his name is h', ' who was certainly the last human being whose eyes rested upon neville st. clair. his name is hugh b', 'was certainly the last human being whose eyes rested upon neville st. clair. his name is hugh boone,', 'ertainly the last human being whose eyes rested upon neville st. clair. his name is hugh boone, and ', 'nly the last human being whose eyes rested upon neville st. clair. his name is hugh boone, and his h', 'he last human being whose eyes rested upon neville st. clair. his name is hugh boone, and his hideou', 'st human being whose eyes rested upon neville st. clair. his name is hugh boone, and his hideous fac', 'man being whose eyes rested upon neville st. clair. his name is hugh boone, and his hideous face is ', 'eing whose eyes rested upon neville st. clair. his name is hugh boone, and his hideous face is one w', 'whose eyes rested upon neville st. clair. his name is hugh boone, and his hideous face is one which ', ' eyes rested upon neville st. clair. his name is hugh boone, and his hideous face is one which is fa', ' rested upon neville st. clair. his name is hugh boone, and his hideous face is one which is familia', 'ed upon neville st. clair. his name is hugh boone, and his hideous face is one which is familiar to ', 'on neville st. clair. his name is hugh boone, and his hideous face is one which is familiar to every', 'ville st. clair. his name is hugh boone, and his hideous face is one which is familiar to every man ', ' st. clair. his name is hugh boone, and his hideous face is one which is familiar to every man who g', 'clair. his name is hugh boone, and his hideous face is one which is familiar to every man who goes m', '. his name is hugh boone, and his hideous face is one which is familiar to every man who goes much t', ' name is hugh boone, and his hideous face is one which is familiar to every man who goes much to the', ' is hugh boone, and his hideous face is one which is familiar to every man who goes much to the city', 'ugh boone, and his hideous face is one which is familiar to every man who goes much to the city. he ', 'oone, and his hideous face is one which is familiar to every man who goes much to the city. he is a ', ' and his hideous face is one which is familiar to every man who goes much to the city. he is a profe', 'his hideous face is one which is familiar to every man who goes much to the city. he is a profession', 'ideous face is one which is familiar to every man who goes much to the city. he is a professional be', 's face is one which is familiar to every man who goes much to the city. he is a professional beggar,', 'e is one which is familiar to every man who goes much to the city. he is a professional beggar, thou', 'one which is familiar to every man who goes much to the city. he is a professional beggar, though in', 'hich is familiar to every man who goes much to the city. he is a professional beggar, though in orde', 'is familiar to every man who goes much to the city. he is a professional beggar, though in order to ', 'miliar to every man who goes much to the city. he is a professional beggar, though in order to avoid', 'r to every man who goes much to the city. he is a professional beggar, though in order to avoid the ', 'every man who goes much to the city. he is a professional beggar, though in order to avoid the polic', ' man who goes much to the city. he is a professional beggar, though in order to avoid the police reg', 'who goes much to the city. he is a professional beggar, though in order to avoid the police regulati', 'oes much to the city. he is a professional beggar, though in order to avoid the police regulations h', 'uch to the city. he is a professional beggar, though in order to avoid the police regulations he pre', 'o the city. he is a professional beggar, though in order to avoid the police regulations he pretends', ' city. he is a professional beggar, though in order to avoid the police regulations he pretends to a', '. he is a professional beggar, though in order to avoid the police regulations he pretends to a smal', 'is a professional beggar, though in order to avoid the police regulations he pretends to a small tra', 'professional beggar, though in order to avoid the police regulations he pretends to a small trade in', 'ssional beggar, though in order to avoid the police regulations he pretends to a small trade in wax ', 'al beggar, though in order to avoid the police regulations he pretends to a small trade in wax vesta', 'ggar, though in order to avoid the police regulations he pretends to a small trade in wax vestas. so', ' though in order to avoid the police regulations he pretends to a small trade in wax vestas. some li', 'gh in order to avoid the police regulations he pretends to a small trade in wax vestas. some little ', ' order to avoid the police regulations he pretends to a small trade in wax vestas. some little dista', 'r to avoid the police regulations he pretends to a small trade in wax vestas. some little distance d', 'avoid the police regulations he pretends to a small trade in wax vestas. some little distance down t', ' the police regulations he pretends to a small trade in wax vestas. some little distance down thread', 'police regulations he pretends to a small trade in wax vestas. some little distance down threadneedl', 'e regulations he pretends to a small trade in wax vestas. some little distance down threadneedle str', 'ulations he pretends to a small trade in wax vestas. some little distance down threadneedle street, ', 'ons he pretends to a small trade in wax vestas. some little distance down threadneedle street, upon ', 'e pretends to a small trade in wax vestas. some little distance down threadneedle street, upon the l', 'tends to a small trade in wax vestas. some little distance down threadneedle street, upon the left-h', ' to a small trade in wax vestas. some little distance down threadneedle street, upon the left-hand s', ' small trade in wax vestas. some little distance down threadneedle street, upon the left-hand side, ', 'l trade in wax vestas. some little distance down threadneedle street, upon the left-hand side, there', 'de in wax vestas. some little distance down threadneedle street, upon the left-hand side, there is, ', ' wax vestas. some little distance down threadneedle street, upon the left-hand side, there is, as yo', 'vestas. some little distance down threadneedle street, upon the left-hand side, there is, as you may', 's. some little distance down threadneedle street, upon the left-hand side, there is, as you may have', 'me little distance down threadneedle street, upon the left-hand side, there is, as you may have rema', 'ttle distance down threadneedle street, upon the left-hand side, there is, as you may have remarked,', 'distance down threadneedle street, upon the left-hand side, there is, as you may have remarked, a sm', 'nce down threadneedle street, upon the left-hand side, there is, as you may have remarked, a small a', 'own threadneedle street, upon the left-hand side, there is, as you may have remarked, a small angle ', 'hreadneedle street, upon the left-hand side, there is, as you may have remarked, a small angle in th', 'needle street, upon the left-hand side, there is, as you may have remarked, a small angle in the wal', 'e street, upon the left-hand side, there is, as you may have remarked, a small angle in the wall. he', 'eet, upon the left-hand side, there is, as you may have remarked, a small angle in the wall. here it', 'upon the left-hand side, there is, as you may have remarked, a small angle in the wall. here it is t', 'the left-hand side, there is, as you may have remarked, a small angle in the wall. here it is that t', 'eft-hand side, there is, as you may have remarked, a small angle in the wall. here it is that this c', 'and side, there is, as you may have remarked, a small angle in the wall. here it is that this creatu', 'ide, there is, as you may have remarked, a small angle in the wall. here it is that this creature ta', 'there is, as you may have remarked, a small angle in the wall. here it is that this creature takes h', ' is, as you may have remarked, a small angle in the wall. here it is that this creature takes his da', 'as you may have remarked, a small angle in the wall. here it is that this creature takes his daily s', 'u may have remarked, a small angle in the wall. here it is that this creature takes his daily seat, ', ' have remarked, a small angle in the wall. here it is that this creature takes his daily seat, cross', ' remarked, a small angle in the wall. here it is that this creature takes his daily seat, cross-legg', 'rked, a small angle in the wall. here it is that this creature takes his daily seat, cross-legged wi', ' a small angle in the wall. here it is that this creature takes his daily seat, cross-legged with hi', 'all angle in the wall. here it is that this creature takes his daily seat, cross-legged with his tin', 'ngle in the wall. here it is that this creature takes his daily seat, cross-legged with his tiny sto', 'in the wall. here it is that this creature takes his daily seat, cross-legged with his tiny stock of', 'e wall. here it is that this creature takes his daily seat, cross-legged with his tiny stock of matc', 'l. here it is that this creature takes his daily seat, cross-legged with his tiny stock of matches o', 're it is that this creature takes his daily seat, cross-legged with his tiny stock of matches on his', ' is that this creature takes his daily seat, cross-legged with his tiny stock of matches on his lap,', 'hat this creature takes his daily seat, cross-legged with his tiny stock of matches on his lap, and ', 'his creature takes his daily seat, cross-legged with his tiny stock of matches on his lap, and as he', 'reature takes his daily seat, cross-legged with his tiny stock of matches on his lap, and as he is a', 're takes his daily seat, cross-legged with his tiny stock of matches on his lap, and as he is a pite', 'kes his daily seat, cross-legged with his tiny stock of matches on his lap, and as he is a piteous s', 'is daily seat, cross-legged with his tiny stock of matches on his lap, and as he is a piteous specta', 'ily seat, cross-legged with his tiny stock of matches on his lap, and as he is a piteous spectacle a', 'eat, cross-legged with his tiny stock of matches on his lap, and as he is a piteous spectacle a smal', 'cross-legged with his tiny stock of matches on his lap, and as he is a piteous spectacle a small rai', '-legged with his tiny stock of matches on his lap, and as he is a piteous spectacle a small rain of ', 'ed with his tiny stock of matches on his lap, and as he is a piteous spectacle a small rain of chari', 'th his tiny stock of matches on his lap, and as he is a piteous spectacle a small rain of charity de', 's tiny stock of matches on his lap, and as he is a piteous spectacle a small rain of charity descend', 'y stock of matches on his lap, and as he is a piteous spectacle a small rain of charity descends int', 'ck of matches on his lap, and as he is a piteous spectacle a small rain of charity descends into the', ' matches on his lap, and as he is a piteous spectacle a small rain of charity descends into the grea', 'hes on his lap, and as he is a piteous spectacle a small rain of charity descends into the greasy le', 'n his lap, and as he is a piteous spectacle a small rain of charity descends into the greasy leather', ' lap, and as he is a piteous spectacle a small rain of charity descends into the greasy leather cap ', ' and as he is a piteous spectacle a small rain of charity descends into the greasy leather cap which', 'as he is a piteous spectacle a small rain of charity descends into the greasy leather cap which lies', ' is a piteous spectacle a small rain of charity descends into the greasy leather cap which lies upon', ' piteous spectacle a small rain of charity descends into the greasy leather cap which lies upon the ', 'ous spectacle a small rain of charity descends into the greasy leather cap which lies upon the pavem', 'pectacle a small rain of charity descends into the greasy leather cap which lies upon the pavement b', 'cle a small rain of charity descends into the greasy leather cap which lies upon the pavement beside', ' small rain of charity descends into the greasy leather cap which lies upon the pavement beside him.', 'l rain of charity descends into the greasy leather cap which lies upon the pavement beside him. i ha', 'n of charity descends into the greasy leather cap which lies upon the pavement beside him. i have wa', 'charity descends into the greasy leather cap which lies upon the pavement beside him. i have watched', 'ty descends into the greasy leather cap which lies upon the pavement beside him. i have watched the ', 'scends into the greasy leather cap which lies upon the pavement beside him. i have watched the fello', 's into the greasy leather cap which lies upon the pavement beside him. i have watched the fellow mor', 'o the greasy leather cap which lies upon the pavement beside him. i have watched the fellow more tha', ' greasy leather cap which lies upon the pavement beside him. i have watched the fellow more than onc', 'sy leather cap which lies upon the pavement beside him. i have watched the fellow more than once bef', 'ather cap which lies upon the pavement beside him. i have watched the fellow more than once before e', ' cap which lies upon the pavement beside him. i have watched the fellow more than once before ever i', 'which lies upon the pavement beside him. i have watched the fellow more than once before ever i thou', ' lies upon the pavement beside him. i have watched the fellow more than once before ever i thought o', ' upon the pavement beside him. i have watched the fellow more than once before ever i thought of mak', ' the pavement beside him. i have watched the fellow more than once before ever i thought of making h', 'pavement beside him. i have watched the fellow more than once before ever i thought of making his pr', 'ent beside him. i have watched the fellow more than once before ever i thought of making his profess', 'eside him. i have watched the fellow more than once before ever i thought of making his professional', ' him. i have watched the fellow more than once before ever i thought of making his professional acqu', ' i have watched the fellow more than once before ever i thought of making his professional acquainta', 've watched the fellow more than once before ever i thought of making his professional acquaintance, ', 'tched the fellow more than once before ever i thought of making his professional acquaintance, and i', ' the fellow more than once before ever i thought of making his professional acquaintance, and i have', 'fellow more than once before ever i thought of making his professional acquaintance, and i have been', 'w more than once before ever i thought of making his professional acquaintance, and i have been surp', 'e than once before ever i thought of making his professional acquaintance, and i have been surprised', 'n once before ever i thought of making his professional acquaintance, and i have been surprised at t', 'e before ever i thought of making his professional acquaintance, and i have been surprised at the ha', 'ore ever i thought of making his professional acquaintance, and i have been surprised at the harvest', 'ver i thought of making his professional acquaintance, and i have been surprised at the harvest whic', ' thought of making his professional acquaintance, and i have been surprised at the harvest which he ', 'ght of making his professional acquaintance, and i have been surprised at the harvest which he has r', 'f making his professional acquaintance, and i have been surprised at the harvest which he has reaped', 'ing his professional acquaintance, and i have been surprised at the harvest which he has reaped in a', 'is professional acquaintance, and i have been surprised at the harvest which he has reaped in a shor', 'ofessional acquaintance, and i have been surprised at the harvest which he has reaped in a short tim', 'ional acquaintance, and i have been surprised at the harvest which he has reaped in a short time. hi', ' acquaintance, and i have been surprised at the harvest which he has reaped in a short time. his app', 'aintance, and i have been surprised at the harvest which he has reaped in a short time. his appearan', 'nce, and i have been surprised at the harvest which he has reaped in a short time. his appearance, y', 'and i have been surprised at the harvest which he has reaped in a short time. his appearance, you se', ' have been surprised at the harvest which he has reaped in a short time. his appearance, you see, is', ' been surprised at the harvest which he has reaped in a short time. his appearance, you see, is so r', ' surprised at the harvest which he has reaped in a short time. his appearance, you see, is so remark', 'rised at the harvest which he has reaped in a short time. his appearance, you see, is so remarkable ', ' at the harvest which he has reaped in a short time. his appearance, you see, is so remarkable that ', 'he harvest which he has reaped in a short time. his appearance, you see, is so remarkable that no on', 'rvest which he has reaped in a short time. his appearance, you see, is so remarkable that no one can', ' which he has reaped in a short time. his appearance, you see, is so remarkable that no one can pass', 'h he has reaped in a short time. his appearance, you see, is so remarkable that no one can pass him ', 'has reaped in a short time. his appearance, you see, is so remarkable that no one can pass him witho', 'eaped in a short time. his appearance, you see, is so remarkable that no one can pass him without ob', ' in a short time. his appearance, you see, is so remarkable that no one can pass him without observi', ' short time. his appearance, you see, is so remarkable that no one can pass him without observing hi', 't time. his appearance, you see, is so remarkable that no one can pass him without observing him. a ', 'e. his appearance, you see, is so remarkable that no one can pass him without observing him. a shock', 's appearance, you see, is so remarkable that no one can pass him without observing him. a shock of o', 'earance, you see, is so remarkable that no one can pass him without observing him. a shock of orange', 'ce, you see, is so remarkable that no one can pass him without observing him. a shock of orange hair', 'ou see, is so remarkable that no one can pass him without observing him. a shock of orange hair, a p', 'e, is so remarkable that no one can pass him without observing him. a shock of orange hair, a pale f', ' so remarkable that no one can pass him without observing him. a shock of orange hair, a pale face d', 'emarkable that no one can pass him without observing him. a shock of orange hair, a pale face disfig', 'able that no one can pass him without observing him. a shock of orange hair, a pale face disfigured ', 'that no one can pass him without observing him. a shock of orange hair, a pale face disfigured by a ', 'no one can pass him without observing him. a shock of orange hair, a pale face disfigured by a horri', 'e can pass him without observing him. a shock of orange hair, a pale face disfigured by a horrible s', ' pass him without observing him. a shock of orange hair, a pale face disfigured by a horrible scar, ', ' him without observing him. a shock of orange hair, a pale face disfigured by a horrible scar, which', 'without observing him. a shock of orange hair, a pale face disfigured by a horrible scar, which, by ', 'ut observing him. a shock of orange hair, a pale face disfigured by a horrible scar, which, by its c', 'serving him. a shock of orange hair, a pale face disfigured by a horrible scar, which, by its contra', 'ng him. a shock of orange hair, a pale face disfigured by a horrible scar, which, by its contraction', 'm. a shock of orange hair, a pale face disfigured by a horrible scar, which, by its contraction, has', 'shock of orange hair, a pale face disfigured by a horrible scar, which, by its contraction, has turn', ' of orange hair, a pale face disfigured by a horrible scar, which, by its contraction, has turned up', 'range hair, a pale face disfigured by a horrible scar, which, by its contraction, has turned up the ', ' hair, a pale face disfigured by a horrible scar, which, by its contraction, has turned up the outer', ', a pale face disfigured by a horrible scar, which, by its contraction, has turned up the outer edge', 'ale face disfigured by a horrible scar, which, by its contraction, has turned up the outer edge of h', 'ace disfigured by a horrible scar, which, by its contraction, has turned up the outer edge of his up', 'isfigured by a horrible scar, which, by its contraction, has turned up the outer edge of his upper l', 'ured by a horrible scar, which, by its contraction, has turned up the outer edge of his upper lip, a', 'by a horrible scar, which, by its contraction, has turned up the outer edge of his upper lip, a bull', 'horrible scar, which, by its contraction, has turned up the outer edge of his upper lip, a bulldog c', 'ble scar, which, by its contraction, has turned up the outer edge of his upper lip, a bulldog chin, ', 'car, which, by its contraction, has turned up the outer edge of his upper lip, a bulldog chin, and a', 'which, by its contraction, has turned up the outer edge of his upper lip, a bulldog chin, and a pair', ', by its contraction, has turned up the outer edge of his upper lip, a bulldog chin, and a pair of v', 'its contraction, has turned up the outer edge of his upper lip, a bulldog chin, and a pair of very p', 'ontraction, has turned up the outer edge of his upper lip, a bulldog chin, and a pair of very penetr', 'ction, has turned up the outer edge of his upper lip, a bulldog chin, and a pair of very penetrating', ', has turned up the outer edge of his upper lip, a bulldog chin, and a pair of very penetrating dark', ' turned up the outer edge of his upper lip, a bulldog chin, and a pair of very penetrating dark eyes', 'ed up the outer edge of his upper lip, a bulldog chin, and a pair of very penetrating dark eyes, whi', ' the outer edge of his upper lip, a bulldog chin, and a pair of very penetrating dark eyes, which pr', 'outer edge of his upper lip, a bulldog chin, and a pair of very penetrating dark eyes, which present', ' edge of his upper lip, a bulldog chin, and a pair of very penetrating dark eyes, which present a si', ' of his upper lip, a bulldog chin, and a pair of very penetrating dark eyes, which present a singula', 'is upper lip, a bulldog chin, and a pair of very penetrating dark eyes, which present a singular con', 'per lip, a bulldog chin, and a pair of very penetrating dark eyes, which present a singular contrast', 'ip, a bulldog chin, and a pair of very penetrating dark eyes, which present a singular contrast to t', ' bulldog chin, and a pair of very penetrating dark eyes, which present a singular contrast to the co', 'dog chin, and a pair of very penetrating dark eyes, which present a singular contrast to the colour ', 'hin, and a pair of very penetrating dark eyes, which present a singular contrast to the colour of hi', 'and a pair of very penetrating dark eyes, which present a singular contrast to the colour of his hai', ' pair of very penetrating dark eyes, which present a singular contrast to the colour of his hair, al', ' of very penetrating dark eyes, which present a singular contrast to the colour of his hair, all mar', 'ery penetrating dark eyes, which present a singular contrast to the colour of his hair, all mark him', 'enetrating dark eyes, which present a singular contrast to the colour of his hair, all mark him out ', 'ating dark eyes, which present a singular contrast to the colour of his hair, all mark him out from ', ' dark eyes, which present a singular contrast to the colour of his hair, all mark him out from amid ', ' eyes, which present a singular contrast to the colour of his hair, all mark him out from amid the c', ', which present a singular contrast to the colour of his hair, all mark him out from amid the common', 'ch present a singular contrast to the colour of his hair, all mark him out from amid the common crow', 'esent a singular contrast to the colour of his hair, all mark him out from amid the common crowd of ', ' a singular contrast to the colour of his hair, all mark him out from amid the common crowd of mendi', 'ngular contrast to the colour of his hair, all mark him out from amid the common crowd of mendicants', 'r contrast to the colour of his hair, all mark him out from amid the common crowd of mendicants and ', 'trast to the colour of his hair, all mark him out from amid the common crowd of mendicants and so, t', ' to the colour of his hair, all mark him out from amid the common crowd of mendicants and so, too, d', 'he colour of his hair, all mark him out from amid the common crowd of mendicants and so, too, does h', 'lour of his hair, all mark him out from amid the common crowd of mendicants and so, too, does his wi', 'of his hair, all mark him out from amid the common crowd of mendicants and so, too, does his wit, fo', 's hair, all mark him out from amid the common crowd of mendicants and so, too, does his wit, for he ', 'r, all mark him out from amid the common crowd of mendicants and so, too, does his wit, for he is ev', 'l mark him out from amid the common crowd of mendicants and so, too, does his wit, for he is ever re', 'k him out from amid the common crowd of mendicants and so, too, does his wit, for he is ever ready w', ' out from amid the common crowd of mendicants and so, too, does his wit, for he is ever ready with a', 'from amid the common crowd of mendicants and so, too, does his wit, for he is ever ready with a repl', 'amid the common crowd of mendicants and so, too, does his wit, for he is ever ready with a reply to ', 'the common crowd of mendicants and so, too, does his wit, for he is ever ready with a reply to any p', 'ommon crowd of mendicants and so, too, does his wit, for he is ever ready with a reply to any piece ', ' crowd of mendicants and so, too, does his wit, for he is ever ready with a reply to any piece of ch', 'd of mendicants and so, too, does his wit, for he is ever ready with a reply to any piece of chaff w', 'mendicants and so, too, does his wit, for he is ever ready with a reply to any piece of chaff which ', 'cants and so, too, does his wit, for he is ever ready with a reply to any piece of chaff which may b', ' and so, too, does his wit, for he is ever ready with a reply to any piece of chaff which may be thr', 'so, too, does his wit, for he is ever ready with a reply to any piece of chaff which may be thrown a', 'oo, does his wit, for he is ever ready with a reply to any piece of chaff which may be thrown at him', 'oes his wit, for he is ever ready with a reply to any piece of chaff which may be thrown at him by t', 'is wit, for he is ever ready with a reply to any piece of chaff which may be thrown at him by the pa', 't, for he is ever ready with a reply to any piece of chaff which may be thrown at him by the passers', 'r he is ever ready with a reply to any piece of chaff which may be thrown at him by the passers-by. ', 'is ever ready with a reply to any piece of chaff which may be thrown at him by the passers-by. this ', 'er ready with a reply to any piece of chaff which may be thrown at him by the passers-by. this is th', 'ady with a reply to any piece of chaff which may be thrown at him by the passers-by. this is the man', 'ith a reply to any piece of chaff which may be thrown at him by the passers-by. this is the man whom', ' reply to any piece of chaff which may be thrown at him by the passers-by. this is the man whom we n', 'y to any piece of chaff which may be thrown at him by the passers-by. this is the man whom we now le', 'any piece of chaff which may be thrown at him by the passers-by. this is the man whom we now learn t', 'iece of chaff which may be thrown at him by the passers-by. this is the man whom we now learn to hav', 'of chaff which may be thrown at him by the passers-by. this is the man whom we now learn to have bee', 'aff which may be thrown at him by the passers-by. this is the man whom we now learn to have been the', 'hich may be thrown at him by the passers-by. this is the man whom we now learn to have been the lodg', 'may be thrown at him by the passers-by. this is the man whom we now learn to have been the lodger at', 'e thrown at him by the passers-by. this is the man whom we now learn to have been the lodger at the ', 'own at him by the passers-by. this is the man whom we now learn to have been the lodger at the opium', 't him by the passers-by. this is the man whom we now learn to have been the lodger at the opium den,', ' by the passers-by. this is the man whom we now learn to have been the lodger at the opium den, and ', 'he passers-by. this is the man whom we now learn to have been the lodger at the opium den, and to ha', 'ssers-by. this is the man whom we now learn to have been the lodger at the opium den, and to have be', '-by. this is the man whom we now learn to have been the lodger at the opium den, and to have been th', 'this is the man whom we now learn to have been the lodger at the opium den, and to have been the las', 'is the man whom we now learn to have been the lodger at the opium den, and to have been the last man', 'e man whom we now learn to have been the lodger at the opium den, and to have been the last man to s', ' whom we now learn to have been the lodger at the opium den, and to have been the last man to see th', ' we now learn to have been the lodger at the opium den, and to have been the last man to see the gen', 'ow learn to have been the lodger at the opium den, and to have been the last man to see the gentlema', 'arn to have been the lodger at the opium den, and to have been the last man to see the gentleman of ', 'o have been the lodger at the opium den, and to have been the last man to see the gentleman of whom ', 'e been the lodger at the opium den, and to have been the last man to see the gentleman of whom we ar', 'n the lodger at the opium den, and to have been the last man to see the gentleman of whom we are in ', ' lodger at the opium den, and to have been the last man to see the gentleman of whom we are in quest', 'er at the opium den, and to have been the last man to see the gentleman of whom we are in quest." "b', ' the opium den, and to have been the last man to see the gentleman of whom we are in quest." "but a ', 'opium den, and to have been the last man to see the gentleman of whom we are in quest." "but a cripp', ' den, and to have been the last man to see the gentleman of whom we are in quest." "but a cripple sa', ' and to have been the last man to see the gentleman of whom we are in quest." "but a cripple said i.', 'to have been the last man to see the gentleman of whom we are in quest." "but a cripple said i. "wha', 've been the last man to see the gentleman of whom we are in quest." "but a cripple said i. "what cou', 'en the last man to see the gentleman of whom we are in quest." "but a cripple said i. "what could he', 'e last man to see the gentleman of whom we are in quest." "but a cripple said i. "what could he have', 't man to see the gentleman of whom we are in quest." "but a cripple said i. "what could he have done', ' to see the gentleman of whom we are in quest." "but a cripple said i. "what could he have done sing', 'ee the gentleman of whom we are in quest." "but a cripple said i. "what could he have done single-ha', 'e gentleman of whom we are in quest." "but a cripple said i. "what could he have done single-handed ', 'tleman of whom we are in quest." "but a cripple said i. "what could he have done single-handed again', 'n of whom we are in quest." "but a cripple said i. "what could he have done single-handed against a ', 'whom we are in quest." "but a cripple said i. "what could he have done single-handed against a man i', 'we are in quest." "but a cripple said i. "what could he have done single-handed against a man in the', 'e in quest." "but a cripple said i. "what could he have done single-handed against a man in the prim', 'quest." "but a cripple said i. "what could he have done single-handed against a man in the prime of ', '." "but a cripple said i. "what could he have done single-handed against a man in the prime of life?', 'ut a cripple said i. "what could he have done single-handed against a man in the prime of life?" "he', 'cripple said i. "what could he have done single-handed against a man in the prime of life?" "he is a', 'le said i. "what could he have done single-handed against a man in the prime of life?" "he is a crip', 'id i. "what could he have done single-handed against a man in the prime of life?" "he is a cripple i', ' "what could he have done single-handed against a man in the prime of life?" "he is a cripple in the', 't could he have done single-handed against a man in the prime of life?" "he is a cripple in the sens', 'ld he have done single-handed against a man in the prime of life?" "he is a cripple in the sense tha', ' have done single-handed against a man in the prime of life?" "he is a cripple in the sense that he ', ' done single-handed against a man in the prime of life?" "he is a cripple in the sense that he walks', ' single-handed against a man in the prime of life?" "he is a cripple in the sense that he walks with', 'le-handed against a man in the prime of life?" "he is a cripple in the sense that he walks with a li', 'nded against a man in the prime of life?" "he is a cripple in the sense that he walks with a limp; b', 'against a man in the prime of life?" "he is a cripple in the sense that he walks with a limp; but in', 'st a man in the prime of life?" "he is a cripple in the sense that he walks with a limp; but in othe', 'man in the prime of life?" "he is a cripple in the sense that he walks with a limp; but in other res', 'n the prime of life?" "he is a cripple in the sense that he walks with a limp; but in other respects', ' prime of life?" "he is a cripple in the sense that he walks with a limp; but in other respects he a', 'e of life?" "he is a cripple in the sense that he walks with a limp; but in other respects he appear', 'life?" "he is a cripple in the sense that he walks with a limp; but in other respects he appears to ', '" "he is a cripple in the sense that he walks with a limp; but in other respects he appears to be a ', ' is a cripple in the sense that he walks with a limp; but in other respects he appears to be a power', ' cripple in the sense that he walks with a limp; but in other respects he appears to be a powerful a', 'ple in the sense that he walks with a limp; but in other respects he appears to be a powerful and we', 'n the sense that he walks with a limp; but in other respects he appears to be a powerful and well-nu', ' sense that he walks with a limp; but in other respects he appears to be a powerful and well-nurture', 'e that he walks with a limp; but in other respects he appears to be a powerful and well-nurtured man', 't he walks with a limp; but in other respects he appears to be a powerful and well-nurtured man. sur', 'walks with a limp; but in other respects he appears to be a powerful and well-nurtured man. surely y', ' with a limp; but in other respects he appears to be a powerful and well-nurtured man. surely your m', ' a limp; but in other respects he appears to be a powerful and well-nurtured man. surely your medica', 'mp; but in other respects he appears to be a powerful and well-nurtured man. surely your medical exp', 'ut in other respects he appears to be a powerful and well-nurtured man. surely your medical experien', ' other respects he appears to be a powerful and well-nurtured man. surely your medical experience wo', 'r respects he appears to be a powerful and well-nurtured man. surely your medical experience would t', 'pects he appears to be a powerful and well-nurtured man. surely your medical experience would tell y', ' he appears to be a powerful and well-nurtured man. surely your medical experience would tell you, w', 'ppears to be a powerful and well-nurtured man. surely your medical experience would tell you, watson', 's to be a powerful and well-nurtured man. surely your medical experience would tell you, watson, tha', 'be a powerful and well-nurtured man. surely your medical experience would tell you, watson, that wea', 'powerful and well-nurtured man. surely your medical experience would tell you, watson, that weakness', 'ful and well-nurtured man. surely your medical experience would tell you, watson, that weakness in o', 'nd well-nurtured man. surely your medical experience would tell you, watson, that weakness in one li', 'll-nurtured man. surely your medical experience would tell you, watson, that weakness in one limb is', 'rtured man. surely your medical experience would tell you, watson, that weakness in one limb is ofte', 'd man. surely your medical experience would tell you, watson, that weakness in one limb is often com', '. surely your medical experience would tell you, watson, that weakness in one limb is often compensa', 'ely your medical experience would tell you, watson, that weakness in one limb is often compensated f', 'our medical experience would tell you, watson, that weakness in one limb is often compensated for by', 'edical experience would tell you, watson, that weakness in one limb is often compensated for by exce', 'l experience would tell you, watson, that weakness in one limb is often compensated for by exception', 'erience would tell you, watson, that weakness in one limb is often compensated for by exceptional st', 'ce would tell you, watson, that weakness in one limb is often compensated for by exceptional strengt', 'uld tell you, watson, that weakness in one limb is often compensated for by exceptional strength in ', 'ell you, watson, that weakness in one limb is often compensated for by exceptional strength in the o', 'ou, watson, that weakness in one limb is often compensated for by exceptional strength in the others', 'atson, that weakness in one limb is often compensated for by exceptional strength in the others." "p', ', that weakness in one limb is often compensated for by exceptional strength in the others." "pray c', 't weakness in one limb is often compensated for by exceptional strength in the others." "pray contin', 'kness in one limb is often compensated for by exceptional strength in the others." "pray continue yo', ' in one limb is often compensated for by exceptional strength in the others." "pray continue your na', 'ne limb is often compensated for by exceptional strength in the others." "pray continue your narrati', 'mb is often compensated for by exceptional strength in the others." "pray continue your narrative." ', ' often compensated for by exceptional strength in the others." "pray continue your narrative." "mrs.', 'n compensated for by exceptional strength in the others." "pray continue your narrative." "mrs. st. ', 'pensated for by exceptional strength in the others." "pray continue your narrative." "mrs. st. clair', 'ted for by exceptional strength in the others." "pray continue your narrative." "mrs. st. clair had ', 'or by exceptional strength in the others." "pray continue your narrative." "mrs. st. clair had faint', ' exceptional strength in the others." "pray continue your narrative." "mrs. st. clair had fainted at', 'ptional strength in the others." "pray continue your narrative." "mrs. st. clair had fainted at the ', 'al strength in the others." "pray continue your narrative." "mrs. st. clair had fainted at the sight', 'rength in the others." "pray continue your narrative." "mrs. st. clair had fainted at the sight of t', 'h in the others." "pray continue your narrative." "mrs. st. clair had fainted at the sight of the bl', 'the others." "pray continue your narrative." "mrs. st. clair had fainted at the sight of the blood u', 'thers." "pray continue your narrative." "mrs. st. clair had fainted at the sight of the blood upon t', '." "pray continue your narrative." "mrs. st. clair had fainted at the sight of the blood upon the wi', 'ray continue your narrative." "mrs. st. clair had fainted at the sight of the blood upon the window,', 'ontinue your narrative." "mrs. st. clair had fainted at the sight of the blood upon the window, and ', 'ue your narrative." "mrs. st. clair had fainted at the sight of the blood upon the window, and she w', 'ur narrative." "mrs. st. clair had fainted at the sight of the blood upon the window, and she was es', 'rrative." "mrs. st. clair had fainted at the sight of the blood upon the window, and she was escorte', 've." "mrs. st. clair had fainted at the sight of the blood upon the window, and she was escorted hom', '"mrs. st. clair had fainted at the sight of the blood upon the window, and she was escorted home in ', ' st. clair had fainted at the sight of the blood upon the window, and she was escorted home in a cab', 'clair had fainted at the sight of the blood upon the window, and she was escorted home in a cab by t', ' had fainted at the sight of the blood upon the window, and she was escorted home in a cab by the po', 'fainted at the sight of the blood upon the window, and she was escorted home in a cab by the police,', 'ed at the sight of the blood upon the window, and she was escorted home in a cab by the police, as h', ' the sight of the blood upon the window, and she was escorted home in a cab by the police, as her pr', 'sight of the blood upon the window, and she was escorted home in a cab by the police, as her presenc', ' of the blood upon the window, and she was escorted home in a cab by the police, as her presence cou', 'he blood upon the window, and she was escorted home in a cab by the police, as her presence could be', 'ood upon the window, and she was escorted home in a cab by the police, as her presence could be of n', 'pon the window, and she was escorted home in a cab by the police, as her presence could be of no hel', 'he window, and she was escorted home in a cab by the police, as her presence could be of no help to ', 'ndow, and she was escorted home in a cab by the police, as her presence could be of no help to them ', ' and she was escorted home in a cab by the police, as her presence could be of no help to them in th', 'she was escorted home in a cab by the police, as her presence could be of no help to them in their i', 'as escorted home in a cab by the police, as her presence could be of no help to them in their invest', 'corted home in a cab by the police, as her presence could be of no help to them in their investigati', 'd home in a cab by the police, as her presence could be of no help to them in their investigations. ', 'e in a cab by the police, as her presence could be of no help to them in their investigations. inspe', 'a cab by the police, as her presence could be of no help to them in their investigations. inspector ', ' by the police, as her presence could be of no help to them in their investigations. inspector barto', 'he police, as her presence could be of no help to them in their investigations. inspector barton, wh', 'lice, as her presence could be of no help to them in their investigations. inspector barton, who had', ' as her presence could be of no help to them in their investigations. inspector barton, who had char', 'er presence could be of no help to them in their investigations. inspector barton, who had charge of', 'esence could be of no help to them in their investigations. inspector barton, who had charge of the ', 'e could be of no help to them in their investigations. inspector barton, who had charge of the case,', 'ld be of no help to them in their investigations. inspector barton, who had charge of the case, made', ' of no help to them in their investigations. inspector barton, who had charge of the case, made a ve', 'o help to them in their investigations. inspector barton, who had charge of the case, made a very ca', 'p to them in their investigations. inspector barton, who had charge of the case, made a very careful', 'them in their investigations. inspector barton, who had charge of the case, made a very careful exam', 'in their investigations. inspector barton, who had charge of the case, made a very careful examinati', 'eir investigations. inspector barton, who had charge of the case, made a very careful examination of', 'nvestigations. inspector barton, who had charge of the case, made a very careful examination of the ', 'igations. inspector barton, who had charge of the case, made a very careful examination of the premi', 'ons. inspector barton, who had charge of the case, made a very careful examination of the premises, ', 'inspector barton, who had charge of the case, made a very careful examination of the premises, but w', 'ctor barton, who had charge of the case, made a very careful examination of the premises, but withou', 'barton, who had charge of the case, made a very careful examination of the premises, but without fin', 'n, who had charge of the case, made a very careful examination of the premises, but without finding ', 'o had charge of the case, made a very careful examination of the premises, but without finding anyth', ' charge of the case, made a very careful examination of the premises, but without finding anything w', 'ge of the case, made a very careful examination of the premises, but without finding anything which ', ' the case, made a very careful examination of the premises, but without finding anything which threw', 'case, made a very careful examination of the premises, but without finding anything which threw any ', ' made a very careful examination of the premises, but without finding anything which threw any light', ' a very careful examination of the premises, but without finding anything which threw any light upon', 'ry careful examination of the premises, but without finding anything which threw any light upon the ', 'reful examination of the premises, but without finding anything which threw any light upon the matte', ' examination of the premises, but without finding anything which threw any light upon the matter. on', 'ination of the premises, but without finding anything which threw any light upon the matter. one mis', 'on of the premises, but without finding anything which threw any light upon the matter. one mistake ', ' the premises, but without finding anything which threw any light upon the matter. one mistake had b', 'premises, but without finding anything which threw any light upon the matter. one mistake had been m', 'ses, but without finding anything which threw any light upon the matter. one mistake had been made i', 'but without finding anything which threw any light upon the matter. one mistake had been made in not', 'ithout finding anything which threw any light upon the matter. one mistake had been made in not arre', 't finding anything which threw any light upon the matter. one mistake had been made in not arresting', 'ding anything which threw any light upon the matter. one mistake had been made in not arresting boon', 'anything which threw any light upon the matter. one mistake had been made in not arresting boone ins', 'ing which threw any light upon the matter. one mistake had been made in not arresting boone instantl', 'hich threw any light upon the matter. one mistake had been made in not arresting boone instantly, as', 'threw any light upon the matter. one mistake had been made in not arresting boone instantly, as he w', ' any light upon the matter. one mistake had been made in not arresting boone instantly, as he was al', 'light upon the matter. one mistake had been made in not arresting boone instantly, as he was allowed', ' upon the matter. one mistake had been made in not arresting boone instantly, as he was allowed some', ' the matter. one mistake had been made in not arresting boone instantly, as he was allowed some few ', 'matter. one mistake had been made in not arresting boone instantly, as he was allowed some few minut', 'r. one mistake had been made in not arresting boone instantly, as he was allowed some few minutes du', 'e mistake had been made in not arresting boone instantly, as he was allowed some few minutes during ', 'take had been made in not arresting boone instantly, as he was allowed some few minutes during which', 'had been made in not arresting boone instantly, as he was allowed some few minutes during which he m', 'een made in not arresting boone instantly, as he was allowed some few minutes during which he might ', 'ade in not arresting boone instantly, as he was allowed some few minutes during which he might have ', 'n not arresting boone instantly, as he was allowed some few minutes during which he might have commu', ' arresting boone instantly, as he was allowed some few minutes during which he might have communicat', 'sting boone instantly, as he was allowed some few minutes during which he might have communicated wi', ' boone instantly, as he was allowed some few minutes during which he might have communicated with hi', 'e instantly, as he was allowed some few minutes during which he might have communicated with his fri', 'tantly, as he was allowed some few minutes during which he might have communicated with his friend t', 'y, as he was allowed some few minutes during which he might have communicated with his friend the la', ' he was allowed some few minutes during which he might have communicated with his friend the lascar,', 'as allowed some few minutes during which he might have communicated with his friend the lascar, but ', 'lowed some few minutes during which he might have communicated with his friend the lascar, but this ', ' some few minutes during which he might have communicated with his friend the lascar, but this fault', ' few minutes during which he might have communicated with his friend the lascar, but this fault was ', 'minutes during which he might have communicated with his friend the lascar, but this fault was soon ', 'es during which he might have communicated with his friend the lascar, but this fault was soon remed', 'ring which he might have communicated with his friend the lascar, but this fault was soon remedied, ', 'which he might have communicated with his friend the lascar, but this fault was soon remedied, and h', ' he might have communicated with his friend the lascar, but this fault was soon remedied, and he was', 'ight have communicated with his friend the lascar, but this fault was soon remedied, and he was seiz', 'have communicated with his friend the lascar, but this fault was soon remedied, and he was seized an', 'communicated with his friend the lascar, but this fault was soon remedied, and he was seized and sea', 'nicated with his friend the lascar, but this fault was soon remedied, and he was seized and searched', 'ed with his friend the lascar, but this fault was soon remedied, and he was seized and searched, wit', 'th his friend the lascar, but this fault was soon remedied, and he was seized and searched, without ', 's friend the lascar, but this fault was soon remedied, and he was seized and searched, without anyth', 'end the lascar, but this fault was soon remedied, and he was seized and searched, without anything b', 'he lascar, but this fault was soon remedied, and he was seized and searched, without anything being ', 'scar, but this fault was soon remedied, and he was seized and searched, without anything being found', ' but this fault was soon remedied, and he was seized and searched, without anything being found whic', 'this fault was soon remedied, and he was seized and searched, without anything being found which cou', 'fault was soon remedied, and he was seized and searched, without anything being found which could in', ' was soon remedied, and he was seized and searched, without anything being found which could incrimi', 'soon remedied, and he was seized and searched, without anything being found which could incriminate ', 'remedied, and he was seized and searched, without anything being found which could incriminate him. ', 'ied, and he was seized and searched, without anything being found which could incriminate him. there', 'and he was seized and searched, without anything being found which could incriminate him. there were', 'e was seized and searched, without anything being found which could incriminate him. there were, it ', ' seized and searched, without anything being found which could incriminate him. there were, it is tr', 'ed and searched, without anything being found which could incriminate him. there were, it is true, s', 'd searched, without anything being found which could incriminate him. there were, it is true, some b', 'rched, without anything being found which could incriminate him. there were, it is true, some blood-', ', without anything being found which could incriminate him. there were, it is true, some blood-stain', 'hout anything being found which could incriminate him. there were, it is true, some blood-stains upo', 'anything being found which could incriminate him. there were, it is true, some blood-stains upon his', 'ing being found which could incriminate him. there were, it is true, some blood-stains upon his righ', 'eing found which could incriminate him. there were, it is true, some blood-stains upon his right shi', 'found which could incriminate him. there were, it is true, some blood-stains upon his right shirt-sl', ' which could incriminate him. there were, it is true, some blood-stains upon his right shirt-sleeve,', 'h could incriminate him. there were, it is true, some blood-stains upon his right shirt-sleeve, but ', 'ld incriminate him. there were, it is true, some blood-stains upon his right shirt-sleeve, but he po', 'criminate him. there were, it is true, some blood-stains upon his right shirt-sleeve, but he pointed', 'nate him. there were, it is true, some blood-stains upon his right shirt-sleeve, but he pointed to h', 'him. there were, it is true, some blood-stains upon his right shirt-sleeve, but he pointed to his ri', 'there were, it is true, some blood-stains upon his right shirt-sleeve, but he pointed to his ring-fi', ' were, it is true, some blood-stains upon his right shirt-sleeve, but he pointed to his ring-finger,', ', it is true, some blood-stains upon his right shirt-sleeve, but he pointed to his ring-finger, whic', 'is true, some blood-stains upon his right shirt-sleeve, but he pointed to his ring-finger, which had', 'ue, some blood-stains upon his right shirt-sleeve, but he pointed to his ring-finger, which had been', 'ome blood-stains upon his right shirt-sleeve, but he pointed to his ring-finger, which had been cut ', 'lood-stains upon his right shirt-sleeve, but he pointed to his ring-finger, which had been cut near ', 'stains upon his right shirt-sleeve, but he pointed to his ring-finger, which had been cut near the n', 's upon his right shirt-sleeve, but he pointed to his ring-finger, which had been cut near the nail, ', 'n his right shirt-sleeve, but he pointed to his ring-finger, which had been cut near the nail, and e', ' right shirt-sleeve, but he pointed to his ring-finger, which had been cut near the nail, and explai', 't shirt-sleeve, but he pointed to his ring-finger, which had been cut near the nail, and explained t', 'rt-sleeve, but he pointed to his ring-finger, which had been cut near the nail, and explained that t', 'eeve, but he pointed to his ring-finger, which had been cut near the nail, and explained that the bl', ' but he pointed to his ring-finger, which had been cut near the nail, and explained that the bleedin', 'he pointed to his ring-finger, which had been cut near the nail, and explained that the bleeding cam', 'inted to his ring-finger, which had been cut near the nail, and explained that the bleeding came fro', ' to his ring-finger, which had been cut near the nail, and explained that the bleeding came from the', 'is ring-finger, which had been cut near the nail, and explained that the bleeding came from there, a', 'ng-finger, which had been cut near the nail, and explained that the bleeding came from there, adding', 'nger, which had been cut near the nail, and explained that the bleeding came from there, adding that', ' which had been cut near the nail, and explained that the bleeding came from there, adding that he h', 'h had been cut near the nail, and explained that the bleeding came from there, adding that he had be', ' been cut near the nail, and explained that the bleeding came from there, adding that he had been to', ' cut near the nail, and explained that the bleeding came from there, adding that he had been to the ', 'near the nail, and explained that the bleeding came from there, adding that he had been to the windo', 'the nail, and explained that the bleeding came from there, adding that he had been to the window not', 'ail, and explained that the bleeding came from there, adding that he had been to the window not long', 'and explained that the bleeding came from there, adding that he had been to the window not long befo', 'xplained that the bleeding came from there, adding that he had been to the window not long before, a', 'ned that the bleeding came from there, adding that he had been to the window not long before, and th', 'hat the bleeding came from there, adding that he had been to the window not long before, and that th', 'he bleeding came from there, adding that he had been to the window not long before, and that the sta', 'eeding came from there, adding that he had been to the window not long before, and that the stains w', 'g came from there, adding that he had been to the window not long before, and that the stains which ', 'e from there, adding that he had been to the window not long before, and that the stains which had b', 'm there, adding that he had been to the window not long before, and that the stains which had been o', 're, adding that he had been to the window not long before, and that the stains which had been observ', 'dding that he had been to the window not long before, and that the stains which had been observed th', ' that he had been to the window not long before, and that the stains which had been observed there c', ' he had been to the window not long before, and that the stains which had been observed there came d', 'ad been to the window not long before, and that the stains which had been observed there came doubtl', 'en to the window not long before, and that the stains which had been observed there came doubtless f', ' the window not long before, and that the stains which had been observed there came doubtless from t', 'window not long before, and that the stains which had been observed there came doubtless from the sa', 'w not long before, and that the stains which had been observed there came doubtless from the same so', ' long before, and that the stains which had been observed there came doubtless from the same source.', ' before, and that the stains which had been observed there came doubtless from the same source. he d', 're, and that the stains which had been observed there came doubtless from the same source. he denied', 'nd that the stains which had been observed there came doubtless from the same source. he denied stre', 'at the stains which had been observed there came doubtless from the same source. he denied strenuous', 'e stains which had been observed there came doubtless from the same source. he denied strenuously ha', 'ins which had been observed there came doubtless from the same source. he denied strenuously having ', 'hich had been observed there came doubtless from the same source. he denied strenuously having ever ', 'had been observed there came doubtless from the same source. he denied strenuously having ever seen ', 'een observed there came doubtless from the same source. he denied strenuously having ever seen mr. n', 'bserved there came doubtless from the same source. he denied strenuously having ever seen mr. nevill', 'ed there came doubtless from the same source. he denied strenuously having ever seen mr. neville st.', 'ere came doubtless from the same source. he denied strenuously having ever seen mr. neville st. clai', 'ame doubtless from the same source. he denied strenuously having ever seen mr. neville st. clair and', 'oubtless from the same source. he denied strenuously having ever seen mr. neville st. clair and swor', 'ess from the same source. he denied strenuously having ever seen mr. neville st. clair and swore tha', 'rom the same source. he denied strenuously having ever seen mr. neville st. clair and swore that the', 'he same source. he denied strenuously having ever seen mr. neville st. clair and swore that the pres', 'me source. he denied strenuously having ever seen mr. neville st. clair and swore that the presence ', 'urce. he denied strenuously having ever seen mr. neville st. clair and swore that the presence of th', ' he denied strenuously having ever seen mr. neville st. clair and swore that the presence of the clo', 'enied strenuously having ever seen mr. neville st. clair and swore that the presence of the clothes ', ' strenuously having ever seen mr. neville st. clair and swore that the presence of the clothes in hi', 'nuously having ever seen mr. neville st. clair and swore that the presence of the clothes in his roo', 'ly having ever seen mr. neville st. clair and swore that the presence of the clothes in his room was', 'ving ever seen mr. neville st. clair and swore that the presence of the clothes in his room was as m', 'ever seen mr. neville st. clair and swore that the presence of the clothes in his room was as much a', 'seen mr. neville st. clair and swore that the presence of the clothes in his room was as much a myst', 'mr. neville st. clair and swore that the presence of the clothes in his room was as much a mystery t', 'eville st. clair and swore that the presence of the clothes in his room was as much a mystery to him', 'e st. clair and swore that the presence of the clothes in his room was as much a mystery to him as t', ' clair and swore that the presence of the clothes in his room was as much a mystery to him as to the', 'r and swore that the presence of the clothes in his room was as much a mystery to him as to the poli', ' swore that the presence of the clothes in his room was as much a mystery to him as to the police. a', 'e that the presence of the clothes in his room was as much a mystery to him as to the police. as to ', 't the presence of the clothes in his room was as much a mystery to him as to the police. as to mrs. ', ' presence of the clothes in his room was as much a mystery to him as to the police. as to mrs. st. c', "ence of the clothes in his room was as much a mystery to him as to the police. as to mrs. st. clair'", "of the clothes in his room was as much a mystery to him as to the police. as to mrs. st. clair's ass", "e clothes in his room was as much a mystery to him as to the police. as to mrs. st. clair's assertio", "thes in his room was as much a mystery to him as to the police. as to mrs. st. clair's assertion tha", "in his room was as much a mystery to him as to the police. as to mrs. st. clair's assertion that she", "s room was as much a mystery to him as to the police. as to mrs. st. clair's assertion that she had ", "m was as much a mystery to him as to the police. as to mrs. st. clair's assertion that she had actua", " as much a mystery to him as to the police. as to mrs. st. clair's assertion that she had actually s", "uch a mystery to him as to the police. as to mrs. st. clair's assertion that she had actually seen h", " mystery to him as to the police. as to mrs. st. clair's assertion that she had actually seen her hu", "ery to him as to the police. as to mrs. st. clair's assertion that she had actually seen her husband", "o him as to the police. as to mrs. st. clair's assertion that she had actually seen her husband at t", " as to the police. as to mrs. st. clair's assertion that she had actually seen her husband at the wi", "o the police. as to mrs. st. clair's assertion that she had actually seen her husband at the window,", " police. as to mrs. st. clair's assertion that she had actually seen her husband at the window, he d", "ce. as to mrs. st. clair's assertion that she had actually seen her husband at the window, he declar", "s to mrs. st. clair's assertion that she had actually seen her husband at the window, he declared th", "mrs. st. clair's assertion that she had actually seen her husband at the window, he declared that sh", "st. clair's assertion that she had actually seen her husband at the window, he declared that she mus", "lair's assertion that she had actually seen her husband at the window, he declared that she must hav", 's assertion that she had actually seen her husband at the window, he declared that she must have bee', 'ertion that she had actually seen her husband at the window, he declared that she must have been eit', 'n that she had actually seen her husband at the window, he declared that she must have been either m', 't she had actually seen her husband at the window, he declared that she must have been either mad or', ' had actually seen her husband at the window, he declared that she must have been either mad or drea', 'actually seen her husband at the window, he declared that she must have been either mad or dreaming.', 'lly seen her husband at the window, he declared that she must have been either mad or dreaming. he w', 'een her husband at the window, he declared that she must have been either mad or dreaming. he was re', 'er husband at the window, he declared that she must have been either mad or dreaming. he was removed', 'sband at the window, he declared that she must have been either mad or dreaming. he was removed, lou', ' at the window, he declared that she must have been either mad or dreaming. he was removed, loudly p', 'he window, he declared that she must have been either mad or dreaming. he was removed, loudly protes', 'ndow, he declared that she must have been either mad or dreaming. he was removed, loudly protesting,', ' he declared that she must have been either mad or dreaming. he was removed, loudly protesting, to t', 'eclared that she must have been either mad or dreaming. he was removed, loudly protesting, to the po', 'ed that she must have been either mad or dreaming. he was removed, loudly protesting, to the police-', 'at she must have been either mad or dreaming. he was removed, loudly protesting, to the police-stati', 'e must have been either mad or dreaming. he was removed, loudly protesting, to the police-station, w', 't have been either mad or dreaming. he was removed, loudly protesting, to the police-station, while ', 'e been either mad or dreaming. he was removed, loudly protesting, to the police-station, while the i', 'n either mad or dreaming. he was removed, loudly protesting, to the police-station, while the inspec', 'her mad or dreaming. he was removed, loudly protesting, to the police-station, while the inspector r', 'ad or dreaming. he was removed, loudly protesting, to the police-station, while the inspector remain', ' dreaming. he was removed, loudly protesting, to the police-station, while the inspector remained up', 'ming. he was removed, loudly protesting, to the police-station, while the inspector remained upon th', ' he was removed, loudly protesting, to the police-station, while the inspector remained upon the pre', 'as removed, loudly protesting, to the police-station, while the inspector remained upon the premises', 'moved, loudly protesting, to the police-station, while the inspector remained upon the premises in t', ', loudly protesting, to the police-station, while the inspector remained upon the premises in the ho', 'dly protesting, to the police-station, while the inspector remained upon the premises in the hope th', 'rotesting, to the police-station, while the inspector remained upon the premises in the hope that th', 'ting, to the police-station, while the inspector remained upon the premises in the hope that the ebb', ' to the police-station, while the inspector remained upon the premises in the hope that the ebbing t', 'he police-station, while the inspector remained upon the premises in the hope that the ebbing tide m', 'lice-station, while the inspector remained upon the premises in the hope that the ebbing tide might ', 'station, while the inspector remained upon the premises in the hope that the ebbing tide might affor', 'on, while the inspector remained upon the premises in the hope that the ebbing tide might afford som', 'hile the inspector remained upon the premises in the hope that the ebbing tide might afford some fre', 'the inspector remained upon the premises in the hope that the ebbing tide might afford some fresh cl', 'nspector remained upon the premises in the hope that the ebbing tide might afford some fresh clue. "', 'tor remained upon the premises in the hope that the ebbing tide might afford some fresh clue. "and i', 'emained upon the premises in the hope that the ebbing tide might afford some fresh clue. "and it did', 'ed upon the premises in the hope that the ebbing tide might afford some fresh clue. "and it did, tho', 'on the premises in the hope that the ebbing tide might afford some fresh clue. "and it did, though t', 'e premises in the hope that the ebbing tide might afford some fresh clue. "and it did, though they h', 'mises in the hope that the ebbing tide might afford some fresh clue. "and it did, though they hardly', ' in the hope that the ebbing tide might afford some fresh clue. "and it did, though they hardly foun', 'he hope that the ebbing tide might afford some fresh clue. "and it did, though they hardly found upo', 'pe that the ebbing tide might afford some fresh clue. "and it did, though they hardly found upon the', 'at the ebbing tide might afford some fresh clue. "and it did, though they hardly found upon the mud-', 'e ebbing tide might afford some fresh clue. "and it did, though they hardly found upon the mud-bank ', 'ing tide might afford some fresh clue. "and it did, though they hardly found upon the mud-bank what ', 'ide might afford some fresh clue. "and it did, though they hardly found upon the mud-bank what they ', 'ight afford some fresh clue. "and it did, though they hardly found upon the mud-bank what they had f', 'afford some fresh clue. "and it did, though they hardly found upon the mud-bank what they had feared', 'd some fresh clue. "and it did, though they hardly found upon the mud-bank what they had feared to f', 'e fresh clue. "and it did, though they hardly found upon the mud-bank what they had feared to find. ', 'sh clue. "and it did, though they hardly found upon the mud-bank what they had feared to find. it wa', 'ue. "and it did, though they hardly found upon the mud-bank what they had feared to find. it was nev', 'and it did, though they hardly found upon the mud-bank what they had feared to find. it was neville ', 't did, though they hardly found upon the mud-bank what they had feared to find. it was neville st. c', ", though they hardly found upon the mud-bank what they had feared to find. it was neville st. clair'", "ugh they hardly found upon the mud-bank what they had feared to find. it was neville st. clair's coa", "hey hardly found upon the mud-bank what they had feared to find. it was neville st. clair's coat, an", "ardly found upon the mud-bank what they had feared to find. it was neville st. clair's coat, and not", " found upon the mud-bank what they had feared to find. it was neville st. clair's coat, and not nevi", "d upon the mud-bank what they had feared to find. it was neville st. clair's coat, and not neville s", "n the mud-bank what they had feared to find. it was neville st. clair's coat, and not neville st. cl", " mud-bank what they had feared to find. it was neville st. clair's coat, and not neville st. clair, ", "bank what they had feared to find. it was neville st. clair's coat, and not neville st. clair, which", "what they had feared to find. it was neville st. clair's coat, and not neville st. clair, which lay ", "they had feared to find. it was neville st. clair's coat, and not neville st. clair, which lay uncov", "had feared to find. it was neville st. clair's coat, and not neville st. clair, which lay uncovered ", "eared to find. it was neville st. clair's coat, and not neville st. clair, which lay uncovered as th", " to find. it was neville st. clair's coat, and not neville st. clair, which lay uncovered as the tid", "ind. it was neville st. clair's coat, and not neville st. clair, which lay uncovered as the tide rec", "it was neville st. clair's coat, and not neville st. clair, which lay uncovered as the tide receded.", "s neville st. clair's coat, and not neville st. clair, which lay uncovered as the tide receded. and ", "ille st. clair's coat, and not neville st. clair, which lay uncovered as the tide receded. and what ", "st. clair's coat, and not neville st. clair, which lay uncovered as the tide receded. and what do yo", "lair's coat, and not neville st. clair, which lay uncovered as the tide receded. and what do you thi", 's coat, and not neville st. clair, which lay uncovered as the tide receded. and what do you think th', 't, and not neville st. clair, which lay uncovered as the tide receded. and what do you think they fo', 'd not neville st. clair, which lay uncovered as the tide receded. and what do you think they found i', ' neville st. clair, which lay uncovered as the tide receded. and what do you think they found in the', 'lle st. clair, which lay uncovered as the tide receded. and what do you think they found in the pock', 't. clair, which lay uncovered as the tide receded. and what do you think they found in the pockets?"', 'air, which lay uncovered as the tide receded. and what do you think they found in the pockets?" "i c', 'which lay uncovered as the tide receded. and what do you think they found in the pockets?" "i cannot', ' lay uncovered as the tide receded. and what do you think they found in the pockets?" "i cannot imag', 'uncovered as the tide receded. and what do you think they found in the pockets?" "i cannot imagine."', 'ered as the tide receded. and what do you think they found in the pockets?" "i cannot imagine." "no,', 'as the tide receded. and what do you think they found in the pockets?" "i cannot imagine." "no, i do', 'e tide receded. and what do you think they found in the pockets?" "i cannot imagine." "no, i don\'t t', 'e receded. and what do you think they found in the pockets?" "i cannot imagine." "no, i don\'t think ', 'eded. and what do you think they found in the pockets?" "i cannot imagine." "no, i don\'t think you w', ' and what do you think they found in the pockets?" "i cannot imagine." "no, i don\'t think you would ', 'what do you think they found in the pockets?" "i cannot imagine." "no, i don\'t think you would guess', 'do you think they found in the pockets?" "i cannot imagine." "no, i don\'t think you would guess. eve', 'u think they found in the pockets?" "i cannot imagine." "no, i don\'t think you would guess. every po', 'nk they found in the pockets?" "i cannot imagine." "no, i don\'t think you would guess. every pocket ', 'ey found in the pockets?" "i cannot imagine." "no, i don\'t think you would guess. every pocket stuff', 'und in the pockets?" "i cannot imagine." "no, i don\'t think you would guess. every pocket stuffed wi', 'n the pockets?" "i cannot imagine." "no, i don\'t think you would guess. every pocket stuffed with pe', ' pockets?" "i cannot imagine." "no, i don\'t think you would guess. every pocket stuffed with pennies', 'ets?" "i cannot imagine." "no, i don\'t think you would guess. every pocket stuffed with pennies and ', ' "i cannot imagine." "no, i don\'t think you would guess. every pocket stuffed with pennies and half-', 'annot imagine." "no, i don\'t think you would guess. every pocket stuffed with pennies and half-penni', ' imagine." "no, i don\'t think you would guess. every pocket stuffed with pennies and half-pennies p', 'ine." "no, i don\'t think you would guess. every pocket stuffed with pennies and half-pennies pennie', ' "no, i don\'t think you would guess. every pocket stuffed with pennies and half-pennies pennies and', " i don't think you would guess. every pocket stuffed with pennies and half-pennies pennies and ha", "n't think you would guess. every pocket stuffed with pennies and half-pennies pennies and half-pe", 'hink you would guess. every pocket stuffed with pennies and half-pennies pennies and half-pennies', 'you would guess. every pocket stuffed with pennies and half-pennies pennies and half-pennies. it ', 'ould guess. every pocket stuffed with pennies and half-pennies pennies and half-pennies. it was n', 'guess. every pocket stuffed with pennies and half-pennies pennies and half-pennies. it was no won', '. every pocket stuffed with pennies and half-pennies pennies and half-pennies. it was no wonder t', 'ry pocket stuffed with pennies and half-pennies pennies and half-pennies. it was no wonder that i', 'cket stuffed with pennies and half-pennies pennies and half-pennies. it was no wonder that it had', 'stuffed with pennies and half-pennies pennies and half-pennies. it was no wonder that it had not ', 'ed with pennies and half-pennies pennies and half-pennies. it was no wonder that it had not been ', 'th pennies and half-pennies pennies and half-pennies. it was no wonder that it had not been swept', 'nnies and half-pennies pennies and half-pennies. it was no wonder that it had not been swept away', ' and half-pennies pennies and half-pennies. it was no wonder that it had not been swept away by t', 'half-pennies pennies and half-pennies. it was no wonder that it had not been swept away by the ti', 'pennies pennies and half-pennies. it was no wonder that it had not been swept away by the tide. b', 'es pennies and half-pennies. it was no wonder that it had not been swept away by the tide. but a ', 'ennies and half-pennies. it was no wonder that it had not been swept away by the tide. but a human', 's and half-pennies. it was no wonder that it had not been swept away by the tide. but a human body', ' half-pennies. it was no wonder that it had not been swept away by the tide. but a human body is a', 'lf-pennies. it was no wonder that it had not been swept away by the tide. but a human body is a diff', 'nnies. it was no wonder that it had not been swept away by the tide. but a human body is a different', '. it was no wonder that it had not been swept away by the tide. but a human body is a different matt', 'was no wonder that it had not been swept away by the tide. but a human body is a different matter. t', 'o wonder that it had not been swept away by the tide. but a human body is a different matter. there ', 'der that it had not been swept away by the tide. but a human body is a different matter. there is a ', 'hat it had not been swept away by the tide. but a human body is a different matter. there is a fierc', 't had not been swept away by the tide. but a human body is a different matter. there is a fierce edd', ' not been swept away by the tide. but a human body is a different matter. there is a fierce eddy bet', 'been swept away by the tide. but a human body is a different matter. there is a fierce eddy between ', 'swept away by the tide. but a human body is a different matter. there is a fierce eddy between the w', ' away by the tide. but a human body is a different matter. there is a fierce eddy between the wharf ', ' by the tide. but a human body is a different matter. there is a fierce eddy between the wharf and t', 'he tide. but a human body is a different matter. there is a fierce eddy between the wharf and the ho', 'de. but a human body is a different matter. there is a fierce eddy between the wharf and the house. ', 'ut a human body is a different matter. there is a fierce eddy between the wharf and the house. it se', 'human body is a different matter. there is a fierce eddy between the wharf and the house. it seemed ', ' body is a different matter. there is a fierce eddy between the wharf and the house. it seemed likel', ' is a different matter. there is a fierce eddy between the wharf and the house. it seemed likely eno', ' different matter. there is a fierce eddy between the wharf and the house. it seemed likely enough t', 'erent matter. there is a fierce eddy between the wharf and the house. it seemed likely enough that t', ' matter. there is a fierce eddy between the wharf and the house. it seemed likely enough that the we', 'er. there is a fierce eddy between the wharf and the house. it seemed likely enough that the weighte', 'here is a fierce eddy between the wharf and the house. it seemed likely enough that the weighted coa', 'is a fierce eddy between the wharf and the house. it seemed likely enough that the weighted coat had', 'fierce eddy between the wharf and the house. it seemed likely enough that the weighted coat had rema', 'e eddy between the wharf and the house. it seemed likely enough that the weighted coat had remained ', 'y between the wharf and the house. it seemed likely enough that the weighted coat had remained when ', 'ween the wharf and the house. it seemed likely enough that the weighted coat had remained when the s', 'the wharf and the house. it seemed likely enough that the weighted coat had remained when the stripp', 'harf and the house. it seemed likely enough that the weighted coat had remained when the stripped bo', 'and the house. it seemed likely enough that the weighted coat had remained when the stripped body ha', 'he house. it seemed likely enough that the weighted coat had remained when the stripped body had bee', 'use. it seemed likely enough that the weighted coat had remained when the stripped body had been suc', 'it seemed likely enough that the weighted coat had remained when the stripped body had been sucked a', 'emed likely enough that the weighted coat had remained when the stripped body had been sucked away i', 'likely enough that the weighted coat had remained when the stripped body had been sucked away into t', 'y enough that the weighted coat had remained when the stripped body had been sucked away into the ri', 'ugh that the weighted coat had remained when the stripped body had been sucked away into the river."', 'hat the weighted coat had remained when the stripped body had been sucked away into the river." "but', 'he weighted coat had remained when the stripped body had been sucked away into the river." "but i un', 'ighted coat had remained when the stripped body had been sucked away into the river." "but i underst', 'd coat had remained when the stripped body had been sucked away into the river." "but i understand t', 't had remained when the stripped body had been sucked away into the river." "but i understand that a', ' remained when the stripped body had been sucked away into the river." "but i understand that all th', 'ined when the stripped body had been sucked away into the river." "but i understand that all the oth', 'when the stripped body had been sucked away into the river." "but i understand that all the other cl', 'the stripped body had been sucked away into the river." "but i understand that all the other clothes', 'tripped body had been sucked away into the river." "but i understand that all the other clothes were', 'ed body had been sucked away into the river." "but i understand that all the other clothes were foun', 'dy had been sucked away into the river." "but i understand that all the other clothes were found in ', 'd been sucked away into the river." "but i understand that all the other clothes were found in the r', 'n sucked away into the river." "but i understand that all the other clothes were found in the room. ', 'ked away into the river." "but i understand that all the other clothes were found in the room. would', 'way into the river." "but i understand that all the other clothes were found in the room. would the ', 'nto the river." "but i understand that all the other clothes were found in the room. would the body ', 'he river." "but i understand that all the other clothes were found in the room. would the body be dr', 'ver." "but i understand that all the other clothes were found in the room. would the body be dressed', ' "but i understand that all the other clothes were found in the room. would the body be dressed in a', ' i understand that all the other clothes were found in the room. would the body be dressed in a coat', 'derstand that all the other clothes were found in the room. would the body be dressed in a coat alon', 'and that all the other clothes were found in the room. would the body be dressed in a coat alone?" "', 'hat all the other clothes were found in the room. would the body be dressed in a coat alone?" "no, s', 'll the other clothes were found in the room. would the body be dressed in a coat alone?" "no, sir, b', 'e other clothes were found in the room. would the body be dressed in a coat alone?" "no, sir, but th', 'er clothes were found in the room. would the body be dressed in a coat alone?" "no, sir, but the fac', 'othes were found in the room. would the body be dressed in a coat alone?" "no, sir, but the facts mi', ' were found in the room. would the body be dressed in a coat alone?" "no, sir, but the facts might b', ' found in the room. would the body be dressed in a coat alone?" "no, sir, but the facts might be met', 'd in the room. would the body be dressed in a coat alone?" "no, sir, but the facts might be met spec', 'the room. would the body be dressed in a coat alone?" "no, sir, but the facts might be met speciousl', 'oom. would the body be dressed in a coat alone?" "no, sir, but the facts might be met speciously eno', 'would the body be dressed in a coat alone?" "no, sir, but the facts might be met speciously enough. ', ' the body be dressed in a coat alone?" "no, sir, but the facts might be met speciously enough. suppo', 'body be dressed in a coat alone?" "no, sir, but the facts might be met speciously enough. suppose th', 'be dressed in a coat alone?" "no, sir, but the facts might be met speciously enough. suppose that th', 'essed in a coat alone?" "no, sir, but the facts might be met speciously enough. suppose that this ma', ' in a coat alone?" "no, sir, but the facts might be met speciously enough. suppose that this man boo', ' coat alone?" "no, sir, but the facts might be met speciously enough. suppose that this man boone ha', ' alone?" "no, sir, but the facts might be met speciously enough. suppose that this man boone had thr', 'e?" "no, sir, but the facts might be met speciously enough. suppose that this man boone had thrust n', 'no, sir, but the facts might be met speciously enough. suppose that this man boone had thrust nevill', 'ir, but the facts might be met speciously enough. suppose that this man boone had thrust neville st.', 'ut the facts might be met speciously enough. suppose that this man boone had thrust neville st. clai', 'e facts might be met speciously enough. suppose that this man boone had thrust neville st. clair thr', 'ts might be met speciously enough. suppose that this man boone had thrust neville st. clair through ', 'ght be met speciously enough. suppose that this man boone had thrust neville st. clair through the w', 'e met speciously enough. suppose that this man boone had thrust neville st. clair through the window', ' speciously enough. suppose that this man boone had thrust neville st. clair through the window, the', 'iously enough. suppose that this man boone had thrust neville st. clair through the window, there is', 'y enough. suppose that this man boone had thrust neville st. clair through the window, there is no h', 'ugh. suppose that this man boone had thrust neville st. clair through the window, there is no human ', 'suppose that this man boone had thrust neville st. clair through the window, there is no human eye w', 'se that this man boone had thrust neville st. clair through the window, there is no human eye which ', 'at this man boone had thrust neville st. clair through the window, there is no human eye which could', 'is man boone had thrust neville st. clair through the window, there is no human eye which could have', 'n boone had thrust neville st. clair through the window, there is no human eye which could have seen', 'ne had thrust neville st. clair through the window, there is no human eye which could have seen the ', 'd thrust neville st. clair through the window, there is no human eye which could have seen the deed.', 'ust neville st. clair through the window, there is no human eye which could have seen the deed. what', 'eville st. clair through the window, there is no human eye which could have seen the deed. what woul', 'e st. clair through the window, there is no human eye which could have seen the deed. what would he ', ' clair through the window, there is no human eye which could have seen the deed. what would he do th', 'r through the window, there is no human eye which could have seen the deed. what would he do then? i', 'ough the window, there is no human eye which could have seen the deed. what would he do then? it wou', 'the window, there is no human eye which could have seen the deed. what would he do then? it would of', 'indow, there is no human eye which could have seen the deed. what would he do then? it would of cour', ', there is no human eye which could have seen the deed. what would he do then? it would of course in', 're is no human eye which could have seen the deed. what would he do then? it would of course instant', ' no human eye which could have seen the deed. what would he do then? it would of course instantly st', 'uman eye which could have seen the deed. what would he do then? it would of course instantly strike ', 'eye which could have seen the deed. what would he do then? it would of course instantly strike him t', 'hich could have seen the deed. what would he do then? it would of course instantly strike him that h', 'could have seen the deed. what would he do then? it would of course instantly strike him that he mus', ' have seen the deed. what would he do then? it would of course instantly strike him that he must get', ' seen the deed. what would he do then? it would of course instantly strike him that he must get rid ', ' the deed. what would he do then? it would of course instantly strike him that he must get rid of th', 'deed. what would he do then? it would of course instantly strike him that he must get rid of the tel', ' what would he do then? it would of course instantly strike him that he must get rid of the tell-tal', ' would he do then? it would of course instantly strike him that he must get rid of the tell-tale gar', 'd he do then? it would of course instantly strike him that he must get rid of the tell-tale garments', 'do then? it would of course instantly strike him that he must get rid of the tell-tale garments. he ', 'en? it would of course instantly strike him that he must get rid of the tell-tale garments. he would', 't would of course instantly strike him that he must get rid of the tell-tale garments. he would seiz', 'ld of course instantly strike him that he must get rid of the tell-tale garments. he would seize the', ' course instantly strike him that he must get rid of the tell-tale garments. he would seize the coat', 'se instantly strike him that he must get rid of the tell-tale garments. he would seize the coat, the', 'stantly strike him that he must get rid of the tell-tale garments. he would seize the coat, then, an', 'ly strike him that he must get rid of the tell-tale garments. he would seize the coat, then, and be ', 'rike him that he must get rid of the tell-tale garments. he would seize the coat, then, and be in th', 'him that he must get rid of the tell-tale garments. he would seize the coat, then, and be in the act', 'hat he must get rid of the tell-tale garments. he would seize the coat, then, and be in the act of t', 'e must get rid of the tell-tale garments. he would seize the coat, then, and be in the act of throwi', 't get rid of the tell-tale garments. he would seize the coat, then, and be in the act of throwing it', ' rid of the tell-tale garments. he would seize the coat, then, and be in the act of throwing it out,', 'of the tell-tale garments. he would seize the coat, then, and be in the act of throwing it out, when', 'e tell-tale garments. he would seize the coat, then, and be in the act of throwing it out, when it w', 'l-tale garments. he would seize the coat, then, and be in the act of throwing it out, when it would ', 'e garments. he would seize the coat, then, and be in the act of throwing it out, when it would occur', 'ments. he would seize the coat, then, and be in the act of throwing it out, when it would occur to h', '. he would seize the coat, then, and be in the act of throwing it out, when it would occur to him th', 'would seize the coat, then, and be in the act of throwing it out, when it would occur to him that it', ' seize the coat, then, and be in the act of throwing it out, when it would occur to him that it woul', 'e the coat, then, and be in the act of throwing it out, when it would occur to him that it would swi', ' coat, then, and be in the act of throwing it out, when it would occur to him that it would swim and', ', then, and be in the act of throwing it out, when it would occur to him that it would swim and not ', 'n, and be in the act of throwing it out, when it would occur to him that it would swim and not sink.', 'd be in the act of throwing it out, when it would occur to him that it would swim and not sink. he h', 'in the act of throwing it out, when it would occur to him that it would swim and not sink. he has li', 'e act of throwing it out, when it would occur to him that it would swim and not sink. he has little ', ' of throwing it out, when it would occur to him that it would swim and not sink. he has little time,', 'hrowing it out, when it would occur to him that it would swim and not sink. he has little time, for ', 'ng it out, when it would occur to him that it would swim and not sink. he has little time, for he ha', ' out, when it would occur to him that it would swim and not sink. he has little time, for he has hea', ' when it would occur to him that it would swim and not sink. he has little time, for he has heard th', ' it would occur to him that it would swim and not sink. he has little time, for he has heard the scu', 'ould occur to him that it would swim and not sink. he has little time, for he has heard the scuffle ', 'occur to him that it would swim and not sink. he has little time, for he has heard the scuffle downs', ' to him that it would swim and not sink. he has little time, for he has heard the scuffle downstairs', 'im that it would swim and not sink. he has little time, for he has heard the scuffle downstairs when', 'at it would swim and not sink. he has little time, for he has heard the scuffle downstairs when the ', ' would swim and not sink. he has little time, for he has heard the scuffle downstairs when the wife ', 'd swim and not sink. he has little time, for he has heard the scuffle downstairs when the wife tried', 'm and not sink. he has little time, for he has heard the scuffle downstairs when the wife tried to f', ' not sink. he has little time, for he has heard the scuffle downstairs when the wife tried to force ', 'sink. he has little time, for he has heard the scuffle downstairs when the wife tried to force her w', ' he has little time, for he has heard the scuffle downstairs when the wife tried to force her way up', 'as little time, for he has heard the scuffle downstairs when the wife tried to force her way up, and', 'ttle time, for he has heard the scuffle downstairs when the wife tried to force her way up, and perh', 'time, for he has heard the scuffle downstairs when the wife tried to force her way up, and perhaps h', ' for he has heard the scuffle downstairs when the wife tried to force her way up, and perhaps he has', 'he has heard the scuffle downstairs when the wife tried to force her way up, and perhaps he has alre', 's heard the scuffle downstairs when the wife tried to force her way up, and perhaps he has already h', 'rd the scuffle downstairs when the wife tried to force her way up, and perhaps he has already heard ', 'e scuffle downstairs when the wife tried to force her way up, and perhaps he has already heard from ', 'ffle downstairs when the wife tried to force her way up, and perhaps he has already heard from his l', 'downstairs when the wife tried to force her way up, and perhaps he has already heard from his lascar', 'tairs when the wife tried to force her way up, and perhaps he has already heard from his lascar conf', ' when the wife tried to force her way up, and perhaps he has already heard from his lascar confedera', ' the wife tried to force her way up, and perhaps he has already heard from his lascar confederate th', 'wife tried to force her way up, and perhaps he has already heard from his lascar confederate that th', 'tried to force her way up, and perhaps he has already heard from his lascar confederate that the pol', ' to force her way up, and perhaps he has already heard from his lascar confederate that the police a', 'orce her way up, and perhaps he has already heard from his lascar confederate that the police are hu', 'her way up, and perhaps he has already heard from his lascar confederate that the police are hurryin', 'ay up, and perhaps he has already heard from his lascar confederate that the police are hurrying up ', ', and perhaps he has already heard from his lascar confederate that the police are hurrying up the s', ' perhaps he has already heard from his lascar confederate that the police are hurrying up the street', 'aps he has already heard from his lascar confederate that the police are hurrying up the street. the', 'e has already heard from his lascar confederate that the police are hurrying up the street. there is', ' already heard from his lascar confederate that the police are hurrying up the street. there is not ', 'ady heard from his lascar confederate that the police are hurrying up the street. there is not an in', 'eard from his lascar confederate that the police are hurrying up the street. there is not an instant', 'from his lascar confederate that the police are hurrying up the street. there is not an instant to b', 'his lascar confederate that the police are hurrying up the street. there is not an instant to be los', 'ascar confederate that the police are hurrying up the street. there is not an instant to be lost. he', ' confederate that the police are hurrying up the street. there is not an instant to be lost. he rush', 'ederate that the police are hurrying up the street. there is not an instant to be lost. he rushes to', 'te that the police are hurrying up the street. there is not an instant to be lost. he rushes to some', 'at the police are hurrying up the street. there is not an instant to be lost. he rushes to some secr', 'e police are hurrying up the street. there is not an instant to be lost. he rushes to some secret ho', 'ice are hurrying up the street. there is not an instant to be lost. he rushes to some secret hoard, ', 're hurrying up the street. there is not an instant to be lost. he rushes to some secret hoard, where', 'rrying up the street. there is not an instant to be lost. he rushes to some secret hoard, where he h', 'g up the street. there is not an instant to be lost. he rushes to some secret hoard, where he has ac', 'the street. there is not an instant to be lost. he rushes to some secret hoard, where he has accumul', 'treet. there is not an instant to be lost. he rushes to some secret hoard, where he has accumulated ', '. there is not an instant to be lost. he rushes to some secret hoard, where he has accumulated the f', 're is not an instant to be lost. he rushes to some secret hoard, where he has accumulated the fruits', ' not an instant to be lost. he rushes to some secret hoard, where he has accumulated the fruits of h', 'an instant to be lost. he rushes to some secret hoard, where he has accumulated the fruits of his be', 'stant to be lost. he rushes to some secret hoard, where he has accumulated the fruits of his beggary', ' to be lost. he rushes to some secret hoard, where he has accumulated the fruits of his beggary, and', 'e lost. he rushes to some secret hoard, where he has accumulated the fruits of his beggary, and he s', 't. he rushes to some secret hoard, where he has accumulated the fruits of his beggary, and he stuffs', ' rushes to some secret hoard, where he has accumulated the fruits of his beggary, and he stuffs all ', 'es to some secret hoard, where he has accumulated the fruits of his beggary, and he stuffs all the c', ' some secret hoard, where he has accumulated the fruits of his beggary, and he stuffs all the coins ', ' secret hoard, where he has accumulated the fruits of his beggary, and he stuffs all the coins upon ', 'et hoard, where he has accumulated the fruits of his beggary, and he stuffs all the coins upon which', 'ard, where he has accumulated the fruits of his beggary, and he stuffs all the coins upon which he c', 'where he has accumulated the fruits of his beggary, and he stuffs all the coins upon which he can la', ' he has accumulated the fruits of his beggary, and he stuffs all the coins upon which he can lay his', 'as accumulated the fruits of his beggary, and he stuffs all the coins upon which he can lay his hand', 'cumulated the fruits of his beggary, and he stuffs all the coins upon which he can lay his hands int', 'ated the fruits of his beggary, and he stuffs all the coins upon which he can lay his hands into the', 'the fruits of his beggary, and he stuffs all the coins upon which he can lay his hands into the pock', 'ruits of his beggary, and he stuffs all the coins upon which he can lay his hands into the pockets t', ' of his beggary, and he stuffs all the coins upon which he can lay his hands into the pockets to mak', 'is beggary, and he stuffs all the coins upon which he can lay his hands into the pockets to make sur', 'ggary, and he stuffs all the coins upon which he can lay his hands into the pockets to make sure of ', ', and he stuffs all the coins upon which he can lay his hands into the pockets to make sure of the c', " he stuffs all the coins upon which he can lay his hands into the pockets to make sure of the coat's", "tuffs all the coins upon which he can lay his hands into the pockets to make sure of the coat's sink", " all the coins upon which he can lay his hands into the pockets to make sure of the coat's sinking. ", "the coins upon which he can lay his hands into the pockets to make sure of the coat's sinking. he th", "oins upon which he can lay his hands into the pockets to make sure of the coat's sinking. he throws ", "upon which he can lay his hands into the pockets to make sure of the coat's sinking. he throws it ou", "which he can lay his hands into the pockets to make sure of the coat's sinking. he throws it out, an", " he can lay his hands into the pockets to make sure of the coat's sinking. he throws it out, and wou", "an lay his hands into the pockets to make sure of the coat's sinking. he throws it out, and would ha", "y his hands into the pockets to make sure of the coat's sinking. he throws it out, and would have do", " hands into the pockets to make sure of the coat's sinking. he throws it out, and would have done th", "s into the pockets to make sure of the coat's sinking. he throws it out, and would have done the sam", "o the pockets to make sure of the coat's sinking. he throws it out, and would have done the same wit", " pockets to make sure of the coat's sinking. he throws it out, and would have done the same with the", "ets to make sure of the coat's sinking. he throws it out, and would have done the same with the othe", "o make sure of the coat's sinking. he throws it out, and would have done the same with the other gar", "e sure of the coat's sinking. he throws it out, and would have done the same with the other garments", "e of the coat's sinking. he throws it out, and would have done the same with the other garments had ", "the coat's sinking. he throws it out, and would have done the same with the other garments had not h", "oat's sinking. he throws it out, and would have done the same with the other garments had not he hea", ' sinking. he throws it out, and would have done the same with the other garments had not he heard th', 'ing. he throws it out, and would have done the same with the other garments had not he heard the rus', 'he throws it out, and would have done the same with the other garments had not he heard the rush of ', 'rows it out, and would have done the same with the other garments had not he heard the rush of steps', 'it out, and would have done the same with the other garments had not he heard the rush of steps belo', 't, and would have done the same with the other garments had not he heard the rush of steps below, an', 'd would have done the same with the other garments had not he heard the rush of steps below, and onl', 'ld have done the same with the other garments had not he heard the rush of steps below, and only jus', 've done the same with the other garments had not he heard the rush of steps below, and only just had', 'ne the same with the other garments had not he heard the rush of steps below, and only just had time', 'e same with the other garments had not he heard the rush of steps below, and only just had time to c', 'e with the other garments had not he heard the rush of steps below, and only just had time to close ', 'h the other garments had not he heard the rush of steps below, and only just had time to close the w', ' other garments had not he heard the rush of steps below, and only just had time to close the window', 'r garments had not he heard the rush of steps below, and only just had time to close the window when', 'ments had not he heard the rush of steps below, and only just had time to close the window when the ', ' had not he heard the rush of steps below, and only just had time to close the window when the polic', 'not he heard the rush of steps below, and only just had time to close the window when the police app', 'e heard the rush of steps below, and only just had time to close the window when the police appeared', 'rd the rush of steps below, and only just had time to close the window when the police appeared." "i', 'e rush of steps below, and only just had time to close the window when the police appeared." "it cer', 'h of steps below, and only just had time to close the window when the police appeared." "it certainl', 'steps below, and only just had time to close the window when the police appeared." "it certainly sou', ' below, and only just had time to close the window when the police appeared." "it certainly sounds f', 'w, and only just had time to close the window when the police appeared." "it certainly sounds feasib', 'd only just had time to close the window when the police appeared." "it certainly sounds feasible." ', 'y just had time to close the window when the police appeared." "it certainly sounds feasible." "well', 't had time to close the window when the police appeared." "it certainly sounds feasible." "well, we ', ' time to close the window when the police appeared." "it certainly sounds feasible." "well, we will ', ' to close the window when the police appeared." "it certainly sounds feasible." "well, we will take ', 'lose the window when the police appeared." "it certainly sounds feasible." "well, we will take it as', 'the window when the police appeared." "it certainly sounds feasible." "well, we will take it as a wo', 'indow when the police appeared." "it certainly sounds feasible." "well, we will take it as a working', ' when the police appeared." "it certainly sounds feasible." "well, we will take it as a working hypo', ' the police appeared." "it certainly sounds feasible." "well, we will take it as a working hypothesi', 'police appeared." "it certainly sounds feasible." "well, we will take it as a working hypothesis for', 'e appeared." "it certainly sounds feasible." "well, we will take it as a working hypothesis for want', 'eared." "it certainly sounds feasible." "well, we will take it as a working hypothesis for want of a', '." "it certainly sounds feasible." "well, we will take it as a working hypothesis for want of a bett', 't certainly sounds feasible." "well, we will take it as a working hypothesis for want of a better. b', 'tainly sounds feasible." "well, we will take it as a working hypothesis for want of a better. boone,', 'y sounds feasible." "well, we will take it as a working hypothesis for want of a better. boone, as i', 'nds feasible." "well, we will take it as a working hypothesis for want of a better. boone, as i have', 'easible." "well, we will take it as a working hypothesis for want of a better. boone, as i have told', 'le." "well, we will take it as a working hypothesis for want of a better. boone, as i have told you,', '"well, we will take it as a working hypothesis for want of a better. boone, as i have told you, was ', ', we will take it as a working hypothesis for want of a better. boone, as i have told you, was arres', 'will take it as a working hypothesis for want of a better. boone, as i have told you, was arrested a', 'take it as a working hypothesis for want of a better. boone, as i have told you, was arrested and ta', 'it as a working hypothesis for want of a better. boone, as i have told you, was arrested and taken t', ' a working hypothesis for want of a better. boone, as i have told you, was arrested and taken to the', 'rking hypothesis for want of a better. boone, as i have told you, was arrested and taken to the stat', ' hypothesis for want of a better. boone, as i have told you, was arrested and taken to the station, ', 'thesis for want of a better. boone, as i have told you, was arrested and taken to the station, but i', 's for want of a better. boone, as i have told you, was arrested and taken to the station, but it cou', ' want of a better. boone, as i have told you, was arrested and taken to the station, but it could no', ' of a better. boone, as i have told you, was arrested and taken to the station, but it could not be ', ' better. boone, as i have told you, was arrested and taken to the station, but it could not be shown', 'er. boone, as i have told you, was arrested and taken to the station, but it could not be shown that', 'oone, as i have told you, was arrested and taken to the station, but it could not be shown that ther', ' as i have told you, was arrested and taken to the station, but it could not be shown that there had', ' have told you, was arrested and taken to the station, but it could not be shown that there had ever', ' told you, was arrested and taken to the station, but it could not be shown that there had ever befo', ' you, was arrested and taken to the station, but it could not be shown that there had ever before be', ' was arrested and taken to the station, but it could not be shown that there had ever before been an', 'arrested and taken to the station, but it could not be shown that there had ever before been anythin', 'ted and taken to the station, but it could not be shown that there had ever before been anything aga', 'nd taken to the station, but it could not be shown that there had ever before been anything against ', 'ken to the station, but it could not be shown that there had ever before been anything against him. ', 'o the station, but it could not be shown that there had ever before been anything against him. he ha', ' station, but it could not be shown that there had ever before been anything against him. he had for', 'ion, but it could not be shown that there had ever before been anything against him. he had for year', 'but it could not be shown that there had ever before been anything against him. he had for years bee', 't could not be shown that there had ever before been anything against him. he had for years been kno', 'ld not be shown that there had ever before been anything against him. he had for years been known as', 't be shown that there had ever before been anything against him. he had for years been known as a pr', 'shown that there had ever before been anything against him. he had for years been known as a profess', ' that there had ever before been anything against him. he had for years been known as a professional', ' there had ever before been anything against him. he had for years been known as a professional begg', 'e had ever before been anything against him. he had for years been known as a professional beggar, b', ' ever before been anything against him. he had for years been known as a professional beggar, but hi', ' before been anything against him. he had for years been known as a professional beggar, but his lif', 're been anything against him. he had for years been known as a professional beggar, but his life app', 'en anything against him. he had for years been known as a professional beggar, but his life appeared', 'ything against him. he had for years been known as a professional beggar, but his life appeared to h', 'g against him. he had for years been known as a professional beggar, but his life appeared to have b', 'inst him. he had for years been known as a professional beggar, but his life appeared to have been a', 'him. he had for years been known as a professional beggar, but his life appeared to have been a very', 'he had for years been known as a professional beggar, but his life appeared to have been a very quie', 'd for years been known as a professional beggar, but his life appeared to have been a very quiet and', ' years been known as a professional beggar, but his life appeared to have been a very quiet and inno', 's been known as a professional beggar, but his life appeared to have been a very quiet and innocent ', 'n known as a professional beggar, but his life appeared to have been a very quiet and innocent one. ', 'wn as a professional beggar, but his life appeared to have been a very quiet and innocent one. there', ' a professional beggar, but his life appeared to have been a very quiet and innocent one. there the ', 'ofessional beggar, but his life appeared to have been a very quiet and innocent one. there the matte', 'ional beggar, but his life appeared to have been a very quiet and innocent one. there the matter sta', ' beggar, but his life appeared to have been a very quiet and innocent one. there the matter stands a', 'ar, but his life appeared to have been a very quiet and innocent one. there the matter stands at pre', 'ut his life appeared to have been a very quiet and innocent one. there the matter stands at present,', 's life appeared to have been a very quiet and innocent one. there the matter stands at present, and ', 'e appeared to have been a very quiet and innocent one. there the matter stands at present, and the q', 'eared to have been a very quiet and innocent one. there the matter stands at present, and the questi', ' to have been a very quiet and innocent one. there the matter stands at present, and the questions w', 'ave been a very quiet and innocent one. there the matter stands at present, and the questions which ', 'een a very quiet and innocent one. there the matter stands at present, and the questions which have ', ' very quiet and innocent one. there the matter stands at present, and the questions which have to be', ' quiet and innocent one. there the matter stands at present, and the questions which have to be solv', 't and innocent one. there the matter stands at present, and the questions which have to be solvedwha', ' innocent one. there the matter stands at present, and the questions which have to be solvedwhat nev', 'cent one. there the matter stands at present, and the questions which have to be solvedwhat neville ', 'one. there the matter stands at present, and the questions which have to be solvedwhat neville st. c', 'there the matter stands at present, and the questions which have to be solvedwhat neville st. clair ', ' the matter stands at present, and the questions which have to be solvedwhat neville st. clair was d', 'matter stands at present, and the questions which have to be solvedwhat neville st. clair was doing ', 'r stands at present, and the questions which have to be solvedwhat neville st. clair was doing in th', 'nds at present, and the questions which have to be solvedwhat neville st. clair was doing in the opi', 't present, and the questions which have to be solvedwhat neville st. clair was doing in the opium de', 'sent, and the questions which have to be solvedwhat neville st. clair was doing in the opium den, wh', ' and the questions which have to be solvedwhat neville st. clair was doing in the opium den, what ha', 'the questions which have to be solvedwhat neville st. clair was doing in the opium den, what happene', 'uestions which have to be solvedwhat neville st. clair was doing in the opium den, what happened to ', 'ons which have to be solvedwhat neville st. clair was doing in the opium den, what happened to him w', 'hich have to be solvedwhat neville st. clair was doing in the opium den, what happened to him when t', 'have to be solvedwhat neville st. clair was doing in the opium den, what happened to him when there,', 'to be solvedwhat neville st. clair was doing in the opium den, what happened to him when there, wher', ' solvedwhat neville st. clair was doing in the opium den, what happened to him when there, where is ', 'edwhat neville st. clair was doing in the opium den, what happened to him when there, where is he no', 't neville st. clair was doing in the opium den, what happened to him when there, where is he now, an', 'ille st. clair was doing in the opium den, what happened to him when there, where is he now, and wha', 'st. clair was doing in the opium den, what happened to him when there, where is he now, and what hug', 'lair was doing in the opium den, what happened to him when there, where is he now, and what hugh boo', 'was doing in the opium den, what happened to him when there, where is he now, and what hugh boone ha', 'oing in the opium den, what happened to him when there, where is he now, and what hugh boone had to ', 'in the opium den, what happened to him when there, where is he now, and what hugh boone had to do wi', 'e opium den, what happened to him when there, where is he now, and what hugh boone had to do with hi', 'um den, what happened to him when there, where is he now, and what hugh boone had to do with his dis', 'n, what happened to him when there, where is he now, and what hugh boone had to do with his disappea', 'at happened to him when there, where is he now, and what hugh boone had to do with his disappearance', 'ppened to him when there, where is he now, and what hugh boone had to do with his disappearanceare a', 'd to him when there, where is he now, and what hugh boone had to do with his disappearanceare all as', 'him when there, where is he now, and what hugh boone had to do with his disappearanceare all as far ', 'hen there, where is he now, and what hugh boone had to do with his disappearanceare all as far from ', 'here, where is he now, and what hugh boone had to do with his disappearanceare all as far from a sol', ' where is he now, and what hugh boone had to do with his disappearanceare all as far from a solution', 'e is he now, and what hugh boone had to do with his disappearanceare all as far from a solution as e', 'he now, and what hugh boone had to do with his disappearanceare all as far from a solution as ever. ', 'w, and what hugh boone had to do with his disappearanceare all as far from a solution as ever. i con', 'd what hugh boone had to do with his disappearanceare all as far from a solution as ever. i confess ', 't hugh boone had to do with his disappearanceare all as far from a solution as ever. i confess that ', 'h boone had to do with his disappearanceare all as far from a solution as ever. i confess that i can', 'ne had to do with his disappearanceare all as far from a solution as ever. i confess that i cannot r', 'd to do with his disappearanceare all as far from a solution as ever. i confess that i cannot recall', 'do with his disappearanceare all as far from a solution as ever. i confess that i cannot recall any ', 'th his disappearanceare all as far from a solution as ever. i confess that i cannot recall any case ', 's disappearanceare all as far from a solution as ever. i confess that i cannot recall any case withi', 'appearanceare all as far from a solution as ever. i confess that i cannot recall any case within my ', 'ranceare all as far from a solution as ever. i confess that i cannot recall any case within my exper', 'are all as far from a solution as ever. i confess that i cannot recall any case within my experience', 'll as far from a solution as ever. i confess that i cannot recall any case within my experience whic', ' far from a solution as ever. i confess that i cannot recall any case within my experience which loo', 'from a solution as ever. i confess that i cannot recall any case within my experience which looked a', 'a solution as ever. i confess that i cannot recall any case within my experience which looked at the', 'ution as ever. i confess that i cannot recall any case within my experience which looked at the firs', ' as ever. i confess that i cannot recall any case within my experience which looked at the first gla', 'ver. i confess that i cannot recall any case within my experience which looked at the first glance s', 'i confess that i cannot recall any case within my experience which looked at the first glance so sim', 'fess that i cannot recall any case within my experience which looked at the first glance so simple a', 'that i cannot recall any case within my experience which looked at the first glance so simple and ye', 'i cannot recall any case within my experience which looked at the first glance so simple and yet whi', 'not recall any case within my experience which looked at the first glance so simple and yet which pr', 'ecall any case within my experience which looked at the first glance so simple and yet which present', ' any case within my experience which looked at the first glance so simple and yet which presented su', 'case within my experience which looked at the first glance so simple and yet which presented such di', 'within my experience which looked at the first glance so simple and yet which presented such difficu', 'n my experience which looked at the first glance so simple and yet which presented such difficulties', 'experience which looked at the first glance so simple and yet which presented such difficulties." wh', 'ience which looked at the first glance so simple and yet which presented such difficulties." while s', ' which looked at the first glance so simple and yet which presented such difficulties." while sherlo', 'h looked at the first glance so simple and yet which presented such difficulties." while sherlock ho', 'ked at the first glance so simple and yet which presented such difficulties." while sherlock holmes ', 't the first glance so simple and yet which presented such difficulties." while sherlock holmes had b', ' first glance so simple and yet which presented such difficulties." while sherlock holmes had been d', 't glance so simple and yet which presented such difficulties." while sherlock holmes had been detail', 'nce so simple and yet which presented such difficulties." while sherlock holmes had been detailing t', 'o simple and yet which presented such difficulties." while sherlock holmes had been detailing this s', 'ple and yet which presented such difficulties." while sherlock holmes had been detailing this singul', 'nd yet which presented such difficulties." while sherlock holmes had been detailing this singular se', 't which presented such difficulties." while sherlock holmes had been detailing this singular series ', 'ch presented such difficulties." while sherlock holmes had been detailing this singular series of ev', 'esented such difficulties." while sherlock holmes had been detailing this singular series of events,', 'ed such difficulties." while sherlock holmes had been detailing this singular series of events, we h', 'ch difficulties." while sherlock holmes had been detailing this singular series of events, we had be', 'fficulties." while sherlock holmes had been detailing this singular series of events, we had been wh', 'lties." while sherlock holmes had been detailing this singular series of events, we had been whirlin', '." while sherlock holmes had been detailing this singular series of events, we had been whirling thr', 'ile sherlock holmes had been detailing this singular series of events, we had been whirling through ', 'herlock holmes had been detailing this singular series of events, we had been whirling through the o', 'ck holmes had been detailing this singular series of events, we had been whirling through the outski', 'lmes had been detailing this singular series of events, we had been whirling through the outskirts o', 'had been detailing this singular series of events, we had been whirling through the outskirts of the', 'een detailing this singular series of events, we had been whirling through the outskirts of the grea', 'etailing this singular series of events, we had been whirling through the outskirts of the great tow', 'ing this singular series of events, we had been whirling through the outskirts of the great town unt', 'his singular series of events, we had been whirling through the outskirts of the great town until th', 'ingular series of events, we had been whirling through the outskirts of the great town until the las', 'ar series of events, we had been whirling through the outskirts of the great town until the last str', 'ries of events, we had been whirling through the outskirts of the great town until the last straggli', 'of events, we had been whirling through the outskirts of the great town until the last straggling ho', 'ents, we had been whirling through the outskirts of the great town until the last straggling houses ', ' we had been whirling through the outskirts of the great town until the last straggling houses had b', 'ad been whirling through the outskirts of the great town until the last straggling houses had been l', 'en whirling through the outskirts of the great town until the last straggling houses had been left b', 'irling through the outskirts of the great town until the last straggling houses had been left behind', 'g through the outskirts of the great town until the last straggling houses had been left behind, and', 'ough the outskirts of the great town until the last straggling houses had been left behind, and we r', 'the outskirts of the great town until the last straggling houses had been left behind, and we rattle', 'utskirts of the great town until the last straggling houses had been left behind, and we rattled alo', 'rts of the great town until the last straggling houses had been left behind, and we rattled along wi', 'f the great town until the last straggling houses had been left behind, and we rattled along with a ', ' great town until the last straggling houses had been left behind, and we rattled along with a count', 't town until the last straggling houses had been left behind, and we rattled along with a country he', 'n until the last straggling houses had been left behind, and we rattled along with a country hedge u', 'il the last straggling houses had been left behind, and we rattled along with a country hedge upon e', 'e last straggling houses had been left behind, and we rattled along with a country hedge upon either', 't straggling houses had been left behind, and we rattled along with a country hedge upon either side', 'aggling houses had been left behind, and we rattled along with a country hedge upon either side of u', 'ng houses had been left behind, and we rattled along with a country hedge upon either side of us. ju', 'uses had been left behind, and we rattled along with a country hedge upon either side of us. just as', 'had been left behind, and we rattled along with a country hedge upon either side of us. just as he f', 'een left behind, and we rattled along with a country hedge upon either side of us. just as he finish', 'eft behind, and we rattled along with a country hedge upon either side of us. just as he finished, h', 'ehind, and we rattled along with a country hedge upon either side of us. just as he finished, howeve', ', and we rattled along with a country hedge upon either side of us. just as he finished, however, we', ' we rattled along with a country hedge upon either side of us. just as he finished, however, we drov', 'attled along with a country hedge upon either side of us. just as he finished, however, we drove thr', 'd along with a country hedge upon either side of us. just as he finished, however, we drove through ', 'ng with a country hedge upon either side of us. just as he finished, however, we drove through two s', 'th a country hedge upon either side of us. just as he finished, however, we drove through two scatte', 'country hedge upon either side of us. just as he finished, however, we drove through two scattered v', 'ry hedge upon either side of us. just as he finished, however, we drove through two scattered villag', 'dge upon either side of us. just as he finished, however, we drove through two scattered villages, w', 'pon either side of us. just as he finished, however, we drove through two scattered villages, where ', 'ither side of us. just as he finished, however, we drove through two scattered villages, where a few', ' side of us. just as he finished, however, we drove through two scattered villages, where a few ligh', ' of us. just as he finished, however, we drove through two scattered villages, where a few lights st', 's. just as he finished, however, we drove through two scattered villages, where a few lights still g', 'st as he finished, however, we drove through two scattered villages, where a few lights still glimme', ' he finished, however, we drove through two scattered villages, where a few lights still glimmered i', 'inished, however, we drove through two scattered villages, where a few lights still glimmered in the', 'ed, however, we drove through two scattered villages, where a few lights still glimmered in the wind', 'owever, we drove through two scattered villages, where a few lights still glimmered in the windows. ', 'r, we drove through two scattered villages, where a few lights still glimmered in the windows. "we a', ' drove through two scattered villages, where a few lights still glimmered in the windows. "we are on', 'e through two scattered villages, where a few lights still glimmered in the windows. "we are on the ', 'ough two scattered villages, where a few lights still glimmered in the windows. "we are on the outsk', 'two scattered villages, where a few lights still glimmered in the windows. "we are on the outskirts ', 'cattered villages, where a few lights still glimmered in the windows. "we are on the outskirts of le', 'red villages, where a few lights still glimmered in the windows. "we are on the outskirts of lee," s', 'illages, where a few lights still glimmered in the windows. "we are on the outskirts of lee," said m', 'es, where a few lights still glimmered in the windows. "we are on the outskirts of lee," said my com', 'here a few lights still glimmered in the windows. "we are on the outskirts of lee," said my companio', 'a few lights still glimmered in the windows. "we are on the outskirts of lee," said my companion. "w', ' lights still glimmered in the windows. "we are on the outskirts of lee," said my companion. "we hav', 'ts still glimmered in the windows. "we are on the outskirts of lee," said my companion. "we have tou', 'ill glimmered in the windows. "we are on the outskirts of lee," said my companion. "we have touched ', 'limmered in the windows. "we are on the outskirts of lee," said my companion. "we have touched on th', 'red in the windows. "we are on the outskirts of lee," said my companion. "we have touched on three e', 'n the windows. "we are on the outskirts of lee," said my companion. "we have touched on three englis', ' windows. "we are on the outskirts of lee," said my companion. "we have touched on three english cou', 'ows. "we are on the outskirts of lee," said my companion. "we have touched on three english counties', '"we are on the outskirts of lee," said my companion. "we have touched on three english counties in o', 're on the outskirts of lee," said my companion. "we have touched on three english counties in our sh', ' the outskirts of lee," said my companion. "we have touched on three english counties in our short d', 'outskirts of lee," said my companion. "we have touched on three english counties in our short drive,', 'irts of lee," said my companion. "we have touched on three english counties in our short drive, star', 'of lee," said my companion. "we have touched on three english counties in our short drive, starting ', 'e," said my companion. "we have touched on three english counties in our short drive, starting in mi', 'aid my companion. "we have touched on three english counties in our short drive, starting in middles', 'y companion. "we have touched on three english counties in our short drive, starting in middlesex, p', 'panion. "we have touched on three english counties in our short drive, starting in middlesex, passin', 'n. "we have touched on three english counties in our short drive, starting in middlesex, passing ove', 'e have touched on three english counties in our short drive, starting in middlesex, passing over an ', 'e touched on three english counties in our short drive, starting in middlesex, passing over an angle', 'ched on three english counties in our short drive, starting in middlesex, passing over an angle of s', 'on three english counties in our short drive, starting in middlesex, passing over an angle of surrey', 'ree english counties in our short drive, starting in middlesex, passing over an angle of surrey, and', 'nglish counties in our short drive, starting in middlesex, passing over an angle of surrey, and endi', 'h counties in our short drive, starting in middlesex, passing over an angle of surrey, and ending in', 'nties in our short drive, starting in middlesex, passing over an angle of surrey, and ending in kent', ' in our short drive, starting in middlesex, passing over an angle of surrey, and ending in kent. see', 'ur short drive, starting in middlesex, passing over an angle of surrey, and ending in kent. see that', 'ort drive, starting in middlesex, passing over an angle of surrey, and ending in kent. see that ligh', 'rive, starting in middlesex, passing over an angle of surrey, and ending in kent. see that light amo', ' starting in middlesex, passing over an angle of surrey, and ending in kent. see that light among th', 'ting in middlesex, passing over an angle of surrey, and ending in kent. see that light among the tre', 'in middlesex, passing over an angle of surrey, and ending in kent. see that light among the trees? t', 'ddlesex, passing over an angle of surrey, and ending in kent. see that light among the trees? that i', 'ex, passing over an angle of surrey, and ending in kent. see that light among the trees? that is the', 'assing over an angle of surrey, and ending in kent. see that light among the trees? that is the ceda', 'g over an angle of surrey, and ending in kent. see that light among the trees? that is the cedars, a', 'r an angle of surrey, and ending in kent. see that light among the trees? that is the cedars, and be', 'angle of surrey, and ending in kent. see that light among the trees? that is the cedars, and beside ', ' of surrey, and ending in kent. see that light among the trees? that is the cedars, and beside that ', 'urrey, and ending in kent. see that light among the trees? that is the cedars, and beside that lamp ', ', and ending in kent. see that light among the trees? that is the cedars, and beside that lamp sits ', ' ending in kent. see that light among the trees? that is the cedars, and beside that lamp sits a wom', 'ng in kent. see that light among the trees? that is the cedars, and beside that lamp sits a woman wh', ' kent. see that light among the trees? that is the cedars, and beside that lamp sits a woman whose a', '. see that light among the trees? that is the cedars, and beside that lamp sits a woman whose anxiou', ' that light among the trees? that is the cedars, and beside that lamp sits a woman whose anxious ear', ' light among the trees? that is the cedars, and beside that lamp sits a woman whose anxious ears hav', 't among the trees? that is the cedars, and beside that lamp sits a woman whose anxious ears have alr', 'ng the trees? that is the cedars, and beside that lamp sits a woman whose anxious ears have already,', 'e trees? that is the cedars, and beside that lamp sits a woman whose anxious ears have already, i ha', 'es? that is the cedars, and beside that lamp sits a woman whose anxious ears have already, i have li', 'hat is the cedars, and beside that lamp sits a woman whose anxious ears have already, i have little ', 's the cedars, and beside that lamp sits a woman whose anxious ears have already, i have little doubt', ' cedars, and beside that lamp sits a woman whose anxious ears have already, i have little doubt, cau', 'rs, and beside that lamp sits a woman whose anxious ears have already, i have little doubt, caught t', 'nd beside that lamp sits a woman whose anxious ears have already, i have little doubt, caught the cl', 'side that lamp sits a woman whose anxious ears have already, i have little doubt, caught the clink o', 'that lamp sits a woman whose anxious ears have already, i have little doubt, caught the clink of our', 'lamp sits a woman whose anxious ears have already, i have little doubt, caught the clink of our hors', "sits a woman whose anxious ears have already, i have little doubt, caught the clink of our horse's f", 'a woman whose anxious ears have already, i have little doubt, caught the clink of our horse\'s feet."', 'an whose anxious ears have already, i have little doubt, caught the clink of our horse\'s feet." "but', 'ose anxious ears have already, i have little doubt, caught the clink of our horse\'s feet." "but why ', 'nxious ears have already, i have little doubt, caught the clink of our horse\'s feet." "but why are y', 's ears have already, i have little doubt, caught the clink of our horse\'s feet." "but why are you no', 's have already, i have little doubt, caught the clink of our horse\'s feet." "but why are you not con', 'e already, i have little doubt, caught the clink of our horse\'s feet." "but why are you not conducti', 'eady, i have little doubt, caught the clink of our horse\'s feet." "but why are you not conducting th', ' i have little doubt, caught the clink of our horse\'s feet." "but why are you not conducting the cas', 've little doubt, caught the clink of our horse\'s feet." "but why are you not conducting the case fro', 'ttle doubt, caught the clink of our horse\'s feet." "but why are you not conducting the case from bak', 'doubt, caught the clink of our horse\'s feet." "but why are you not conducting the case from baker st', ', caught the clink of our horse\'s feet." "but why are you not conducting the case from baker street?', 'ght the clink of our horse\'s feet." "but why are you not conducting the case from baker street?" i a', 'he clink of our horse\'s feet." "but why are you not conducting the case from baker street?" i asked.', 'ink of our horse\'s feet." "but why are you not conducting the case from baker street?" i asked. "bec', 'f our horse\'s feet." "but why are you not conducting the case from baker street?" i asked. "because ', ' horse\'s feet." "but why are you not conducting the case from baker street?" i asked. "because there', 'e\'s feet." "but why are you not conducting the case from baker street?" i asked. "because there are ', 'eet." "but why are you not conducting the case from baker street?" i asked. "because there are many ', ' "but why are you not conducting the case from baker street?" i asked. "because there are many inqui', ' why are you not conducting the case from baker street?" i asked. "because there are many inquiries ', 'are you not conducting the case from baker street?" i asked. "because there are many inquiries which', 'ou not conducting the case from baker street?" i asked. "because there are many inquiries which must', 't conducting the case from baker street?" i asked. "because there are many inquiries which must be m', 'ducting the case from baker street?" i asked. "because there are many inquiries which must be made o', 'ng the case from baker street?" i asked. "because there are many inquiries which must be made out he', 'e case from baker street?" i asked. "because there are many inquiries which must be made out here. m', 'e from baker street?" i asked. "because there are many inquiries which must be made out here. mrs. s', 'm baker street?" i asked. "because there are many inquiries which must be made out here. mrs. st. cl', 'er street?" i asked. "because there are many inquiries which must be made out here. mrs. st. clair h', 'reet?" i asked. "because there are many inquiries which must be made out here. mrs. st. clair has mo', '" i asked. "because there are many inquiries which must be made out here. mrs. st. clair has most ki', 'sked. "because there are many inquiries which must be made out here. mrs. st. clair has most kindly ', ' "because there are many inquiries which must be made out here. mrs. st. clair has most kindly put t', 'ause there are many inquiries which must be made out here. mrs. st. clair has most kindly put two ro', 'there are many inquiries which must be made out here. mrs. st. clair has most kindly put two rooms a', ' are many inquiries which must be made out here. mrs. st. clair has most kindly put two rooms at my ', 'many inquiries which must be made out here. mrs. st. clair has most kindly put two rooms at my dispo', 'inquiries which must be made out here. mrs. st. clair has most kindly put two rooms at my disposal, ', 'ries which must be made out here. mrs. st. clair has most kindly put two rooms at my disposal, and y', 'which must be made out here. mrs. st. clair has most kindly put two rooms at my disposal, and you ma', ' must be made out here. mrs. st. clair has most kindly put two rooms at my disposal, and you may res', ' be made out here. mrs. st. clair has most kindly put two rooms at my disposal, and you may rest ass', 'ade out here. mrs. st. clair has most kindly put two rooms at my disposal, and you may rest assured ', 'ut here. mrs. st. clair has most kindly put two rooms at my disposal, and you may rest assured that ', 're. mrs. st. clair has most kindly put two rooms at my disposal, and you may rest assured that she w', 'rs. st. clair has most kindly put two rooms at my disposal, and you may rest assured that she will h', 't. clair has most kindly put two rooms at my disposal, and you may rest assured that she will have n', 'air has most kindly put two rooms at my disposal, and you may rest assured that she will have nothin', 'as most kindly put two rooms at my disposal, and you may rest assured that she will have nothing but', 'st kindly put two rooms at my disposal, and you may rest assured that she will have nothing but a we', 'ndly put two rooms at my disposal, and you may rest assured that she will have nothing but a welcome', 'put two rooms at my disposal, and you may rest assured that she will have nothing but a welcome for ', 'wo rooms at my disposal, and you may rest assured that she will have nothing but a welcome for my fr', 'oms at my disposal, and you may rest assured that she will have nothing but a welcome for my friend ', 't my disposal, and you may rest assured that she will have nothing but a welcome for my friend and c', 'disposal, and you may rest assured that she will have nothing but a welcome for my friend and collea', 'sal, and you may rest assured that she will have nothing but a welcome for my friend and colleague. ', 'and you may rest assured that she will have nothing but a welcome for my friend and colleague. i hat', 'ou may rest assured that she will have nothing but a welcome for my friend and colleague. i hate to ', 'y rest assured that she will have nothing but a welcome for my friend and colleague. i hate to meet ', 't assured that she will have nothing but a welcome for my friend and colleague. i hate to meet her, ', 'ured that she will have nothing but a welcome for my friend and colleague. i hate to meet her, watso', 'that she will have nothing but a welcome for my friend and colleague. i hate to meet her, watson, wh', 'she will have nothing but a welcome for my friend and colleague. i hate to meet her, watson, when i ', 'ill have nothing but a welcome for my friend and colleague. i hate to meet her, watson, when i have ', 'ave nothing but a welcome for my friend and colleague. i hate to meet her, watson, when i have no ne', 'othing but a welcome for my friend and colleague. i hate to meet her, watson, when i have no news of', 'g but a welcome for my friend and colleague. i hate to meet her, watson, when i have no news of her ', ' a welcome for my friend and colleague. i hate to meet her, watson, when i have no news of her husba', 'lcome for my friend and colleague. i hate to meet her, watson, when i have no news of her husband. h', ' for my friend and colleague. i hate to meet her, watson, when i have no news of her husband. here w', 'my friend and colleague. i hate to meet her, watson, when i have no news of her husband. here we are', 'iend and colleague. i hate to meet her, watson, when i have no news of her husband. here we are. who', 'and colleague. i hate to meet her, watson, when i have no news of her husband. here we are. whoa, th', 'olleague. i hate to meet her, watson, when i have no news of her husband. here we are. whoa, there, ', 'gue. i hate to meet her, watson, when i have no news of her husband. here we are. whoa, there, whoa ', 'i hate to meet her, watson, when i have no news of her husband. here we are. whoa, there, whoa we h', 'e to meet her, watson, when i have no news of her husband. here we are. whoa, there, whoa we had pu', 'meet her, watson, when i have no news of her husband. here we are. whoa, there, whoa we had pulled ', 'her, watson, when i have no news of her husband. here we are. whoa, there, whoa we had pulled up in', 'watson, when i have no news of her husband. here we are. whoa, there, whoa we had pulled up in fron', 'n, when i have no news of her husband. here we are. whoa, there, whoa we had pulled up in front of ', 'en i have no news of her husband. here we are. whoa, there, whoa we had pulled up in front of a lar', 'have no news of her husband. here we are. whoa, there, whoa we had pulled up in front of a large vi', 'no news of her husband. here we are. whoa, there, whoa we had pulled up in front of a large villa w', 'ws of her husband. here we are. whoa, there, whoa we had pulled up in front of a large villa which ', ' her husband. here we are. whoa, there, whoa we had pulled up in front of a large villa which stood', 'husband. here we are. whoa, there, whoa we had pulled up in front of a large villa which stood with', 'nd. here we are. whoa, there, whoa we had pulled up in front of a large villa which stood within it', 'ere we are. whoa, there, whoa we had pulled up in front of a large villa which stood within its own', 'e are. whoa, there, whoa we had pulled up in front of a large villa which stood within its own grou', '. whoa, there, whoa we had pulled up in front of a large villa which stood within its own grounds. ', 'a, there, whoa we had pulled up in front of a large villa which stood within its own grounds. a sta', 'ere, whoa we had pulled up in front of a large villa which stood within its own grounds. a stable-b', 'whoa we had pulled up in front of a large villa which stood within its own grounds. a stable-boy ha', ' we had pulled up in front of a large villa which stood within its own grounds. a stable-boy had run', 'ad pulled up in front of a large villa which stood within its own grounds. a stable-boy had run out ', 'lled up in front of a large villa which stood within its own grounds. a stable-boy had run out to th', 'up in front of a large villa which stood within its own grounds. a stable-boy had run out to the hor', " front of a large villa which stood within its own grounds. a stable-boy had run out to the horse's ", "t of a large villa which stood within its own grounds. a stable-boy had run out to the horse's head,", "a large villa which stood within its own grounds. a stable-boy had run out to the horse's head, and ", "ge villa which stood within its own grounds. a stable-boy had run out to the horse's head, and sprin", "lla which stood within its own grounds. a stable-boy had run out to the horse's head, and springing ", "hich stood within its own grounds. a stable-boy had run out to the horse's head, and springing down,", "stood within its own grounds. a stable-boy had run out to the horse's head, and springing down, i fo", " within its own grounds. a stable-boy had run out to the horse's head, and springing down, i followe", "in its own grounds. a stable-boy had run out to the horse's head, and springing down, i followed hol", "s own grounds. a stable-boy had run out to the horse's head, and springing down, i followed holmes u", " grounds. a stable-boy had run out to the horse's head, and springing down, i followed holmes up the", "nds. a stable-boy had run out to the horse's head, and springing down, i followed holmes up the smal", "a stable-boy had run out to the horse's head, and springing down, i followed holmes up the small, wi", "ble-boy had run out to the horse's head, and springing down, i followed holmes up the small, winding", "oy had run out to the horse's head, and springing down, i followed holmes up the small, winding grav", "d run out to the horse's head, and springing down, i followed holmes up the small, winding gravel-dr", " out to the horse's head, and springing down, i followed holmes up the small, winding gravel-drive w", "to the horse's head, and springing down, i followed holmes up the small, winding gravel-drive which ", "e horse's head, and springing down, i followed holmes up the small, winding gravel-drive which led t", "se's head, and springing down, i followed holmes up the small, winding gravel-drive which led to the", 'head, and springing down, i followed holmes up the small, winding gravel-drive which led to the hous', ' and springing down, i followed holmes up the small, winding gravel-drive which led to the house. as', 'springing down, i followed holmes up the small, winding gravel-drive which led to the house. as we a', 'ging down, i followed holmes up the small, winding gravel-drive which led to the house. as we approa', 'down, i followed holmes up the small, winding gravel-drive which led to the house. as we approached,', ' i followed holmes up the small, winding gravel-drive which led to the house. as we approached, the ', 'llowed holmes up the small, winding gravel-drive which led to the house. as we approached, the door ', 'd holmes up the small, winding gravel-drive which led to the house. as we approached, the door flew ', 'mes up the small, winding gravel-drive which led to the house. as we approached, the door flew open,', 'p the small, winding gravel-drive which led to the house. as we approached, the door flew open, and ', ' small, winding gravel-drive which led to the house. as we approached, the door flew open, and a lit', 'l, winding gravel-drive which led to the house. as we approached, the door flew open, and a little b', 'nding gravel-drive which led to the house. as we approached, the door flew open, and a little blonde', ' gravel-drive which led to the house. as we approached, the door flew open, and a little blonde woma', 'el-drive which led to the house. as we approached, the door flew open, and a little blonde woman sto', 'ive which led to the house. as we approached, the door flew open, and a little blonde woman stood in', 'hich led to the house. as we approached, the door flew open, and a little blonde woman stood in the ', 'led to the house. as we approached, the door flew open, and a little blonde woman stood in the openi', 'o the house. as we approached, the door flew open, and a little blonde woman stood in the opening, c', ' house. as we approached, the door flew open, and a little blonde woman stood in the opening, clad i', 'e. as we approached, the door flew open, and a little blonde woman stood in the opening, clad in som', ' we approached, the door flew open, and a little blonde woman stood in the opening, clad in some sor', 'pproached, the door flew open, and a little blonde woman stood in the opening, clad in some sort of ', 'ched, the door flew open, and a little blonde woman stood in the opening, clad in some sort of light', ' the door flew open, and a little blonde woman stood in the opening, clad in some sort of light mous', 'door flew open, and a little blonde woman stood in the opening, clad in some sort of light mousselin', 'flew open, and a little blonde woman stood in the opening, clad in some sort of light mousseline de ', 'open, and a little blonde woman stood in the opening, clad in some sort of light mousseline de soie,', ' and a little blonde woman stood in the opening, clad in some sort of light mousseline de soie, with', 'a little blonde woman stood in the opening, clad in some sort of light mousseline de soie, with a to', 'tle blonde woman stood in the opening, clad in some sort of light mousseline de soie, with a touch o', 'londe woman stood in the opening, clad in some sort of light mousseline de soie, with a touch of flu', ' woman stood in the opening, clad in some sort of light mousseline de soie, with a touch of fluffy p', 'n stood in the opening, clad in some sort of light mousseline de soie, with a touch of fluffy pink c', 'od in the opening, clad in some sort of light mousseline de soie, with a touch of fluffy pink chiffo', ' the opening, clad in some sort of light mousseline de soie, with a touch of fluffy pink chiffon at ', 'opening, clad in some sort of light mousseline de soie, with a touch of fluffy pink chiffon at her n', 'ng, clad in some sort of light mousseline de soie, with a touch of fluffy pink chiffon at her neck a', 'lad in some sort of light mousseline de soie, with a touch of fluffy pink chiffon at her neck and wr', 'n some sort of light mousseline de soie, with a touch of fluffy pink chiffon at her neck and wrists.', 'e sort of light mousseline de soie, with a touch of fluffy pink chiffon at her neck and wrists. she ', 't of light mousseline de soie, with a touch of fluffy pink chiffon at her neck and wrists. she stood', 'light mousseline de soie, with a touch of fluffy pink chiffon at her neck and wrists. she stood with', ' mousseline de soie, with a touch of fluffy pink chiffon at her neck and wrists. she stood with her ', 'seline de soie, with a touch of fluffy pink chiffon at her neck and wrists. she stood with her figur', 'e de soie, with a touch of fluffy pink chiffon at her neck and wrists. she stood with her figure out', 'soie, with a touch of fluffy pink chiffon at her neck and wrists. she stood with her figure outlined', ' with a touch of fluffy pink chiffon at her neck and wrists. she stood with her figure outlined agai', ' a touch of fluffy pink chiffon at her neck and wrists. she stood with her figure outlined against t', 'uch of fluffy pink chiffon at her neck and wrists. she stood with her figure outlined against the fl', 'f fluffy pink chiffon at her neck and wrists. she stood with her figure outlined against the flood o', 'ffy pink chiffon at her neck and wrists. she stood with her figure outlined against the flood of lig', 'ink chiffon at her neck and wrists. she stood with her figure outlined against the flood of light, o', 'hiffon at her neck and wrists. she stood with her figure outlined against the flood of light, one ha', 'n at her neck and wrists. she stood with her figure outlined against the flood of light, one hand up', 'her neck and wrists. she stood with her figure outlined against the flood of light, one hand upon th', 'eck and wrists. she stood with her figure outlined against the flood of light, one hand upon the doo', 'nd wrists. she stood with her figure outlined against the flood of light, one hand upon the door, on', 'ists. she stood with her figure outlined against the flood of light, one hand upon the door, one hal', ' she stood with her figure outlined against the flood of light, one hand upon the door, one half-rai', 'stood with her figure outlined against the flood of light, one hand upon the door, one half-raised i', ' with her figure outlined against the flood of light, one hand upon the door, one half-raised in her', ' her figure outlined against the flood of light, one hand upon the door, one half-raised in her eage', 'figure outlined against the flood of light, one hand upon the door, one half-raised in her eagerness', 'e outlined against the flood of light, one hand upon the door, one half-raised in her eagerness, her', 'lined against the flood of light, one hand upon the door, one half-raised in her eagerness, her body', ' against the flood of light, one hand upon the door, one half-raised in her eagerness, her body slig', 'nst the flood of light, one hand upon the door, one half-raised in her eagerness, her body slightly ', 'he flood of light, one hand upon the door, one half-raised in her eagerness, her body slightly bent,', 'ood of light, one hand upon the door, one half-raised in her eagerness, her body slightly bent, her ', 'f light, one hand upon the door, one half-raised in her eagerness, her body slightly bent, her head ', 'ht, one hand upon the door, one half-raised in her eagerness, her body slightly bent, her head and f', 'ne hand upon the door, one half-raised in her eagerness, her body slightly bent, her head and face p', 'nd upon the door, one half-raised in her eagerness, her body slightly bent, her head and face protru', 'on the door, one half-raised in her eagerness, her body slightly bent, her head and face protruded, ', 'e door, one half-raised in her eagerness, her body slightly bent, her head and face protruded, with ', 'r, one half-raised in her eagerness, her body slightly bent, her head and face protruded, with eager', 'e half-raised in her eagerness, her body slightly bent, her head and face protruded, with eager eyes', 'f-raised in her eagerness, her body slightly bent, her head and face protruded, with eager eyes and ', 'sed in her eagerness, her body slightly bent, her head and face protruded, with eager eyes and parte', 'n her eagerness, her body slightly bent, her head and face protruded, with eager eyes and parted lip', ' eagerness, her body slightly bent, her head and face protruded, with eager eyes and parted lips, a ', 'rness, her body slightly bent, her head and face protruded, with eager eyes and parted lips, a stand', ', her body slightly bent, her head and face protruded, with eager eyes and parted lips, a standing q', ' body slightly bent, her head and face protruded, with eager eyes and parted lips, a standing questi', ' slightly bent, her head and face protruded, with eager eyes and parted lips, a standing question. "', 'htly bent, her head and face protruded, with eager eyes and parted lips, a standing question. "well?', 'bent, her head and face protruded, with eager eyes and parted lips, a standing question. "well?" she', ' her head and face protruded, with eager eyes and parted lips, a standing question. "well?" she crie', 'head and face protruded, with eager eyes and parted lips, a standing question. "well?" she cried, "w', 'and face protruded, with eager eyes and parted lips, a standing question. "well?" she cried, "well?"', 'ace protruded, with eager eyes and parted lips, a standing question. "well?" she cried, "well?" and ', 'rotruded, with eager eyes and parted lips, a standing question. "well?" she cried, "well?" and then,', 'ded, with eager eyes and parted lips, a standing question. "well?" she cried, "well?" and then, seei', 'with eager eyes and parted lips, a standing question. "well?" she cried, "well?" and then, seeing th', 'eager eyes and parted lips, a standing question. "well?" she cried, "well?" and then, seeing that th', ' eyes and parted lips, a standing question. "well?" she cried, "well?" and then, seeing that there w', ' and parted lips, a standing question. "well?" she cried, "well?" and then, seeing that there were t', 'parted lips, a standing question. "well?" she cried, "well?" and then, seeing that there were two of', 'd lips, a standing question. "well?" she cried, "well?" and then, seeing that there were two of us, ', 's, a standing question. "well?" she cried, "well?" and then, seeing that there were two of us, she g', 'standing question. "well?" she cried, "well?" and then, seeing that there were two of us, she gave a', 'ing question. "well?" she cried, "well?" and then, seeing that there were two of us, she gave a cry ', 'uestion. "well?" she cried, "well?" and then, seeing that there were two of us, she gave a cry of ho', 'on. "well?" she cried, "well?" and then, seeing that there were two of us, she gave a cry of hope wh', 'well?" she cried, "well?" and then, seeing that there were two of us, she gave a cry of hope which s', '" she cried, "well?" and then, seeing that there were two of us, she gave a cry of hope which sank i', ' cried, "well?" and then, seeing that there were two of us, she gave a cry of hope which sank into a', 'd, "well?" and then, seeing that there were two of us, she gave a cry of hope which sank into a groa', 'ell?" and then, seeing that there were two of us, she gave a cry of hope which sank into a groan as ', ' and then, seeing that there were two of us, she gave a cry of hope which sank into a groan as she s', 'then, seeing that there were two of us, she gave a cry of hope which sank into a groan as she saw th', ' seeing that there were two of us, she gave a cry of hope which sank into a groan as she saw that my', 'ng that there were two of us, she gave a cry of hope which sank into a groan as she saw that my comp', 'at there were two of us, she gave a cry of hope which sank into a groan as she saw that my companion', 'ere were two of us, she gave a cry of hope which sank into a groan as she saw that my companion shoo', 'ere two of us, she gave a cry of hope which sank into a groan as she saw that my companion shook his', 'wo of us, she gave a cry of hope which sank into a groan as she saw that my companion shook his head', ' us, she gave a cry of hope which sank into a groan as she saw that my companion shook his head and ', 'she gave a cry of hope which sank into a groan as she saw that my companion shook his head and shrug', 'ave a cry of hope which sank into a groan as she saw that my companion shook his head and shrugged h', ' cry of hope which sank into a groan as she saw that my companion shook his head and shrugged his sh', 'of hope which sank into a groan as she saw that my companion shook his head and shrugged his shoulde', 'pe which sank into a groan as she saw that my companion shook his head and shrugged his shoulders. "', 'ich sank into a groan as she saw that my companion shook his head and shrugged his shoulders. "no go', 'ank into a groan as she saw that my companion shook his head and shrugged his shoulders. "no good ne', 'nto a groan as she saw that my companion shook his head and shrugged his shoulders. "no good news?" ', ' groan as she saw that my companion shook his head and shrugged his shoulders. "no good news?" "none', 'n as she saw that my companion shook his head and shrugged his shoulders. "no good news?" "none." "n', 'she saw that my companion shook his head and shrugged his shoulders. "no good news?" "none." "no bad', 'aw that my companion shook his head and shrugged his shoulders. "no good news?" "none." "no bad?" "n', 'at my companion shook his head and shrugged his shoulders. "no good news?" "none." "no bad?" "no." "', ' companion shook his head and shrugged his shoulders. "no good news?" "none." "no bad?" "no." "thank', 'anion shook his head and shrugged his shoulders. "no good news?" "none." "no bad?" "no." "thank god ', ' shook his head and shrugged his shoulders. "no good news?" "none." "no bad?" "no." "thank god for t', 'k his head and shrugged his shoulders. "no good news?" "none." "no bad?" "no." "thank god for that. ', ' head and shrugged his shoulders. "no good news?" "none." "no bad?" "no." "thank god for that. but c', ' and shrugged his shoulders. "no good news?" "none." "no bad?" "no." "thank god for that. but come i', 'shrugged his shoulders. "no good news?" "none." "no bad?" "no." "thank god for that. but come in. yo', 'ged his shoulders. "no good news?" "none." "no bad?" "no." "thank god for that. but come in. you mus', 'is shoulders. "no good news?" "none." "no bad?" "no." "thank god for that. but come in. you must be ', 'oulders. "no good news?" "none." "no bad?" "no." "thank god for that. but come in. you must be weary', 'rs. "no good news?" "none." "no bad?" "no." "thank god for that. but come in. you must be weary, for', 'no good news?" "none." "no bad?" "no." "thank god for that. but come in. you must be weary, for you ', 'od news?" "none." "no bad?" "no." "thank god for that. but come in. you must be weary, for you have ', 'ws?" "none." "no bad?" "no." "thank god for that. but come in. you must be weary, for you have had a', '"none." "no bad?" "no." "thank god for that. but come in. you must be weary, for you have had a long', '." "no bad?" "no." "thank god for that. but come in. you must be weary, for you have had a long day.', 'o bad?" "no." "thank god for that. but come in. you must be weary, for you have had a long day." "th', '?" "no." "thank god for that. but come in. you must be weary, for you have had a long day." "this is', 'o." "thank god for that. but come in. you must be weary, for you have had a long day." "this is my f', 'thank god for that. but come in. you must be weary, for you have had a long day." "this is my friend', ' god for that. but come in. you must be weary, for you have had a long day." "this is my friend, dr.', 'for that. but come in. you must be weary, for you have had a long day." "this is my friend, dr. wats', 'hat. but come in. you must be weary, for you have had a long day." "this is my friend, dr. watson. h', 'but come in. you must be weary, for you have had a long day." "this is my friend, dr. watson. he has', 'ome in. you must be weary, for you have had a long day." "this is my friend, dr. watson. he has been', 'n. you must be weary, for you have had a long day." "this is my friend, dr. watson. he has been of m', 'u must be weary, for you have had a long day." "this is my friend, dr. watson. he has been of most v', 't be weary, for you have had a long day." "this is my friend, dr. watson. he has been of most vital ', 'weary, for you have had a long day." "this is my friend, dr. watson. he has been of most vital use t', ', for you have had a long day." "this is my friend, dr. watson. he has been of most vital use to me ', ' you have had a long day." "this is my friend, dr. watson. he has been of most vital use to me in se', 'have had a long day." "this is my friend, dr. watson. he has been of most vital use to me in several', 'had a long day." "this is my friend, dr. watson. he has been of most vital use to me in several of m', ' long day." "this is my friend, dr. watson. he has been of most vital use to me in several of my cas', ' day." "this is my friend, dr. watson. he has been of most vital use to me in several of my cases, a', '" "this is my friend, dr. watson. he has been of most vital use to me in several of my cases, and a ', 'is is my friend, dr. watson. he has been of most vital use to me in several of my cases, and a lucky', ' my friend, dr. watson. he has been of most vital use to me in several of my cases, and a lucky chan', 'riend, dr. watson. he has been of most vital use to me in several of my cases, and a lucky chance ha', ', dr. watson. he has been of most vital use to me in several of my cases, and a lucky chance has mad', ' watson. he has been of most vital use to me in several of my cases, and a lucky chance has made it ', 'on. he has been of most vital use to me in several of my cases, and a lucky chance has made it possi', 'e has been of most vital use to me in several of my cases, and a lucky chance has made it possible f', ' been of most vital use to me in several of my cases, and a lucky chance has made it possible for me', ' of most vital use to me in several of my cases, and a lucky chance has made it possible for me to b', 'ost vital use to me in several of my cases, and a lucky chance has made it possible for me to bring ', 'ital use to me in several of my cases, and a lucky chance has made it possible for me to bring him o', 'use to me in several of my cases, and a lucky chance has made it possible for me to bring him out an', 'o me in several of my cases, and a lucky chance has made it possible for me to bring him out and ass', 'in several of my cases, and a lucky chance has made it possible for me to bring him out and associat', 'veral of my cases, and a lucky chance has made it possible for me to bring him out and associate him', ' of my cases, and a lucky chance has made it possible for me to bring him out and associate him with', 'y cases, and a lucky chance has made it possible for me to bring him out and associate him with this', 'es, and a lucky chance has made it possible for me to bring him out and associate him with this inve', 'nd a lucky chance has made it possible for me to bring him out and associate him with this investiga', 'lucky chance has made it possible for me to bring him out and associate him with this investigation.', ' chance has made it possible for me to bring him out and associate him with this investigation." "i ', 'ce has made it possible for me to bring him out and associate him with this investigation." "i am de', 's made it possible for me to bring him out and associate him with this investigation." "i am delight', 'e it possible for me to bring him out and associate him with this investigation." "i am delighted to', 'possible for me to bring him out and associate him with this investigation." "i am delighted to see ', 'ble for me to bring him out and associate him with this investigation." "i am delighted to see you,"', 'or me to bring him out and associate him with this investigation." "i am delighted to see you," said', ' to bring him out and associate him with this investigation." "i am delighted to see you," said she,', 'ring him out and associate him with this investigation." "i am delighted to see you," said she, pres', 'him out and associate him with this investigation." "i am delighted to see you," said she, pressing ', 'ut and associate him with this investigation." "i am delighted to see you," said she, pressing my ha', 'd associate him with this investigation." "i am delighted to see you," said she, pressing my hand wa', 'ociate him with this investigation." "i am delighted to see you," said she, pressing my hand warmly.', 'e him with this investigation." "i am delighted to see you," said she, pressing my hand warmly. "you', ' with this investigation." "i am delighted to see you," said she, pressing my hand warmly. "you will', ' this investigation." "i am delighted to see you," said she, pressing my hand warmly. "you will, i a', ' investigation." "i am delighted to see you," said she, pressing my hand warmly. "you will, i am sur', 'stigation." "i am delighted to see you," said she, pressing my hand warmly. "you will, i am sure, fo', 'tion." "i am delighted to see you," said she, pressing my hand warmly. "you will, i am sure, forgive', '" "i am delighted to see you," said she, pressing my hand warmly. "you will, i am sure, forgive anyt', 'am delighted to see you," said she, pressing my hand warmly. "you will, i am sure, forgive anything ', 'lighted to see you," said she, pressing my hand warmly. "you will, i am sure, forgive anything that ', 'ed to see you," said she, pressing my hand warmly. "you will, i am sure, forgive anything that may b', ' see you," said she, pressing my hand warmly. "you will, i am sure, forgive anything that may be wan', 'you," said she, pressing my hand warmly. "you will, i am sure, forgive anything that may be wanting ', ' said she, pressing my hand warmly. "you will, i am sure, forgive anything that may be wanting in ou', ' she, pressing my hand warmly. "you will, i am sure, forgive anything that may be wanting in our arr', ' pressing my hand warmly. "you will, i am sure, forgive anything that may be wanting in our arrangem', 'sing my hand warmly. "you will, i am sure, forgive anything that may be wanting in our arrangements,', 'my hand warmly. "you will, i am sure, forgive anything that may be wanting in our arrangements, when', 'nd warmly. "you will, i am sure, forgive anything that may be wanting in our arrangements, when you ', 'rmly. "you will, i am sure, forgive anything that may be wanting in our arrangements, when you consi', ' "you will, i am sure, forgive anything that may be wanting in our arrangements, when you consider t', ' will, i am sure, forgive anything that may be wanting in our arrangements, when you consider the bl', ', i am sure, forgive anything that may be wanting in our arrangements, when you consider the blow wh', 'm sure, forgive anything that may be wanting in our arrangements, when you consider the blow which h', 'e, forgive anything that may be wanting in our arrangements, when you consider the blow which has co', 'rgive anything that may be wanting in our arrangements, when you consider the blow which has come so', ' anything that may be wanting in our arrangements, when you consider the blow which has come so sudd', 'hing that may be wanting in our arrangements, when you consider the blow which has come so suddenly ', 'that may be wanting in our arrangements, when you consider the blow which has come so suddenly upon ', 'may be wanting in our arrangements, when you consider the blow which has come so suddenly upon us." ', 'e wanting in our arrangements, when you consider the blow which has come so suddenly upon us." "my d', 'ting in our arrangements, when you consider the blow which has come so suddenly upon us." "my dear m', 'in our arrangements, when you consider the blow which has come so suddenly upon us." "my dear madam,', 'r arrangements, when you consider the blow which has come so suddenly upon us." "my dear madam," sai', 'angements, when you consider the blow which has come so suddenly upon us." "my dear madam," said i, ', 'ents, when you consider the blow which has come so suddenly upon us." "my dear madam," said i, "i am', ' when you consider the blow which has come so suddenly upon us." "my dear madam," said i, "i am an o', ' you consider the blow which has come so suddenly upon us." "my dear madam," said i, "i am an old ca', 'consider the blow which has come so suddenly upon us." "my dear madam," said i, "i am an old campaig', 'der the blow which has come so suddenly upon us." "my dear madam," said i, "i am an old campaigner, ', 'he blow which has come so suddenly upon us." "my dear madam," said i, "i am an old campaigner, and i', 'ow which has come so suddenly upon us." "my dear madam," said i, "i am an old campaigner, and if i w', 'ich has come so suddenly upon us." "my dear madam," said i, "i am an old campaigner, and if i were n', 'as come so suddenly upon us." "my dear madam," said i, "i am an old campaigner, and if i were not i ', 'me so suddenly upon us." "my dear madam," said i, "i am an old campaigner, and if i were not i can v', ' suddenly upon us." "my dear madam," said i, "i am an old campaigner, and if i were not i can very w', 'enly upon us." "my dear madam," said i, "i am an old campaigner, and if i were not i can very well s', 'upon us." "my dear madam," said i, "i am an old campaigner, and if i were not i can very well see th', 'us." "my dear madam," said i, "i am an old campaigner, and if i were not i can very well see that no', '"my dear madam," said i, "i am an old campaigner, and if i were not i can very well see that no apol', 'ear madam," said i, "i am an old campaigner, and if i were not i can very well see that no apology i', 'adam," said i, "i am an old campaigner, and if i were not i can very well see that no apology is nee', '" said i, "i am an old campaigner, and if i were not i can very well see that no apology is needed. ', 'd i, "i am an old campaigner, and if i were not i can very well see that no apology is needed. if i ', '"i am an old campaigner, and if i were not i can very well see that no apology is needed. if i can b', ' an old campaigner, and if i were not i can very well see that no apology is needed. if i can be of ', 'ld campaigner, and if i were not i can very well see that no apology is needed. if i can be of any a', 'mpaigner, and if i were not i can very well see that no apology is needed. if i can be of any assist', 'ner, and if i were not i can very well see that no apology is needed. if i can be of any assistance,', 'and if i were not i can very well see that no apology is needed. if i can be of any assistance, eith', 'f i were not i can very well see that no apology is needed. if i can be of any assistance, either to', 'ere not i can very well see that no apology is needed. if i can be of any assistance, either to you ', 'ot i can very well see that no apology is needed. if i can be of any assistance, either to you or to', 'can very well see that no apology is needed. if i can be of any assistance, either to you or to my f', 'ery well see that no apology is needed. if i can be of any assistance, either to you or to my friend', 'ell see that no apology is needed. if i can be of any assistance, either to you or to my friend here', 'ee that no apology is needed. if i can be of any assistance, either to you or to my friend here, i s', 'at no apology is needed. if i can be of any assistance, either to you or to my friend here, i shall ', ' apology is needed. if i can be of any assistance, either to you or to my friend here, i shall be in', 'ogy is needed. if i can be of any assistance, either to you or to my friend here, i shall be indeed ', 's needed. if i can be of any assistance, either to you or to my friend here, i shall be indeed happy', 'ded. if i can be of any assistance, either to you or to my friend here, i shall be indeed happy." "n', 'if i can be of any assistance, either to you or to my friend here, i shall be indeed happy." "now, m', 'can be of any assistance, either to you or to my friend here, i shall be indeed happy." "now, mr. sh', 'e of any assistance, either to you or to my friend here, i shall be indeed happy." "now, mr. sherloc', 'any assistance, either to you or to my friend here, i shall be indeed happy." "now, mr. sherlock hol', 'ssistance, either to you or to my friend here, i shall be indeed happy." "now, mr. sherlock holmes,"', 'ance, either to you or to my friend here, i shall be indeed happy." "now, mr. sherlock holmes," said', ' either to you or to my friend here, i shall be indeed happy." "now, mr. sherlock holmes," said the ', 'er to you or to my friend here, i shall be indeed happy." "now, mr. sherlock holmes," said the lady ', ' you or to my friend here, i shall be indeed happy." "now, mr. sherlock holmes," said the lady as we', 'or to my friend here, i shall be indeed happy." "now, mr. sherlock holmes," said the lady as we ente', ' my friend here, i shall be indeed happy." "now, mr. sherlock holmes," said the lady as we entered a', 'riend here, i shall be indeed happy." "now, mr. sherlock holmes," said the lady as we entered a well', ' here, i shall be indeed happy." "now, mr. sherlock holmes," said the lady as we entered a well-lit ', ', i shall be indeed happy." "now, mr. sherlock holmes," said the lady as we entered a well-lit dinin', 'hall be indeed happy." "now, mr. sherlock holmes," said the lady as we entered a well-lit dining-roo', 'be indeed happy." "now, mr. sherlock holmes," said the lady as we entered a well-lit dining-room, up', 'deed happy." "now, mr. sherlock holmes," said the lady as we entered a well-lit dining-room, upon th', 'happy." "now, mr. sherlock holmes," said the lady as we entered a well-lit dining-room, upon the tab', '." "now, mr. sherlock holmes," said the lady as we entered a well-lit dining-room, upon the table of', 'ow, mr. sherlock holmes," said the lady as we entered a well-lit dining-room, upon the table of whic', 'r. sherlock holmes," said the lady as we entered a well-lit dining-room, upon the table of which a c', 'erlock holmes," said the lady as we entered a well-lit dining-room, upon the table of which a cold s', 'k holmes," said the lady as we entered a well-lit dining-room, upon the table of which a cold supper', 'mes," said the lady as we entered a well-lit dining-room, upon the table of which a cold supper had ', ' said the lady as we entered a well-lit dining-room, upon the table of which a cold supper had been ', ' the lady as we entered a well-lit dining-room, upon the table of which a cold supper had been laid ', 'lady as we entered a well-lit dining-room, upon the table of which a cold supper had been laid out, ', 'as we entered a well-lit dining-room, upon the table of which a cold supper had been laid out, "i sh', ' entered a well-lit dining-room, upon the table of which a cold supper had been laid out, "i should ', 'red a well-lit dining-room, upon the table of which a cold supper had been laid out, "i should very ', ' well-lit dining-room, upon the table of which a cold supper had been laid out, "i should very much ', '-lit dining-room, upon the table of which a cold supper had been laid out, "i should very much like ', 'dining-room, upon the table of which a cold supper had been laid out, "i should very much like to as', 'g-room, upon the table of which a cold supper had been laid out, "i should very much like to ask you', 'm, upon the table of which a cold supper had been laid out, "i should very much like to ask you one ', 'on the table of which a cold supper had been laid out, "i should very much like to ask you one or tw', 'e table of which a cold supper had been laid out, "i should very much like to ask you one or two pla', 'le of which a cold supper had been laid out, "i should very much like to ask you one or two plain qu', ' which a cold supper had been laid out, "i should very much like to ask you one or two plain questio', 'h a cold supper had been laid out, "i should very much like to ask you one or two plain questions, t', 'old supper had been laid out, "i should very much like to ask you one or two plain questions, to whi', 'upper had been laid out, "i should very much like to ask you one or two plain questions, to which i ', ' had been laid out, "i should very much like to ask you one or two plain questions, to which i beg t', 'been laid out, "i should very much like to ask you one or two plain questions, to which i beg that y', 'laid out, "i should very much like to ask you one or two plain questions, to which i beg that you wi', 'out, "i should very much like to ask you one or two plain questions, to which i beg that you will gi', '"i should very much like to ask you one or two plain questions, to which i beg that you will give a ', 'ould very much like to ask you one or two plain questions, to which i beg that you will give a plain', 'very much like to ask you one or two plain questions, to which i beg that you will give a plain answ', 'much like to ask you one or two plain questions, to which i beg that you will give a plain answer." ', 'like to ask you one or two plain questions, to which i beg that you will give a plain answer." "cert', 'to ask you one or two plain questions, to which i beg that you will give a plain answer." "certainly', 'k you one or two plain questions, to which i beg that you will give a plain answer." "certainly, mad', ' one or two plain questions, to which i beg that you will give a plain answer." "certainly, madam." ', 'or two plain questions, to which i beg that you will give a plain answer." "certainly, madam." "do n', 'o plain questions, to which i beg that you will give a plain answer." "certainly, madam." "do not tr', 'in questions, to which i beg that you will give a plain answer." "certainly, madam." "do not trouble', 'estions, to which i beg that you will give a plain answer." "certainly, madam." "do not trouble abou', 'ns, to which i beg that you will give a plain answer." "certainly, madam." "do not trouble about my ', 'o which i beg that you will give a plain answer." "certainly, madam." "do not trouble about my feeli', 'ch i beg that you will give a plain answer." "certainly, madam." "do not trouble about my feelings. ', 'beg that you will give a plain answer." "certainly, madam." "do not trouble about my feelings. i am ', 'hat you will give a plain answer." "certainly, madam." "do not trouble about my feelings. i am not h', 'ou will give a plain answer." "certainly, madam." "do not trouble about my feelings. i am not hyster', 'll give a plain answer." "certainly, madam." "do not trouble about my feelings. i am not hysterical,', 've a plain answer." "certainly, madam." "do not trouble about my feelings. i am not hysterical, nor ', 'plain answer." "certainly, madam." "do not trouble about my feelings. i am not hysterical, nor given', ' answer." "certainly, madam." "do not trouble about my feelings. i am not hysterical, nor given to f', 'er." "certainly, madam." "do not trouble about my feelings. i am not hysterical, nor given to fainti', '"certainly, madam." "do not trouble about my feelings. i am not hysterical, nor given to fainting. i', 'ainly, madam." "do not trouble about my feelings. i am not hysterical, nor given to fainting. i simp', ', madam." "do not trouble about my feelings. i am not hysterical, nor given to fainting. i simply wi', 'am." "do not trouble about my feelings. i am not hysterical, nor given to fainting. i simply wish to', '"do not trouble about my feelings. i am not hysterical, nor given to fainting. i simply wish to hear', 'ot trouble about my feelings. i am not hysterical, nor given to fainting. i simply wish to hear your', 'ouble about my feelings. i am not hysterical, nor given to fainting. i simply wish to hear your real', ' about my feelings. i am not hysterical, nor given to fainting. i simply wish to hear your real, rea', 't my feelings. i am not hysterical, nor given to fainting. i simply wish to hear your real, real opi', 'feelings. i am not hysterical, nor given to fainting. i simply wish to hear your real, real opinion.', 'ngs. i am not hysterical, nor given to fainting. i simply wish to hear your real, real opinion." "up', 'i am not hysterical, nor given to fainting. i simply wish to hear your real, real opinion." "upon wh', 'not hysterical, nor given to fainting. i simply wish to hear your real, real opinion." "upon what po', 'ysterical, nor given to fainting. i simply wish to hear your real, real opinion." "upon what point?"', 'ical, nor given to fainting. i simply wish to hear your real, real opinion." "upon what point?" "in ', ' nor given to fainting. i simply wish to hear your real, real opinion." "upon what point?" "in your ', 'given to fainting. i simply wish to hear your real, real opinion." "upon what point?" "in your heart', ' to fainting. i simply wish to hear your real, real opinion." "upon what point?" "in your heart of h', 'ainting. i simply wish to hear your real, real opinion." "upon what point?" "in your heart of hearts', 'ng. i simply wish to hear your real, real opinion." "upon what point?" "in your heart of hearts, do ', ' simply wish to hear your real, real opinion." "upon what point?" "in your heart of hearts, do you t', 'ly wish to hear your real, real opinion." "upon what point?" "in your heart of hearts, do you think ', 'sh to hear your real, real opinion." "upon what point?" "in your heart of hearts, do you think that ', ' hear your real, real opinion." "upon what point?" "in your heart of hearts, do you think that nevil', ' your real, real opinion." "upon what point?" "in your heart of hearts, do you think that neville is', ' real, real opinion." "upon what point?" "in your heart of hearts, do you think that neville is aliv', ', real opinion." "upon what point?" "in your heart of hearts, do you think that neville is alive?" s', 'l opinion." "upon what point?" "in your heart of hearts, do you think that neville is alive?" sherlo', 'nion." "upon what point?" "in your heart of hearts, do you think that neville is alive?" sherlock ho', '" "upon what point?" "in your heart of hearts, do you think that neville is alive?" sherlock holmes ', 'on what point?" "in your heart of hearts, do you think that neville is alive?" sherlock holmes seeme', 'at point?" "in your heart of hearts, do you think that neville is alive?" sherlock holmes seemed to ', 'int?" "in your heart of hearts, do you think that neville is alive?" sherlock holmes seemed to be em', ' "in your heart of hearts, do you think that neville is alive?" sherlock holmes seemed to be embarra', 'your heart of hearts, do you think that neville is alive?" sherlock holmes seemed to be embarrassed ', 'heart of hearts, do you think that neville is alive?" sherlock holmes seemed to be embarrassed by th', ' of hearts, do you think that neville is alive?" sherlock holmes seemed to be embarrassed by the que', 'earts, do you think that neville is alive?" sherlock holmes seemed to be embarrassed by the question', ', do you think that neville is alive?" sherlock holmes seemed to be embarrassed by the question. "fr', 'you think that neville is alive?" sherlock holmes seemed to be embarrassed by the question. "frankly', 'hink that neville is alive?" sherlock holmes seemed to be embarrassed by the question. "frankly, now', 'that neville is alive?" sherlock holmes seemed to be embarrassed by the question. "frankly, now she ', 'neville is alive?" sherlock holmes seemed to be embarrassed by the question. "frankly, now she repea', 'le is alive?" sherlock holmes seemed to be embarrassed by the question. "frankly, now she repeated, ', ' alive?" sherlock holmes seemed to be embarrassed by the question. "frankly, now she repeated, stand', 'e?" sherlock holmes seemed to be embarrassed by the question. "frankly, now she repeated, standing u', 'herlock holmes seemed to be embarrassed by the question. "frankly, now she repeated, standing upon t', 'ck holmes seemed to be embarrassed by the question. "frankly, now she repeated, standing upon the ru', 'lmes seemed to be embarrassed by the question. "frankly, now she repeated, standing upon the rug and', 'seemed to be embarrassed by the question. "frankly, now she repeated, standing upon the rug and look', 'd to be embarrassed by the question. "frankly, now she repeated, standing upon the rug and looking k', 'be embarrassed by the question. "frankly, now she repeated, standing upon the rug and looking keenly', 'barrassed by the question. "frankly, now she repeated, standing upon the rug and looking keenly down', 'ssed by the question. "frankly, now she repeated, standing upon the rug and looking keenly down at h', 'by the question. "frankly, now she repeated, standing upon the rug and looking keenly down at him as', 'e question. "frankly, now she repeated, standing upon the rug and looking keenly down at him as he l', 'stion. "frankly, now she repeated, standing upon the rug and looking keenly down at him as he leaned', '. "frankly, now she repeated, standing upon the rug and looking keenly down at him as he leaned back', 'ankly, now she repeated, standing upon the rug and looking keenly down at him as he leaned back in a', ', now she repeated, standing upon the rug and looking keenly down at him as he leaned back in a bask', ' she repeated, standing upon the rug and looking keenly down at him as he leaned back in a basket-ch', 'repeated, standing upon the rug and looking keenly down at him as he leaned back in a basket-chair. ', 'ted, standing upon the rug and looking keenly down at him as he leaned back in a basket-chair. "fran', 'standing upon the rug and looking keenly down at him as he leaned back in a basket-chair. "frankly, ', 'ing upon the rug and looking keenly down at him as he leaned back in a basket-chair. "frankly, then,', 'pon the rug and looking keenly down at him as he leaned back in a basket-chair. "frankly, then, mada', 'he rug and looking keenly down at him as he leaned back in a basket-chair. "frankly, then, madam, i ', 'g and looking keenly down at him as he leaned back in a basket-chair. "frankly, then, madam, i do no', ' looking keenly down at him as he leaned back in a basket-chair. "frankly, then, madam, i do not." "', 'ing keenly down at him as he leaned back in a basket-chair. "frankly, then, madam, i do not." "you t', 'eenly down at him as he leaned back in a basket-chair. "frankly, then, madam, i do not." "you think ', ' down at him as he leaned back in a basket-chair. "frankly, then, madam, i do not." "you think that ', ' at him as he leaned back in a basket-chair. "frankly, then, madam, i do not." "you think that he is', 'im as he leaned back in a basket-chair. "frankly, then, madam, i do not." "you think that he is dead', ' he leaned back in a basket-chair. "frankly, then, madam, i do not." "you think that he is dead?" "i', 'eaned back in a basket-chair. "frankly, then, madam, i do not." "you think that he is dead?" "i do."', ' back in a basket-chair. "frankly, then, madam, i do not." "you think that he is dead?" "i do." "mur', ' in a basket-chair. "frankly, then, madam, i do not." "you think that he is dead?" "i do." "murdered', ' basket-chair. "frankly, then, madam, i do not." "you think that he is dead?" "i do." "murdered?" "i', 'et-chair. "frankly, then, madam, i do not." "you think that he is dead?" "i do." "murdered?" "i don\'', 'air. "frankly, then, madam, i do not." "you think that he is dead?" "i do." "murdered?" "i don\'t say', '"frankly, then, madam, i do not." "you think that he is dead?" "i do." "murdered?" "i don\'t say that', 'kly, then, madam, i do not." "you think that he is dead?" "i do." "murdered?" "i don\'t say that. per', 'then, madam, i do not." "you think that he is dead?" "i do." "murdered?" "i don\'t say that. perhaps.', ' madam, i do not." "you think that he is dead?" "i do." "murdered?" "i don\'t say that. perhaps." "an', 'm, i do not." "you think that he is dead?" "i do." "murdered?" "i don\'t say that. perhaps." "and on ', 'do not." "you think that he is dead?" "i do." "murdered?" "i don\'t say that. perhaps." "and on what ', 't." "you think that he is dead?" "i do." "murdered?" "i don\'t say that. perhaps." "and on what day d', 'you think that he is dead?" "i do." "murdered?" "i don\'t say that. perhaps." "and on what day did he', 'hink that he is dead?" "i do." "murdered?" "i don\'t say that. perhaps." "and on what day did he meet', 'that he is dead?" "i do." "murdered?" "i don\'t say that. perhaps." "and on what day did he meet his ', 'he is dead?" "i do." "murdered?" "i don\'t say that. perhaps." "and on what day did he meet his death', ' dead?" "i do." "murdered?" "i don\'t say that. perhaps." "and on what day did he meet his death?" "o', '?" "i do." "murdered?" "i don\'t say that. perhaps." "and on what day did he meet his death?" "on mon', ' do." "murdered?" "i don\'t say that. perhaps." "and on what day did he meet his death?" "on monday."', ' "murdered?" "i don\'t say that. perhaps." "and on what day did he meet his death?" "on monday." "the', 'dered?" "i don\'t say that. perhaps." "and on what day did he meet his death?" "on monday." "then per', '?" "i don\'t say that. perhaps." "and on what day did he meet his death?" "on monday." "then perhaps,', ' don\'t say that. perhaps." "and on what day did he meet his death?" "on monday." "then perhaps, mr. ', 't say that. perhaps." "and on what day did he meet his death?" "on monday." "then perhaps, mr. holme', ' that. perhaps." "and on what day did he meet his death?" "on monday." "then perhaps, mr. holmes, yo', '. perhaps." "and on what day did he meet his death?" "on monday." "then perhaps, mr. holmes, you wil', 'haps." "and on what day did he meet his death?" "on monday." "then perhaps, mr. holmes, you will be ', '" "and on what day did he meet his death?" "on monday." "then perhaps, mr. holmes, you will be good ', 'd on what day did he meet his death?" "on monday." "then perhaps, mr. holmes, you will be good enoug', 'what day did he meet his death?" "on monday." "then perhaps, mr. holmes, you will be good enough to ', 'day did he meet his death?" "on monday." "then perhaps, mr. holmes, you will be good enough to expla', 'id he meet his death?" "on monday." "then perhaps, mr. holmes, you will be good enough to explain ho', ' meet his death?" "on monday." "then perhaps, mr. holmes, you will be good enough to explain how it ', ' his death?" "on monday." "then perhaps, mr. holmes, you will be good enough to explain how it is th', 'death?" "on monday." "then perhaps, mr. holmes, you will be good enough to explain how it is that i ', '?" "on monday." "then perhaps, mr. holmes, you will be good enough to explain how it is that i have ', 'n monday." "then perhaps, mr. holmes, you will be good enough to explain how it is that i have recei', 'day." "then perhaps, mr. holmes, you will be good enough to explain how it is that i have received a', ' "then perhaps, mr. holmes, you will be good enough to explain how it is that i have received a lett', 'n perhaps, mr. holmes, you will be good enough to explain how it is that i have received a letter fr', 'haps, mr. holmes, you will be good enough to explain how it is that i have received a letter from hi', ' mr. holmes, you will be good enough to explain how it is that i have received a letter from him to-', 'holmes, you will be good enough to explain how it is that i have received a letter from him to-day."', 's, you will be good enough to explain how it is that i have received a letter from him to-day." sher', 'u will be good enough to explain how it is that i have received a letter from him to-day." sherlock ', 'l be good enough to explain how it is that i have received a letter from him to-day." sherlock holme', 'good enough to explain how it is that i have received a letter from him to-day." sherlock holmes spr', 'enough to explain how it is that i have received a letter from him to-day." sherlock holmes sprang o', 'h to explain how it is that i have received a letter from him to-day." sherlock holmes sprang out of', 'explain how it is that i have received a letter from him to-day." sherlock holmes sprang out of his ', 'in how it is that i have received a letter from him to-day." sherlock holmes sprang out of his chair', 'w it is that i have received a letter from him to-day." sherlock holmes sprang out of his chair as i', 'is that i have received a letter from him to-day." sherlock holmes sprang out of his chair as if he ', 'at i have received a letter from him to-day." sherlock holmes sprang out of his chair as if he had b', 'have received a letter from him to-day." sherlock holmes sprang out of his chair as if he had been g', 'received a letter from him to-day." sherlock holmes sprang out of his chair as if he had been galvan', 'ved a letter from him to-day." sherlock holmes sprang out of his chair as if he had been galvanised.', ' letter from him to-day." sherlock holmes sprang out of his chair as if he had been galvanised. "wha', 'er from him to-day." sherlock holmes sprang out of his chair as if he had been galvanised. "what he ', 'om him to-day." sherlock holmes sprang out of his chair as if he had been galvanised. "what he roare', 'm to-day." sherlock holmes sprang out of his chair as if he had been galvanised. "what he roared. "y', 'day." sherlock holmes sprang out of his chair as if he had been galvanised. "what he roared. "yes, t', ' sherlock holmes sprang out of his chair as if he had been galvanised. "what he roared. "yes, to-day', 'lock holmes sprang out of his chair as if he had been galvanised. "what he roared. "yes, to-day." sh', 'holmes sprang out of his chair as if he had been galvanised. "what he roared. "yes, to-day." she sto', 's sprang out of his chair as if he had been galvanised. "what he roared. "yes, to-day." she stood sm', 'ang out of his chair as if he had been galvanised. "what he roared. "yes, to-day." she stood smiling', 'ut of his chair as if he had been galvanised. "what he roared. "yes, to-day." she stood smiling, hol', ' his chair as if he had been galvanised. "what he roared. "yes, to-day." she stood smiling, holding ', 'chair as if he had been galvanised. "what he roared. "yes, to-day." she stood smiling, holding up a ', ' as if he had been galvanised. "what he roared. "yes, to-day." she stood smiling, holding up a littl', 'f he had been galvanised. "what he roared. "yes, to-day." she stood smiling, holding up a little sli', 'had been galvanised. "what he roared. "yes, to-day." she stood smiling, holding up a little slip of ', 'een galvanised. "what he roared. "yes, to-day." she stood smiling, holding up a little slip of paper', 'alvanised. "what he roared. "yes, to-day." she stood smiling, holding up a little slip of paper in t', 'ised. "what he roared. "yes, to-day." she stood smiling, holding up a little slip of paper in the ai', ' "what he roared. "yes, to-day." she stood smiling, holding up a little slip of paper in the air. "m', 't he roared. "yes, to-day." she stood smiling, holding up a little slip of paper in the air. "may i ', 'roared. "yes, to-day." she stood smiling, holding up a little slip of paper in the air. "may i see i', 'd. "yes, to-day." she stood smiling, holding up a little slip of paper in the air. "may i see it?" "', 'es, to-day." she stood smiling, holding up a little slip of paper in the air. "may i see it?" "certa', 'o-day." she stood smiling, holding up a little slip of paper in the air. "may i see it?" "certainly.', '." she stood smiling, holding up a little slip of paper in the air. "may i see it?" "certainly." he ', 'e stood smiling, holding up a little slip of paper in the air. "may i see it?" "certainly." he snatc', 'od smiling, holding up a little slip of paper in the air. "may i see it?" "certainly." he snatched i', 'iling, holding up a little slip of paper in the air. "may i see it?" "certainly." he snatched it fro', ', holding up a little slip of paper in the air. "may i see it?" "certainly." he snatched it from her', 'ding up a little slip of paper in the air. "may i see it?" "certainly." he snatched it from her in h', 'up a little slip of paper in the air. "may i see it?" "certainly." he snatched it from her in his ea', 'little slip of paper in the air. "may i see it?" "certainly." he snatched it from her in his eagerne', 'e slip of paper in the air. "may i see it?" "certainly." he snatched it from her in his eagerness, a', 'p of paper in the air. "may i see it?" "certainly." he snatched it from her in his eagerness, and sm', 'paper in the air. "may i see it?" "certainly." he snatched it from her in his eagerness, and smoothi', ' in the air. "may i see it?" "certainly." he snatched it from her in his eagerness, and smoothing it', 'he air. "may i see it?" "certainly." he snatched it from her in his eagerness, and smoothing it out ', 'r. "may i see it?" "certainly." he snatched it from her in his eagerness, and smoothing it out upon ', 'ay i see it?" "certainly." he snatched it from her in his eagerness, and smoothing it out upon the t', 'see it?" "certainly." he snatched it from her in his eagerness, and smoothing it out upon the table ', 't?" "certainly." he snatched it from her in his eagerness, and smoothing it out upon the table he dr', 'certainly." he snatched it from her in his eagerness, and smoothing it out upon the table he drew ov', 'inly." he snatched it from her in his eagerness, and smoothing it out upon the table he drew over th', '" he snatched it from her in his eagerness, and smoothing it out upon the table he drew over the lam', 'snatched it from her in his eagerness, and smoothing it out upon the table he drew over the lamp and', 'hed it from her in his eagerness, and smoothing it out upon the table he drew over the lamp and exam', 't from her in his eagerness, and smoothing it out upon the table he drew over the lamp and examined ', 'm her in his eagerness, and smoothing it out upon the table he drew over the lamp and examined it in', ' in his eagerness, and smoothing it out upon the table he drew over the lamp and examined it intentl', 'is eagerness, and smoothing it out upon the table he drew over the lamp and examined it intently. i ', 'gerness, and smoothing it out upon the table he drew over the lamp and examined it intently. i had l', 'ss, and smoothing it out upon the table he drew over the lamp and examined it intently. i had left m', 'nd smoothing it out upon the table he drew over the lamp and examined it intently. i had left my cha', 'oothing it out upon the table he drew over the lamp and examined it intently. i had left my chair an', 'ng it out upon the table he drew over the lamp and examined it intently. i had left my chair and was', ' out upon the table he drew over the lamp and examined it intently. i had left my chair and was gazi', 'upon the table he drew over the lamp and examined it intently. i had left my chair and was gazing at', 'the table he drew over the lamp and examined it intently. i had left my chair and was gazing at it o', 'able he drew over the lamp and examined it intently. i had left my chair and was gazing at it over h', 'he drew over the lamp and examined it intently. i had left my chair and was gazing at it over his sh', 'ew over the lamp and examined it intently. i had left my chair and was gazing at it over his shoulde', 'er the lamp and examined it intently. i had left my chair and was gazing at it over his shoulder. th', 'e lamp and examined it intently. i had left my chair and was gazing at it over his shoulder. the env', 'p and examined it intently. i had left my chair and was gazing at it over his shoulder. the envelope', ' examined it intently. i had left my chair and was gazing at it over his shoulder. the envelope was ', 'ined it intently. i had left my chair and was gazing at it over his shoulder. the envelope was a ver', 'it intently. i had left my chair and was gazing at it over his shoulder. the envelope was a very coa', 'tently. i had left my chair and was gazing at it over his shoulder. the envelope was a very coarse o', 'y. i had left my chair and was gazing at it over his shoulder. the envelope was a very coarse one an', 'had left my chair and was gazing at it over his shoulder. the envelope was a very coarse one and was', 'eft my chair and was gazing at it over his shoulder. the envelope was a very coarse one and was stam', 'y chair and was gazing at it over his shoulder. the envelope was a very coarse one and was stamped w', 'ir and was gazing at it over his shoulder. the envelope was a very coarse one and was stamped with t', 'd was gazing at it over his shoulder. the envelope was a very coarse one and was stamped with the gr', ' gazing at it over his shoulder. the envelope was a very coarse one and was stamped with the gravese', 'ng at it over his shoulder. the envelope was a very coarse one and was stamped with the gravesend po', ' it over his shoulder. the envelope was a very coarse one and was stamped with the gravesend postmar', 'ver his shoulder. the envelope was a very coarse one and was stamped with the gravesend postmark and', 'is shoulder. the envelope was a very coarse one and was stamped with the gravesend postmark and with', 'oulder. the envelope was a very coarse one and was stamped with the gravesend postmark and with the ', 'r. the envelope was a very coarse one and was stamped with the gravesend postmark and with the date ', 'e envelope was a very coarse one and was stamped with the gravesend postmark and with the date of th', 'elope was a very coarse one and was stamped with the gravesend postmark and with the date of that ve', ' was a very coarse one and was stamped with the gravesend postmark and with the date of that very da', 'a very coarse one and was stamped with the gravesend postmark and with the date of that very day, or', 'y coarse one and was stamped with the gravesend postmark and with the date of that very day, or rath', 'rse one and was stamped with the gravesend postmark and with the date of that very day, or rather of', 'ne and was stamped with the gravesend postmark and with the date of that very day, or rather of the ', 'd was stamped with the gravesend postmark and with the date of that very day, or rather of the day b', ' stamped with the gravesend postmark and with the date of that very day, or rather of the day before', 'ped with the gravesend postmark and with the date of that very day, or rather of the day before, for', 'ith the gravesend postmark and with the date of that very day, or rather of the day before, for it w', 'he gravesend postmark and with the date of that very day, or rather of the day before, for it was co', 'avesend postmark and with the date of that very day, or rather of the day before, for it was conside', 'nd postmark and with the date of that very day, or rather of the day before, for it was considerably', 'stmark and with the date of that very day, or rather of the day before, for it was considerably afte', 'k and with the date of that very day, or rather of the day before, for it was considerably after mid', ' with the date of that very day, or rather of the day before, for it was considerably after midnight', ' the date of that very day, or rather of the day before, for it was considerably after midnight. "co', 'date of that very day, or rather of the day before, for it was considerably after midnight. "coarse ', 'of that very day, or rather of the day before, for it was considerably after midnight. "coarse writi', 'at very day, or rather of the day before, for it was considerably after midnight. "coarse writing," ', 'ry day, or rather of the day before, for it was considerably after midnight. "coarse writing," murmu', 'y, or rather of the day before, for it was considerably after midnight. "coarse writing," murmured h', ' rather of the day before, for it was considerably after midnight. "coarse writing," murmured holmes', 'er of the day before, for it was considerably after midnight. "coarse writing," murmured holmes. "su', ' the day before, for it was considerably after midnight. "coarse writing," murmured holmes. "surely ', 'day before, for it was considerably after midnight. "coarse writing," murmured holmes. "surely this ', 'efore, for it was considerably after midnight. "coarse writing," murmured holmes. "surely this is no', ', for it was considerably after midnight. "coarse writing," murmured holmes. "surely this is not you', ' it was considerably after midnight. "coarse writing," murmured holmes. "surely this is not your hus', 'as considerably after midnight. "coarse writing," murmured holmes. "surely this is not your husband\'', 'nsiderably after midnight. "coarse writing," murmured holmes. "surely this is not your husband\'s wri', 'rably after midnight. "coarse writing," murmured holmes. "surely this is not your husband\'s writing,', ' after midnight. "coarse writing," murmured holmes. "surely this is not your husband\'s writing, mada', 'r midnight. "coarse writing," murmured holmes. "surely this is not your husband\'s writing, madam." "', 'night. "coarse writing," murmured holmes. "surely this is not your husband\'s writing, madam." "no, b', '. "coarse writing," murmured holmes. "surely this is not your husband\'s writing, madam." "no, but th', 'arse writing," murmured holmes. "surely this is not your husband\'s writing, madam." "no, but the enc', 'writing," murmured holmes. "surely this is not your husband\'s writing, madam." "no, but the enclosur', 'ng," murmured holmes. "surely this is not your husband\'s writing, madam." "no, but the enclosure is.', 'murmured holmes. "surely this is not your husband\'s writing, madam." "no, but the enclosure is." "i ', 'red holmes. "surely this is not your husband\'s writing, madam." "no, but the enclosure is." "i perce', 'olmes. "surely this is not your husband\'s writing, madam." "no, but the enclosure is." "i perceive a', '. "surely this is not your husband\'s writing, madam." "no, but the enclosure is." "i perceive also t', 'rely this is not your husband\'s writing, madam." "no, but the enclosure is." "i perceive also that w', 'this is not your husband\'s writing, madam." "no, but the enclosure is." "i perceive also that whoeve', 'is not your husband\'s writing, madam." "no, but the enclosure is." "i perceive also that whoever add', 't your husband\'s writing, madam." "no, but the enclosure is." "i perceive also that whoever addresse', 'r husband\'s writing, madam." "no, but the enclosure is." "i perceive also that whoever addressed the', 'band\'s writing, madam." "no, but the enclosure is." "i perceive also that whoever addressed the enve', 's writing, madam." "no, but the enclosure is." "i perceive also that whoever addressed the envelope ', 'ting, madam." "no, but the enclosure is." "i perceive also that whoever addressed the envelope had t', ' madam." "no, but the enclosure is." "i perceive also that whoever addressed the envelope had to go ', 'm." "no, but the enclosure is." "i perceive also that whoever addressed the envelope had to go and i', 'no, but the enclosure is." "i perceive also that whoever addressed the envelope had to go and inquir', 'ut the enclosure is." "i perceive also that whoever addressed the envelope had to go and inquire as ', 'e enclosure is." "i perceive also that whoever addressed the envelope had to go and inquire as to th', 'losure is." "i perceive also that whoever addressed the envelope had to go and inquire as to the add', 'e is." "i perceive also that whoever addressed the envelope had to go and inquire as to the address.', '" "i perceive also that whoever addressed the envelope had to go and inquire as to the address." "ho', 'perceive also that whoever addressed the envelope had to go and inquire as to the address." "how can', 'ive also that whoever addressed the envelope had to go and inquire as to the address." "how can you ', 'lso that whoever addressed the envelope had to go and inquire as to the address." "how can you tell ', 'hat whoever addressed the envelope had to go and inquire as to the address." "how can you tell that?', 'hoever addressed the envelope had to go and inquire as to the address." "how can you tell that?" "th', 'r addressed the envelope had to go and inquire as to the address." "how can you tell that?" "the nam', 'ressed the envelope had to go and inquire as to the address." "how can you tell that?" "the name, yo', 'd the envelope had to go and inquire as to the address." "how can you tell that?" "the name, you see', ' envelope had to go and inquire as to the address." "how can you tell that?" "the name, you see, is ', 'lope had to go and inquire as to the address." "how can you tell that?" "the name, you see, is in pe', 'had to go and inquire as to the address." "how can you tell that?" "the name, you see, is in perfect', 'o go and inquire as to the address." "how can you tell that?" "the name, you see, is in perfectly bl', 'and inquire as to the address." "how can you tell that?" "the name, you see, is in perfectly black i', 'nquire as to the address." "how can you tell that?" "the name, you see, is in perfectly black ink, w', 'e as to the address." "how can you tell that?" "the name, you see, is in perfectly black ink, which ', 'to the address." "how can you tell that?" "the name, you see, is in perfectly black ink, which has d', 'e address." "how can you tell that?" "the name, you see, is in perfectly black ink, which has dried ', 'ress." "how can you tell that?" "the name, you see, is in perfectly black ink, which has dried itsel', '" "how can you tell that?" "the name, you see, is in perfectly black ink, which has dried itself. th', 'w can you tell that?" "the name, you see, is in perfectly black ink, which has dried itself. the res', ' you tell that?" "the name, you see, is in perfectly black ink, which has dried itself. the rest is ', 'tell that?" "the name, you see, is in perfectly black ink, which has dried itself. the rest is of th', 'that?" "the name, you see, is in perfectly black ink, which has dried itself. the rest is of the gre', '" "the name, you see, is in perfectly black ink, which has dried itself. the rest is of the greyish ', 'e name, you see, is in perfectly black ink, which has dried itself. the rest is of the greyish colou', 'e, you see, is in perfectly black ink, which has dried itself. the rest is of the greyish colour, wh', 'u see, is in perfectly black ink, which has dried itself. the rest is of the greyish colour, which s', ', is in perfectly black ink, which has dried itself. the rest is of the greyish colour, which shows ', 'in perfectly black ink, which has dried itself. the rest is of the greyish colour, which shows that ', 'rfectly black ink, which has dried itself. the rest is of the greyish colour, which shows that blott', 'ly black ink, which has dried itself. the rest is of the greyish colour, which shows that blotting-p', 'ack ink, which has dried itself. the rest is of the greyish colour, which shows that blotting-paper ', 'nk, which has dried itself. the rest is of the greyish colour, which shows that blotting-paper has b', 'hich has dried itself. the rest is of the greyish colour, which shows that blotting-paper has been u', 'has dried itself. the rest is of the greyish colour, which shows that blotting-paper has been used. ', 'ried itself. the rest is of the greyish colour, which shows that blotting-paper has been used. if it', 'itself. the rest is of the greyish colour, which shows that blotting-paper has been used. if it had ', 'f. the rest is of the greyish colour, which shows that blotting-paper has been used. if it had been ', 'e rest is of the greyish colour, which shows that blotting-paper has been used. if it had been writt', 't is of the greyish colour, which shows that blotting-paper has been used. if it had been written st', 'of the greyish colour, which shows that blotting-paper has been used. if it had been written straigh', 'e greyish colour, which shows that blotting-paper has been used. if it had been written straight off', 'yish colour, which shows that blotting-paper has been used. if it had been written straight off, and', 'colour, which shows that blotting-paper has been used. if it had been written straight off, and then', 'r, which shows that blotting-paper has been used. if it had been written straight off, and then blot', 'ich shows that blotting-paper has been used. if it had been written straight off, and then blotted, ', 'hows that blotting-paper has been used. if it had been written straight off, and then blotted, none ', 'that blotting-paper has been used. if it had been written straight off, and then blotted, none would', 'blotting-paper has been used. if it had been written straight off, and then blotted, none would be o', 'ing-paper has been used. if it had been written straight off, and then blotted, none would be of a d', 'aper has been used. if it had been written straight off, and then blotted, none would be of a deep b', 'has been used. if it had been written straight off, and then blotted, none would be of a deep black ', 'een used. if it had been written straight off, and then blotted, none would be of a deep black shade', 'sed. if it had been written straight off, and then blotted, none would be of a deep black shade. thi', 'if it had been written straight off, and then blotted, none would be of a deep black shade. this man', ' had been written straight off, and then blotted, none would be of a deep black shade. this man has ', 'been written straight off, and then blotted, none would be of a deep black shade. this man has writt', 'written straight off, and then blotted, none would be of a deep black shade. this man has written th', 'en straight off, and then blotted, none would be of a deep black shade. this man has written the nam', 'raight off, and then blotted, none would be of a deep black shade. this man has written the name, an', 't off, and then blotted, none would be of a deep black shade. this man has written the name, and the', ', and then blotted, none would be of a deep black shade. this man has written the name, and there ha', ' then blotted, none would be of a deep black shade. this man has written the name, and there has the', ' blotted, none would be of a deep black shade. this man has written the name, and there has then bee', 'ted, none would be of a deep black shade. this man has written the name, and there has then been a p', 'none would be of a deep black shade. this man has written the name, and there has then been a pause ', 'would be of a deep black shade. this man has written the name, and there has then been a pause befor', ' be of a deep black shade. this man has written the name, and there has then been a pause before he ', 'f a deep black shade. this man has written the name, and there has then been a pause before he wrote', 'eep black shade. this man has written the name, and there has then been a pause before he wrote the ', 'lack shade. this man has written the name, and there has then been a pause before he wrote the addre', 'shade. this man has written the name, and there has then been a pause before he wrote the address, w', '. this man has written the name, and there has then been a pause before he wrote the address, which ', 's man has written the name, and there has then been a pause before he wrote the address, which can o', ' has written the name, and there has then been a pause before he wrote the address, which can only m', 'written the name, and there has then been a pause before he wrote the address, which can only mean t', 'en the name, and there has then been a pause before he wrote the address, which can only mean that h', 'e name, and there has then been a pause before he wrote the address, which can only mean that he was', 'e, and there has then been a pause before he wrote the address, which can only mean that he was not ', 'd there has then been a pause before he wrote the address, which can only mean that he was not famil', 're has then been a pause before he wrote the address, which can only mean that he was not familiar w', 's then been a pause before he wrote the address, which can only mean that he was not familiar with i', 'n been a pause before he wrote the address, which can only mean that he was not familiar with it. it', 'n a pause before he wrote the address, which can only mean that he was not familiar with it. it is, ', 'ause before he wrote the address, which can only mean that he was not familiar with it. it is, of co', 'before he wrote the address, which can only mean that he was not familiar with it. it is, of course,', 'e he wrote the address, which can only mean that he was not familiar with it. it is, of course, a tr', 'wrote the address, which can only mean that he was not familiar with it. it is, of course, a trifle,', ' the address, which can only mean that he was not familiar with it. it is, of course, a trifle, but ', 'address, which can only mean that he was not familiar with it. it is, of course, a trifle, but there', 'ss, which can only mean that he was not familiar with it. it is, of course, a trifle, but there is n', 'hich can only mean that he was not familiar with it. it is, of course, a trifle, but there is nothin', 'can only mean that he was not familiar with it. it is, of course, a trifle, but there is nothing so ', 'nly mean that he was not familiar with it. it is, of course, a trifle, but there is nothing so impor', 'ean that he was not familiar with it. it is, of course, a trifle, but there is nothing so important ', 'hat he was not familiar with it. it is, of course, a trifle, but there is nothing so important as tr', 'e was not familiar with it. it is, of course, a trifle, but there is nothing so important as trifles', ' not familiar with it. it is, of course, a trifle, but there is nothing so important as trifles. let', 'familiar with it. it is, of course, a trifle, but there is nothing so important as trifles. let us n', 'iar with it. it is, of course, a trifle, but there is nothing so important as trifles. let us now se', 'ith it. it is, of course, a trifle, but there is nothing so important as trifles. let us now see the', 't. it is, of course, a trifle, but there is nothing so important as trifles. let us now see the lett', ' is, of course, a trifle, but there is nothing so important as trifles. let us now see the letter. h', 'of course, a trifle, but there is nothing so important as trifles. let us now see the letter. ha! th', 'urse, a trifle, but there is nothing so important as trifles. let us now see the letter. ha! there h', ' a trifle, but there is nothing so important as trifles. let us now see the letter. ha! there has be', 'ifle, but there is nothing so important as trifles. let us now see the letter. ha! there has been an', ' but there is nothing so important as trifles. let us now see the letter. ha! there has been an encl', 'there is nothing so important as trifles. let us now see the letter. ha! there has been an enclosure', ' is nothing so important as trifles. let us now see the letter. ha! there has been an enclosure here', 'othing so important as trifles. let us now see the letter. ha! there has been an enclosure here "ye', 'g so important as trifles. let us now see the letter. ha! there has been an enclosure here "yes, th', 'important as trifles. let us now see the letter. ha! there has been an enclosure here "yes, there w', 'tant as trifles. let us now see the letter. ha! there has been an enclosure here "yes, there was a ', 'as trifles. let us now see the letter. ha! there has been an enclosure here "yes, there was a ring.', 'ifles. let us now see the letter. ha! there has been an enclosure here "yes, there was a ring. his ', '. let us now see the letter. ha! there has been an enclosure here "yes, there was a ring. his signe', ' us now see the letter. ha! there has been an enclosure here "yes, there was a ring. his signet-rin', 'ow see the letter. ha! there has been an enclosure here "yes, there was a ring. his signet-ring." "', 'e the letter. ha! there has been an enclosure here "yes, there was a ring. his signet-ring." "and y', ' letter. ha! there has been an enclosure here "yes, there was a ring. his signet-ring." "and you ar', 'er. ha! there has been an enclosure here "yes, there was a ring. his signet-ring." "and you are sur', 'a! there has been an enclosure here "yes, there was a ring. his signet-ring." "and you are sure tha', 'ere has been an enclosure here "yes, there was a ring. his signet-ring." "and you are sure that thi', 'as been an enclosure here "yes, there was a ring. his signet-ring." "and you are sure that this is ', 'en an enclosure here "yes, there was a ring. his signet-ring." "and you are sure that this is your ', ' enclosure here "yes, there was a ring. his signet-ring." "and you are sure that this is your husba', 'osure here "yes, there was a ring. his signet-ring." "and you are sure that this is your husband\'s ', ' here "yes, there was a ring. his signet-ring." "and you are sure that this is your husband\'s hand?', ' "yes, there was a ring. his signet-ring." "and you are sure that this is your husband\'s hand?" "on', 's, there was a ring. his signet-ring." "and you are sure that this is your husband\'s hand?" "one of ', 'ere was a ring. his signet-ring." "and you are sure that this is your husband\'s hand?" "one of his h', 'as a ring. his signet-ring." "and you are sure that this is your husband\'s hand?" "one of his hands.', 'ring. his signet-ring." "and you are sure that this is your husband\'s hand?" "one of his hands." "on', ' his signet-ring." "and you are sure that this is your husband\'s hand?" "one of his hands." "one?" "', 'signet-ring." "and you are sure that this is your husband\'s hand?" "one of his hands." "one?" "his h', 't-ring." "and you are sure that this is your husband\'s hand?" "one of his hands." "one?" "his hand w', 'g." "and you are sure that this is your husband\'s hand?" "one of his hands." "one?" "his hand when h', 'and you are sure that this is your husband\'s hand?" "one of his hands." "one?" "his hand when he wro', 'ou are sure that this is your husband\'s hand?" "one of his hands." "one?" "his hand when he wrote hu', 'e sure that this is your husband\'s hand?" "one of his hands." "one?" "his hand when he wrote hurried', 'e that this is your husband\'s hand?" "one of his hands." "one?" "his hand when he wrote hurriedly. i', 't this is your husband\'s hand?" "one of his hands." "one?" "his hand when he wrote hurriedly. it is ', 's is your husband\'s hand?" "one of his hands." "one?" "his hand when he wrote hurriedly. it is very ', 'your husband\'s hand?" "one of his hands." "one?" "his hand when he wrote hurriedly. it is very unlik', 'husband\'s hand?" "one of his hands." "one?" "his hand when he wrote hurriedly. it is very unlike his', 'nd\'s hand?" "one of his hands." "one?" "his hand when he wrote hurriedly. it is very unlike his usua', 'hand?" "one of his hands." "one?" "his hand when he wrote hurriedly. it is very unlike his usual wri', '" "one of his hands." "one?" "his hand when he wrote hurriedly. it is very unlike his usual writing,', 'e of his hands." "one?" "his hand when he wrote hurriedly. it is very unlike his usual writing, and ', 'his hands." "one?" "his hand when he wrote hurriedly. it is very unlike his usual writing, and yet i', 'ands." "one?" "his hand when he wrote hurriedly. it is very unlike his usual writing, and yet i know', '" "one?" "his hand when he wrote hurriedly. it is very unlike his usual writing, and yet i know it w', 'e?" "his hand when he wrote hurriedly. it is very unlike his usual writing, and yet i know it well."', 'his hand when he wrote hurriedly. it is very unlike his usual writing, and yet i know it well." "\'de', 'and when he wrote hurriedly. it is very unlike his usual writing, and yet i know it well." "\'dearest', 'hen he wrote hurriedly. it is very unlike his usual writing, and yet i know it well." "\'dearest do n', 'e wrote hurriedly. it is very unlike his usual writing, and yet i know it well." "\'dearest do not be', 'te hurriedly. it is very unlike his usual writing, and yet i know it well." "\'dearest do not be frig', 'rriedly. it is very unlike his usual writing, and yet i know it well." "\'dearest do not be frightene', 'ly. it is very unlike his usual writing, and yet i know it well." "\'dearest do not be frightened. al', 't is very unlike his usual writing, and yet i know it well." "\'dearest do not be frightened. all wil', 'very unlike his usual writing, and yet i know it well." "\'dearest do not be frightened. all will com', 'unlike his usual writing, and yet i know it well." "\'dearest do not be frightened. all will come wel', 'e his usual writing, and yet i know it well." "\'dearest do not be frightened. all will come well. th', ' usual writing, and yet i know it well." "\'dearest do not be frightened. all will come well. there i', 'l writing, and yet i know it well." "\'dearest do not be frightened. all will come well. there is a h', 'ting, and yet i know it well." "\'dearest do not be frightened. all will come well. there is a huge e', ' and yet i know it well." "\'dearest do not be frightened. all will come well. there is a huge error ', 'yet i know it well." "\'dearest do not be frightened. all will come well. there is a huge error which', ' know it well." "\'dearest do not be frightened. all will come well. there is a huge error which it m', ' it well." "\'dearest do not be frightened. all will come well. there is a huge error which it may ta', 'ell." "\'dearest do not be frightened. all will come well. there is a huge error which it may take so', ' "\'dearest do not be frightened. all will come well. there is a huge error which it may take some li', 'arest do not be frightened. all will come well. there is a huge error which it may take some little ', ' do not be frightened. all will come well. there is a huge error which it may take some little time ', 'ot be frightened. all will come well. there is a huge error which it may take some little time to re', ' frightened. all will come well. there is a huge error which it may take some little time to rectify', 'htened. all will come well. there is a huge error which it may take some little time to rectify. wai', 'd. all will come well. there is a huge error which it may take some little time to rectify. wait in ', 'l will come well. there is a huge error which it may take some little time to rectify. wait in patie', 'l come well. there is a huge error which it may take some little time to rectify. wait in patience.n', 'e well. there is a huge error which it may take some little time to rectify. wait in patience.nevill', "l. there is a huge error which it may take some little time to rectify. wait in patience.neville.' w", "ere is a huge error which it may take some little time to rectify. wait in patience.neville.' writte", "s a huge error which it may take some little time to rectify. wait in patience.neville.' written in ", "uge error which it may take some little time to rectify. wait in patience.neville.' written in penci", "rror which it may take some little time to rectify. wait in patience.neville.' written in pencil upo", "which it may take some little time to rectify. wait in patience.neville.' written in pencil upon the", " it may take some little time to rectify. wait in patience.neville.' written in pencil upon the fly-", "ay take some little time to rectify. wait in patience.neville.' written in pencil upon the fly-leaf ", "ke some little time to rectify. wait in patience.neville.' written in pencil upon the fly-leaf of a ", "me little time to rectify. wait in patience.neville.' written in pencil upon the fly-leaf of a book,", "ttle time to rectify. wait in patience.neville.' written in pencil upon the fly-leaf of a book, octa", "time to rectify. wait in patience.neville.' written in pencil upon the fly-leaf of a book, octavo si", "to rectify. wait in patience.neville.' written in pencil upon the fly-leaf of a book, octavo size, n", "ctify. wait in patience.neville.' written in pencil upon the fly-leaf of a book, octavo size, no wat", ". wait in patience.neville.' written in pencil upon the fly-leaf of a book, octavo size, no water-ma", "t in patience.neville.' written in pencil upon the fly-leaf of a book, octavo size, no water-mark. h", "patience.neville.' written in pencil upon the fly-leaf of a book, octavo size, no water-mark. hum! p", "nce.neville.' written in pencil upon the fly-leaf of a book, octavo size, no water-mark. hum! posted", "eville.' written in pencil upon the fly-leaf of a book, octavo size, no water-mark. hum! posted to-d", "e.' written in pencil upon the fly-leaf of a book, octavo size, no water-mark. hum! posted to-day in", 'ritten in pencil upon the fly-leaf of a book, octavo size, no water-mark. hum! posted to-day in grav', 'n in pencil upon the fly-leaf of a book, octavo size, no water-mark. hum! posted to-day in gravesend', 'pencil upon the fly-leaf of a book, octavo size, no water-mark. hum! posted to-day in gravesend by a', 'l upon the fly-leaf of a book, octavo size, no water-mark. hum! posted to-day in gravesend by a man ', 'n the fly-leaf of a book, octavo size, no water-mark. hum! posted to-day in gravesend by a man with ', ' fly-leaf of a book, octavo size, no water-mark. hum! posted to-day in gravesend by a man with a dir', 'leaf of a book, octavo size, no water-mark. hum! posted to-day in gravesend by a man with a dirty th', 'of a book, octavo size, no water-mark. hum! posted to-day in gravesend by a man with a dirty thumb. ', 'book, octavo size, no water-mark. hum! posted to-day in gravesend by a man with a dirty thumb. ha! a', ' octavo size, no water-mark. hum! posted to-day in gravesend by a man with a dirty thumb. ha! and th', 'vo size, no water-mark. hum! posted to-day in gravesend by a man with a dirty thumb. ha! and the fla', 'ze, no water-mark. hum! posted to-day in gravesend by a man with a dirty thumb. ha! and the flap has', 'o water-mark. hum! posted to-day in gravesend by a man with a dirty thumb. ha! and the flap has been', 'er-mark. hum! posted to-day in gravesend by a man with a dirty thumb. ha! and the flap has been gumm', 'rk. hum! posted to-day in gravesend by a man with a dirty thumb. ha! and the flap has been gummed, i', 'um! posted to-day in gravesend by a man with a dirty thumb. ha! and the flap has been gummed, if i a', 'osted to-day in gravesend by a man with a dirty thumb. ha! and the flap has been gummed, if i am not', ' to-day in gravesend by a man with a dirty thumb. ha! and the flap has been gummed, if i am not very', 'ay in gravesend by a man with a dirty thumb. ha! and the flap has been gummed, if i am not very much', ' gravesend by a man with a dirty thumb. ha! and the flap has been gummed, if i am not very much in e', 'esend by a man with a dirty thumb. ha! and the flap has been gummed, if i am not very much in error,', ' by a man with a dirty thumb. ha! and the flap has been gummed, if i am not very much in error, by a', ' man with a dirty thumb. ha! and the flap has been gummed, if i am not very much in error, by a pers', 'with a dirty thumb. ha! and the flap has been gummed, if i am not very much in error, by a person wh', 'a dirty thumb. ha! and the flap has been gummed, if i am not very much in error, by a person who had', 'ty thumb. ha! and the flap has been gummed, if i am not very much in error, by a person who had been', 'umb. ha! and the flap has been gummed, if i am not very much in error, by a person who had been chew', 'ha! and the flap has been gummed, if i am not very much in error, by a person who had been chewing t', 'nd the flap has been gummed, if i am not very much in error, by a person who had been chewing tobacc', 'e flap has been gummed, if i am not very much in error, by a person who had been chewing tobacco. an', 'p has been gummed, if i am not very much in error, by a person who had been chewing tobacco. and you', ' been gummed, if i am not very much in error, by a person who had been chewing tobacco. and you have', ' gummed, if i am not very much in error, by a person who had been chewing tobacco. and you have no d', 'ed, if i am not very much in error, by a person who had been chewing tobacco. and you have no doubt ', 'f i am not very much in error, by a person who had been chewing tobacco. and you have no doubt that ', 'm not very much in error, by a person who had been chewing tobacco. and you have no doubt that it is', ' very much in error, by a person who had been chewing tobacco. and you have no doubt that it is your', ' much in error, by a person who had been chewing tobacco. and you have no doubt that it is your husb', " in error, by a person who had been chewing tobacco. and you have no doubt that it is your husband's", "rror, by a person who had been chewing tobacco. and you have no doubt that it is your husband's hand", " by a person who had been chewing tobacco. and you have no doubt that it is your husband's hand, mad", ' person who had been chewing tobacco. and you have no doubt that it is your husband\'s hand, madam?" ', 'on who had been chewing tobacco. and you have no doubt that it is your husband\'s hand, madam?" "none', 'o had been chewing tobacco. and you have no doubt that it is your husband\'s hand, madam?" "none. nev', ' been chewing tobacco. and you have no doubt that it is your husband\'s hand, madam?" "none. neville ', ' chewing tobacco. and you have no doubt that it is your husband\'s hand, madam?" "none. neville wrote', 'ing tobacco. and you have no doubt that it is your husband\'s hand, madam?" "none. neville wrote thos', 'obacco. and you have no doubt that it is your husband\'s hand, madam?" "none. neville wrote those wor', 'o. and you have no doubt that it is your husband\'s hand, madam?" "none. neville wrote those words." ', 'd you have no doubt that it is your husband\'s hand, madam?" "none. neville wrote those words." "and ', ' have no doubt that it is your husband\'s hand, madam?" "none. neville wrote those words." "and they ', ' no doubt that it is your husband\'s hand, madam?" "none. neville wrote those words." "and they were ', 'oubt that it is your husband\'s hand, madam?" "none. neville wrote those words." "and they were poste', 'that it is your husband\'s hand, madam?" "none. neville wrote those words." "and they were posted to-', 'it is your husband\'s hand, madam?" "none. neville wrote those words." "and they were posted to-day a', ' your husband\'s hand, madam?" "none. neville wrote those words." "and they were posted to-day at gra', ' husband\'s hand, madam?" "none. neville wrote those words." "and they were posted to-day at gravesen', 'and\'s hand, madam?" "none. neville wrote those words." "and they were posted to-day at gravesend. we', ' hand, madam?" "none. neville wrote those words." "and they were posted to-day at gravesend. well, m', ', madam?" "none. neville wrote those words." "and they were posted to-day at gravesend. well, mrs. s', 'am?" "none. neville wrote those words." "and they were posted to-day at gravesend. well, mrs. st. cl', '"none. neville wrote those words." "and they were posted to-day at gravesend. well, mrs. st. clair, ', '. neville wrote those words." "and they were posted to-day at gravesend. well, mrs. st. clair, the c', 'ille wrote those words." "and they were posted to-day at gravesend. well, mrs. st. clair, the clouds', 'wrote those words." "and they were posted to-day at gravesend. well, mrs. st. clair, the clouds ligh', ' those words." "and they were posted to-day at gravesend. well, mrs. st. clair, the clouds lighten, ', 'e words." "and they were posted to-day at gravesend. well, mrs. st. clair, the clouds lighten, thoug', 'ds." "and they were posted to-day at gravesend. well, mrs. st. clair, the clouds lighten, though i s', '"and they were posted to-day at gravesend. well, mrs. st. clair, the clouds lighten, though i should', 'they were posted to-day at gravesend. well, mrs. st. clair, the clouds lighten, though i should not ', 'were posted to-day at gravesend. well, mrs. st. clair, the clouds lighten, though i should not ventu', 'posted to-day at gravesend. well, mrs. st. clair, the clouds lighten, though i should not venture to', 'd to-day at gravesend. well, mrs. st. clair, the clouds lighten, though i should not venture to say ', 'day at gravesend. well, mrs. st. clair, the clouds lighten, though i should not venture to say that ', 't gravesend. well, mrs. st. clair, the clouds lighten, though i should not venture to say that the d', 'vesend. well, mrs. st. clair, the clouds lighten, though i should not venture to say that the danger', 'd. well, mrs. st. clair, the clouds lighten, though i should not venture to say that the danger is o', 'll, mrs. st. clair, the clouds lighten, though i should not venture to say that the danger is over."', 'rs. st. clair, the clouds lighten, though i should not venture to say that the danger is over." "but', 't. clair, the clouds lighten, though i should not venture to say that the danger is over." "but he m', 'air, the clouds lighten, though i should not venture to say that the danger is over." "but he must b', 'the clouds lighten, though i should not venture to say that the danger is over." "but he must be ali', 'louds lighten, though i should not venture to say that the danger is over." "but he must be alive, m', ' lighten, though i should not venture to say that the danger is over." "but he must be alive, mr. ho', 'ten, though i should not venture to say that the danger is over." "but he must be alive, mr. holmes.', 'though i should not venture to say that the danger is over." "but he must be alive, mr. holmes." "un', 'h i should not venture to say that the danger is over." "but he must be alive, mr. holmes." "unless ', 'hould not venture to say that the danger is over." "but he must be alive, mr. holmes." "unless this ', ' not venture to say that the danger is over." "but he must be alive, mr. holmes." "unless this is a ', 'venture to say that the danger is over." "but he must be alive, mr. holmes." "unless this is a cleve', 're to say that the danger is over." "but he must be alive, mr. holmes." "unless this is a clever for', ' say that the danger is over." "but he must be alive, mr. holmes." "unless this is a clever forgery ', 'that the danger is over." "but he must be alive, mr. holmes." "unless this is a clever forgery to pu', 'the danger is over." "but he must be alive, mr. holmes." "unless this is a clever forgery to put us ', 'anger is over." "but he must be alive, mr. holmes." "unless this is a clever forgery to put us on th', ' is over." "but he must be alive, mr. holmes." "unless this is a clever forgery to put us on the wro', 'ver." "but he must be alive, mr. holmes." "unless this is a clever forgery to put us on the wrong sc', ' "but he must be alive, mr. holmes." "unless this is a clever forgery to put us on the wrong scent. ', ' he must be alive, mr. holmes." "unless this is a clever forgery to put us on the wrong scent. the r', 'ust be alive, mr. holmes." "unless this is a clever forgery to put us on the wrong scent. the ring, ', 'e alive, mr. holmes." "unless this is a clever forgery to put us on the wrong scent. the ring, after', 've, mr. holmes." "unless this is a clever forgery to put us on the wrong scent. the ring, after all,', 'r. holmes." "unless this is a clever forgery to put us on the wrong scent. the ring, after all, prov', 'lmes." "unless this is a clever forgery to put us on the wrong scent. the ring, after all, proves no', '" "unless this is a clever forgery to put us on the wrong scent. the ring, after all, proves nothing', 'less this is a clever forgery to put us on the wrong scent. the ring, after all, proves nothing. it ', 'this is a clever forgery to put us on the wrong scent. the ring, after all, proves nothing. it may h', 'is a clever forgery to put us on the wrong scent. the ring, after all, proves nothing. it may have b', 'clever forgery to put us on the wrong scent. the ring, after all, proves nothing. it may have been t', 'r forgery to put us on the wrong scent. the ring, after all, proves nothing. it may have been taken ', 'gery to put us on the wrong scent. the ring, after all, proves nothing. it may have been taken from ', 'to put us on the wrong scent. the ring, after all, proves nothing. it may have been taken from him."', 't us on the wrong scent. the ring, after all, proves nothing. it may have been taken from him." "no,', 'on the wrong scent. the ring, after all, proves nothing. it may have been taken from him." "no, no; ', 'e wrong scent. the ring, after all, proves nothing. it may have been taken from him." "no, no; it is', 'ng scent. the ring, after all, proves nothing. it may have been taken from him." "no, no; it is, it ', 'ent. the ring, after all, proves nothing. it may have been taken from him." "no, no; it is, it is hi', 'the ring, after all, proves nothing. it may have been taken from him." "no, no; it is, it is his ver', 'ing, after all, proves nothing. it may have been taken from him." "no, no; it is, it is his very own', 'after all, proves nothing. it may have been taken from him." "no, no; it is, it is his very own writ', ' all, proves nothing. it may have been taken from him." "no, no; it is, it is his very own writing ', ' proves nothing. it may have been taken from him." "no, no; it is, it is his very own writing "very', 'es nothing. it may have been taken from him." "no, no; it is, it is his very own writing "very well', 'thing. it may have been taken from him." "no, no; it is, it is his very own writing "very well. it ', '. it may have been taken from him." "no, no; it is, it is his very own writing "very well. it may, ', 'may have been taken from him." "no, no; it is, it is his very own writing "very well. it may, howev', 'ave been taken from him." "no, no; it is, it is his very own writing "very well. it may, however, h', 'een taken from him." "no, no; it is, it is his very own writing "very well. it may, however, have b', 'aken from him." "no, no; it is, it is his very own writing "very well. it may, however, have been w', 'from him." "no, no; it is, it is his very own writing "very well. it may, however, have been writte', 'him." "no, no; it is, it is his very own writing "very well. it may, however, have been written on ', ' "no, no; it is, it is his very own writing "very well. it may, however, have been written on monda', ' no; it is, it is his very own writing "very well. it may, however, have been written on monday and', 'it is, it is his very own writing "very well. it may, however, have been written on monday and only', ', it is his very own writing "very well. it may, however, have been written on monday and only post', 'is his very own writing "very well. it may, however, have been written on monday and only posted to', 's very own writing "very well. it may, however, have been written on monday and only posted to-day.', 'y own writing "very well. it may, however, have been written on monday and only posted to-day." "th', ' writing "very well. it may, however, have been written on monday and only posted to-day." "that is', 'ing "very well. it may, however, have been written on monday and only posted to-day." "that is poss', '"very well. it may, however, have been written on monday and only posted to-day." "that is possible.', ' well. it may, however, have been written on monday and only posted to-day." "that is possible." "if', '. it may, however, have been written on monday and only posted to-day." "that is possible." "if so, ', 'may, however, have been written on monday and only posted to-day." "that is possible." "if so, much ', 'however, have been written on monday and only posted to-day." "that is possible." "if so, much may h', 'er, have been written on monday and only posted to-day." "that is possible." "if so, much may have h', 'ave been written on monday and only posted to-day." "that is possible." "if so, much may have happen', 'een written on monday and only posted to-day." "that is possible." "if so, much may have happened be', 'ritten on monday and only posted to-day." "that is possible." "if so, much may have happened between', 'n on monday and only posted to-day." "that is possible." "if so, much may have happened between." "o', 'monday and only posted to-day." "that is possible." "if so, much may have happened between." "oh, yo', 'y and only posted to-day." "that is possible." "if so, much may have happened between." "oh, you mus', ' only posted to-day." "that is possible." "if so, much may have happened between." "oh, you must not', ' posted to-day." "that is possible." "if so, much may have happened between." "oh, you must not disc', 'ed to-day." "that is possible." "if so, much may have happened between." "oh, you must not discourag', '-day." "that is possible." "if so, much may have happened between." "oh, you must not discourage me,', '" "that is possible." "if so, much may have happened between." "oh, you must not discourage me, mr. ', 'at is possible." "if so, much may have happened between." "oh, you must not discourage me, mr. holme', ' possible." "if so, much may have happened between." "oh, you must not discourage me, mr. holmes. i ', 'ible." "if so, much may have happened between." "oh, you must not discourage me, mr. holmes. i know ', '" "if so, much may have happened between." "oh, you must not discourage me, mr. holmes. i know that ', ' so, much may have happened between." "oh, you must not discourage me, mr. holmes. i know that all i', 'much may have happened between." "oh, you must not discourage me, mr. holmes. i know that all is wel', 'may have happened between." "oh, you must not discourage me, mr. holmes. i know that all is well wit', 'ave happened between." "oh, you must not discourage me, mr. holmes. i know that all is well with him', 'appened between." "oh, you must not discourage me, mr. holmes. i know that all is well with him. the', 'ed between." "oh, you must not discourage me, mr. holmes. i know that all is well with him. there is', 'tween." "oh, you must not discourage me, mr. holmes. i know that all is well with him. there is so k', '." "oh, you must not discourage me, mr. holmes. i know that all is well with him. there is so keen a', 'h, you must not discourage me, mr. holmes. i know that all is well with him. there is so keen a symp', 'u must not discourage me, mr. holmes. i know that all is well with him. there is so keen a sympathy ', 't not discourage me, mr. holmes. i know that all is well with him. there is so keen a sympathy betwe', ' discourage me, mr. holmes. i know that all is well with him. there is so keen a sympathy between us', 'ourage me, mr. holmes. i know that all is well with him. there is so keen a sympathy between us that', 'e me, mr. holmes. i know that all is well with him. there is so keen a sympathy between us that i sh', ' mr. holmes. i know that all is well with him. there is so keen a sympathy between us that i should ', 'holmes. i know that all is well with him. there is so keen a sympathy between us that i should know ', 's. i know that all is well with him. there is so keen a sympathy between us that i should know if ev', 'know that all is well with him. there is so keen a sympathy between us that i should know if evil ca', 'that all is well with him. there is so keen a sympathy between us that i should know if evil came up', 'all is well with him. there is so keen a sympathy between us that i should know if evil came upon hi', 's well with him. there is so keen a sympathy between us that i should know if evil came upon him. on', 'l with him. there is so keen a sympathy between us that i should know if evil came upon him. on the ', 'h him. there is so keen a sympathy between us that i should know if evil came upon him. on the very ', '. there is so keen a sympathy between us that i should know if evil came upon him. on the very day t', 're is so keen a sympathy between us that i should know if evil came upon him. on the very day that i', ' so keen a sympathy between us that i should know if evil came upon him. on the very day that i saw ', 'een a sympathy between us that i should know if evil came upon him. on the very day that i saw him l', ' sympathy between us that i should know if evil came upon him. on the very day that i saw him last h', 'athy between us that i should know if evil came upon him. on the very day that i saw him last he cut', 'between us that i should know if evil came upon him. on the very day that i saw him last he cut hims', 'en us that i should know if evil came upon him. on the very day that i saw him last he cut himself i', ' that i should know if evil came upon him. on the very day that i saw him last he cut himself in the', ' i should know if evil came upon him. on the very day that i saw him last he cut himself in the bedr', 'ould know if evil came upon him. on the very day that i saw him last he cut himself in the bedroom, ', 'know if evil came upon him. on the very day that i saw him last he cut himself in the bedroom, and y', 'if evil came upon him. on the very day that i saw him last he cut himself in the bedroom, and yet i ', 'il came upon him. on the very day that i saw him last he cut himself in the bedroom, and yet i in th', 'me upon him. on the very day that i saw him last he cut himself in the bedroom, and yet i in the din', 'on him. on the very day that i saw him last he cut himself in the bedroom, and yet i in the dining-r', 'm. on the very day that i saw him last he cut himself in the bedroom, and yet i in the dining-room r', ' the very day that i saw him last he cut himself in the bedroom, and yet i in the dining-room rushed', 'very day that i saw him last he cut himself in the bedroom, and yet i in the dining-room rushed upst', 'day that i saw him last he cut himself in the bedroom, and yet i in the dining-room rushed upstairs ', 'hat i saw him last he cut himself in the bedroom, and yet i in the dining-room rushed upstairs insta', ' saw him last he cut himself in the bedroom, and yet i in the dining-room rushed upstairs instantly ', 'him last he cut himself in the bedroom, and yet i in the dining-room rushed upstairs instantly with ', 'ast he cut himself in the bedroom, and yet i in the dining-room rushed upstairs instantly with the u', 'e cut himself in the bedroom, and yet i in the dining-room rushed upstairs instantly with the utmost', ' himself in the bedroom, and yet i in the dining-room rushed upstairs instantly with the utmost cert', 'elf in the bedroom, and yet i in the dining-room rushed upstairs instantly with the utmost certainty', 'n the bedroom, and yet i in the dining-room rushed upstairs instantly with the utmost certainty that', ' bedroom, and yet i in the dining-room rushed upstairs instantly with the utmost certainty that some', 'oom, and yet i in the dining-room rushed upstairs instantly with the utmost certainty that something', 'and yet i in the dining-room rushed upstairs instantly with the utmost certainty that something had ', 'et i in the dining-room rushed upstairs instantly with the utmost certainty that something had happe', 'in the dining-room rushed upstairs instantly with the utmost certainty that something had happened. ', 'e dining-room rushed upstairs instantly with the utmost certainty that something had happened. do yo', 'ing-room rushed upstairs instantly with the utmost certainty that something had happened. do you thi', 'oom rushed upstairs instantly with the utmost certainty that something had happened. do you think th', 'ushed upstairs instantly with the utmost certainty that something had happened. do you think that i ', ' upstairs instantly with the utmost certainty that something had happened. do you think that i would', 'airs instantly with the utmost certainty that something had happened. do you think that i would resp', 'instantly with the utmost certainty that something had happened. do you think that i would respond t', 'ntly with the utmost certainty that something had happened. do you think that i would respond to suc', 'with the utmost certainty that something had happened. do you think that i would respond to such a t', 'the utmost certainty that something had happened. do you think that i would respond to such a trifle', 'tmost certainty that something had happened. do you think that i would respond to such a trifle and ', ' certainty that something had happened. do you think that i would respond to such a trifle and yet b', 'ainty that something had happened. do you think that i would respond to such a trifle and yet be ign', ' that something had happened. do you think that i would respond to such a trifle and yet be ignorant', ' something had happened. do you think that i would respond to such a trifle and yet be ignorant of h', 'thing had happened. do you think that i would respond to such a trifle and yet be ignorant of his de', ' had happened. do you think that i would respond to such a trifle and yet be ignorant of his death?"', 'happened. do you think that i would respond to such a trifle and yet be ignorant of his death?" "i h', 'ned. do you think that i would respond to such a trifle and yet be ignorant of his death?" "i have s', 'do you think that i would respond to such a trifle and yet be ignorant of his death?" "i have seen t', 'u think that i would respond to such a trifle and yet be ignorant of his death?" "i have seen too mu', 'nk that i would respond to such a trifle and yet be ignorant of his death?" "i have seen too much no', 'at i would respond to such a trifle and yet be ignorant of his death?" "i have seen too much not to ', 'would respond to such a trifle and yet be ignorant of his death?" "i have seen too much not to know ', ' respond to such a trifle and yet be ignorant of his death?" "i have seen too much not to know that ', 'ond to such a trifle and yet be ignorant of his death?" "i have seen too much not to know that the i', 'o such a trifle and yet be ignorant of his death?" "i have seen too much not to know that the impres', 'h a trifle and yet be ignorant of his death?" "i have seen too much not to know that the impression ', 'rifle and yet be ignorant of his death?" "i have seen too much not to know that the impression of a ', ' and yet be ignorant of his death?" "i have seen too much not to know that the impression of a woman', 'yet be ignorant of his death?" "i have seen too much not to know that the impression of a woman may ', 'e ignorant of his death?" "i have seen too much not to know that the impression of a woman may be mo', 'orant of his death?" "i have seen too much not to know that the impression of a woman may be more va', ' of his death?" "i have seen too much not to know that the impression of a woman may be more valuabl', 'is death?" "i have seen too much not to know that the impression of a woman may be more valuable tha', 'ath?" "i have seen too much not to know that the impression of a woman may be more valuable than the', ' "i have seen too much not to know that the impression of a woman may be more valuable than the conc', 'ave seen too much not to know that the impression of a woman may be more valuable than the conclusio', 'een too much not to know that the impression of a woman may be more valuable than the conclusion of ', 'oo much not to know that the impression of a woman may be more valuable than the conclusion of an an', 'ch not to know that the impression of a woman may be more valuable than the conclusion of an analyti', 't to know that the impression of a woman may be more valuable than the conclusion of an analytical r', 'know that the impression of a woman may be more valuable than the conclusion of an analytical reason', 'that the impression of a woman may be more valuable than the conclusion of an analytical reasoner. a', 'the impression of a woman may be more valuable than the conclusion of an analytical reasoner. and in', 'mpression of a woman may be more valuable than the conclusion of an analytical reasoner. and in this', 'sion of a woman may be more valuable than the conclusion of an analytical reasoner. and in this lett', 'of a woman may be more valuable than the conclusion of an analytical reasoner. and in this letter yo', 'woman may be more valuable than the conclusion of an analytical reasoner. and in this letter you cer', ' may be more valuable than the conclusion of an analytical reasoner. and in this letter you certainl', 'be more valuable than the conclusion of an analytical reasoner. and in this letter you certainly hav', 're valuable than the conclusion of an analytical reasoner. and in this letter you certainly have a v', 'luable than the conclusion of an analytical reasoner. and in this letter you certainly have a very s', 'e than the conclusion of an analytical reasoner. and in this letter you certainly have a very strong', 'n the conclusion of an analytical reasoner. and in this letter you certainly have a very strong piec', ' conclusion of an analytical reasoner. and in this letter you certainly have a very strong piece of ', 'lusion of an analytical reasoner. and in this letter you certainly have a very strong piece of evide', 'n of an analytical reasoner. and in this letter you certainly have a very strong piece of evidence t', 'an analytical reasoner. and in this letter you certainly have a very strong piece of evidence to cor', 'alytical reasoner. and in this letter you certainly have a very strong piece of evidence to corrobor', 'cal reasoner. and in this letter you certainly have a very strong piece of evidence to corroborate y', 'easoner. and in this letter you certainly have a very strong piece of evidence to corroborate your v', 'er. and in this letter you certainly have a very strong piece of evidence to corroborate your view. ', 'nd in this letter you certainly have a very strong piece of evidence to corroborate your view. but i', ' this letter you certainly have a very strong piece of evidence to corroborate your view. but if you', ' letter you certainly have a very strong piece of evidence to corroborate your view. but if your hus', 'er you certainly have a very strong piece of evidence to corroborate your view. but if your husband ', 'u certainly have a very strong piece of evidence to corroborate your view. but if your husband is al', 'tainly have a very strong piece of evidence to corroborate your view. but if your husband is alive a', 'y have a very strong piece of evidence to corroborate your view. but if your husband is alive and ab', 'e a very strong piece of evidence to corroborate your view. but if your husband is alive and able to', 'ery strong piece of evidence to corroborate your view. but if your husband is alive and able to writ', 'trong piece of evidence to corroborate your view. but if your husband is alive and able to write let', ' piece of evidence to corroborate your view. but if your husband is alive and able to write letters,', 'e of evidence to corroborate your view. but if your husband is alive and able to write letters, why ', 'evidence to corroborate your view. but if your husband is alive and able to write letters, why shoul', 'nce to corroborate your view. but if your husband is alive and able to write letters, why should he ', 'o corroborate your view. but if your husband is alive and able to write letters, why should he remai', 'roborate your view. but if your husband is alive and able to write letters, why should he remain awa', 'ate your view. but if your husband is alive and able to write letters, why should he remain away fro', 'our view. but if your husband is alive and able to write letters, why should he remain away from you', 'iew. but if your husband is alive and able to write letters, why should he remain away from you?" "i', 'but if your husband is alive and able to write letters, why should he remain away from you?" "i cann', 'f your husband is alive and able to write letters, why should he remain away from you?" "i cannot im', 'r husband is alive and able to write letters, why should he remain away from you?" "i cannot imagine', 'band is alive and able to write letters, why should he remain away from you?" "i cannot imagine. it ', 'is alive and able to write letters, why should he remain away from you?" "i cannot imagine. it is un', 'ive and able to write letters, why should he remain away from you?" "i cannot imagine. it is unthink', 'nd able to write letters, why should he remain away from you?" "i cannot imagine. it is unthinkable.', 'le to write letters, why should he remain away from you?" "i cannot imagine. it is unthinkable." "an', ' write letters, why should he remain away from you?" "i cannot imagine. it is unthinkable." "and on ', 'e letters, why should he remain away from you?" "i cannot imagine. it is unthinkable." "and on monda', 'ters, why should he remain away from you?" "i cannot imagine. it is unthinkable." "and on monday he ', ' why should he remain away from you?" "i cannot imagine. it is unthinkable." "and on monday he made ', 'should he remain away from you?" "i cannot imagine. it is unthinkable." "and on monday he made no re', 'd he remain away from you?" "i cannot imagine. it is unthinkable." "and on monday he made no remarks', 'remain away from you?" "i cannot imagine. it is unthinkable." "and on monday he made no remarks befo', 'n away from you?" "i cannot imagine. it is unthinkable." "and on monday he made no remarks before le', 'y from you?" "i cannot imagine. it is unthinkable." "and on monday he made no remarks before leaving', 'm you?" "i cannot imagine. it is unthinkable." "and on monday he made no remarks before leaving you?', '?" "i cannot imagine. it is unthinkable." "and on monday he made no remarks before leaving you?" "no', ' cannot imagine. it is unthinkable." "and on monday he made no remarks before leaving you?" "no." "a', 'ot imagine. it is unthinkable." "and on monday he made no remarks before leaving you?" "no." "and yo', 'agine. it is unthinkable." "and on monday he made no remarks before leaving you?" "no." "and you wer', '. it is unthinkable." "and on monday he made no remarks before leaving you?" "no." "and you were sur', 'is unthinkable." "and on monday he made no remarks before leaving you?" "no." "and you were surprise', 'thinkable." "and on monday he made no remarks before leaving you?" "no." "and you were surprised to ', 'able." "and on monday he made no remarks before leaving you?" "no." "and you were surprised to see h', '" "and on monday he made no remarks before leaving you?" "no." "and you were surprised to see him in', 'd on monday he made no remarks before leaving you?" "no." "and you were surprised to see him in swan', 'monday he made no remarks before leaving you?" "no." "and you were surprised to see him in swandam l', 'y he made no remarks before leaving you?" "no." "and you were surprised to see him in swandam lane?"', 'made no remarks before leaving you?" "no." "and you were surprised to see him in swandam lane?" "ver', 'no remarks before leaving you?" "no." "and you were surprised to see him in swandam lane?" "very muc', 'marks before leaving you?" "no." "and you were surprised to see him in swandam lane?" "very much so.', ' before leaving you?" "no." "and you were surprised to see him in swandam lane?" "very much so." "wa', 're leaving you?" "no." "and you were surprised to see him in swandam lane?" "very much so." "was the', 'aving you?" "no." "and you were surprised to see him in swandam lane?" "very much so." "was the wind', ' you?" "no." "and you were surprised to see him in swandam lane?" "very much so." "was the window op', '" "no." "and you were surprised to see him in swandam lane?" "very much so." "was the window open?" ', '." "and you were surprised to see him in swandam lane?" "very much so." "was the window open?" "yes.', 'nd you were surprised to see him in swandam lane?" "very much so." "was the window open?" "yes." "th', 'u were surprised to see him in swandam lane?" "very much so." "was the window open?" "yes." "then he', 'e surprised to see him in swandam lane?" "very much so." "was the window open?" "yes." "then he migh', 'prised to see him in swandam lane?" "very much so." "was the window open?" "yes." "then he might hav', 'd to see him in swandam lane?" "very much so." "was the window open?" "yes." "then he might have cal', 'see him in swandam lane?" "very much so." "was the window open?" "yes." "then he might have called t', 'im in swandam lane?" "very much so." "was the window open?" "yes." "then he might have called to you', ' swandam lane?" "very much so." "was the window open?" "yes." "then he might have called to you?" "h', 'dam lane?" "very much so." "was the window open?" "yes." "then he might have called to you?" "he mig', 'ane?" "very much so." "was the window open?" "yes." "then he might have called to you?" "he might." ', ' "very much so." "was the window open?" "yes." "then he might have called to you?" "he might." "he o', 'y much so." "was the window open?" "yes." "then he might have called to you?" "he might." "he only, ', 'h so." "was the window open?" "yes." "then he might have called to you?" "he might." "he only, as i ', '" "was the window open?" "yes." "then he might have called to you?" "he might." "he only, as i under', 's the window open?" "yes." "then he might have called to you?" "he might." "he only, as i understand', ' window open?" "yes." "then he might have called to you?" "he might." "he only, as i understand, gav', 'ow open?" "yes." "then he might have called to you?" "he might." "he only, as i understand, gave an ', 'en?" "yes." "then he might have called to you?" "he might." "he only, as i understand, gave an inart', '"yes." "then he might have called to you?" "he might." "he only, as i understand, gave an inarticula', '" "then he might have called to you?" "he might." "he only, as i understand, gave an inarticulate cr', 'en he might have called to you?" "he might." "he only, as i understand, gave an inarticulate cry?" "', ' might have called to you?" "he might." "he only, as i understand, gave an inarticulate cry?" "yes."', 't have called to you?" "he might." "he only, as i understand, gave an inarticulate cry?" "yes." "a c', 'e called to you?" "he might." "he only, as i understand, gave an inarticulate cry?" "yes." "a call f', 'led to you?" "he might." "he only, as i understand, gave an inarticulate cry?" "yes." "a call for he', 'o you?" "he might." "he only, as i understand, gave an inarticulate cry?" "yes." "a call for help, y', '?" "he might." "he only, as i understand, gave an inarticulate cry?" "yes." "a call for help, you th', 'e might." "he only, as i understand, gave an inarticulate cry?" "yes." "a call for help, you thought', 'ht." "he only, as i understand, gave an inarticulate cry?" "yes." "a call for help, you thought?" "y', '"he only, as i understand, gave an inarticulate cry?" "yes." "a call for help, you thought?" "yes. h', 'nly, as i understand, gave an inarticulate cry?" "yes." "a call for help, you thought?" "yes. he wav', 'as i understand, gave an inarticulate cry?" "yes." "a call for help, you thought?" "yes. he waved hi', 'understand, gave an inarticulate cry?" "yes." "a call for help, you thought?" "yes. he waved his han', 'stand, gave an inarticulate cry?" "yes." "a call for help, you thought?" "yes. he waved his hands." ', ', gave an inarticulate cry?" "yes." "a call for help, you thought?" "yes. he waved his hands." "but ', 'e an inarticulate cry?" "yes." "a call for help, you thought?" "yes. he waved his hands." "but it mi', 'inarticulate cry?" "yes." "a call for help, you thought?" "yes. he waved his hands." "but it might h', 'iculate cry?" "yes." "a call for help, you thought?" "yes. he waved his hands." "but it might have b', 'te cry?" "yes." "a call for help, you thought?" "yes. he waved his hands." "but it might have been a', 'y?" "yes." "a call for help, you thought?" "yes. he waved his hands." "but it might have been a cry ', 'yes." "a call for help, you thought?" "yes. he waved his hands." "but it might have been a cry of su', ' "a call for help, you thought?" "yes. he waved his hands." "but it might have been a cry of surpris', 'all for help, you thought?" "yes. he waved his hands." "but it might have been a cry of surprise. as', 'or help, you thought?" "yes. he waved his hands." "but it might have been a cry of surprise. astonis', 'lp, you thought?" "yes. he waved his hands." "but it might have been a cry of surprise. astonishment', 'ou thought?" "yes. he waved his hands." "but it might have been a cry of surprise. astonishment at t', 'ought?" "yes. he waved his hands." "but it might have been a cry of surprise. astonishment at the un', '?" "yes. he waved his hands." "but it might have been a cry of surprise. astonishment at the unexpec', 'es. he waved his hands." "but it might have been a cry of surprise. astonishment at the unexpected s', 'e waved his hands." "but it might have been a cry of surprise. astonishment at the unexpected sight ', 'ed his hands." "but it might have been a cry of surprise. astonishment at the unexpected sight of yo', 's hands." "but it might have been a cry of surprise. astonishment at the unexpected sight of you mig', 'ds." "but it might have been a cry of surprise. astonishment at the unexpected sight of you might ca', '"but it might have been a cry of surprise. astonishment at the unexpected sight of you might cause h', 'it might have been a cry of surprise. astonishment at the unexpected sight of you might cause him to', 'ght have been a cry of surprise. astonishment at the unexpected sight of you might cause him to thro', 'ave been a cry of surprise. astonishment at the unexpected sight of you might cause him to throw up ', 'een a cry of surprise. astonishment at the unexpected sight of you might cause him to throw up his h', ' cry of surprise. astonishment at the unexpected sight of you might cause him to throw up his hands?', 'of surprise. astonishment at the unexpected sight of you might cause him to throw up his hands?" "it', 'rprise. astonishment at the unexpected sight of you might cause him to throw up his hands?" "it is p', 'e. astonishment at the unexpected sight of you might cause him to throw up his hands?" "it is possib', 'tonishment at the unexpected sight of you might cause him to throw up his hands?" "it is possible." ', 'hment at the unexpected sight of you might cause him to throw up his hands?" "it is possible." "and ', ' at the unexpected sight of you might cause him to throw up his hands?" "it is possible." "and you t', 'he unexpected sight of you might cause him to throw up his hands?" "it is possible." "and you though', 'expected sight of you might cause him to throw up his hands?" "it is possible." "and you thought he ', 'ted sight of you might cause him to throw up his hands?" "it is possible." "and you thought he was p', 'ight of you might cause him to throw up his hands?" "it is possible." "and you thought he was pulled', 'of you might cause him to throw up his hands?" "it is possible." "and you thought he was pulled back', 'u might cause him to throw up his hands?" "it is possible." "and you thought he was pulled back?" "h', 'ht cause him to throw up his hands?" "it is possible." "and you thought he was pulled back?" "he dis', 'use him to throw up his hands?" "it is possible." "and you thought he was pulled back?" "he disappea', 'im to throw up his hands?" "it is possible." "and you thought he was pulled back?" "he disappeared s', ' throw up his hands?" "it is possible." "and you thought he was pulled back?" "he disappeared so sud', 'w up his hands?" "it is possible." "and you thought he was pulled back?" "he disappeared so suddenly', 'his hands?" "it is possible." "and you thought he was pulled back?" "he disappeared so suddenly." "h', 'ands?" "it is possible." "and you thought he was pulled back?" "he disappeared so suddenly." "he mig', '" "it is possible." "and you thought he was pulled back?" "he disappeared so suddenly." "he might ha', ' is possible." "and you thought he was pulled back?" "he disappeared so suddenly." "he might have le', 'ossible." "and you thought he was pulled back?" "he disappeared so suddenly." "he might have leaped ', 'le." "and you thought he was pulled back?" "he disappeared so suddenly." "he might have leaped back.', '"and you thought he was pulled back?" "he disappeared so suddenly." "he might have leaped back. you ', 'you thought he was pulled back?" "he disappeared so suddenly." "he might have leaped back. you did n', 'hought he was pulled back?" "he disappeared so suddenly." "he might have leaped back. you did not se', 't he was pulled back?" "he disappeared so suddenly." "he might have leaped back. you did not see any', 'was pulled back?" "he disappeared so suddenly." "he might have leaped back. you did not see anyone e', 'ulled back?" "he disappeared so suddenly." "he might have leaped back. you did not see anyone else i', ' back?" "he disappeared so suddenly." "he might have leaped back. you did not see anyone else in the', '?" "he disappeared so suddenly." "he might have leaped back. you did not see anyone else in the room', 'e disappeared so suddenly." "he might have leaped back. you did not see anyone else in the room?" "n', 'appeared so suddenly." "he might have leaped back. you did not see anyone else in the room?" "no, bu', 'red so suddenly." "he might have leaped back. you did not see anyone else in the room?" "no, but thi', 'o suddenly." "he might have leaped back. you did not see anyone else in the room?" "no, but this hor', 'denly." "he might have leaped back. you did not see anyone else in the room?" "no, but this horrible', '." "he might have leaped back. you did not see anyone else in the room?" "no, but this horrible man ', 'e might have leaped back. you did not see anyone else in the room?" "no, but this horrible man confe', 'ht have leaped back. you did not see anyone else in the room?" "no, but this horrible man confessed ', 've leaped back. you did not see anyone else in the room?" "no, but this horrible man confessed to ha', 'aped back. you did not see anyone else in the room?" "no, but this horrible man confessed to having ', 'back. you did not see anyone else in the room?" "no, but this horrible man confessed to having been ', ' you did not see anyone else in the room?" "no, but this horrible man confessed to having been there', 'did not see anyone else in the room?" "no, but this horrible man confessed to having been there, and', 'ot see anyone else in the room?" "no, but this horrible man confessed to having been there, and the ', 'e anyone else in the room?" "no, but this horrible man confessed to having been there, and the lasca', 'one else in the room?" "no, but this horrible man confessed to having been there, and the lascar was', 'lse in the room?" "no, but this horrible man confessed to having been there, and the lascar was at t', 'n the room?" "no, but this horrible man confessed to having been there, and the lascar was at the fo', ' room?" "no, but this horrible man confessed to having been there, and the lascar was at the foot of', '?" "no, but this horrible man confessed to having been there, and the lascar was at the foot of the ', 'o, but this horrible man confessed to having been there, and the lascar was at the foot of the stair', 't this horrible man confessed to having been there, and the lascar was at the foot of the stairs." "', 's horrible man confessed to having been there, and the lascar was at the foot of the stairs." "quite', 'rible man confessed to having been there, and the lascar was at the foot of the stairs." "quite so. ', ' man confessed to having been there, and the lascar was at the foot of the stairs." "quite so. your ', 'confessed to having been there, and the lascar was at the foot of the stairs." "quite so. your husba', 'ssed to having been there, and the lascar was at the foot of the stairs." "quite so. your husband, a', 'to having been there, and the lascar was at the foot of the stairs." "quite so. your husband, as far', 'ving been there, and the lascar was at the foot of the stairs." "quite so. your husband, as far as y', 'been there, and the lascar was at the foot of the stairs." "quite so. your husband, as far as you co', 'there, and the lascar was at the foot of the stairs." "quite so. your husband, as far as you could s', ', and the lascar was at the foot of the stairs." "quite so. your husband, as far as you could see, h', ' the lascar was at the foot of the stairs." "quite so. your husband, as far as you could see, had hi', 'lascar was at the foot of the stairs." "quite so. your husband, as far as you could see, had his ord', 'r was at the foot of the stairs." "quite so. your husband, as far as you could see, had his ordinary', ' at the foot of the stairs." "quite so. your husband, as far as you could see, had his ordinary clot', 'he foot of the stairs." "quite so. your husband, as far as you could see, had his ordinary clothes o', 'ot of the stairs." "quite so. your husband, as far as you could see, had his ordinary clothes on?" "', ' the stairs." "quite so. your husband, as far as you could see, had his ordinary clothes on?" "but w', 'stairs." "quite so. your husband, as far as you could see, had his ordinary clothes on?" "but withou', 's." "quite so. your husband, as far as you could see, had his ordinary clothes on?" "but without his', 'quite so. your husband, as far as you could see, had his ordinary clothes on?" "but without his coll', ' so. your husband, as far as you could see, had his ordinary clothes on?" "but without his collar or', 'your husband, as far as you could see, had his ordinary clothes on?" "but without his collar or tie.', 'husband, as far as you could see, had his ordinary clothes on?" "but without his collar or tie. i di', 'nd, as far as you could see, had his ordinary clothes on?" "but without his collar or tie. i distinc', 's far as you could see, had his ordinary clothes on?" "but without his collar or tie. i distinctly s', ' as you could see, had his ordinary clothes on?" "but without his collar or tie. i distinctly saw hi', 'ou could see, had his ordinary clothes on?" "but without his collar or tie. i distinctly saw his bar', 'uld see, had his ordinary clothes on?" "but without his collar or tie. i distinctly saw his bare thr', 'ee, had his ordinary clothes on?" "but without his collar or tie. i distinctly saw his bare throat."', 'ad his ordinary clothes on?" "but without his collar or tie. i distinctly saw his bare throat." "had', 's ordinary clothes on?" "but without his collar or tie. i distinctly saw his bare throat." "had he e', 'inary clothes on?" "but without his collar or tie. i distinctly saw his bare throat." "had he ever s', ' clothes on?" "but without his collar or tie. i distinctly saw his bare throat." "had he ever spoken', 'hes on?" "but without his collar or tie. i distinctly saw his bare throat." "had he ever spoken of s', 'n?" "but without his collar or tie. i distinctly saw his bare throat." "had he ever spoken of swanda', 'but without his collar or tie. i distinctly saw his bare throat." "had he ever spoken of swandam lan', 'ithout his collar or tie. i distinctly saw his bare throat." "had he ever spoken of swandam lane?" "', 't his collar or tie. i distinctly saw his bare throat." "had he ever spoken of swandam lane?" "never', ' collar or tie. i distinctly saw his bare throat." "had he ever spoken of swandam lane?" "never." "h', 'ar or tie. i distinctly saw his bare throat." "had he ever spoken of swandam lane?" "never." "had he', ' tie. i distinctly saw his bare throat." "had he ever spoken of swandam lane?" "never." "had he ever', ' i distinctly saw his bare throat." "had he ever spoken of swandam lane?" "never." "had he ever show', 'stinctly saw his bare throat." "had he ever spoken of swandam lane?" "never." "had he ever showed an', 'tly saw his bare throat." "had he ever spoken of swandam lane?" "never." "had he ever showed any sig', 'aw his bare throat." "had he ever spoken of swandam lane?" "never." "had he ever showed any signs of', 's bare throat." "had he ever spoken of swandam lane?" "never." "had he ever showed any signs of havi', 'e throat." "had he ever spoken of swandam lane?" "never." "had he ever showed any signs of having ta', 'oat." "had he ever spoken of swandam lane?" "never." "had he ever showed any signs of having taken o', ' "had he ever spoken of swandam lane?" "never." "had he ever showed any signs of having taken opium?', ' he ever spoken of swandam lane?" "never." "had he ever showed any signs of having taken opium?" "ne', 'ver spoken of swandam lane?" "never." "had he ever showed any signs of having taken opium?" "never."', 'poken of swandam lane?" "never." "had he ever showed any signs of having taken opium?" "never." "tha', ' of swandam lane?" "never." "had he ever showed any signs of having taken opium?" "never." "thank yo', 'wandam lane?" "never." "had he ever showed any signs of having taken opium?" "never." "thank you, mr', 'm lane?" "never." "had he ever showed any signs of having taken opium?" "never." "thank you, mrs. st', 'e?" "never." "had he ever showed any signs of having taken opium?" "never." "thank you, mrs. st. cla', 'never." "had he ever showed any signs of having taken opium?" "never." "thank you, mrs. st. clair. t', '." "had he ever showed any signs of having taken opium?" "never." "thank you, mrs. st. clair. those ', 'ad he ever showed any signs of having taken opium?" "never." "thank you, mrs. st. clair. those are t', ' ever showed any signs of having taken opium?" "never." "thank you, mrs. st. clair. those are the pr', ' showed any signs of having taken opium?" "never." "thank you, mrs. st. clair. those are the princip', 'ed any signs of having taken opium?" "never." "thank you, mrs. st. clair. those are the principal po', 'y signs of having taken opium?" "never." "thank you, mrs. st. clair. those are the principal points ', 'ns of having taken opium?" "never." "thank you, mrs. st. clair. those are the principal points about', ' having taken opium?" "never." "thank you, mrs. st. clair. those are the principal points about whic', 'ng taken opium?" "never." "thank you, mrs. st. clair. those are the principal points about which i w', 'ken opium?" "never." "thank you, mrs. st. clair. those are the principal points about which i wished', 'pium?" "never." "thank you, mrs. st. clair. those are the principal points about which i wished to b', '" "never." "thank you, mrs. st. clair. those are the principal points about which i wished to be abs', 'ver." "thank you, mrs. st. clair. those are the principal points about which i wished to be absolute', ' "thank you, mrs. st. clair. those are the principal points about which i wished to be absolutely cl', 'nk you, mrs. st. clair. those are the principal points about which i wished to be absolutely clear. ', 'u, mrs. st. clair. those are the principal points about which i wished to be absolutely clear. we sh', 's. st. clair. those are the principal points about which i wished to be absolutely clear. we shall n', '. clair. those are the principal points about which i wished to be absolutely clear. we shall now ha', 'ir. those are the principal points about which i wished to be absolutely clear. we shall now have a ', 'hose are the principal points about which i wished to be absolutely clear. we shall now have a littl', 'are the principal points about which i wished to be absolutely clear. we shall now have a little sup', 'he principal points about which i wished to be absolutely clear. we shall now have a little supper a', 'incipal points about which i wished to be absolutely clear. we shall now have a little supper and th', 'al points about which i wished to be absolutely clear. we shall now have a little supper and then re', 'ints about which i wished to be absolutely clear. we shall now have a little supper and then retire,', 'about which i wished to be absolutely clear. we shall now have a little supper and then retire, for ', ' which i wished to be absolutely clear. we shall now have a little supper and then retire, for we ma', 'h i wished to be absolutely clear. we shall now have a little supper and then retire, for we may hav', 'ished to be absolutely clear. we shall now have a little supper and then retire, for we may have a v', ' to be absolutely clear. we shall now have a little supper and then retire, for we may have a very b', 'e absolutely clear. we shall now have a little supper and then retire, for we may have a very busy d', 'olutely clear. we shall now have a little supper and then retire, for we may have a very busy day to', 'ly clear. we shall now have a little supper and then retire, for we may have a very busy day to-morr', 'ear. we shall now have a little supper and then retire, for we may have a very busy day to-morrow." ', 'we shall now have a little supper and then retire, for we may have a very busy day to-morrow." a lar', 'all now have a little supper and then retire, for we may have a very busy day to-morrow." a large an', 'ow have a little supper and then retire, for we may have a very busy day to-morrow." a large and com', 've a little supper and then retire, for we may have a very busy day to-morrow." a large and comforta', 'little supper and then retire, for we may have a very busy day to-morrow." a large and comfortable d', 'e supper and then retire, for we may have a very busy day to-morrow." a large and comfortable double', 'per and then retire, for we may have a very busy day to-morrow." a large and comfortable double-bedd', 'nd then retire, for we may have a very busy day to-morrow." a large and comfortable double-bedded ro', 'en retire, for we may have a very busy day to-morrow." a large and comfortable double-bedded room ha', 'tire, for we may have a very busy day to-morrow." a large and comfortable double-bedded room had bee', ' for we may have a very busy day to-morrow." a large and comfortable double-bedded room had been pla', 'we may have a very busy day to-morrow." a large and comfortable double-bedded room had been placed a', 'y have a very busy day to-morrow." a large and comfortable double-bedded room had been placed at our', 'e a very busy day to-morrow." a large and comfortable double-bedded room had been placed at our disp', 'ery busy day to-morrow." a large and comfortable double-bedded room had been placed at our disposal,', 'usy day to-morrow." a large and comfortable double-bedded room had been placed at our disposal, and ', 'ay to-morrow." a large and comfortable double-bedded room had been placed at our disposal, and i was', '-morrow." a large and comfortable double-bedded room had been placed at our disposal, and i was quic', 'ow." a large and comfortable double-bedded room had been placed at our disposal, and i was quickly b', 'a large and comfortable double-bedded room had been placed at our disposal, and i was quickly betwee', 'ge and comfortable double-bedded room had been placed at our disposal, and i was quickly between the', 'd comfortable double-bedded room had been placed at our disposal, and i was quickly between the shee', 'fortable double-bedded room had been placed at our disposal, and i was quickly between the sheets, f', 'ble double-bedded room had been placed at our disposal, and i was quickly between the sheets, for i ', 'ouble-bedded room had been placed at our disposal, and i was quickly between the sheets, for i was w', '-bedded room had been placed at our disposal, and i was quickly between the sheets, for i was weary ', 'ed room had been placed at our disposal, and i was quickly between the sheets, for i was weary after', 'om had been placed at our disposal, and i was quickly between the sheets, for i was weary after my n', 'd been placed at our disposal, and i was quickly between the sheets, for i was weary after my night ', 'n placed at our disposal, and i was quickly between the sheets, for i was weary after my night of ad', 'ced at our disposal, and i was quickly between the sheets, for i was weary after my night of adventu', 't our disposal, and i was quickly between the sheets, for i was weary after my night of adventure. s', ' disposal, and i was quickly between the sheets, for i was weary after my night of adventure. sherlo', 'osal, and i was quickly between the sheets, for i was weary after my night of adventure. sherlock ho', ' and i was quickly between the sheets, for i was weary after my night of adventure. sherlock holmes ', 'i was quickly between the sheets, for i was weary after my night of adventure. sherlock holmes was a', ' quickly between the sheets, for i was weary after my night of adventure. sherlock holmes was a man,', 'kly between the sheets, for i was weary after my night of adventure. sherlock holmes was a man, howe', 'etween the sheets, for i was weary after my night of adventure. sherlock holmes was a man, however, ', 'n the sheets, for i was weary after my night of adventure. sherlock holmes was a man, however, who, ', ' sheets, for i was weary after my night of adventure. sherlock holmes was a man, however, who, when ', 'ts, for i was weary after my night of adventure. sherlock holmes was a man, however, who, when he ha', 'or i was weary after my night of adventure. sherlock holmes was a man, however, who, when he had an ', 'was weary after my night of adventure. sherlock holmes was a man, however, who, when he had an unsol', 'eary after my night of adventure. sherlock holmes was a man, however, who, when he had an unsolved p', 'after my night of adventure. sherlock holmes was a man, however, who, when he had an unsolved proble', ' my night of adventure. sherlock holmes was a man, however, who, when he had an unsolved problem upo', 'ight of adventure. sherlock holmes was a man, however, who, when he had an unsolved problem upon his', 'of adventure. sherlock holmes was a man, however, who, when he had an unsolved problem upon his mind', 'venture. sherlock holmes was a man, however, who, when he had an unsolved problem upon his mind, wou', 're. sherlock holmes was a man, however, who, when he had an unsolved problem upon his mind, would go', 'herlock holmes was a man, however, who, when he had an unsolved problem upon his mind, would go for ', 'ck holmes was a man, however, who, when he had an unsolved problem upon his mind, would go for days,', 'lmes was a man, however, who, when he had an unsolved problem upon his mind, would go for days, and ', 'was a man, however, who, when he had an unsolved problem upon his mind, would go for days, and even ', ' man, however, who, when he had an unsolved problem upon his mind, would go for days, and even for a', ' however, who, when he had an unsolved problem upon his mind, would go for days, and even for a week', 'ver, who, when he had an unsolved problem upon his mind, would go for days, and even for a week, wit', 'who, when he had an unsolved problem upon his mind, would go for days, and even for a week, without ', 'when he had an unsolved problem upon his mind, would go for days, and even for a week, without rest,', 'he had an unsolved problem upon his mind, would go for days, and even for a week, without rest, turn', 'd an unsolved problem upon his mind, would go for days, and even for a week, without rest, turning i', 'unsolved problem upon his mind, would go for days, and even for a week, without rest, turning it ove', 'ved problem upon his mind, would go for days, and even for a week, without rest, turning it over, re', 'roblem upon his mind, would go for days, and even for a week, without rest, turning it over, rearran', 'm upon his mind, would go for days, and even for a week, without rest, turning it over, rearranging ', 'n his mind, would go for days, and even for a week, without rest, turning it over, rearranging his f', ' mind, would go for days, and even for a week, without rest, turning it over, rearranging his facts,', ', would go for days, and even for a week, without rest, turning it over, rearranging his facts, look', 'ld go for days, and even for a week, without rest, turning it over, rearranging his facts, looking a', ' for days, and even for a week, without rest, turning it over, rearranging his facts, looking at it ', 'days, and even for a week, without rest, turning it over, rearranging his facts, looking at it from ', ' and even for a week, without rest, turning it over, rearranging his facts, looking at it from every', 'even for a week, without rest, turning it over, rearranging his facts, looking at it from every poin', 'for a week, without rest, turning it over, rearranging his facts, looking at it from every point of ', ' week, without rest, turning it over, rearranging his facts, looking at it from every point of view ', ', without rest, turning it over, rearranging his facts, looking at it from every point of view until', 'hout rest, turning it over, rearranging his facts, looking at it from every point of view until he h', 'rest, turning it over, rearranging his facts, looking at it from every point of view until he had ei', ' turning it over, rearranging his facts, looking at it from every point of view until he had either ', 'ing it over, rearranging his facts, looking at it from every point of view until he had either fatho', 't over, rearranging his facts, looking at it from every point of view until he had either fathomed i', 'r, rearranging his facts, looking at it from every point of view until he had either fathomed it or ', 'arranging his facts, looking at it from every point of view until he had either fathomed it or convi', 'ging his facts, looking at it from every point of view until he had either fathomed it or convinced ', 'his facts, looking at it from every point of view until he had either fathomed it or convinced himse', 'acts, looking at it from every point of view until he had either fathomed it or convinced himself th', ' looking at it from every point of view until he had either fathomed it or convinced himself that hi', 'ing at it from every point of view until he had either fathomed it or convinced himself that his dat', 't it from every point of view until he had either fathomed it or convinced himself that his data wer', 'from every point of view until he had either fathomed it or convinced himself that his data were ins', 'every point of view until he had either fathomed it or convinced himself that his data were insuffic', ' point of view until he had either fathomed it or convinced himself that his data were insufficient.', 't of view until he had either fathomed it or convinced himself that his data were insufficient. it w', 'view until he had either fathomed it or convinced himself that his data were insufficient. it was so', 'until he had either fathomed it or convinced himself that his data were insufficient. it was soon ev', ' he had either fathomed it or convinced himself that his data were insufficient. it was soon evident', 'ad either fathomed it or convinced himself that his data were insufficient. it was soon evident to m', 'ther fathomed it or convinced himself that his data were insufficient. it was soon evident to me tha', 'fathomed it or convinced himself that his data were insufficient. it was soon evident to me that he ', 'med it or convinced himself that his data were insufficient. it was soon evident to me that he was n', 't or convinced himself that his data were insufficient. it was soon evident to me that he was now pr', 'convinced himself that his data were insufficient. it was soon evident to me that he was now prepari', 'nced himself that his data were insufficient. it was soon evident to me that he was now preparing fo', 'himself that his data were insufficient. it was soon evident to me that he was now preparing for an ', 'lf that his data were insufficient. it was soon evident to me that he was now preparing for an all-n', 'at his data were insufficient. it was soon evident to me that he was now preparing for an all-night ', 's data were insufficient. it was soon evident to me that he was now preparing for an all-night sitti', 'a were insufficient. it was soon evident to me that he was now preparing for an all-night sitting. h', 'e insufficient. it was soon evident to me that he was now preparing for an all-night sitting. he too', 'ufficient. it was soon evident to me that he was now preparing for an all-night sitting. he took off', 'ient. it was soon evident to me that he was now preparing for an all-night sitting. he took off his ', ' it was soon evident to me that he was now preparing for an all-night sitting. he took off his coat ', 'as soon evident to me that he was now preparing for an all-night sitting. he took off his coat and w', 'on evident to me that he was now preparing for an all-night sitting. he took off his coat and waistc', 'ident to me that he was now preparing for an all-night sitting. he took off his coat and waistcoat, ', ' to me that he was now preparing for an all-night sitting. he took off his coat and waistcoat, put o', 'e that he was now preparing for an all-night sitting. he took off his coat and waistcoat, put on a l', 't he was now preparing for an all-night sitting. he took off his coat and waistcoat, put on a large ', 'was now preparing for an all-night sitting. he took off his coat and waistcoat, put on a large blue ', 'ow preparing for an all-night sitting. he took off his coat and waistcoat, put on a large blue dress', 'eparing for an all-night sitting. he took off his coat and waistcoat, put on a large blue dressing-g', 'ng for an all-night sitting. he took off his coat and waistcoat, put on a large blue dressing-gown, ', 'r an all-night sitting. he took off his coat and waistcoat, put on a large blue dressing-gown, and t', 'all-night sitting. he took off his coat and waistcoat, put on a large blue dressing-gown, and then w', 'ight sitting. he took off his coat and waistcoat, put on a large blue dressing-gown, and then wander', 'sitting. he took off his coat and waistcoat, put on a large blue dressing-gown, and then wandered ab', 'ng. he took off his coat and waistcoat, put on a large blue dressing-gown, and then wandered about t', 'e took off his coat and waistcoat, put on a large blue dressing-gown, and then wandered about the ro', 'k off his coat and waistcoat, put on a large blue dressing-gown, and then wandered about the room co', ' his coat and waistcoat, put on a large blue dressing-gown, and then wandered about the room collect', 'coat and waistcoat, put on a large blue dressing-gown, and then wandered about the room collecting p', 'and waistcoat, put on a large blue dressing-gown, and then wandered about the room collecting pillow', 'aistcoat, put on a large blue dressing-gown, and then wandered about the room collecting pillows fro', 'oat, put on a large blue dressing-gown, and then wandered about the room collecting pillows from his', 'put on a large blue dressing-gown, and then wandered about the room collecting pillows from his bed ', 'n a large blue dressing-gown, and then wandered about the room collecting pillows from his bed and c', 'arge blue dressing-gown, and then wandered about the room collecting pillows from his bed and cushio', 'blue dressing-gown, and then wandered about the room collecting pillows from his bed and cushions fr', 'dressing-gown, and then wandered about the room collecting pillows from his bed and cushions from th', 'ing-gown, and then wandered about the room collecting pillows from his bed and cushions from the sof', 'own, and then wandered about the room collecting pillows from his bed and cushions from the sofa and', 'and then wandered about the room collecting pillows from his bed and cushions from the sofa and armc', 'hen wandered about the room collecting pillows from his bed and cushions from the sofa and armchairs', 'andered about the room collecting pillows from his bed and cushions from the sofa and armchairs. wit', 'ed about the room collecting pillows from his bed and cushions from the sofa and armchairs. with the', 'out the room collecting pillows from his bed and cushions from the sofa and armchairs. with these he', 'he room collecting pillows from his bed and cushions from the sofa and armchairs. with these he cons', 'om collecting pillows from his bed and cushions from the sofa and armchairs. with these he construct', 'llecting pillows from his bed and cushions from the sofa and armchairs. with these he constructed a ', 'ing pillows from his bed and cushions from the sofa and armchairs. with these he constructed a sort ', 'illows from his bed and cushions from the sofa and armchairs. with these he constructed a sort of ea', 's from his bed and cushions from the sofa and armchairs. with these he constructed a sort of eastern', 'm his bed and cushions from the sofa and armchairs. with these he constructed a sort of eastern diva', ' bed and cushions from the sofa and armchairs. with these he constructed a sort of eastern divan, up', 'and cushions from the sofa and armchairs. with these he constructed a sort of eastern divan, upon wh', 'ushions from the sofa and armchairs. with these he constructed a sort of eastern divan, upon which h', 'ns from the sofa and armchairs. with these he constructed a sort of eastern divan, upon which he per', 'om the sofa and armchairs. with these he constructed a sort of eastern divan, upon which he perched ', 'e sofa and armchairs. with these he constructed a sort of eastern divan, upon which he perched himse', 'a and armchairs. with these he constructed a sort of eastern divan, upon which he perched himself cr', ' armchairs. with these he constructed a sort of eastern divan, upon which he perched himself cross-l', 'hairs. with these he constructed a sort of eastern divan, upon which he perched himself cross-legged', '. with these he constructed a sort of eastern divan, upon which he perched himself cross-legged, wit', 'h these he constructed a sort of eastern divan, upon which he perched himself cross-legged, with an ', 'se he constructed a sort of eastern divan, upon which he perched himself cross-legged, with an ounce', ' constructed a sort of eastern divan, upon which he perched himself cross-legged, with an ounce of s', 'tructed a sort of eastern divan, upon which he perched himself cross-legged, with an ounce of shag t', 'ed a sort of eastern divan, upon which he perched himself cross-legged, with an ounce of shag tobacc', 'sort of eastern divan, upon which he perched himself cross-legged, with an ounce of shag tobacco and', 'of eastern divan, upon which he perched himself cross-legged, with an ounce of shag tobacco and a bo', 'stern divan, upon which he perched himself cross-legged, with an ounce of shag tobacco and a box of ', ' divan, upon which he perched himself cross-legged, with an ounce of shag tobacco and a box of match', 'n, upon which he perched himself cross-legged, with an ounce of shag tobacco and a box of matches la', 'on which he perched himself cross-legged, with an ounce of shag tobacco and a box of matches laid ou', 'ich he perched himself cross-legged, with an ounce of shag tobacco and a box of matches laid out in ', 'e perched himself cross-legged, with an ounce of shag tobacco and a box of matches laid out in front', 'ched himself cross-legged, with an ounce of shag tobacco and a box of matches laid out in front of h', 'himself cross-legged, with an ounce of shag tobacco and a box of matches laid out in front of him. i', 'lf cross-legged, with an ounce of shag tobacco and a box of matches laid out in front of him. in the', 'oss-legged, with an ounce of shag tobacco and a box of matches laid out in front of him. in the dim ', 'egged, with an ounce of shag tobacco and a box of matches laid out in front of him. in the dim light', ', with an ounce of shag tobacco and a box of matches laid out in front of him. in the dim light of t', 'h an ounce of shag tobacco and a box of matches laid out in front of him. in the dim light of the la', 'ounce of shag tobacco and a box of matches laid out in front of him. in the dim light of the lamp i ', ' of shag tobacco and a box of matches laid out in front of him. in the dim light of the lamp i saw h', 'hag tobacco and a box of matches laid out in front of him. in the dim light of the lamp i saw him si', 'obacco and a box of matches laid out in front of him. in the dim light of the lamp i saw him sitting', 'o and a box of matches laid out in front of him. in the dim light of the lamp i saw him sitting ther', ' a box of matches laid out in front of him. in the dim light of the lamp i saw him sitting there, an', 'x of matches laid out in front of him. in the dim light of the lamp i saw him sitting there, an old ', 'matches laid out in front of him. in the dim light of the lamp i saw him sitting there, an old briar', 'es laid out in front of him. in the dim light of the lamp i saw him sitting there, an old briar pipe', 'id out in front of him. in the dim light of the lamp i saw him sitting there, an old briar pipe betw', 't in front of him. in the dim light of the lamp i saw him sitting there, an old briar pipe between h', 'front of him. in the dim light of the lamp i saw him sitting there, an old briar pipe between his li', ' of him. in the dim light of the lamp i saw him sitting there, an old briar pipe between his lips, h', 'im. in the dim light of the lamp i saw him sitting there, an old briar pipe between his lips, his ey', 'n the dim light of the lamp i saw him sitting there, an old briar pipe between his lips, his eyes fi', ' dim light of the lamp i saw him sitting there, an old briar pipe between his lips, his eyes fixed v', 'light of the lamp i saw him sitting there, an old briar pipe between his lips, his eyes fixed vacant', ' of the lamp i saw him sitting there, an old briar pipe between his lips, his eyes fixed vacantly up', 'he lamp i saw him sitting there, an old briar pipe between his lips, his eyes fixed vacantly upon th', 'mp i saw him sitting there, an old briar pipe between his lips, his eyes fixed vacantly upon the cor', 'saw him sitting there, an old briar pipe between his lips, his eyes fixed vacantly upon the corner o', 'im sitting there, an old briar pipe between his lips, his eyes fixed vacantly upon the corner of the', 'tting there, an old briar pipe between his lips, his eyes fixed vacantly upon the corner of the ceil', ' there, an old briar pipe between his lips, his eyes fixed vacantly upon the corner of the ceiling, ', 'e, an old briar pipe between his lips, his eyes fixed vacantly upon the corner of the ceiling, the b', ' old briar pipe between his lips, his eyes fixed vacantly upon the corner of the ceiling, the blue s', 'briar pipe between his lips, his eyes fixed vacantly upon the corner of the ceiling, the blue smoke ', ' pipe between his lips, his eyes fixed vacantly upon the corner of the ceiling, the blue smoke curli', ' between his lips, his eyes fixed vacantly upon the corner of the ceiling, the blue smoke curling up', 'een his lips, his eyes fixed vacantly upon the corner of the ceiling, the blue smoke curling up from', 'is lips, his eyes fixed vacantly upon the corner of the ceiling, the blue smoke curling up from him,', 'ps, his eyes fixed vacantly upon the corner of the ceiling, the blue smoke curling up from him, sile', 'is eyes fixed vacantly upon the corner of the ceiling, the blue smoke curling up from him, silent, m', 'es fixed vacantly upon the corner of the ceiling, the blue smoke curling up from him, silent, motion', 'xed vacantly upon the corner of the ceiling, the blue smoke curling up from him, silent, motionless,', 'acantly upon the corner of the ceiling, the blue smoke curling up from him, silent, motionless, with', 'ly upon the corner of the ceiling, the blue smoke curling up from him, silent, motionless, with the ', 'on the corner of the ceiling, the blue smoke curling up from him, silent, motionless, with the light', 'e corner of the ceiling, the blue smoke curling up from him, silent, motionless, with the light shin', 'ner of the ceiling, the blue smoke curling up from him, silent, motionless, with the light shining u', 'f the ceiling, the blue smoke curling up from him, silent, motionless, with the light shining upon h', ' ceiling, the blue smoke curling up from him, silent, motionless, with the light shining upon his st', 'ing, the blue smoke curling up from him, silent, motionless, with the light shining upon his strong-', 'the blue smoke curling up from him, silent, motionless, with the light shining upon his strong-set a', 'lue smoke curling up from him, silent, motionless, with the light shining upon his strong-set aquili', 'moke curling up from him, silent, motionless, with the light shining upon his strong-set aquiline fe', 'curling up from him, silent, motionless, with the light shining upon his strong-set aquiline feature', 'ng up from him, silent, motionless, with the light shining upon his strong-set aquiline features. so', ' from him, silent, motionless, with the light shining upon his strong-set aquiline features. so he s', ' him, silent, motionless, with the light shining upon his strong-set aquiline features. so he sat as', ' silent, motionless, with the light shining upon his strong-set aquiline features. so he sat as i dr', 'nt, motionless, with the light shining upon his strong-set aquiline features. so he sat as i dropped', 'otionless, with the light shining upon his strong-set aquiline features. so he sat as i dropped off ', 'less, with the light shining upon his strong-set aquiline features. so he sat as i dropped off to sl', ' with the light shining upon his strong-set aquiline features. so he sat as i dropped off to sleep, ', ' the light shining upon his strong-set aquiline features. so he sat as i dropped off to sleep, and s', 'light shining upon his strong-set aquiline features. so he sat as i dropped off to sleep, and so he ', ' shining upon his strong-set aquiline features. so he sat as i dropped off to sleep, and so he sat w', 'ing upon his strong-set aquiline features. so he sat as i dropped off to sleep, and so he sat when a', 'pon his strong-set aquiline features. so he sat as i dropped off to sleep, and so he sat when a sudd', 'is strong-set aquiline features. so he sat as i dropped off to sleep, and so he sat when a sudden ej', 'rong-set aquiline features. so he sat as i dropped off to sleep, and so he sat when a sudden ejacula', 'set aquiline features. so he sat as i dropped off to sleep, and so he sat when a sudden ejaculation ', 'quiline features. so he sat as i dropped off to sleep, and so he sat when a sudden ejaculation cause', 'ne features. so he sat as i dropped off to sleep, and so he sat when a sudden ejaculation caused me ', 'atures. so he sat as i dropped off to sleep, and so he sat when a sudden ejaculation caused me to wa', 's. so he sat as i dropped off to sleep, and so he sat when a sudden ejaculation caused me to wake up', ' he sat as i dropped off to sleep, and so he sat when a sudden ejaculation caused me to wake up, and', 'at as i dropped off to sleep, and so he sat when a sudden ejaculation caused me to wake up, and i fo', ' i dropped off to sleep, and so he sat when a sudden ejaculation caused me to wake up, and i found t', 'opped off to sleep, and so he sat when a sudden ejaculation caused me to wake up, and i found the su', ' off to sleep, and so he sat when a sudden ejaculation caused me to wake up, and i found the summer ', 'to sleep, and so he sat when a sudden ejaculation caused me to wake up, and i found the summer sun s', 'eep, and so he sat when a sudden ejaculation caused me to wake up, and i found the summer sun shinin', 'and so he sat when a sudden ejaculation caused me to wake up, and i found the summer sun shining int', 'o he sat when a sudden ejaculation caused me to wake up, and i found the summer sun shining into the', 'sat when a sudden ejaculation caused me to wake up, and i found the summer sun shining into the apar', 'hen a sudden ejaculation caused me to wake up, and i found the summer sun shining into the apartment', ' sudden ejaculation caused me to wake up, and i found the summer sun shining into the apartment. the', 'en ejaculation caused me to wake up, and i found the summer sun shining into the apartment. the pipe', 'aculation caused me to wake up, and i found the summer sun shining into the apartment. the pipe was ', 'tion caused me to wake up, and i found the summer sun shining into the apartment. the pipe was still', 'caused me to wake up, and i found the summer sun shining into the apartment. the pipe was still betw', 'd me to wake up, and i found the summer sun shining into the apartment. the pipe was still between h', 'to wake up, and i found the summer sun shining into the apartment. the pipe was still between his li', 'ke up, and i found the summer sun shining into the apartment. the pipe was still between his lips, t', ', and i found the summer sun shining into the apartment. the pipe was still between his lips, the sm', ' i found the summer sun shining into the apartment. the pipe was still between his lips, the smoke s', 'und the summer sun shining into the apartment. the pipe was still between his lips, the smoke still ', 'he summer sun shining into the apartment. the pipe was still between his lips, the smoke still curle', 'mmer sun shining into the apartment. the pipe was still between his lips, the smoke still curled upw', 'sun shining into the apartment. the pipe was still between his lips, the smoke still curled upward, ', 'hining into the apartment. the pipe was still between his lips, the smoke still curled upward, and t', 'g into the apartment. the pipe was still between his lips, the smoke still curled upward, and the ro', 'o the apartment. the pipe was still between his lips, the smoke still curled upward, and the room wa', ' apartment. the pipe was still between his lips, the smoke still curled upward, and the room was ful', 'tment. the pipe was still between his lips, the smoke still curled upward, and the room was full of ', '. the pipe was still between his lips, the smoke still curled upward, and the room was full of a den', ' pipe was still between his lips, the smoke still curled upward, and the room was full of a dense to', ' was still between his lips, the smoke still curled upward, and the room was full of a dense tobacco', 'still between his lips, the smoke still curled upward, and the room was full of a dense tobacco haze', ' between his lips, the smoke still curled upward, and the room was full of a dense tobacco haze, but', 'een his lips, the smoke still curled upward, and the room was full of a dense tobacco haze, but noth', 'is lips, the smoke still curled upward, and the room was full of a dense tobacco haze, but nothing r', 'ps, the smoke still curled upward, and the room was full of a dense tobacco haze, but nothing remain', 'he smoke still curled upward, and the room was full of a dense tobacco haze, but nothing remained of', 'oke still curled upward, and the room was full of a dense tobacco haze, but nothing remained of the ', 'till curled upward, and the room was full of a dense tobacco haze, but nothing remained of the heap ', 'curled upward, and the room was full of a dense tobacco haze, but nothing remained of the heap of sh', 'd upward, and the room was full of a dense tobacco haze, but nothing remained of the heap of shag wh', 'ard, and the room was full of a dense tobacco haze, but nothing remained of the heap of shag which i', 'and the room was full of a dense tobacco haze, but nothing remained of the heap of shag which i had ', 'he room was full of a dense tobacco haze, but nothing remained of the heap of shag which i had seen ', 'om was full of a dense tobacco haze, but nothing remained of the heap of shag which i had seen upon ', 's full of a dense tobacco haze, but nothing remained of the heap of shag which i had seen upon the p', 'l of a dense tobacco haze, but nothing remained of the heap of shag which i had seen upon the previo', 'a dense tobacco haze, but nothing remained of the heap of shag which i had seen upon the previous ni', 'se tobacco haze, but nothing remained of the heap of shag which i had seen upon the previous night. ', 'bacco haze, but nothing remained of the heap of shag which i had seen upon the previous night. "awak', ' haze, but nothing remained of the heap of shag which i had seen upon the previous night. "awake, wa', ', but nothing remained of the heap of shag which i had seen upon the previous night. "awake, watson?', ' nothing remained of the heap of shag which i had seen upon the previous night. "awake, watson?" he ', 'ing remained of the heap of shag which i had seen upon the previous night. "awake, watson?" he asked', 'emained of the heap of shag which i had seen upon the previous night. "awake, watson?" he asked. "ye', 'ed of the heap of shag which i had seen upon the previous night. "awake, watson?" he asked. "yes." "', ' the heap of shag which i had seen upon the previous night. "awake, watson?" he asked. "yes." "game ', 'heap of shag which i had seen upon the previous night. "awake, watson?" he asked. "yes." "game for a', 'of shag which i had seen upon the previous night. "awake, watson?" he asked. "yes." "game for a morn', 'ag which i had seen upon the previous night. "awake, watson?" he asked. "yes." "game for a morning d', 'ich i had seen upon the previous night. "awake, watson?" he asked. "yes." "game for a morning drive?', ' had seen upon the previous night. "awake, watson?" he asked. "yes." "game for a morning drive?" "ce', 'seen upon the previous night. "awake, watson?" he asked. "yes." "game for a morning drive?" "certain', 'upon the previous night. "awake, watson?" he asked. "yes." "game for a morning drive?" "certainly." ', 'the previous night. "awake, watson?" he asked. "yes." "game for a morning drive?" "certainly." "then', 'revious night. "awake, watson?" he asked. "yes." "game for a morning drive?" "certainly." "then dres', 'us night. "awake, watson?" he asked. "yes." "game for a morning drive?" "certainly." "then dress. no', 'ght. "awake, watson?" he asked. "yes." "game for a morning drive?" "certainly." "then dress. no one ', '"awake, watson?" he asked. "yes." "game for a morning drive?" "certainly." "then dress. no one is st', 'e, watson?" he asked. "yes." "game for a morning drive?" "certainly." "then dress. no one is stirrin', 'tson?" he asked. "yes." "game for a morning drive?" "certainly." "then dress. no one is stirring yet', '" he asked. "yes." "game for a morning drive?" "certainly." "then dress. no one is stirring yet, but', 'asked. "yes." "game for a morning drive?" "certainly." "then dress. no one is stirring yet, but i kn', '. "yes." "game for a morning drive?" "certainly." "then dress. no one is stirring yet, but i know wh', 's." "game for a morning drive?" "certainly." "then dress. no one is stirring yet, but i know where t', 'game for a morning drive?" "certainly." "then dress. no one is stirring yet, but i know where the st', 'for a morning drive?" "certainly." "then dress. no one is stirring yet, but i know where the stable-', ' morning drive?" "certainly." "then dress. no one is stirring yet, but i know where the stable-boy s', 'ing drive?" "certainly." "then dress. no one is stirring yet, but i know where the stable-boy sleeps', 'rive?" "certainly." "then dress. no one is stirring yet, but i know where the stable-boy sleeps, and', '" "certainly." "then dress. no one is stirring yet, but i know where the stable-boy sleeps, and we s', 'rtainly." "then dress. no one is stirring yet, but i know where the stable-boy sleeps, and we shall ', 'ly." "then dress. no one is stirring yet, but i know where the stable-boy sleeps, and we shall soon ', '"then dress. no one is stirring yet, but i know where the stable-boy sleeps, and we shall soon have ', ' dress. no one is stirring yet, but i know where the stable-boy sleeps, and we shall soon have the t', 's. no one is stirring yet, but i know where the stable-boy sleeps, and we shall soon have the trap o', ' one is stirring yet, but i know where the stable-boy sleeps, and we shall soon have the trap out." ', 'is stirring yet, but i know where the stable-boy sleeps, and we shall soon have the trap out." he ch', 'irring yet, but i know where the stable-boy sleeps, and we shall soon have the trap out." he chuckle', 'g yet, but i know where the stable-boy sleeps, and we shall soon have the trap out." he chuckled to ', ', but i know where the stable-boy sleeps, and we shall soon have the trap out." he chuckled to himse', ' i know where the stable-boy sleeps, and we shall soon have the trap out." he chuckled to himself as', 'ow where the stable-boy sleeps, and we shall soon have the trap out." he chuckled to himself as he s', 'ere the stable-boy sleeps, and we shall soon have the trap out." he chuckled to himself as he spoke,', 'he stable-boy sleeps, and we shall soon have the trap out." he chuckled to himself as he spoke, his ', 'able-boy sleeps, and we shall soon have the trap out." he chuckled to himself as he spoke, his eyes ', 'boy sleeps, and we shall soon have the trap out." he chuckled to himself as he spoke, his eyes twink', 'leeps, and we shall soon have the trap out." he chuckled to himself as he spoke, his eyes twinkled, ', ', and we shall soon have the trap out." he chuckled to himself as he spoke, his eyes twinkled, and h', ' we shall soon have the trap out." he chuckled to himself as he spoke, his eyes twinkled, and he see', 'hall soon have the trap out." he chuckled to himself as he spoke, his eyes twinkled, and he seemed a', 'soon have the trap out." he chuckled to himself as he spoke, his eyes twinkled, and he seemed a diff', 'have the trap out." he chuckled to himself as he spoke, his eyes twinkled, and he seemed a different', 'the trap out." he chuckled to himself as he spoke, his eyes twinkled, and he seemed a different man ', 'rap out." he chuckled to himself as he spoke, his eyes twinkled, and he seemed a different man to th', 'ut." he chuckled to himself as he spoke, his eyes twinkled, and he seemed a different man to the som', 'he chuckled to himself as he spoke, his eyes twinkled, and he seemed a different man to the sombre t', 'uckled to himself as he spoke, his eyes twinkled, and he seemed a different man to the sombre thinke', 'd to himself as he spoke, his eyes twinkled, and he seemed a different man to the sombre thinker of ', 'himself as he spoke, his eyes twinkled, and he seemed a different man to the sombre thinker of the p', 'lf as he spoke, his eyes twinkled, and he seemed a different man to the sombre thinker of the previo', ' he spoke, his eyes twinkled, and he seemed a different man to the sombre thinker of the previous ni', 'poke, his eyes twinkled, and he seemed a different man to the sombre thinker of the previous night. ', ' his eyes twinkled, and he seemed a different man to the sombre thinker of the previous night. as i ', 'eyes twinkled, and he seemed a different man to the sombre thinker of the previous night. as i dress', 'twinkled, and he seemed a different man to the sombre thinker of the previous night. as i dressed i ', 'led, and he seemed a different man to the sombre thinker of the previous night. as i dressed i glanc', 'and he seemed a different man to the sombre thinker of the previous night. as i dressed i glanced at', 'e seemed a different man to the sombre thinker of the previous night. as i dressed i glanced at my w', 'med a different man to the sombre thinker of the previous night. as i dressed i glanced at my watch.', ' different man to the sombre thinker of the previous night. as i dressed i glanced at my watch. it w', 'erent man to the sombre thinker of the previous night. as i dressed i glanced at my watch. it was no', ' man to the sombre thinker of the previous night. as i dressed i glanced at my watch. it was no wond', 'to the sombre thinker of the previous night. as i dressed i glanced at my watch. it was no wonder th', 'e sombre thinker of the previous night. as i dressed i glanced at my watch. it was no wonder that no', 'bre thinker of the previous night. as i dressed i glanced at my watch. it was no wonder that no one ', 'hinker of the previous night. as i dressed i glanced at my watch. it was no wonder that no one was s', 'r of the previous night. as i dressed i glanced at my watch. it was no wonder that no one was stirri', 'the previous night. as i dressed i glanced at my watch. it was no wonder that no one was stirring. i', 'revious night. as i dressed i glanced at my watch. it was no wonder that no one was stirring. it was', 'us night. as i dressed i glanced at my watch. it was no wonder that no one was stirring. it was twen', 'ght. as i dressed i glanced at my watch. it was no wonder that no one was stirring. it was twenty-fi', 'as i dressed i glanced at my watch. it was no wonder that no one was stirring. it was twenty-five mi', 'dressed i glanced at my watch. it was no wonder that no one was stirring. it was twenty-five minutes', 'ed i glanced at my watch. it was no wonder that no one was stirring. it was twenty-five minutes past', 'glanced at my watch. it was no wonder that no one was stirring. it was twenty-five minutes past four', 'ed at my watch. it was no wonder that no one was stirring. it was twenty-five minutes past four. i h', ' my watch. it was no wonder that no one was stirring. it was twenty-five minutes past four. i had ha', 'atch. it was no wonder that no one was stirring. it was twenty-five minutes past four. i had hardly ', ' it was no wonder that no one was stirring. it was twenty-five minutes past four. i had hardly finis', 'as no wonder that no one was stirring. it was twenty-five minutes past four. i had hardly finished w', ' wonder that no one was stirring. it was twenty-five minutes past four. i had hardly finished when h', 'er that no one was stirring. it was twenty-five minutes past four. i had hardly finished when holmes', 'at no one was stirring. it was twenty-five minutes past four. i had hardly finished when holmes retu', ' one was stirring. it was twenty-five minutes past four. i had hardly finished when holmes returned ', 'was stirring. it was twenty-five minutes past four. i had hardly finished when holmes returned with ', 'tirring. it was twenty-five minutes past four. i had hardly finished when holmes returned with the n', 'ng. it was twenty-five minutes past four. i had hardly finished when holmes returned with the news t', 't was twenty-five minutes past four. i had hardly finished when holmes returned with the news that t', ' twenty-five minutes past four. i had hardly finished when holmes returned with the news that the bo', 'ty-five minutes past four. i had hardly finished when holmes returned with the news that the boy was', 've minutes past four. i had hardly finished when holmes returned with the news that the boy was putt', 'nutes past four. i had hardly finished when holmes returned with the news that the boy was putting i', ' past four. i had hardly finished when holmes returned with the news that the boy was putting in the', ' four. i had hardly finished when holmes returned with the news that the boy was putting in the hors', '. i had hardly finished when holmes returned with the news that the boy was putting in the horse. "i', 'ad hardly finished when holmes returned with the news that the boy was putting in the horse. "i want', 'rdly finished when holmes returned with the news that the boy was putting in the horse. "i want to t', 'finished when holmes returned with the news that the boy was putting in the horse. "i want to test a', 'hed when holmes returned with the news that the boy was putting in the horse. "i want to test a litt', 'hen holmes returned with the news that the boy was putting in the horse. "i want to test a little th', 'olmes returned with the news that the boy was putting in the horse. "i want to test a little theory ', ' returned with the news that the boy was putting in the horse. "i want to test a little theory of mi', 'rned with the news that the boy was putting in the horse. "i want to test a little theory of mine," ', 'with the news that the boy was putting in the horse. "i want to test a little theory of mine," said ', 'the news that the boy was putting in the horse. "i want to test a little theory of mine," said he, p', 'ews that the boy was putting in the horse. "i want to test a little theory of mine," said he, pullin', 'hat the boy was putting in the horse. "i want to test a little theory of mine," said he, pulling on ', 'he boy was putting in the horse. "i want to test a little theory of mine," said he, pulling on his b', 'y was putting in the horse. "i want to test a little theory of mine," said he, pulling on his boots.', ' putting in the horse. "i want to test a little theory of mine," said he, pulling on his boots. "i t', 'ing in the horse. "i want to test a little theory of mine," said he, pulling on his boots. "i think,', 'n the horse. "i want to test a little theory of mine," said he, pulling on his boots. "i think, wats', ' horse. "i want to test a little theory of mine," said he, pulling on his boots. "i think, watson, t', 'e. "i want to test a little theory of mine," said he, pulling on his boots. "i think, watson, that y', ' want to test a little theory of mine," said he, pulling on his boots. "i think, watson, that you ar', ' to test a little theory of mine," said he, pulling on his boots. "i think, watson, that you are now', 'est a little theory of mine," said he, pulling on his boots. "i think, watson, that you are now stan', ' little theory of mine," said he, pulling on his boots. "i think, watson, that you are now standing ', 'le theory of mine," said he, pulling on his boots. "i think, watson, that you are now standing in th', 'eory of mine," said he, pulling on his boots. "i think, watson, that you are now standing in the pre', 'of mine," said he, pulling on his boots. "i think, watson, that you are now standing in the presence', 'ne," said he, pulling on his boots. "i think, watson, that you are now standing in the presence of o', 'said he, pulling on his boots. "i think, watson, that you are now standing in the presence of one of', 'he, pulling on his boots. "i think, watson, that you are now standing in the presence of one of the ', 'ulling on his boots. "i think, watson, that you are now standing in the presence of one of the most ', 'g on his boots. "i think, watson, that you are now standing in the presence of one of the most absol', 'his boots. "i think, watson, that you are now standing in the presence of one of the most absolute f', 'oots. "i think, watson, that you are now standing in the presence of one of the most absolute fools ', ' "i think, watson, that you are now standing in the presence of one of the most absolute fools in eu', 'hink, watson, that you are now standing in the presence of one of the most absolute fools in europe.', ' watson, that you are now standing in the presence of one of the most absolute fools in europe. i de', 'on, that you are now standing in the presence of one of the most absolute fools in europe. i deserve', 'hat you are now standing in the presence of one of the most absolute fools in europe. i deserve to b', 'ou are now standing in the presence of one of the most absolute fools in europe. i deserve to be kic', 'e now standing in the presence of one of the most absolute fools in europe. i deserve to be kicked f', ' standing in the presence of one of the most absolute fools in europe. i deserve to be kicked from h', 'ding in the presence of one of the most absolute fools in europe. i deserve to be kicked from here t', 'in the presence of one of the most absolute fools in europe. i deserve to be kicked from here to cha', 'e presence of one of the most absolute fools in europe. i deserve to be kicked from here to charing ', 'sence of one of the most absolute fools in europe. i deserve to be kicked from here to charing cross', ' of one of the most absolute fools in europe. i deserve to be kicked from here to charing cross. but', 'ne of the most absolute fools in europe. i deserve to be kicked from here to charing cross. but i th', ' the most absolute fools in europe. i deserve to be kicked from here to charing cross. but i think i', 'most absolute fools in europe. i deserve to be kicked from here to charing cross. but i think i have', 'absolute fools in europe. i deserve to be kicked from here to charing cross. but i think i have the ', 'ute fools in europe. i deserve to be kicked from here to charing cross. but i think i have the key o', 'ools in europe. i deserve to be kicked from here to charing cross. but i think i have the key of the', 'in europe. i deserve to be kicked from here to charing cross. but i think i have the key of the affa', 'rope. i deserve to be kicked from here to charing cross. but i think i have the key of the affair no', ' i deserve to be kicked from here to charing cross. but i think i have the key of the affair now." "', 'serve to be kicked from here to charing cross. but i think i have the key of the affair now." "and w', ' to be kicked from here to charing cross. but i think i have the key of the affair now." "and where ', 'e kicked from here to charing cross. but i think i have the key of the affair now." "and where is it', 'ked from here to charing cross. but i think i have the key of the affair now." "and where is it?" i ', 'rom here to charing cross. but i think i have the key of the affair now." "and where is it?" i asked', 'ere to charing cross. but i think i have the key of the affair now." "and where is it?" i asked, smi', 'o charing cross. but i think i have the key of the affair now." "and where is it?" i asked, smiling.', 'ring cross. but i think i have the key of the affair now." "and where is it?" i asked, smiling. "in ', 'cross. but i think i have the key of the affair now." "and where is it?" i asked, smiling. "in the b', '. but i think i have the key of the affair now." "and where is it?" i asked, smiling. "in the bathro', ' i think i have the key of the affair now." "and where is it?" i asked, smiling. "in the bathroom," ', 'ink i have the key of the affair now." "and where is it?" i asked, smiling. "in the bathroom," he an', ' have the key of the affair now." "and where is it?" i asked, smiling. "in the bathroom," he answere', ' the key of the affair now." "and where is it?" i asked, smiling. "in the bathroom," he answered. "o', 'key of the affair now." "and where is it?" i asked, smiling. "in the bathroom," he answered. "oh, ye', 'f the affair now." "and where is it?" i asked, smiling. "in the bathroom," he answered. "oh, yes, i ', ' affair now." "and where is it?" i asked, smiling. "in the bathroom," he answered. "oh, yes, i am no', 'ir now." "and where is it?" i asked, smiling. "in the bathroom," he answered. "oh, yes, i am not jok', 'w." "and where is it?" i asked, smiling. "in the bathroom," he answered. "oh, yes, i am not joking,"', 'and where is it?" i asked, smiling. "in the bathroom," he answered. "oh, yes, i am not joking," he c', 'here is it?" i asked, smiling. "in the bathroom," he answered. "oh, yes, i am not joking," he contin', 'is it?" i asked, smiling. "in the bathroom," he answered. "oh, yes, i am not joking," he continued, ', '?" i asked, smiling. "in the bathroom," he answered. "oh, yes, i am not joking," he continued, seein', 'asked, smiling. "in the bathroom," he answered. "oh, yes, i am not joking," he continued, seeing my ', ', smiling. "in the bathroom," he answered. "oh, yes, i am not joking," he continued, seeing my look ', 'ling. "in the bathroom," he answered. "oh, yes, i am not joking," he continued, seeing my look of in', ' "in the bathroom," he answered. "oh, yes, i am not joking," he continued, seeing my look of incredu', 'the bathroom," he answered. "oh, yes, i am not joking," he continued, seeing my look of incredulity.', 'athroom," he answered. "oh, yes, i am not joking," he continued, seeing my look of incredulity. "i h', 'om," he answered. "oh, yes, i am not joking," he continued, seeing my look of incredulity. "i have j', 'he answered. "oh, yes, i am not joking," he continued, seeing my look of incredulity. "i have just b', 'swered. "oh, yes, i am not joking," he continued, seeing my look of incredulity. "i have just been t', 'd. "oh, yes, i am not joking," he continued, seeing my look of incredulity. "i have just been there,', 'h, yes, i am not joking," he continued, seeing my look of incredulity. "i have just been there, and ', 's, i am not joking," he continued, seeing my look of incredulity. "i have just been there, and i hav', 'am not joking," he continued, seeing my look of incredulity. "i have just been there, and i have tak', 't joking," he continued, seeing my look of incredulity. "i have just been there, and i have taken it', 'ing," he continued, seeing my look of incredulity. "i have just been there, and i have taken it out,', ' he continued, seeing my look of incredulity. "i have just been there, and i have taken it out, and ', 'ontinued, seeing my look of incredulity. "i have just been there, and i have taken it out, and i hav', 'ued, seeing my look of incredulity. "i have just been there, and i have taken it out, and i have got', 'seeing my look of incredulity. "i have just been there, and i have taken it out, and i have got it i', 'g my look of incredulity. "i have just been there, and i have taken it out, and i have got it in thi', 'look of incredulity. "i have just been there, and i have taken it out, and i have got it in this gla', 'of incredulity. "i have just been there, and i have taken it out, and i have got it in this gladston', 'credulity. "i have just been there, and i have taken it out, and i have got it in this gladstone bag', 'lity. "i have just been there, and i have taken it out, and i have got it in this gladstone bag. com', ' "i have just been there, and i have taken it out, and i have got it in this gladstone bag. come on,', 'ave just been there, and i have taken it out, and i have got it in this gladstone bag. come on, my b', 'ust been there, and i have taken it out, and i have got it in this gladstone bag. come on, my boy, a', 'een there, and i have taken it out, and i have got it in this gladstone bag. come on, my boy, and we', 'here, and i have taken it out, and i have got it in this gladstone bag. come on, my boy, and we shal', ' and i have taken it out, and i have got it in this gladstone bag. come on, my boy, and we shall see', 'i have taken it out, and i have got it in this gladstone bag. come on, my boy, and we shall see whet', 'e taken it out, and i have got it in this gladstone bag. come on, my boy, and we shall see whether i', 'en it out, and i have got it in this gladstone bag. come on, my boy, and we shall see whether it wil', ' out, and i have got it in this gladstone bag. come on, my boy, and we shall see whether it will not', ' and i have got it in this gladstone bag. come on, my boy, and we shall see whether it will not fit ', 'i have got it in this gladstone bag. come on, my boy, and we shall see whether it will not fit the l', 'e got it in this gladstone bag. come on, my boy, and we shall see whether it will not fit the lock."', ' it in this gladstone bag. come on, my boy, and we shall see whether it will not fit the lock." we m', 'n this gladstone bag. come on, my boy, and we shall see whether it will not fit the lock." we made o', 's gladstone bag. come on, my boy, and we shall see whether it will not fit the lock." we made our wa', 'dstone bag. come on, my boy, and we shall see whether it will not fit the lock." we made our way dow', 'e bag. come on, my boy, and we shall see whether it will not fit the lock." we made our way downstai', '. come on, my boy, and we shall see whether it will not fit the lock." we made our way downstairs as', 'e on, my boy, and we shall see whether it will not fit the lock." we made our way downstairs as quie', ' my boy, and we shall see whether it will not fit the lock." we made our way downstairs as quietly a', 'oy, and we shall see whether it will not fit the lock." we made our way downstairs as quietly as pos', 'nd we shall see whether it will not fit the lock." we made our way downstairs as quietly as possible', ' shall see whether it will not fit the lock." we made our way downstairs as quietly as possible, and', 'l see whether it will not fit the lock." we made our way downstairs as quietly as possible, and out ', ' whether it will not fit the lock." we made our way downstairs as quietly as possible, and out into ', 'her it will not fit the lock." we made our way downstairs as quietly as possible, and out into the b', 't will not fit the lock." we made our way downstairs as quietly as possible, and out into the bright', 'l not fit the lock." we made our way downstairs as quietly as possible, and out into the bright morn', ' fit the lock." we made our way downstairs as quietly as possible, and out into the bright morning s', 'the lock." we made our way downstairs as quietly as possible, and out into the bright morning sunshi', 'ock." we made our way downstairs as quietly as possible, and out into the bright morning sunshine. i', ' we made our way downstairs as quietly as possible, and out into the bright morning sunshine. in the', 'ade our way downstairs as quietly as possible, and out into the bright morning sunshine. in the road', 'ur way downstairs as quietly as possible, and out into the bright morning sunshine. in the road stoo', 'y downstairs as quietly as possible, and out into the bright morning sunshine. in the road stood our', 'nstairs as quietly as possible, and out into the bright morning sunshine. in the road stood our hors', 'rs as quietly as possible, and out into the bright morning sunshine. in the road stood our horse and', ' quietly as possible, and out into the bright morning sunshine. in the road stood our horse and trap', 'tly as possible, and out into the bright morning sunshine. in the road stood our horse and trap, wit', 's possible, and out into the bright morning sunshine. in the road stood our horse and trap, with the', 'sible, and out into the bright morning sunshine. in the road stood our horse and trap, with the half', ', and out into the bright morning sunshine. in the road stood our horse and trap, with the half-clad', ' out into the bright morning sunshine. in the road stood our horse and trap, with the half-clad stab', 'into the bright morning sunshine. in the road stood our horse and trap, with the half-clad stable-bo', 'the bright morning sunshine. in the road stood our horse and trap, with the half-clad stable-boy wai', 'right morning sunshine. in the road stood our horse and trap, with the half-clad stable-boy waiting ', ' morning sunshine. in the road stood our horse and trap, with the half-clad stable-boy waiting at th', 'ing sunshine. in the road stood our horse and trap, with the half-clad stable-boy waiting at the hea', 'unshine. in the road stood our horse and trap, with the half-clad stable-boy waiting at the head. we', 'ne. in the road stood our horse and trap, with the half-clad stable-boy waiting at the head. we both', 'n the road stood our horse and trap, with the half-clad stable-boy waiting at the head. we both spra', ' road stood our horse and trap, with the half-clad stable-boy waiting at the head. we both sprang in', ' stood our horse and trap, with the half-clad stable-boy waiting at the head. we both sprang in, and', 'd our horse and trap, with the half-clad stable-boy waiting at the head. we both sprang in, and away', ' horse and trap, with the half-clad stable-boy waiting at the head. we both sprang in, and away we d', 'e and trap, with the half-clad stable-boy waiting at the head. we both sprang in, and away we dashed', ' trap, with the half-clad stable-boy waiting at the head. we both sprang in, and away we dashed down', ', with the half-clad stable-boy waiting at the head. we both sprang in, and away we dashed down the ', 'h the half-clad stable-boy waiting at the head. we both sprang in, and away we dashed down the londo', ' half-clad stable-boy waiting at the head. we both sprang in, and away we dashed down the london roa', '-clad stable-boy waiting at the head. we both sprang in, and away we dashed down the london road. a ', ' stable-boy waiting at the head. we both sprang in, and away we dashed down the london road. a few c', 'le-boy waiting at the head. we both sprang in, and away we dashed down the london road. a few countr', 'y waiting at the head. we both sprang in, and away we dashed down the london road. a few country car', 'ting at the head. we both sprang in, and away we dashed down the london road. a few country carts we', 'at the head. we both sprang in, and away we dashed down the london road. a few country carts were st', 'e head. we both sprang in, and away we dashed down the london road. a few country carts were stirrin', 'd. we both sprang in, and away we dashed down the london road. a few country carts were stirring, be', ' both sprang in, and away we dashed down the london road. a few country carts were stirring, bearing', ' sprang in, and away we dashed down the london road. a few country carts were stirring, bearing in v', 'ng in, and away we dashed down the london road. a few country carts were stirring, bearing in vegeta', ', and away we dashed down the london road. a few country carts were stirring, bearing in vegetables ', ' away we dashed down the london road. a few country carts were stirring, bearing in vegetables to th', ' we dashed down the london road. a few country carts were stirring, bearing in vegetables to the met', 'ashed down the london road. a few country carts were stirring, bearing in vegetables to the metropol', ' down the london road. a few country carts were stirring, bearing in vegetables to the metropolis, b', ' the london road. a few country carts were stirring, bearing in vegetables to the metropolis, but th', 'london road. a few country carts were stirring, bearing in vegetables to the metropolis, but the lin', 'n road. a few country carts were stirring, bearing in vegetables to the metropolis, but the lines of', 'd. a few country carts were stirring, bearing in vegetables to the metropolis, but the lines of vill', 'few country carts were stirring, bearing in vegetables to the metropolis, but the lines of villas on', 'ountry carts were stirring, bearing in vegetables to the metropolis, but the lines of villas on eith', 'y carts were stirring, bearing in vegetables to the metropolis, but the lines of villas on either si', 'ts were stirring, bearing in vegetables to the metropolis, but the lines of villas on either side we', 're stirring, bearing in vegetables to the metropolis, but the lines of villas on either side were as', 'irring, bearing in vegetables to the metropolis, but the lines of villas on either side were as sile', 'g, bearing in vegetables to the metropolis, but the lines of villas on either side were as silent an', 'aring in vegetables to the metropolis, but the lines of villas on either side were as silent and lif', ' in vegetables to the metropolis, but the lines of villas on either side were as silent and lifeless', 'egetables to the metropolis, but the lines of villas on either side were as silent and lifeless as s', 'bles to the metropolis, but the lines of villas on either side were as silent and lifeless as some c', 'to the metropolis, but the lines of villas on either side were as silent and lifeless as some city i', 'e metropolis, but the lines of villas on either side were as silent and lifeless as some city in a d', 'ropolis, but the lines of villas on either side were as silent and lifeless as some city in a dream.', 'is, but the lines of villas on either side were as silent and lifeless as some city in a dream. "it ', 'ut the lines of villas on either side were as silent and lifeless as some city in a dream. "it has b', 'e lines of villas on either side were as silent and lifeless as some city in a dream. "it has been i', 'es of villas on either side were as silent and lifeless as some city in a dream. "it has been in som', ' villas on either side were as silent and lifeless as some city in a dream. "it has been in some poi', 'as on either side were as silent and lifeless as some city in a dream. "it has been in some points a', ' either side were as silent and lifeless as some city in a dream. "it has been in some points a sing', 'er side were as silent and lifeless as some city in a dream. "it has been in some points a singular ', 'de were as silent and lifeless as some city in a dream. "it has been in some points a singular case,', 're as silent and lifeless as some city in a dream. "it has been in some points a singular case," sai', ' silent and lifeless as some city in a dream. "it has been in some points a singular case," said hol', 'nt and lifeless as some city in a dream. "it has been in some points a singular case," said holmes, ', 'd lifeless as some city in a dream. "it has been in some points a singular case," said holmes, flick', 'eless as some city in a dream. "it has been in some points a singular case," said holmes, flicking t', ' as some city in a dream. "it has been in some points a singular case," said holmes, flicking the ho', 'ome city in a dream. "it has been in some points a singular case," said holmes, flicking the horse o', 'ity in a dream. "it has been in some points a singular case," said holmes, flicking the horse on int', 'n a dream. "it has been in some points a singular case," said holmes, flicking the horse on into a g', 'ream. "it has been in some points a singular case," said holmes, flicking the horse on into a gallop', ' "it has been in some points a singular case," said holmes, flicking the horse on into a gallop. "i ', 'has been in some points a singular case," said holmes, flicking the horse on into a gallop. "i confe', 'een in some points a singular case," said holmes, flicking the horse on into a gallop. "i confess th', 'n some points a singular case," said holmes, flicking the horse on into a gallop. "i confess that i ', 'e points a singular case," said holmes, flicking the horse on into a gallop. "i confess that i have ', 'nts a singular case," said holmes, flicking the horse on into a gallop. "i confess that i have been ', ' singular case," said holmes, flicking the horse on into a gallop. "i confess that i have been as bl', 'ular case," said holmes, flicking the horse on into a gallop. "i confess that i have been as blind a', 'case," said holmes, flicking the horse on into a gallop. "i confess that i have been as blind as a m', '" said holmes, flicking the horse on into a gallop. "i confess that i have been as blind as a mole, ', 'd holmes, flicking the horse on into a gallop. "i confess that i have been as blind as a mole, but i', 'mes, flicking the horse on into a gallop. "i confess that i have been as blind as a mole, but it is ', 'flicking the horse on into a gallop. "i confess that i have been as blind as a mole, but it is bette', 'ing the horse on into a gallop. "i confess that i have been as blind as a mole, but it is better to ', 'he horse on into a gallop. "i confess that i have been as blind as a mole, but it is better to learn', 'rse on into a gallop. "i confess that i have been as blind as a mole, but it is better to learn wisd', 'n into a gallop. "i confess that i have been as blind as a mole, but it is better to learn wisdom la', 'o a gallop. "i confess that i have been as blind as a mole, but it is better to learn wisdom late th', 'allop. "i confess that i have been as blind as a mole, but it is better to learn wisdom late than ne', '. "i confess that i have been as blind as a mole, but it is better to learn wisdom late than never t', 'confess that i have been as blind as a mole, but it is better to learn wisdom late than never to lea', 'ss that i have been as blind as a mole, but it is better to learn wisdom late than never to learn it', 'at i have been as blind as a mole, but it is better to learn wisdom late than never to learn it at a', 'have been as blind as a mole, but it is better to learn wisdom late than never to learn it at all." ', 'been as blind as a mole, but it is better to learn wisdom late than never to learn it at all." in to', 'as blind as a mole, but it is better to learn wisdom late than never to learn it at all." in town th', 'ind as a mole, but it is better to learn wisdom late than never to learn it at all." in town the ear', 's a mole, but it is better to learn wisdom late than never to learn it at all." in town the earliest', 'ole, but it is better to learn wisdom late than never to learn it at all." in town the earliest rise', 'but it is better to learn wisdom late than never to learn it at all." in town the earliest risers we', 't is better to learn wisdom late than never to learn it at all." in town the earliest risers were ju', 'better to learn wisdom late than never to learn it at all." in town the earliest risers were just be', 'r to learn wisdom late than never to learn it at all." in town the earliest risers were just beginni', 'learn wisdom late than never to learn it at all." in town the earliest risers were just beginning to', ' wisdom late than never to learn it at all." in town the earliest risers were just beginning to look', 'om late than never to learn it at all." in town the earliest risers were just beginning to look slee', 'te than never to learn it at all." in town the earliest risers were just beginning to look sleepily ', 'an never to learn it at all." in town the earliest risers were just beginning to look sleepily from ', 'ver to learn it at all." in town the earliest risers were just beginning to look sleepily from their', 'o learn it at all." in town the earliest risers were just beginning to look sleepily from their wind', 'rn it at all." in town the earliest risers were just beginning to look sleepily from their windows a', ' at all." in town the earliest risers were just beginning to look sleepily from their windows as we ', 'll." in town the earliest risers were just beginning to look sleepily from their windows as we drove', 'in town the earliest risers were just beginning to look sleepily from their windows as we drove thro', 'wn the earliest risers were just beginning to look sleepily from their windows as we drove through t', 'e earliest risers were just beginning to look sleepily from their windows as we drove through the st', 'liest risers were just beginning to look sleepily from their windows as we drove through the streets', ' risers were just beginning to look sleepily from their windows as we drove through the streets of t', 'rs were just beginning to look sleepily from their windows as we drove through the streets of the su', 're just beginning to look sleepily from their windows as we drove through the streets of the surrey ', 'st beginning to look sleepily from their windows as we drove through the streets of the surrey side.', 'ginning to look sleepily from their windows as we drove through the streets of the surrey side. pass', 'ng to look sleepily from their windows as we drove through the streets of the surrey side. passing d', ' look sleepily from their windows as we drove through the streets of the surrey side. passing down t', ' sleepily from their windows as we drove through the streets of the surrey side. passing down the wa', 'pily from their windows as we drove through the streets of the surrey side. passing down the waterlo', 'from their windows as we drove through the streets of the surrey side. passing down the waterloo bri', 'their windows as we drove through the streets of the surrey side. passing down the waterloo bridge r', ' windows as we drove through the streets of the surrey side. passing down the waterloo bridge road w', 'ows as we drove through the streets of the surrey side. passing down the waterloo bridge road we cro', 's we drove through the streets of the surrey side. passing down the waterloo bridge road we crossed ', 'drove through the streets of the surrey side. passing down the waterloo bridge road we crossed over ', ' through the streets of the surrey side. passing down the waterloo bridge road we crossed over the r', 'ugh the streets of the surrey side. passing down the waterloo bridge road we crossed over the river,', 'he streets of the surrey side. passing down the waterloo bridge road we crossed over the river, and ', 'reets of the surrey side. passing down the waterloo bridge road we crossed over the river, and dashi', ' of the surrey side. passing down the waterloo bridge road we crossed over the river, and dashing up', 'he surrey side. passing down the waterloo bridge road we crossed over the river, and dashing up well', 'rrey side. passing down the waterloo bridge road we crossed over the river, and dashing up wellingto', 'side. passing down the waterloo bridge road we crossed over the river, and dashing up wellington str', ' passing down the waterloo bridge road we crossed over the river, and dashing up wellington street w', 'ing down the waterloo bridge road we crossed over the river, and dashing up wellington street wheele', 'own the waterloo bridge road we crossed over the river, and dashing up wellington street wheeled sha', 'he waterloo bridge road we crossed over the river, and dashing up wellington street wheeled sharply ', 'terloo bridge road we crossed over the river, and dashing up wellington street wheeled sharply to th', 'o bridge road we crossed over the river, and dashing up wellington street wheeled sharply to the rig', 'dge road we crossed over the river, and dashing up wellington street wheeled sharply to the right an', 'oad we crossed over the river, and dashing up wellington street wheeled sharply to the right and fou', 'e crossed over the river, and dashing up wellington street wheeled sharply to the right and found ou', 'ssed over the river, and dashing up wellington street wheeled sharply to the right and found ourselv', 'over the river, and dashing up wellington street wheeled sharply to the right and found ourselves in', 'the river, and dashing up wellington street wheeled sharply to the right and found ourselves in bow ', 'iver, and dashing up wellington street wheeled sharply to the right and found ourselves in bow stree', ' and dashing up wellington street wheeled sharply to the right and found ourselves in bow street. sh', 'dashing up wellington street wheeled sharply to the right and found ourselves in bow street. sherloc', 'ng up wellington street wheeled sharply to the right and found ourselves in bow street. sherlock hol', ' wellington street wheeled sharply to the right and found ourselves in bow street. sherlock holmes w', 'ington street wheeled sharply to the right and found ourselves in bow street. sherlock holmes was we', 'n street wheeled sharply to the right and found ourselves in bow street. sherlock holmes was well kn', 'eet wheeled sharply to the right and found ourselves in bow street. sherlock holmes was well known t', 'heeled sharply to the right and found ourselves in bow street. sherlock holmes was well known to the', 'd sharply to the right and found ourselves in bow street. sherlock holmes was well known to the forc', 'rply to the right and found ourselves in bow street. sherlock holmes was well known to the force, an', 'to the right and found ourselves in bow street. sherlock holmes was well known to the force, and the', 'e right and found ourselves in bow street. sherlock holmes was well known to the force, and the two ', 'ht and found ourselves in bow street. sherlock holmes was well known to the force, and the two const', 'd found ourselves in bow street. sherlock holmes was well known to the force, and the two constables', 'nd ourselves in bow street. sherlock holmes was well known to the force, and the two constables at t', 'rselves in bow street. sherlock holmes was well known to the force, and the two constables at the do', 'es in bow street. sherlock holmes was well known to the force, and the two constables at the door sa', ' bow street. sherlock holmes was well known to the force, and the two constables at the door saluted', 'street. sherlock holmes was well known to the force, and the two constables at the door saluted him.', 't. sherlock holmes was well known to the force, and the two constables at the door saluted him. one ', 'erlock holmes was well known to the force, and the two constables at the door saluted him. one of th', 'k holmes was well known to the force, and the two constables at the door saluted him. one of them he', 'mes was well known to the force, and the two constables at the door saluted him. one of them held th', 'as well known to the force, and the two constables at the door saluted him. one of them held the hor', "ll known to the force, and the two constables at the door saluted him. one of them held the horse's ", "own to the force, and the two constables at the door saluted him. one of them held the horse's head ", "o the force, and the two constables at the door saluted him. one of them held the horse's head while", " force, and the two constables at the door saluted him. one of them held the horse's head while the ", "e, and the two constables at the door saluted him. one of them held the horse's head while the other", "d the two constables at the door saluted him. one of them held the horse's head while the other led ", " two constables at the door saluted him. one of them held the horse's head while the other led us in", 'constables at the door saluted him. one of them held the horse\'s head while the other led us in. "wh', 'ables at the door saluted him. one of them held the horse\'s head while the other led us in. "who is ', ' at the door saluted him. one of them held the horse\'s head while the other led us in. "who is on du', 'he door saluted him. one of them held the horse\'s head while the other led us in. "who is on duty?" ', 'or saluted him. one of them held the horse\'s head while the other led us in. "who is on duty?" asked', 'luted him. one of them held the horse\'s head while the other led us in. "who is on duty?" asked holm', ' him. one of them held the horse\'s head while the other led us in. "who is on duty?" asked holmes. "', ' one of them held the horse\'s head while the other led us in. "who is on duty?" asked holmes. "inspe', 'of them held the horse\'s head while the other led us in. "who is on duty?" asked holmes. "inspector ', 'em held the horse\'s head while the other led us in. "who is on duty?" asked holmes. "inspector brads', 'ld the horse\'s head while the other led us in. "who is on duty?" asked holmes. "inspector bradstreet', 'e horse\'s head while the other led us in. "who is on duty?" asked holmes. "inspector bradstreet, sir', 'se\'s head while the other led us in. "who is on duty?" asked holmes. "inspector bradstreet, sir." "a', 'head while the other led us in. "who is on duty?" asked holmes. "inspector bradstreet, sir." "ah, br', 'while the other led us in. "who is on duty?" asked holmes. "inspector bradstreet, sir." "ah, bradstr', ' the other led us in. "who is on duty?" asked holmes. "inspector bradstreet, sir." "ah, bradstreet, ', 'other led us in. "who is on duty?" asked holmes. "inspector bradstreet, sir." "ah, bradstreet, how a', ' led us in. "who is on duty?" asked holmes. "inspector bradstreet, sir." "ah, bradstreet, how are yo', 'us in. "who is on duty?" asked holmes. "inspector bradstreet, sir." "ah, bradstreet, how are you?" a', '. "who is on duty?" asked holmes. "inspector bradstreet, sir." "ah, bradstreet, how are you?" a tall', 'o is on duty?" asked holmes. "inspector bradstreet, sir." "ah, bradstreet, how are you?" a tall, sto', 'on duty?" asked holmes. "inspector bradstreet, sir." "ah, bradstreet, how are you?" a tall, stout of', 'ty?" asked holmes. "inspector bradstreet, sir." "ah, bradstreet, how are you?" a tall, stout officia', 'asked holmes. "inspector bradstreet, sir." "ah, bradstreet, how are you?" a tall, stout official had', ' holmes. "inspector bradstreet, sir." "ah, bradstreet, how are you?" a tall, stout official had come', 'es. "inspector bradstreet, sir." "ah, bradstreet, how are you?" a tall, stout official had come down', 'inspector bradstreet, sir." "ah, bradstreet, how are you?" a tall, stout official had come down the ', 'ctor bradstreet, sir." "ah, bradstreet, how are you?" a tall, stout official had come down the stone', 'bradstreet, sir." "ah, bradstreet, how are you?" a tall, stout official had come down the stone-flag', 'treet, sir." "ah, bradstreet, how are you?" a tall, stout official had come down the stone-flagged p', ', sir." "ah, bradstreet, how are you?" a tall, stout official had come down the stone-flagged passag', '." "ah, bradstreet, how are you?" a tall, stout official had come down the stone-flagged passage, in', 'h, bradstreet, how are you?" a tall, stout official had come down the stone-flagged passage, in a pe', 'adstreet, how are you?" a tall, stout official had come down the stone-flagged passage, in a peaked ', 'eet, how are you?" a tall, stout official had come down the stone-flagged passage, in a peaked cap a', 'how are you?" a tall, stout official had come down the stone-flagged passage, in a peaked cap and fr', 're you?" a tall, stout official had come down the stone-flagged passage, in a peaked cap and frogged', 'u?" a tall, stout official had come down the stone-flagged passage, in a peaked cap and frogged jack', ' tall, stout official had come down the stone-flagged passage, in a peaked cap and frogged jacket. "', ', stout official had come down the stone-flagged passage, in a peaked cap and frogged jacket. "i wis', 'ut official had come down the stone-flagged passage, in a peaked cap and frogged jacket. "i wish to ', 'ficial had come down the stone-flagged passage, in a peaked cap and frogged jacket. "i wish to have ', 'l had come down the stone-flagged passage, in a peaked cap and frogged jacket. "i wish to have a qui', ' come down the stone-flagged passage, in a peaked cap and frogged jacket. "i wish to have a quiet wo', ' down the stone-flagged passage, in a peaked cap and frogged jacket. "i wish to have a quiet word wi', ' the stone-flagged passage, in a peaked cap and frogged jacket. "i wish to have a quiet word with yo', 'stone-flagged passage, in a peaked cap and frogged jacket. "i wish to have a quiet word with you, br', '-flagged passage, in a peaked cap and frogged jacket. "i wish to have a quiet word with you, bradstr', 'ged passage, in a peaked cap and frogged jacket. "i wish to have a quiet word with you, bradstreet."', 'assage, in a peaked cap and frogged jacket. "i wish to have a quiet word with you, bradstreet." "cer', 'e, in a peaked cap and frogged jacket. "i wish to have a quiet word with you, bradstreet." "certainl', ' a peaked cap and frogged jacket. "i wish to have a quiet word with you, bradstreet." "certainly, mr', 'aked cap and frogged jacket. "i wish to have a quiet word with you, bradstreet." "certainly, mr. hol', 'cap and frogged jacket. "i wish to have a quiet word with you, bradstreet." "certainly, mr. holmes. ', 'nd frogged jacket. "i wish to have a quiet word with you, bradstreet." "certainly, mr. holmes. step ', 'ogged jacket. "i wish to have a quiet word with you, bradstreet." "certainly, mr. holmes. step into ', ' jacket. "i wish to have a quiet word with you, bradstreet." "certainly, mr. holmes. step into my ro', 'et. "i wish to have a quiet word with you, bradstreet." "certainly, mr. holmes. step into my room he', 'i wish to have a quiet word with you, bradstreet." "certainly, mr. holmes. step into my room here." ', 'h to have a quiet word with you, bradstreet." "certainly, mr. holmes. step into my room here." it wa', 'have a quiet word with you, bradstreet." "certainly, mr. holmes. step into my room here." it was a s', 'a quiet word with you, bradstreet." "certainly, mr. holmes. step into my room here." it was a small,', 'et word with you, bradstreet." "certainly, mr. holmes. step into my room here." it was a small, offi', 'rd with you, bradstreet." "certainly, mr. holmes. step into my room here." it was a small, office-li', 'th you, bradstreet." "certainly, mr. holmes. step into my room here." it was a small, office-like ro', 'u, bradstreet." "certainly, mr. holmes. step into my room here." it was a small, office-like room, w', 'adstreet." "certainly, mr. holmes. step into my room here." it was a small, office-like room, with a', 'eet." "certainly, mr. holmes. step into my room here." it was a small, office-like room, with a huge', ' "certainly, mr. holmes. step into my room here." it was a small, office-like room, with a huge ledg', 'tainly, mr. holmes. step into my room here." it was a small, office-like room, with a huge ledger up', 'y, mr. holmes. step into my room here." it was a small, office-like room, with a huge ledger upon th', '. holmes. step into my room here." it was a small, office-like room, with a huge ledger upon the tab', 'mes. step into my room here." it was a small, office-like room, with a huge ledger upon the table, a', 'step into my room here." it was a small, office-like room, with a huge ledger upon the table, and a ', 'into my room here." it was a small, office-like room, with a huge ledger upon the table, and a telep', 'my room here." it was a small, office-like room, with a huge ledger upon the table, and a telephone ', 'om here." it was a small, office-like room, with a huge ledger upon the table, and a telephone proje', 're." it was a small, office-like room, with a huge ledger upon the table, and a telephone projecting', 'it was a small, office-like room, with a huge ledger upon the table, and a telephone projecting from', 's a small, office-like room, with a huge ledger upon the table, and a telephone projecting from the ', 'mall, office-like room, with a huge ledger upon the table, and a telephone projecting from the wall.', ' office-like room, with a huge ledger upon the table, and a telephone projecting from the wall. the ', 'ce-like room, with a huge ledger upon the table, and a telephone projecting from the wall. the inspe', 'ke room, with a huge ledger upon the table, and a telephone projecting from the wall. the inspector ', 'om, with a huge ledger upon the table, and a telephone projecting from the wall. the inspector sat d', 'ith a huge ledger upon the table, and a telephone projecting from the wall. the inspector sat down a', ' huge ledger upon the table, and a telephone projecting from the wall. the inspector sat down at his', ' ledger upon the table, and a telephone projecting from the wall. the inspector sat down at his desk', 'er upon the table, and a telephone projecting from the wall. the inspector sat down at his desk. "wh', 'on the table, and a telephone projecting from the wall. the inspector sat down at his desk. "what ca', 'e table, and a telephone projecting from the wall. the inspector sat down at his desk. "what can i d', 'le, and a telephone projecting from the wall. the inspector sat down at his desk. "what can i do for', 'nd a telephone projecting from the wall. the inspector sat down at his desk. "what can i do for you,', 'telephone projecting from the wall. the inspector sat down at his desk. "what can i do for you, mr. ', 'hone projecting from the wall. the inspector sat down at his desk. "what can i do for you, mr. holme', 'projecting from the wall. the inspector sat down at his desk. "what can i do for you, mr. holmes?" "', 'cting from the wall. the inspector sat down at his desk. "what can i do for you, mr. holmes?" "i cal', ' from the wall. the inspector sat down at his desk. "what can i do for you, mr. holmes?" "i called a', ' the wall. the inspector sat down at his desk. "what can i do for you, mr. holmes?" "i called about ', 'wall. the inspector sat down at his desk. "what can i do for you, mr. holmes?" "i called about that ', ' the inspector sat down at his desk. "what can i do for you, mr. holmes?" "i called about that begga', 'inspector sat down at his desk. "what can i do for you, mr. holmes?" "i called about that beggarman,', 'ctor sat down at his desk. "what can i do for you, mr. holmes?" "i called about that beggarman, boon', 'sat down at his desk. "what can i do for you, mr. holmes?" "i called about that beggarman, boonethe ', 'own at his desk. "what can i do for you, mr. holmes?" "i called about that beggarman, boonethe one w', 't his desk. "what can i do for you, mr. holmes?" "i called about that beggarman, boonethe one who wa', ' desk. "what can i do for you, mr. holmes?" "i called about that beggarman, boonethe one who was cha', '. "what can i do for you, mr. holmes?" "i called about that beggarman, boonethe one who was charged ', 'at can i do for you, mr. holmes?" "i called about that beggarman, boonethe one who was charged with ', 'n i do for you, mr. holmes?" "i called about that beggarman, boonethe one who was charged with being', 'o for you, mr. holmes?" "i called about that beggarman, boonethe one who was charged with being conc', ' you, mr. holmes?" "i called about that beggarman, boonethe one who was charged with being concerned', ' mr. holmes?" "i called about that beggarman, boonethe one who was charged with being concerned in t', 'holmes?" "i called about that beggarman, boonethe one who was charged with being concerned in the di', 's?" "i called about that beggarman, boonethe one who was charged with being concerned in the disappe', 'i called about that beggarman, boonethe one who was charged with being concerned in the disappearanc', 'led about that beggarman, boonethe one who was charged with being concerned in the disappearance of ', 'bout that beggarman, boonethe one who was charged with being concerned in the disappearance of mr. n', 'that beggarman, boonethe one who was charged with being concerned in the disappearance of mr. nevill', 'beggarman, boonethe one who was charged with being concerned in the disappearance of mr. neville st.', 'rman, boonethe one who was charged with being concerned in the disappearance of mr. neville st. clai', ' boonethe one who was charged with being concerned in the disappearance of mr. neville st. clair, of', 'ethe one who was charged with being concerned in the disappearance of mr. neville st. clair, of lee.', 'one who was charged with being concerned in the disappearance of mr. neville st. clair, of lee." "ye', 'ho was charged with being concerned in the disappearance of mr. neville st. clair, of lee." "yes. he', 's charged with being concerned in the disappearance of mr. neville st. clair, of lee." "yes. he was ', 'rged with being concerned in the disappearance of mr. neville st. clair, of lee." "yes. he was broug', 'with being concerned in the disappearance of mr. neville st. clair, of lee." "yes. he was brought up', 'being concerned in the disappearance of mr. neville st. clair, of lee." "yes. he was brought up and ', ' concerned in the disappearance of mr. neville st. clair, of lee." "yes. he was brought up and reman', 'erned in the disappearance of mr. neville st. clair, of lee." "yes. he was brought up and remanded f', ' in the disappearance of mr. neville st. clair, of lee." "yes. he was brought up and remanded for fu', 'he disappearance of mr. neville st. clair, of lee." "yes. he was brought up and remanded for further', 'sappearance of mr. neville st. clair, of lee." "yes. he was brought up and remanded for further inqu', 'arance of mr. neville st. clair, of lee." "yes. he was brought up and remanded for further inquiries', 'e of mr. neville st. clair, of lee." "yes. he was brought up and remanded for further inquiries." "s', 'mr. neville st. clair, of lee." "yes. he was brought up and remanded for further inquiries." "so i h', 'eville st. clair, of lee." "yes. he was brought up and remanded for further inquiries." "so i heard.', 'e st. clair, of lee." "yes. he was brought up and remanded for further inquiries." "so i heard. you ', ' clair, of lee." "yes. he was brought up and remanded for further inquiries." "so i heard. you have ', 'r, of lee." "yes. he was brought up and remanded for further inquiries." "so i heard. you have him h', ' lee." "yes. he was brought up and remanded for further inquiries." "so i heard. you have him here?"', '" "yes. he was brought up and remanded for further inquiries." "so i heard. you have him here?" "in ', 's. he was brought up and remanded for further inquiries." "so i heard. you have him here?" "in the c', ' was brought up and remanded for further inquiries." "so i heard. you have him here?" "in the cells.', 'brought up and remanded for further inquiries." "so i heard. you have him here?" "in the cells." "is', 'ht up and remanded for further inquiries." "so i heard. you have him here?" "in the cells." "is he q', ' and remanded for further inquiries." "so i heard. you have him here?" "in the cells." "is he quiet?', 'remanded for further inquiries." "so i heard. you have him here?" "in the cells." "is he quiet?" "oh', 'ded for further inquiries." "so i heard. you have him here?" "in the cells." "is he quiet?" "oh, he ', 'or further inquiries." "so i heard. you have him here?" "in the cells." "is he quiet?" "oh, he gives', 'rther inquiries." "so i heard. you have him here?" "in the cells." "is he quiet?" "oh, he gives no t', ' inquiries." "so i heard. you have him here?" "in the cells." "is he quiet?" "oh, he gives no troubl', 'iries." "so i heard. you have him here?" "in the cells." "is he quiet?" "oh, he gives no trouble. bu', '." "so i heard. you have him here?" "in the cells." "is he quiet?" "oh, he gives no trouble. but he ', 'o i heard. you have him here?" "in the cells." "is he quiet?" "oh, he gives no trouble. but he is a ', 'eard. you have him here?" "in the cells." "is he quiet?" "oh, he gives no trouble. but he is a dirty', ' you have him here?" "in the cells." "is he quiet?" "oh, he gives no trouble. but he is a dirty scou', 'have him here?" "in the cells." "is he quiet?" "oh, he gives no trouble. but he is a dirty scoundrel', 'him here?" "in the cells." "is he quiet?" "oh, he gives no trouble. but he is a dirty scoundrel." "d', 'ere?" "in the cells." "is he quiet?" "oh, he gives no trouble. but he is a dirty scoundrel." "dirty?', ' "in the cells." "is he quiet?" "oh, he gives no trouble. but he is a dirty scoundrel." "dirty?" "ye', 'the cells." "is he quiet?" "oh, he gives no trouble. but he is a dirty scoundrel." "dirty?" "yes, it', 'ells." "is he quiet?" "oh, he gives no trouble. but he is a dirty scoundrel." "dirty?" "yes, it is a', '" "is he quiet?" "oh, he gives no trouble. but he is a dirty scoundrel." "dirty?" "yes, it is all we', ' he quiet?" "oh, he gives no trouble. but he is a dirty scoundrel." "dirty?" "yes, it is all we can ', 'uiet?" "oh, he gives no trouble. but he is a dirty scoundrel." "dirty?" "yes, it is all we can do to', '" "oh, he gives no trouble. but he is a dirty scoundrel." "dirty?" "yes, it is all we can do to make', ', he gives no trouble. but he is a dirty scoundrel." "dirty?" "yes, it is all we can do to make him ', 'gives no trouble. but he is a dirty scoundrel." "dirty?" "yes, it is all we can do to make him wash ', ' no trouble. but he is a dirty scoundrel." "dirty?" "yes, it is all we can do to make him wash his h', 'rouble. but he is a dirty scoundrel." "dirty?" "yes, it is all we can do to make him wash his hands,', 'e. but he is a dirty scoundrel." "dirty?" "yes, it is all we can do to make him wash his hands, and ', 't he is a dirty scoundrel." "dirty?" "yes, it is all we can do to make him wash his hands, and his f', 'is a dirty scoundrel." "dirty?" "yes, it is all we can do to make him wash his hands, and his face i', 'dirty scoundrel." "dirty?" "yes, it is all we can do to make him wash his hands, and his face is as ', ' scoundrel." "dirty?" "yes, it is all we can do to make him wash his hands, and his face is as black', 'ndrel." "dirty?" "yes, it is all we can do to make him wash his hands, and his face is as black as a', '." "dirty?" "yes, it is all we can do to make him wash his hands, and his face is as black as a tink', 'irty?" "yes, it is all we can do to make him wash his hands, and his face is as black as a tinker\'s.', '" "yes, it is all we can do to make him wash his hands, and his face is as black as a tinker\'s. well', "s, it is all we can do to make him wash his hands, and his face is as black as a tinker's. well, whe", " is all we can do to make him wash his hands, and his face is as black as a tinker's. well, when onc", "ll we can do to make him wash his hands, and his face is as black as a tinker's. well, when once his", " can do to make him wash his hands, and his face is as black as a tinker's. well, when once his case", "do to make him wash his hands, and his face is as black as a tinker's. well, when once his case has ", " make him wash his hands, and his face is as black as a tinker's. well, when once his case has been ", " him wash his hands, and his face is as black as a tinker's. well, when once his case has been settl", "wash his hands, and his face is as black as a tinker's. well, when once his case has been settled, h", "his hands, and his face is as black as a tinker's. well, when once his case has been settled, he wil", "ands, and his face is as black as a tinker's. well, when once his case has been settled, he will hav", " and his face is as black as a tinker's. well, when once his case has been settled, he will have a r", "his face is as black as a tinker's. well, when once his case has been settled, he will have a regula", "ace is as black as a tinker's. well, when once his case has been settled, he will have a regular pri", "s as black as a tinker's. well, when once his case has been settled, he will have a regular prison b", "black as a tinker's. well, when once his case has been settled, he will have a regular prison bath; ", " as a tinker's. well, when once his case has been settled, he will have a regular prison bath; and i", " tinker's. well, when once his case has been settled, he will have a regular prison bath; and i thin", "er's. well, when once his case has been settled, he will have a regular prison bath; and i think, if", ' well, when once his case has been settled, he will have a regular prison bath; and i think, if you ', ', when once his case has been settled, he will have a regular prison bath; and i think, if you saw h', 'n once his case has been settled, he will have a regular prison bath; and i think, if you saw him, y', 'e his case has been settled, he will have a regular prison bath; and i think, if you saw him, you wo', ' case has been settled, he will have a regular prison bath; and i think, if you saw him, you would a', ' has been settled, he will have a regular prison bath; and i think, if you saw him, you would agree ', 'been settled, he will have a regular prison bath; and i think, if you saw him, you would agree with ', 'settled, he will have a regular prison bath; and i think, if you saw him, you would agree with me th', 'ed, he will have a regular prison bath; and i think, if you saw him, you would agree with me that he', 'e will have a regular prison bath; and i think, if you saw him, you would agree with me that he need', 'l have a regular prison bath; and i think, if you saw him, you would agree with me that he needed it', 'e a regular prison bath; and i think, if you saw him, you would agree with me that he needed it." "i', 'egular prison bath; and i think, if you saw him, you would agree with me that he needed it." "i shou', 'r prison bath; and i think, if you saw him, you would agree with me that he needed it." "i should li', 'son bath; and i think, if you saw him, you would agree with me that he needed it." "i should like to', 'ath; and i think, if you saw him, you would agree with me that he needed it." "i should like to see ', 'and i think, if you saw him, you would agree with me that he needed it." "i should like to see him v', ' think, if you saw him, you would agree with me that he needed it." "i should like to see him very m', 'k, if you saw him, you would agree with me that he needed it." "i should like to see him very much."', ' you saw him, you would agree with me that he needed it." "i should like to see him very much." "wou', 'saw him, you would agree with me that he needed it." "i should like to see him very much." "would yo', 'im, you would agree with me that he needed it." "i should like to see him very much." "would you? th', 'ou would agree with me that he needed it." "i should like to see him very much." "would you? that is', 'uld agree with me that he needed it." "i should like to see him very much." "would you? that is easi', 'gree with me that he needed it." "i should like to see him very much." "would you? that is easily do', 'with me that he needed it." "i should like to see him very much." "would you? that is easily done. c', 'me that he needed it." "i should like to see him very much." "would you? that is easily done. come t', 'at he needed it." "i should like to see him very much." "would you? that is easily done. come this w', ' needed it." "i should like to see him very much." "would you? that is easily done. come this way. y', 'ed it." "i should like to see him very much." "would you? that is easily done. come this way. you ca', '." "i should like to see him very much." "would you? that is easily done. come this way. you can lea', ' should like to see him very much." "would you? that is easily done. come this way. you can leave yo', 'ld like to see him very much." "would you? that is easily done. come this way. you can leave your ba', 'ke to see him very much." "would you? that is easily done. come this way. you can leave your bag." "', ' see him very much." "would you? that is easily done. come this way. you can leave your bag." "no, i', 'him very much." "would you? that is easily done. come this way. you can leave your bag." "no, i thin', 'ery much." "would you? that is easily done. come this way. you can leave your bag." "no, i think tha', 'uch." "would you? that is easily done. come this way. you can leave your bag." "no, i think that i\'l', ' "would you? that is easily done. come this way. you can leave your bag." "no, i think that i\'ll tak', 'ld you? that is easily done. come this way. you can leave your bag." "no, i think that i\'ll take it.', 'u? that is easily done. come this way. you can leave your bag." "no, i think that i\'ll take it." "ve', 'at is easily done. come this way. you can leave your bag." "no, i think that i\'ll take it." "very go', ' easily done. come this way. you can leave your bag." "no, i think that i\'ll take it." "very good. c', 'ly done. come this way. you can leave your bag." "no, i think that i\'ll take it." "very good. come t', 'ne. come this way. you can leave your bag." "no, i think that i\'ll take it." "very good. come this w', 'ome this way. you can leave your bag." "no, i think that i\'ll take it." "very good. come this way, i', 'his way. you can leave your bag." "no, i think that i\'ll take it." "very good. come this way, if you', 'ay. you can leave your bag." "no, i think that i\'ll take it." "very good. come this way, if you plea', 'ou can leave your bag." "no, i think that i\'ll take it." "very good. come this way, if you please." ', 'n leave your bag." "no, i think that i\'ll take it." "very good. come this way, if you please." he le', 've your bag." "no, i think that i\'ll take it." "very good. come this way, if you please." he led us ', 'ur bag." "no, i think that i\'ll take it." "very good. come this way, if you please." he led us down ', 'g." "no, i think that i\'ll take it." "very good. come this way, if you please." he led us down a pas', 'no, i think that i\'ll take it." "very good. come this way, if you please." he led us down a passage,', ' think that i\'ll take it." "very good. come this way, if you please." he led us down a passage, open', 'k that i\'ll take it." "very good. come this way, if you please." he led us down a passage, opened a ', 't i\'ll take it." "very good. come this way, if you please." he led us down a passage, opened a barre', 'l take it." "very good. come this way, if you please." he led us down a passage, opened a barred doo', 'e it." "very good. come this way, if you please." he led us down a passage, opened a barred door, pa', '" "very good. come this way, if you please." he led us down a passage, opened a barred door, passed ', 'ry good. come this way, if you please." he led us down a passage, opened a barred door, passed down ', 'od. come this way, if you please." he led us down a passage, opened a barred door, passed down a win', 'ome this way, if you please." he led us down a passage, opened a barred door, passed down a winding ', 'his way, if you please." he led us down a passage, opened a barred door, passed down a winding stair', 'ay, if you please." he led us down a passage, opened a barred door, passed down a winding stair, and', 'f you please." he led us down a passage, opened a barred door, passed down a winding stair, and brou', ' please." he led us down a passage, opened a barred door, passed down a winding stair, and brought u', 'se." he led us down a passage, opened a barred door, passed down a winding stair, and brought us to ', 'he led us down a passage, opened a barred door, passed down a winding stair, and brought us to a whi', 'd us down a passage, opened a barred door, passed down a winding stair, and brought us to a whitewas', 'down a passage, opened a barred door, passed down a winding stair, and brought us to a whitewashed c', 'a passage, opened a barred door, passed down a winding stair, and brought us to a whitewashed corrid', 'sage, opened a barred door, passed down a winding stair, and brought us to a whitewashed corridor wi', ' opened a barred door, passed down a winding stair, and brought us to a whitewashed corridor with a ', 'ed a barred door, passed down a winding stair, and brought us to a whitewashed corridor with a line ', 'barred door, passed down a winding stair, and brought us to a whitewashed corridor with a line of do', 'd door, passed down a winding stair, and brought us to a whitewashed corridor with a line of doors o', 'r, passed down a winding stair, and brought us to a whitewashed corridor with a line of doors on eac', 'ssed down a winding stair, and brought us to a whitewashed corridor with a line of doors on each sid', 'down a winding stair, and brought us to a whitewashed corridor with a line of doors on each side. "t', 'a winding stair, and brought us to a whitewashed corridor with a line of doors on each side. "the th', 'ding stair, and brought us to a whitewashed corridor with a line of doors on each side. "the third o', 'stair, and brought us to a whitewashed corridor with a line of doors on each side. "the third on the', ', and brought us to a whitewashed corridor with a line of doors on each side. "the third on the righ', ' brought us to a whitewashed corridor with a line of doors on each side. "the third on the right is ', 'ght us to a whitewashed corridor with a line of doors on each side. "the third on the right is his,"', 's to a whitewashed corridor with a line of doors on each side. "the third on the right is his," said', 'a whitewashed corridor with a line of doors on each side. "the third on the right is his," said the ', 'tewashed corridor with a line of doors on each side. "the third on the right is his," said the inspe', 'hed corridor with a line of doors on each side. "the third on the right is his," said the inspector.', 'orridor with a line of doors on each side. "the third on the right is his," said the inspector. "her', 'or with a line of doors on each side. "the third on the right is his," said the inspector. "here it ', 'th a line of doors on each side. "the third on the right is his," said the inspector. "here it is he', 'line of doors on each side. "the third on the right is his," said the inspector. "here it is he quie', 'of doors on each side. "the third on the right is his," said the inspector. "here it is he quietly s', 'ors on each side. "the third on the right is his," said the inspector. "here it is he quietly shot b', 'n each side. "the third on the right is his," said the inspector. "here it is he quietly shot back a', 'h side. "the third on the right is his," said the inspector. "here it is he quietly shot back a pane', 'e. "the third on the right is his," said the inspector. "here it is he quietly shot back a panel in ', 'he third on the right is his," said the inspector. "here it is he quietly shot back a panel in the u', 'ird on the right is his," said the inspector. "here it is he quietly shot back a panel in the upper ', 'n the right is his," said the inspector. "here it is he quietly shot back a panel in the upper part ', ' right is his," said the inspector. "here it is he quietly shot back a panel in the upper part of th', 't is his," said the inspector. "here it is he quietly shot back a panel in the upper part of the doo', 'his," said the inspector. "here it is he quietly shot back a panel in the upper part of the door and', ' said the inspector. "here it is he quietly shot back a panel in the upper part of the door and glan', ' the inspector. "here it is he quietly shot back a panel in the upper part of the door and glanced t', 'inspector. "here it is he quietly shot back a panel in the upper part of the door and glanced throug', 'ctor. "here it is he quietly shot back a panel in the upper part of the door and glanced through. "h', ' "here it is he quietly shot back a panel in the upper part of the door and glanced through. "he is ', 'e it is he quietly shot back a panel in the upper part of the door and glanced through. "he is aslee', 'is he quietly shot back a panel in the upper part of the door and glanced through. "he is asleep," s', ' quietly shot back a panel in the upper part of the door and glanced through. "he is asleep," said h', 'tly shot back a panel in the upper part of the door and glanced through. "he is asleep," said he. "y', 'hot back a panel in the upper part of the door and glanced through. "he is asleep," said he. "you ca', 'ack a panel in the upper part of the door and glanced through. "he is asleep," said he. "you can see', ' panel in the upper part of the door and glanced through. "he is asleep," said he. "you can see him ', 'l in the upper part of the door and glanced through. "he is asleep," said he. "you can see him very ', 'the upper part of the door and glanced through. "he is asleep," said he. "you can see him very well.', 'pper part of the door and glanced through. "he is asleep," said he. "you can see him very well." we ', 'part of the door and glanced through. "he is asleep," said he. "you can see him very well." we both ', 'of the door and glanced through. "he is asleep," said he. "you can see him very well." we both put o', 'e door and glanced through. "he is asleep," said he. "you can see him very well." we both put our ey', 'r and glanced through. "he is asleep," said he. "you can see him very well." we both put our eyes to', ' glanced through. "he is asleep," said he. "you can see him very well." we both put our eyes to the ', 'ced through. "he is asleep," said he. "you can see him very well." we both put our eyes to the grati', 'hrough. "he is asleep," said he. "you can see him very well." we both put our eyes to the grating. t', 'h. "he is asleep," said he. "you can see him very well." we both put our eyes to the grating. the pr', 'e is asleep," said he. "you can see him very well." we both put our eyes to the grating. the prisone', 'asleep," said he. "you can see him very well." we both put our eyes to the grating. the prisoner lay', 'p," said he. "you can see him very well." we both put our eyes to the grating. the prisoner lay with', 'aid he. "you can see him very well." we both put our eyes to the grating. the prisoner lay with his ', 'e. "you can see him very well." we both put our eyes to the grating. the prisoner lay with his face ', 'ou can see him very well." we both put our eyes to the grating. the prisoner lay with his face towar', 'n see him very well." we both put our eyes to the grating. the prisoner lay with his face towards us', ' him very well." we both put our eyes to the grating. the prisoner lay with his face towards us, in ', 'very well." we both put our eyes to the grating. the prisoner lay with his face towards us, in a ver', 'well." we both put our eyes to the grating. the prisoner lay with his face towards us, in a very dee', '" we both put our eyes to the grating. the prisoner lay with his face towards us, in a very deep sle', 'both put our eyes to the grating. the prisoner lay with his face towards us, in a very deep sleep, b', 'put our eyes to the grating. the prisoner lay with his face towards us, in a very deep sleep, breath', 'ur eyes to the grating. the prisoner lay with his face towards us, in a very deep sleep, breathing s', 'es to the grating. the prisoner lay with his face towards us, in a very deep sleep, breathing slowly', ' the grating. the prisoner lay with his face towards us, in a very deep sleep, breathing slowly and ', 'grating. the prisoner lay with his face towards us, in a very deep sleep, breathing slowly and heavi', 'ng. the prisoner lay with his face towards us, in a very deep sleep, breathing slowly and heavily. h', 'he prisoner lay with his face towards us, in a very deep sleep, breathing slowly and heavily. he was', 'isoner lay with his face towards us, in a very deep sleep, breathing slowly and heavily. he was a mi', 'r lay with his face towards us, in a very deep sleep, breathing slowly and heavily. he was a middle-', ' with his face towards us, in a very deep sleep, breathing slowly and heavily. he was a middle-sized', ' his face towards us, in a very deep sleep, breathing slowly and heavily. he was a middle-sized man,', 'face towards us, in a very deep sleep, breathing slowly and heavily. he was a middle-sized man, coar', 'towards us, in a very deep sleep, breathing slowly and heavily. he was a middle-sized man, coarsely ', 'ds us, in a very deep sleep, breathing slowly and heavily. he was a middle-sized man, coarsely clad ', ', in a very deep sleep, breathing slowly and heavily. he was a middle-sized man, coarsely clad as be', 'a very deep sleep, breathing slowly and heavily. he was a middle-sized man, coarsely clad as became ', 'y deep sleep, breathing slowly and heavily. he was a middle-sized man, coarsely clad as became his c', 'p sleep, breathing slowly and heavily. he was a middle-sized man, coarsely clad as became his callin', 'ep, breathing slowly and heavily. he was a middle-sized man, coarsely clad as became his calling, wi', 'reathing slowly and heavily. he was a middle-sized man, coarsely clad as became his calling, with a ', 'ing slowly and heavily. he was a middle-sized man, coarsely clad as became his calling, with a colou', 'lowly and heavily. he was a middle-sized man, coarsely clad as became his calling, with a coloured s', ' and heavily. he was a middle-sized man, coarsely clad as became his calling, with a coloured shirt ', 'heavily. he was a middle-sized man, coarsely clad as became his calling, with a coloured shirt protr', 'ly. he was a middle-sized man, coarsely clad as became his calling, with a coloured shirt protruding', 'e was a middle-sized man, coarsely clad as became his calling, with a coloured shirt protruding thro', ' a middle-sized man, coarsely clad as became his calling, with a coloured shirt protruding through t', 'ddle-sized man, coarsely clad as became his calling, with a coloured shirt protruding through the re', 'sized man, coarsely clad as became his calling, with a coloured shirt protruding through the rent in', ' man, coarsely clad as became his calling, with a coloured shirt protruding through the rent in his ', ' coarsely clad as became his calling, with a coloured shirt protruding through the rent in his tatte', 'sely clad as became his calling, with a coloured shirt protruding through the rent in his tattered c', 'clad as became his calling, with a coloured shirt protruding through the rent in his tattered coat. ', 'as became his calling, with a coloured shirt protruding through the rent in his tattered coat. he wa', 'came his calling, with a coloured shirt protruding through the rent in his tattered coat. he was, as', 'his calling, with a coloured shirt protruding through the rent in his tattered coat. he was, as the ', 'alling, with a coloured shirt protruding through the rent in his tattered coat. he was, as the inspe', 'g, with a coloured shirt protruding through the rent in his tattered coat. he was, as the inspector ', 'th a coloured shirt protruding through the rent in his tattered coat. he was, as the inspector had s', 'coloured shirt protruding through the rent in his tattered coat. he was, as the inspector had said, ', 'red shirt protruding through the rent in his tattered coat. he was, as the inspector had said, extre', 'hirt protruding through the rent in his tattered coat. he was, as the inspector had said, extremely ', 'protruding through the rent in his tattered coat. he was, as the inspector had said, extremely dirty', 'uding through the rent in his tattered coat. he was, as the inspector had said, extremely dirty, but', ' through the rent in his tattered coat. he was, as the inspector had said, extremely dirty, but the ', 'ugh the rent in his tattered coat. he was, as the inspector had said, extremely dirty, but the grime', 'he rent in his tattered coat. he was, as the inspector had said, extremely dirty, but the grime whic', 'nt in his tattered coat. he was, as the inspector had said, extremely dirty, but the grime which cov', ' his tattered coat. he was, as the inspector had said, extremely dirty, but the grime which covered ', 'tattered coat. he was, as the inspector had said, extremely dirty, but the grime which covered his f', 'red coat. he was, as the inspector had said, extremely dirty, but the grime which covered his face c', 'oat. he was, as the inspector had said, extremely dirty, but the grime which covered his face could ', 'he was, as the inspector had said, extremely dirty, but the grime which covered his face could not c', 's, as the inspector had said, extremely dirty, but the grime which covered his face could not concea', ' the inspector had said, extremely dirty, but the grime which covered his face could not conceal its', 'inspector had said, extremely dirty, but the grime which covered his face could not conceal its repu', 'ctor had said, extremely dirty, but the grime which covered his face could not conceal its repulsive', 'had said, extremely dirty, but the grime which covered his face could not conceal its repulsive ugli', 'aid, extremely dirty, but the grime which covered his face could not conceal its repulsive ugliness.', 'extremely dirty, but the grime which covered his face could not conceal its repulsive ugliness. a br', 'mely dirty, but the grime which covered his face could not conceal its repulsive ugliness. a broad w', 'dirty, but the grime which covered his face could not conceal its repulsive ugliness. a broad wheal ', ', but the grime which covered his face could not conceal its repulsive ugliness. a broad wheal from ', ' the grime which covered his face could not conceal its repulsive ugliness. a broad wheal from an ol', 'grime which covered his face could not conceal its repulsive ugliness. a broad wheal from an old sca', ' which covered his face could not conceal its repulsive ugliness. a broad wheal from an old scar ran', 'h covered his face could not conceal its repulsive ugliness. a broad wheal from an old scar ran righ', 'ered his face could not conceal its repulsive ugliness. a broad wheal from an old scar ran right acr', 'his face could not conceal its repulsive ugliness. a broad wheal from an old scar ran right across i', 'ace could not conceal its repulsive ugliness. a broad wheal from an old scar ran right across it fro', 'ould not conceal its repulsive ugliness. a broad wheal from an old scar ran right across it from eye', 'not conceal its repulsive ugliness. a broad wheal from an old scar ran right across it from eye to c', 'onceal its repulsive ugliness. a broad wheal from an old scar ran right across it from eye to chin, ', 'l its repulsive ugliness. a broad wheal from an old scar ran right across it from eye to chin, and b', ' repulsive ugliness. a broad wheal from an old scar ran right across it from eye to chin, and by its', 'lsive ugliness. a broad wheal from an old scar ran right across it from eye to chin, and by its cont', ' ugliness. a broad wheal from an old scar ran right across it from eye to chin, and by its contracti', 'ness. a broad wheal from an old scar ran right across it from eye to chin, and by its contraction ha', ' a broad wheal from an old scar ran right across it from eye to chin, and by its contraction had tur', 'oad wheal from an old scar ran right across it from eye to chin, and by its contraction had turned u', 'heal from an old scar ran right across it from eye to chin, and by its contraction had turned up one', 'from an old scar ran right across it from eye to chin, and by its contraction had turned up one side', 'an old scar ran right across it from eye to chin, and by its contraction had turned up one side of t', 'd scar ran right across it from eye to chin, and by its contraction had turned up one side of the up', 'r ran right across it from eye to chin, and by its contraction had turned up one side of the upper l', ' right across it from eye to chin, and by its contraction had turned up one side of the upper lip, s', 't across it from eye to chin, and by its contraction had turned up one side of the upper lip, so tha', 'oss it from eye to chin, and by its contraction had turned up one side of the upper lip, so that thr', 't from eye to chin, and by its contraction had turned up one side of the upper lip, so that three te', 'm eye to chin, and by its contraction had turned up one side of the upper lip, so that three teeth w', ' to chin, and by its contraction had turned up one side of the upper lip, so that three teeth were e', 'hin, and by its contraction had turned up one side of the upper lip, so that three teeth were expose', 'and by its contraction had turned up one side of the upper lip, so that three teeth were exposed in ', 'y its contraction had turned up one side of the upper lip, so that three teeth were exposed in a per', ' contraction had turned up one side of the upper lip, so that three teeth were exposed in a perpetua', 'raction had turned up one side of the upper lip, so that three teeth were exposed in a perpetual sna', 'on had turned up one side of the upper lip, so that three teeth were exposed in a perpetual snarl. a', 'd turned up one side of the upper lip, so that three teeth were exposed in a perpetual snarl. a shoc', 'ned up one side of the upper lip, so that three teeth were exposed in a perpetual snarl. a shock of ', 'p one side of the upper lip, so that three teeth were exposed in a perpetual snarl. a shock of very ', ' side of the upper lip, so that three teeth were exposed in a perpetual snarl. a shock of very brigh', ' of the upper lip, so that three teeth were exposed in a perpetual snarl. a shock of very bright red', 'he upper lip, so that three teeth were exposed in a perpetual snarl. a shock of very bright red hair', 'per lip, so that three teeth were exposed in a perpetual snarl. a shock of very bright red hair grew', 'ip, so that three teeth were exposed in a perpetual snarl. a shock of very bright red hair grew low ', 'o that three teeth were exposed in a perpetual snarl. a shock of very bright red hair grew low over ', 't three teeth were exposed in a perpetual snarl. a shock of very bright red hair grew low over his e', 'ee teeth were exposed in a perpetual snarl. a shock of very bright red hair grew low over his eyes a', 'eth were exposed in a perpetual snarl. a shock of very bright red hair grew low over his eyes and fo', 'ere exposed in a perpetual snarl. a shock of very bright red hair grew low over his eyes and forehea', 'xposed in a perpetual snarl. a shock of very bright red hair grew low over his eyes and forehead. "h', 'd in a perpetual snarl. a shock of very bright red hair grew low over his eyes and forehead. "he\'s a', 'a perpetual snarl. a shock of very bright red hair grew low over his eyes and forehead. "he\'s a beau', 'petual snarl. a shock of very bright red hair grew low over his eyes and forehead. "he\'s a beauty, i', 'l snarl. a shock of very bright red hair grew low over his eyes and forehead. "he\'s a beauty, isn\'t ', 'rl. a shock of very bright red hair grew low over his eyes and forehead. "he\'s a beauty, isn\'t he?" ', ' shock of very bright red hair grew low over his eyes and forehead. "he\'s a beauty, isn\'t he?" said ', 'k of very bright red hair grew low over his eyes and forehead. "he\'s a beauty, isn\'t he?" said the i', 'very bright red hair grew low over his eyes and forehead. "he\'s a beauty, isn\'t he?" said the inspec', 'bright red hair grew low over his eyes and forehead. "he\'s a beauty, isn\'t he?" said the inspector. ', 't red hair grew low over his eyes and forehead. "he\'s a beauty, isn\'t he?" said the inspector. "he c', ' hair grew low over his eyes and forehead. "he\'s a beauty, isn\'t he?" said the inspector. "he certai', ' grew low over his eyes and forehead. "he\'s a beauty, isn\'t he?" said the inspector. "he certainly n', ' low over his eyes and forehead. "he\'s a beauty, isn\'t he?" said the inspector. "he certainly needs ', 'over his eyes and forehead. "he\'s a beauty, isn\'t he?" said the inspector. "he certainly needs a was', 'his eyes and forehead. "he\'s a beauty, isn\'t he?" said the inspector. "he certainly needs a wash," r', 'yes and forehead. "he\'s a beauty, isn\'t he?" said the inspector. "he certainly needs a wash," remark', 'nd forehead. "he\'s a beauty, isn\'t he?" said the inspector. "he certainly needs a wash," remarked ho', 'rehead. "he\'s a beauty, isn\'t he?" said the inspector. "he certainly needs a wash," remarked holmes.', 'd. "he\'s a beauty, isn\'t he?" said the inspector. "he certainly needs a wash," remarked holmes. "i h', 'e\'s a beauty, isn\'t he?" said the inspector. "he certainly needs a wash," remarked holmes. "i had an', ' beauty, isn\'t he?" said the inspector. "he certainly needs a wash," remarked holmes. "i had an idea', 'ty, isn\'t he?" said the inspector. "he certainly needs a wash," remarked holmes. "i had an idea that', 'sn\'t he?" said the inspector. "he certainly needs a wash," remarked holmes. "i had an idea that he m', 'he?" said the inspector. "he certainly needs a wash," remarked holmes. "i had an idea that he might,', 'said the inspector. "he certainly needs a wash," remarked holmes. "i had an idea that he might, and ', 'the inspector. "he certainly needs a wash," remarked holmes. "i had an idea that he might, and i too', 'nspector. "he certainly needs a wash," remarked holmes. "i had an idea that he might, and i took the', 'tor. "he certainly needs a wash," remarked holmes. "i had an idea that he might, and i took the libe', '"he certainly needs a wash," remarked holmes. "i had an idea that he might, and i took the liberty o', 'ertainly needs a wash," remarked holmes. "i had an idea that he might, and i took the liberty of bri', 'nly needs a wash," remarked holmes. "i had an idea that he might, and i took the liberty of bringing', 'eeds a wash," remarked holmes. "i had an idea that he might, and i took the liberty of bringing the ', 'a wash," remarked holmes. "i had an idea that he might, and i took the liberty of bringing the tools', 'h," remarked holmes. "i had an idea that he might, and i took the liberty of bringing the tools with', 'emarked holmes. "i had an idea that he might, and i took the liberty of bringing the tools with me."', 'ed holmes. "i had an idea that he might, and i took the liberty of bringing the tools with me." he o', 'lmes. "i had an idea that he might, and i took the liberty of bringing the tools with me." he opened', ' "i had an idea that he might, and i took the liberty of bringing the tools with me." he opened the ', 'ad an idea that he might, and i took the liberty of bringing the tools with me." he opened the glads', ' idea that he might, and i took the liberty of bringing the tools with me." he opened the gladstone ', ' that he might, and i took the liberty of bringing the tools with me." he opened the gladstone bag a', ' he might, and i took the liberty of bringing the tools with me." he opened the gladstone bag as he ', 'ight, and i took the liberty of bringing the tools with me." he opened the gladstone bag as he spoke', ' and i took the liberty of bringing the tools with me." he opened the gladstone bag as he spoke, and', 'i took the liberty of bringing the tools with me." he opened the gladstone bag as he spoke, and took', 'k the liberty of bringing the tools with me." he opened the gladstone bag as he spoke, and took out,', ' liberty of bringing the tools with me." he opened the gladstone bag as he spoke, and took out, to m', 'rty of bringing the tools with me." he opened the gladstone bag as he spoke, and took out, to my ast', 'f bringing the tools with me." he opened the gladstone bag as he spoke, and took out, to my astonish', 'nging the tools with me." he opened the gladstone bag as he spoke, and took out, to my astonishment,', ' the tools with me." he opened the gladstone bag as he spoke, and took out, to my astonishment, a ve', 'tools with me." he opened the gladstone bag as he spoke, and took out, to my astonishment, a very la', ' with me." he opened the gladstone bag as he spoke, and took out, to my astonishment, a very large b', ' me." he opened the gladstone bag as he spoke, and took out, to my astonishment, a very large bath-s', ' he opened the gladstone bag as he spoke, and took out, to my astonishment, a very large bath-sponge', 'pened the gladstone bag as he spoke, and took out, to my astonishment, a very large bath-sponge. "he', ' the gladstone bag as he spoke, and took out, to my astonishment, a very large bath-sponge. "he! he!', 'gladstone bag as he spoke, and took out, to my astonishment, a very large bath-sponge. "he! he! you ', 'tone bag as he spoke, and took out, to my astonishment, a very large bath-sponge. "he! he! you are a', 'bag as he spoke, and took out, to my astonishment, a very large bath-sponge. "he! he! you are a funn', 's he spoke, and took out, to my astonishment, a very large bath-sponge. "he! he! you are a funny one', 'spoke, and took out, to my astonishment, a very large bath-sponge. "he! he! you are a funny one," ch', ', and took out, to my astonishment, a very large bath-sponge. "he! he! you are a funny one," chuckle', ' took out, to my astonishment, a very large bath-sponge. "he! he! you are a funny one," chuckled the', ' out, to my astonishment, a very large bath-sponge. "he! he! you are a funny one," chuckled the insp', ' to my astonishment, a very large bath-sponge. "he! he! you are a funny one," chuckled the inspector', 'y astonishment, a very large bath-sponge. "he! he! you are a funny one," chuckled the inspector. "no', 'onishment, a very large bath-sponge. "he! he! you are a funny one," chuckled the inspector. "now, if', 'ment, a very large bath-sponge. "he! he! you are a funny one," chuckled the inspector. "now, if you ', ' a very large bath-sponge. "he! he! you are a funny one," chuckled the inspector. "now, if you will ', 'ry large bath-sponge. "he! he! you are a funny one," chuckled the inspector. "now, if you will have ', 'rge bath-sponge. "he! he! you are a funny one," chuckled the inspector. "now, if you will have the g', 'ath-sponge. "he! he! you are a funny one," chuckled the inspector. "now, if you will have the great ', 'ponge. "he! he! you are a funny one," chuckled the inspector. "now, if you will have the great goodn', '. "he! he! you are a funny one," chuckled the inspector. "now, if you will have the great goodness t', '! he! you are a funny one," chuckled the inspector. "now, if you will have the great goodness to ope', ' you are a funny one," chuckled the inspector. "now, if you will have the great goodness to open tha', 'are a funny one," chuckled the inspector. "now, if you will have the great goodness to open that doo', ' funny one," chuckled the inspector. "now, if you will have the great goodness to open that door ver', 'y one," chuckled the inspector. "now, if you will have the great goodness to open that door very qui', '," chuckled the inspector. "now, if you will have the great goodness to open that door very quietly,', 'uckled the inspector. "now, if you will have the great goodness to open that door very quietly, we w', 'd the inspector. "now, if you will have the great goodness to open that door very quietly, we will s', ' inspector. "now, if you will have the great goodness to open that door very quietly, we will soon m', 'ector. "now, if you will have the great goodness to open that door very quietly, we will soon make h', '. "now, if you will have the great goodness to open that door very quietly, we will soon make him cu', 'w, if you will have the great goodness to open that door very quietly, we will soon make him cut a m', ' you will have the great goodness to open that door very quietly, we will soon make him cut a much m', 'will have the great goodness to open that door very quietly, we will soon make him cut a much more r', 'have the great goodness to open that door very quietly, we will soon make him cut a much more respec', 'the great goodness to open that door very quietly, we will soon make him cut a much more respectable', 'reat goodness to open that door very quietly, we will soon make him cut a much more respectable figu', 'goodness to open that door very quietly, we will soon make him cut a much more respectable figure." ', 'ess to open that door very quietly, we will soon make him cut a much more respectable figure." "well', 'o open that door very quietly, we will soon make him cut a much more respectable figure." "well, i d', 'n that door very quietly, we will soon make him cut a much more respectable figure." "well, i don\'t ', 't door very quietly, we will soon make him cut a much more respectable figure." "well, i don\'t know ', 'r very quietly, we will soon make him cut a much more respectable figure." "well, i don\'t know why n', 'y quietly, we will soon make him cut a much more respectable figure." "well, i don\'t know why not," ', 'etly, we will soon make him cut a much more respectable figure." "well, i don\'t know why not," said ', ' we will soon make him cut a much more respectable figure." "well, i don\'t know why not," said the i', 'ill soon make him cut a much more respectable figure." "well, i don\'t know why not," said the inspec', 'oon make him cut a much more respectable figure." "well, i don\'t know why not," said the inspector. ', 'ake him cut a much more respectable figure." "well, i don\'t know why not," said the inspector. "he d', 'im cut a much more respectable figure." "well, i don\'t know why not," said the inspector. "he doesn\'', 't a much more respectable figure." "well, i don\'t know why not," said the inspector. "he doesn\'t loo', 'uch more respectable figure." "well, i don\'t know why not," said the inspector. "he doesn\'t look a c', 'ore respectable figure." "well, i don\'t know why not," said the inspector. "he doesn\'t look a credit', 'espectable figure." "well, i don\'t know why not," said the inspector. "he doesn\'t look a credit to t', 'table figure." "well, i don\'t know why not," said the inspector. "he doesn\'t look a credit to the bo', ' figure." "well, i don\'t know why not," said the inspector. "he doesn\'t look a credit to the bow str', 're." "well, i don\'t know why not," said the inspector. "he doesn\'t look a credit to the bow street c', '"well, i don\'t know why not," said the inspector. "he doesn\'t look a credit to the bow street cells,', ', i don\'t know why not," said the inspector. "he doesn\'t look a credit to the bow street cells, does', 'on\'t know why not," said the inspector. "he doesn\'t look a credit to the bow street cells, does he?"', 'know why not," said the inspector. "he doesn\'t look a credit to the bow street cells, does he?" he s', 'why not," said the inspector. "he doesn\'t look a credit to the bow street cells, does he?" he slippe', 'ot," said the inspector. "he doesn\'t look a credit to the bow street cells, does he?" he slipped his', 'said the inspector. "he doesn\'t look a credit to the bow street cells, does he?" he slipped his key ', 'the inspector. "he doesn\'t look a credit to the bow street cells, does he?" he slipped his key into ', 'nspector. "he doesn\'t look a credit to the bow street cells, does he?" he slipped his key into the l', 'tor. "he doesn\'t look a credit to the bow street cells, does he?" he slipped his key into the lock, ', '"he doesn\'t look a credit to the bow street cells, does he?" he slipped his key into the lock, and w', 'oesn\'t look a credit to the bow street cells, does he?" he slipped his key into the lock, and we all', 't look a credit to the bow street cells, does he?" he slipped his key into the lock, and we all very', 'k a credit to the bow street cells, does he?" he slipped his key into the lock, and we all very quie', 'redit to the bow street cells, does he?" he slipped his key into the lock, and we all very quietly e', ' to the bow street cells, does he?" he slipped his key into the lock, and we all very quietly entere', 'he bow street cells, does he?" he slipped his key into the lock, and we all very quietly entered the', 'w street cells, does he?" he slipped his key into the lock, and we all very quietly entered the cell', 'eet cells, does he?" he slipped his key into the lock, and we all very quietly entered the cell. the', 'ells, does he?" he slipped his key into the lock, and we all very quietly entered the cell. the slee', ' does he?" he slipped his key into the lock, and we all very quietly entered the cell. the sleeper h', ' he?" he slipped his key into the lock, and we all very quietly entered the cell. the sleeper half t', ' he slipped his key into the lock, and we all very quietly entered the cell. the sleeper half turned', 'lipped his key into the lock, and we all very quietly entered the cell. the sleeper half turned, and', 'd his key into the lock, and we all very quietly entered the cell. the sleeper half turned, and then', ' key into the lock, and we all very quietly entered the cell. the sleeper half turned, and then sett', 'into the lock, and we all very quietly entered the cell. the sleeper half turned, and then settled d', 'the lock, and we all very quietly entered the cell. the sleeper half turned, and then settled down o', 'ock, and we all very quietly entered the cell. the sleeper half turned, and then settled down once m', 'and we all very quietly entered the cell. the sleeper half turned, and then settled down once more i', 'e all very quietly entered the cell. the sleeper half turned, and then settled down once more into a', ' very quietly entered the cell. the sleeper half turned, and then settled down once more into a deep', ' quietly entered the cell. the sleeper half turned, and then settled down once more into a deep slum', 'tly entered the cell. the sleeper half turned, and then settled down once more into a deep slumber. ', 'ntered the cell. the sleeper half turned, and then settled down once more into a deep slumber. holme', 'd the cell. the sleeper half turned, and then settled down once more into a deep slumber. holmes sto', ' cell. the sleeper half turned, and then settled down once more into a deep slumber. holmes stooped ', '. the sleeper half turned, and then settled down once more into a deep slumber. holmes stooped to th', ' sleeper half turned, and then settled down once more into a deep slumber. holmes stooped to the wat', 'per half turned, and then settled down once more into a deep slumber. holmes stooped to the water-ju', 'alf turned, and then settled down once more into a deep slumber. holmes stooped to the water-jug, mo', 'urned, and then settled down once more into a deep slumber. holmes stooped to the water-jug, moisten', ', and then settled down once more into a deep slumber. holmes stooped to the water-jug, moistened hi', ' then settled down once more into a deep slumber. holmes stooped to the water-jug, moistened his spo', ' settled down once more into a deep slumber. holmes stooped to the water-jug, moistened his sponge, ', 'led down once more into a deep slumber. holmes stooped to the water-jug, moistened his sponge, and t', 'own once more into a deep slumber. holmes stooped to the water-jug, moistened his sponge, and then r', 'nce more into a deep slumber. holmes stooped to the water-jug, moistened his sponge, and then rubbed', 'ore into a deep slumber. holmes stooped to the water-jug, moistened his sponge, and then rubbed it t', 'nto a deep slumber. holmes stooped to the water-jug, moistened his sponge, and then rubbed it twice ', ' deep slumber. holmes stooped to the water-jug, moistened his sponge, and then rubbed it twice vigor', ' slumber. holmes stooped to the water-jug, moistened his sponge, and then rubbed it twice vigorously', 'ber. holmes stooped to the water-jug, moistened his sponge, and then rubbed it twice vigorously acro', 'holmes stooped to the water-jug, moistened his sponge, and then rubbed it twice vigorously across an', 's stooped to the water-jug, moistened his sponge, and then rubbed it twice vigorously across and dow', 'oped to the water-jug, moistened his sponge, and then rubbed it twice vigorously across and down the', 'to the water-jug, moistened his sponge, and then rubbed it twice vigorously across and down the pris', "e water-jug, moistened his sponge, and then rubbed it twice vigorously across and down the prisoner'", "er-jug, moistened his sponge, and then rubbed it twice vigorously across and down the prisoner's fac", 'g, moistened his sponge, and then rubbed it twice vigorously across and down the prisoner\'s face. "l', 'istened his sponge, and then rubbed it twice vigorously across and down the prisoner\'s face. "let me', 'ed his sponge, and then rubbed it twice vigorously across and down the prisoner\'s face. "let me intr', 's sponge, and then rubbed it twice vigorously across and down the prisoner\'s face. "let me introduce', 'nge, and then rubbed it twice vigorously across and down the prisoner\'s face. "let me introduce you,', 'and then rubbed it twice vigorously across and down the prisoner\'s face. "let me introduce you," he ', 'hen rubbed it twice vigorously across and down the prisoner\'s face. "let me introduce you," he shout', 'ubbed it twice vigorously across and down the prisoner\'s face. "let me introduce you," he shouted, "', ' it twice vigorously across and down the prisoner\'s face. "let me introduce you," he shouted, "to mr', 'wice vigorously across and down the prisoner\'s face. "let me introduce you," he shouted, "to mr. nev', 'vigorously across and down the prisoner\'s face. "let me introduce you," he shouted, "to mr. neville ', 'ously across and down the prisoner\'s face. "let me introduce you," he shouted, "to mr. neville st. c', ' across and down the prisoner\'s face. "let me introduce you," he shouted, "to mr. neville st. clair,', 'ss and down the prisoner\'s face. "let me introduce you," he shouted, "to mr. neville st. clair, of l', 'd down the prisoner\'s face. "let me introduce you," he shouted, "to mr. neville st. clair, of lee, i', 'n the prisoner\'s face. "let me introduce you," he shouted, "to mr. neville st. clair, of lee, in the', ' prisoner\'s face. "let me introduce you," he shouted, "to mr. neville st. clair, of lee, in the coun', 'oner\'s face. "let me introduce you," he shouted, "to mr. neville st. clair, of lee, in the county of', 's face. "let me introduce you," he shouted, "to mr. neville st. clair, of lee, in the county of kent', 'e. "let me introduce you," he shouted, "to mr. neville st. clair, of lee, in the county of kent." ne', 'et me introduce you," he shouted, "to mr. neville st. clair, of lee, in the county of kent." never i', ' introduce you," he shouted, "to mr. neville st. clair, of lee, in the county of kent." never in my ', 'oduce you," he shouted, "to mr. neville st. clair, of lee, in the county of kent." never in my life ', ' you," he shouted, "to mr. neville st. clair, of lee, in the county of kent." never in my life have ', '" he shouted, "to mr. neville st. clair, of lee, in the county of kent." never in my life have i see', 'shouted, "to mr. neville st. clair, of lee, in the county of kent." never in my life have i seen suc', 'ed, "to mr. neville st. clair, of lee, in the county of kent." never in my life have i seen such a s', 'to mr. neville st. clair, of lee, in the county of kent." never in my life have i seen such a sight.', '. neville st. clair, of lee, in the county of kent." never in my life have i seen such a sight. the ', 'ille st. clair, of lee, in the county of kent." never in my life have i seen such a sight. the man\'s', 'st. clair, of lee, in the county of kent." never in my life have i seen such a sight. the man\'s face', 'lair, of lee, in the county of kent." never in my life have i seen such a sight. the man\'s face peel', ' of lee, in the county of kent." never in my life have i seen such a sight. the man\'s face peeled of', 'ee, in the county of kent." never in my life have i seen such a sight. the man\'s face peeled off und', 'n the county of kent." never in my life have i seen such a sight. the man\'s face peeled off under th', ' county of kent." never in my life have i seen such a sight. the man\'s face peeled off under the spo', 'ty of kent." never in my life have i seen such a sight. the man\'s face peeled off under the sponge l', ' kent." never in my life have i seen such a sight. the man\'s face peeled off under the sponge like t', '." never in my life have i seen such a sight. the man\'s face peeled off under the sponge like the ba', "ver in my life have i seen such a sight. the man's face peeled off under the sponge like the bark fr", "n my life have i seen such a sight. the man's face peeled off under the sponge like the bark from a ", "life have i seen such a sight. the man's face peeled off under the sponge like the bark from a tree.", "have i seen such a sight. the man's face peeled off under the sponge like the bark from a tree. gone", "i seen such a sight. the man's face peeled off under the sponge like the bark from a tree. gone was ", "n such a sight. the man's face peeled off under the sponge like the bark from a tree. gone was the c", "h a sight. the man's face peeled off under the sponge like the bark from a tree. gone was the coarse", "ight. the man's face peeled off under the sponge like the bark from a tree. gone was the coarse brow", " the man's face peeled off under the sponge like the bark from a tree. gone was the coarse brown tin", "man's face peeled off under the sponge like the bark from a tree. gone was the coarse brown tint! go", ' face peeled off under the sponge like the bark from a tree. gone was the coarse brown tint! gone, t', ' peeled off under the sponge like the bark from a tree. gone was the coarse brown tint! gone, too, w', 'ed off under the sponge like the bark from a tree. gone was the coarse brown tint! gone, too, was th', 'f under the sponge like the bark from a tree. gone was the coarse brown tint! gone, too, was the hor', 'er the sponge like the bark from a tree. gone was the coarse brown tint! gone, too, was the horrid s', 'e sponge like the bark from a tree. gone was the coarse brown tint! gone, too, was the horrid scar w', 'nge like the bark from a tree. gone was the coarse brown tint! gone, too, was the horrid scar which ', 'ike the bark from a tree. gone was the coarse brown tint! gone, too, was the horrid scar which had s', 'he bark from a tree. gone was the coarse brown tint! gone, too, was the horrid scar which had seamed', 'rk from a tree. gone was the coarse brown tint! gone, too, was the horrid scar which had seamed it a', 'om a tree. gone was the coarse brown tint! gone, too, was the horrid scar which had seamed it across', 'tree. gone was the coarse brown tint! gone, too, was the horrid scar which had seamed it across, and', ' gone was the coarse brown tint! gone, too, was the horrid scar which had seamed it across, and the ', ' was the coarse brown tint! gone, too, was the horrid scar which had seamed it across, and the twist', 'the coarse brown tint! gone, too, was the horrid scar which had seamed it across, and the twisted li', 'oarse brown tint! gone, too, was the horrid scar which had seamed it across, and the twisted lip whi', ' brown tint! gone, too, was the horrid scar which had seamed it across, and the twisted lip which ha', 'n tint! gone, too, was the horrid scar which had seamed it across, and the twisted lip which had giv', 't! gone, too, was the horrid scar which had seamed it across, and the twisted lip which had given th', 'ne, too, was the horrid scar which had seamed it across, and the twisted lip which had given the rep', 'oo, was the horrid scar which had seamed it across, and the twisted lip which had given the repulsiv', 'as the horrid scar which had seamed it across, and the twisted lip which had given the repulsive sne', 'e horrid scar which had seamed it across, and the twisted lip which had given the repulsive sneer to', 'rid scar which had seamed it across, and the twisted lip which had given the repulsive sneer to the ', 'car which had seamed it across, and the twisted lip which had given the repulsive sneer to the face!', 'hich had seamed it across, and the twisted lip which had given the repulsive sneer to the face! a tw', 'had seamed it across, and the twisted lip which had given the repulsive sneer to the face! a twitch ', 'eamed it across, and the twisted lip which had given the repulsive sneer to the face! a twitch broug', ' it across, and the twisted lip which had given the repulsive sneer to the face! a twitch brought aw', 'cross, and the twisted lip which had given the repulsive sneer to the face! a twitch brought away th', ', and the twisted lip which had given the repulsive sneer to the face! a twitch brought away the tan', ' the twisted lip which had given the repulsive sneer to the face! a twitch brought away the tangled ', 'twisted lip which had given the repulsive sneer to the face! a twitch brought away the tangled red h', 'ed lip which had given the repulsive sneer to the face! a twitch brought away the tangled red hair, ', 'p which had given the repulsive sneer to the face! a twitch brought away the tangled red hair, and t', 'ch had given the repulsive sneer to the face! a twitch brought away the tangled red hair, and there,', 'd given the repulsive sneer to the face! a twitch brought away the tangled red hair, and there, sitt', 'en the repulsive sneer to the face! a twitch brought away the tangled red hair, and there, sitting u', 'e repulsive sneer to the face! a twitch brought away the tangled red hair, and there, sitting up in ', 'ulsive sneer to the face! a twitch brought away the tangled red hair, and there, sitting up in his b', 'e sneer to the face! a twitch brought away the tangled red hair, and there, sitting up in his bed, w', 'er to the face! a twitch brought away the tangled red hair, and there, sitting up in his bed, was a ', ' the face! a twitch brought away the tangled red hair, and there, sitting up in his bed, was a pale,', 'face! a twitch brought away the tangled red hair, and there, sitting up in his bed, was a pale, sad-', ' a twitch brought away the tangled red hair, and there, sitting up in his bed, was a pale, sad-faced', 'itch brought away the tangled red hair, and there, sitting up in his bed, was a pale, sad-faced, ref', 'brought away the tangled red hair, and there, sitting up in his bed, was a pale, sad-faced, refined-', 'ht away the tangled red hair, and there, sitting up in his bed, was a pale, sad-faced, refined-looki', 'ay the tangled red hair, and there, sitting up in his bed, was a pale, sad-faced, refined-looking ma', 'e tangled red hair, and there, sitting up in his bed, was a pale, sad-faced, refined-looking man, bl', 'gled red hair, and there, sitting up in his bed, was a pale, sad-faced, refined-looking man, black-h', 'red hair, and there, sitting up in his bed, was a pale, sad-faced, refined-looking man, black-haired', 'air, and there, sitting up in his bed, was a pale, sad-faced, refined-looking man, black-haired and ', 'and there, sitting up in his bed, was a pale, sad-faced, refined-looking man, black-haired and smoot', 'here, sitting up in his bed, was a pale, sad-faced, refined-looking man, black-haired and smooth-ski', ' sitting up in his bed, was a pale, sad-faced, refined-looking man, black-haired and smooth-skinned,', 'ing up in his bed, was a pale, sad-faced, refined-looking man, black-haired and smooth-skinned, rubb', 'p in his bed, was a pale, sad-faced, refined-looking man, black-haired and smooth-skinned, rubbing h', 'his bed, was a pale, sad-faced, refined-looking man, black-haired and smooth-skinned, rubbing his ey', 'ed, was a pale, sad-faced, refined-looking man, black-haired and smooth-skinned, rubbing his eyes an', 'as a pale, sad-faced, refined-looking man, black-haired and smooth-skinned, rubbing his eyes and sta', 'pale, sad-faced, refined-looking man, black-haired and smooth-skinned, rubbing his eyes and staring ', ' sad-faced, refined-looking man, black-haired and smooth-skinned, rubbing his eyes and staring about', 'faced, refined-looking man, black-haired and smooth-skinned, rubbing his eyes and staring about him ', ', refined-looking man, black-haired and smooth-skinned, rubbing his eyes and staring about him with ', 'ined-looking man, black-haired and smooth-skinned, rubbing his eyes and staring about him with sleep', 'looking man, black-haired and smooth-skinned, rubbing his eyes and staring about him with sleepy bew', 'ng man, black-haired and smooth-skinned, rubbing his eyes and staring about him with sleepy bewilder', 'n, black-haired and smooth-skinned, rubbing his eyes and staring about him with sleepy bewilderment.', 'ack-haired and smooth-skinned, rubbing his eyes and staring about him with sleepy bewilderment. then', 'aired and smooth-skinned, rubbing his eyes and staring about him with sleepy bewilderment. then sudd', ' and smooth-skinned, rubbing his eyes and staring about him with sleepy bewilderment. then suddenly ', 'smooth-skinned, rubbing his eyes and staring about him with sleepy bewilderment. then suddenly reali', 'h-skinned, rubbing his eyes and staring about him with sleepy bewilderment. then suddenly realising ', 'nned, rubbing his eyes and staring about him with sleepy bewilderment. then suddenly realising the e', ' rubbing his eyes and staring about him with sleepy bewilderment. then suddenly realising the exposu', 'ing his eyes and staring about him with sleepy bewilderment. then suddenly realising the exposure, h', 'is eyes and staring about him with sleepy bewilderment. then suddenly realising the exposure, he bro', 'es and staring about him with sleepy bewilderment. then suddenly realising the exposure, he broke in', 'd staring about him with sleepy bewilderment. then suddenly realising the exposure, he broke into a ', 'ring about him with sleepy bewilderment. then suddenly realising the exposure, he broke into a screa', 'about him with sleepy bewilderment. then suddenly realising the exposure, he broke into a scream and', ' him with sleepy bewilderment. then suddenly realising the exposure, he broke into a scream and thre', 'with sleepy bewilderment. then suddenly realising the exposure, he broke into a scream and threw him', 'sleepy bewilderment. then suddenly realising the exposure, he broke into a scream and threw himself ', 'y bewilderment. then suddenly realising the exposure, he broke into a scream and threw himself down ', 'ilderment. then suddenly realising the exposure, he broke into a scream and threw himself down with ', 'ment. then suddenly realising the exposure, he broke into a scream and threw himself down with his f', ' then suddenly realising the exposure, he broke into a scream and threw himself down with his face t', ' suddenly realising the exposure, he broke into a scream and threw himself down with his face to the', 'enly realising the exposure, he broke into a scream and threw himself down with his face to the pill', 'realising the exposure, he broke into a scream and threw himself down with his face to the pillow. "', 'sing the exposure, he broke into a scream and threw himself down with his face to the pillow. "great', 'the exposure, he broke into a scream and threw himself down with his face to the pillow. "great heav', 'xposure, he broke into a scream and threw himself down with his face to the pillow. "great heavens c', 're, he broke into a scream and threw himself down with his face to the pillow. "great heavens cried ', 'e broke into a scream and threw himself down with his face to the pillow. "great heavens cried the i', 'ke into a scream and threw himself down with his face to the pillow. "great heavens cried the inspec', 'to a scream and threw himself down with his face to the pillow. "great heavens cried the inspector, ', 'scream and threw himself down with his face to the pillow. "great heavens cried the inspector, "it i', 'm and threw himself down with his face to the pillow. "great heavens cried the inspector, "it is, in', ' threw himself down with his face to the pillow. "great heavens cried the inspector, "it is, indeed,', 'w himself down with his face to the pillow. "great heavens cried the inspector, "it is, indeed, the ', 'self down with his face to the pillow. "great heavens cried the inspector, "it is, indeed, the missi', 'down with his face to the pillow. "great heavens cried the inspector, "it is, indeed, the missing ma', 'with his face to the pillow. "great heavens cried the inspector, "it is, indeed, the missing man. i ', 'his face to the pillow. "great heavens cried the inspector, "it is, indeed, the missing man. i know ', 'ace to the pillow. "great heavens cried the inspector, "it is, indeed, the missing man. i know him f', 'o the pillow. "great heavens cried the inspector, "it is, indeed, the missing man. i know him from t', ' pillow. "great heavens cried the inspector, "it is, indeed, the missing man. i know him from the ph', 'ow. "great heavens cried the inspector, "it is, indeed, the missing man. i know him from the photogr', 'great heavens cried the inspector, "it is, indeed, the missing man. i know him from the photograph."', ' heavens cried the inspector, "it is, indeed, the missing man. i know him from the photograph." the ', 'ens cried the inspector, "it is, indeed, the missing man. i know him from the photograph." the priso', 'ried the inspector, "it is, indeed, the missing man. i know him from the photograph." the prisoner t', 'the inspector, "it is, indeed, the missing man. i know him from the photograph." the prisoner turned', 'nspector, "it is, indeed, the missing man. i know him from the photograph." the prisoner turned with', 'tor, "it is, indeed, the missing man. i know him from the photograph." the prisoner turned with the ', '"it is, indeed, the missing man. i know him from the photograph." the prisoner turned with the reckl', 's, indeed, the missing man. i know him from the photograph." the prisoner turned with the reckless a', 'deed, the missing man. i know him from the photograph." the prisoner turned with the reckless air of', ' the missing man. i know him from the photograph." the prisoner turned with the reckless air of a ma', 'missing man. i know him from the photograph." the prisoner turned with the reckless air of a man who', 'ng man. i know him from the photograph." the prisoner turned with the reckless air of a man who aban', 'n. i know him from the photograph." the prisoner turned with the reckless air of a man who abandons ', 'know him from the photograph." the prisoner turned with the reckless air of a man who abandons himse', 'him from the photograph." the prisoner turned with the reckless air of a man who abandons himself to', 'rom the photograph." the prisoner turned with the reckless air of a man who abandons himself to his ', 'he photograph." the prisoner turned with the reckless air of a man who abandons himself to his desti', 'otograph." the prisoner turned with the reckless air of a man who abandons himself to his destiny. "', 'aph." the prisoner turned with the reckless air of a man who abandons himself to his destiny. "be it', ' the prisoner turned with the reckless air of a man who abandons himself to his destiny. "be it so,"', 'prisoner turned with the reckless air of a man who abandons himself to his destiny. "be it so," said', 'ner turned with the reckless air of a man who abandons himself to his destiny. "be it so," said he. ', 'urned with the reckless air of a man who abandons himself to his destiny. "be it so," said he. "and ', ' with the reckless air of a man who abandons himself to his destiny. "be it so," said he. "and pray ', ' the reckless air of a man who abandons himself to his destiny. "be it so," said he. "and pray what ', 'reckless air of a man who abandons himself to his destiny. "be it so," said he. "and pray what am i ', 'ess air of a man who abandons himself to his destiny. "be it so," said he. "and pray what am i charg', 'ir of a man who abandons himself to his destiny. "be it so," said he. "and pray what am i charged wi', ' a man who abandons himself to his destiny. "be it so," said he. "and pray what am i charged with?" ', 'n who abandons himself to his destiny. "be it so," said he. "and pray what am i charged with?" "with', ' abandons himself to his destiny. "be it so," said he. "and pray what am i charged with?" "with maki', 'dons himself to his destiny. "be it so," said he. "and pray what am i charged with?" "with making aw', 'himself to his destiny. "be it so," said he. "and pray what am i charged with?" "with making away wi', 'lf to his destiny. "be it so," said he. "and pray what am i charged with?" "with making away with mr', ' his destiny. "be it so," said he. "and pray what am i charged with?" "with making away with mr. nev', 'destiny. "be it so," said he. "and pray what am i charged with?" "with making away with mr. neville ', 'ny. "be it so," said he. "and pray what am i charged with?" "with making away with mr. neville st. o', 'be it so," said he. "and pray what am i charged with?" "with making away with mr. neville st. oh, co', ' so," said he. "and pray what am i charged with?" "with making away with mr. neville st. oh, come, y', ' said he. "and pray what am i charged with?" "with making away with mr. neville st. oh, come, you ca', ' he. "and pray what am i charged with?" "with making away with mr. neville st. oh, come, you can\'t b', '"and pray what am i charged with?" "with making away with mr. neville st. oh, come, you can\'t be cha', 'pray what am i charged with?" "with making away with mr. neville st. oh, come, you can\'t be charged ', 'what am i charged with?" "with making away with mr. neville st. oh, come, you can\'t be charged with ', 'am i charged with?" "with making away with mr. neville st. oh, come, you can\'t be charged with that ', 'charged with?" "with making away with mr. neville st. oh, come, you can\'t be charged with that unles', 'ed with?" "with making away with mr. neville st. oh, come, you can\'t be charged with that unless the', 'th?" "with making away with mr. neville st. oh, come, you can\'t be charged with that unless they mak', '"with making away with mr. neville st. oh, come, you can\'t be charged with that unless they make a c', " making away with mr. neville st. oh, come, you can't be charged with that unless they make a case o", "ng away with mr. neville st. oh, come, you can't be charged with that unless they make a case of att", "ay with mr. neville st. oh, come, you can't be charged with that unless they make a case of attempte", "th mr. neville st. oh, come, you can't be charged with that unless they make a case of attempted sui", ". neville st. oh, come, you can't be charged with that unless they make a case of attempted suicide ", "ille st. oh, come, you can't be charged with that unless they make a case of attempted suicide of it", 'st. oh, come, you can\'t be charged with that unless they make a case of attempted suicide of it," sa', 'h, come, you can\'t be charged with that unless they make a case of attempted suicide of it," said th', 'me, you can\'t be charged with that unless they make a case of attempted suicide of it," said the ins', 'ou can\'t be charged with that unless they make a case of attempted suicide of it," said the inspecto', 'n\'t be charged with that unless they make a case of attempted suicide of it," said the inspector wit', 'e charged with that unless they make a case of attempted suicide of it," said the inspector with a g', 'rged with that unless they make a case of attempted suicide of it," said the inspector with a grin. ', 'with that unless they make a case of attempted suicide of it," said the inspector with a grin. "well', 'that unless they make a case of attempted suicide of it," said the inspector with a grin. "well, i h', 'unless they make a case of attempted suicide of it," said the inspector with a grin. "well, i have b', 's they make a case of attempted suicide of it," said the inspector with a grin. "well, i have been t', 'y make a case of attempted suicide of it," said the inspector with a grin. "well, i have been twenty', 'e a case of attempted suicide of it," said the inspector with a grin. "well, i have been twenty-seve', 'ase of attempted suicide of it," said the inspector with a grin. "well, i have been twenty-seven yea', 'f attempted suicide of it," said the inspector with a grin. "well, i have been twenty-seven years in', 'empted suicide of it," said the inspector with a grin. "well, i have been twenty-seven years in the ', 'd suicide of it," said the inspector with a grin. "well, i have been twenty-seven years in the force', 'cide of it," said the inspector with a grin. "well, i have been twenty-seven years in the force, but', 'of it," said the inspector with a grin. "well, i have been twenty-seven years in the force, but this', '," said the inspector with a grin. "well, i have been twenty-seven years in the force, but this real', 'id the inspector with a grin. "well, i have been twenty-seven years in the force, but this really ta', 'e inspector with a grin. "well, i have been twenty-seven years in the force, but this really takes t', 'pector with a grin. "well, i have been twenty-seven years in the force, but this really takes the ca', 'r with a grin. "well, i have been twenty-seven years in the force, but this really takes the cake." ', 'h a grin. "well, i have been twenty-seven years in the force, but this really takes the cake." "if i', 'rin. "well, i have been twenty-seven years in the force, but this really takes the cake." "if i am m', '"well, i have been twenty-seven years in the force, but this really takes the cake." "if i am mr. ne', ', i have been twenty-seven years in the force, but this really takes the cake." "if i am mr. neville', 'ave been twenty-seven years in the force, but this really takes the cake." "if i am mr. neville st. ', 'een twenty-seven years in the force, but this really takes the cake." "if i am mr. neville st. clair', 'wenty-seven years in the force, but this really takes the cake." "if i am mr. neville st. clair, the', '-seven years in the force, but this really takes the cake." "if i am mr. neville st. clair, then it ', 'n years in the force, but this really takes the cake." "if i am mr. neville st. clair, then it is ob', 'rs in the force, but this really takes the cake." "if i am mr. neville st. clair, then it is obvious', ' the force, but this really takes the cake." "if i am mr. neville st. clair, then it is obvious that', 'force, but this really takes the cake." "if i am mr. neville st. clair, then it is obvious that no c', ', but this really takes the cake." "if i am mr. neville st. clair, then it is obvious that no crime ', ' this really takes the cake." "if i am mr. neville st. clair, then it is obvious that no crime has b', ' really takes the cake." "if i am mr. neville st. clair, then it is obvious that no crime has been c', 'ly takes the cake." "if i am mr. neville st. clair, then it is obvious that no crime has been commit', 'kes the cake." "if i am mr. neville st. clair, then it is obvious that no crime has been committed, ', 'he cake." "if i am mr. neville st. clair, then it is obvious that no crime has been committed, and t', 'ke." "if i am mr. neville st. clair, then it is obvious that no crime has been committed, and that, ', '"if i am mr. neville st. clair, then it is obvious that no crime has been committed, and that, there', ' am mr. neville st. clair, then it is obvious that no crime has been committed, and that, therefore,', 'r. neville st. clair, then it is obvious that no crime has been committed, and that, therefore, i am', 'ville st. clair, then it is obvious that no crime has been committed, and that, therefore, i am ille', ' st. clair, then it is obvious that no crime has been committed, and that, therefore, i am illegally', 'clair, then it is obvious that no crime has been committed, and that, therefore, i am illegally deta', ', then it is obvious that no crime has been committed, and that, therefore, i am illegally detained.', 'n it is obvious that no crime has been committed, and that, therefore, i am illegally detained." "no', 'is obvious that no crime has been committed, and that, therefore, i am illegally detained." "no crim', 'vious that no crime has been committed, and that, therefore, i am illegally detained." "no crime, bu', ' that no crime has been committed, and that, therefore, i am illegally detained." "no crime, but a v', ' no crime has been committed, and that, therefore, i am illegally detained." "no crime, but a very g', 'rime has been committed, and that, therefore, i am illegally detained." "no crime, but a very great ', 'has been committed, and that, therefore, i am illegally detained." "no crime, but a very great error', 'een committed, and that, therefore, i am illegally detained." "no crime, but a very great error has ', 'ommitted, and that, therefore, i am illegally detained." "no crime, but a very great error has been ', 'ted, and that, therefore, i am illegally detained." "no crime, but a very great error has been commi', 'and that, therefore, i am illegally detained." "no crime, but a very great error has been committed,', 'hat, therefore, i am illegally detained." "no crime, but a very great error has been committed," sai', 'therefore, i am illegally detained." "no crime, but a very great error has been committed," said hol', 'fore, i am illegally detained." "no crime, but a very great error has been committed," said holmes. ', ' i am illegally detained." "no crime, but a very great error has been committed," said holmes. "you ', ' illegally detained." "no crime, but a very great error has been committed," said holmes. "you would', 'gally detained." "no crime, but a very great error has been committed," said holmes. "you would have', ' detained." "no crime, but a very great error has been committed," said holmes. "you would have done', 'ined." "no crime, but a very great error has been committed," said holmes. "you would have done bett', '" "no crime, but a very great error has been committed," said holmes. "you would have done better to', ' crime, but a very great error has been committed," said holmes. "you would have done better to have', 'e, but a very great error has been committed," said holmes. "you would have done better to have trus', 't a very great error has been committed," said holmes. "you would have done better to have trusted y', 'ery great error has been committed," said holmes. "you would have done better to have trusted your w', 'reat error has been committed," said holmes. "you would have done better to have trusted your wife."', 'error has been committed," said holmes. "you would have done better to have trusted your wife." "it ', ' has been committed," said holmes. "you would have done better to have trusted your wife." "it was n', 'been committed," said holmes. "you would have done better to have trusted your wife." "it was not th', 'committed," said holmes. "you would have done better to have trusted your wife." "it was not the wif', 'tted," said holmes. "you would have done better to have trusted your wife." "it was not the wife; it', '" said holmes. "you would have done better to have trusted your wife." "it was not the wife; it was ', 'd holmes. "you would have done better to have trusted your wife." "it was not the wife; it was the c', 'mes. "you would have done better to have trusted your wife." "it was not the wife; it was the childr', '"you would have done better to have trusted your wife." "it was not the wife; it was the children," ', 'would have done better to have trusted your wife." "it was not the wife; it was the children," groan', ' have done better to have trusted your wife." "it was not the wife; it was the children," groaned th', ' done better to have trusted your wife." "it was not the wife; it was the children," groaned the pri', ' better to have trusted your wife." "it was not the wife; it was the children," groaned the prisoner', 'er to have trusted your wife." "it was not the wife; it was the children," groaned the prisoner. "go', ' have trusted your wife." "it was not the wife; it was the children," groaned the prisoner. "god hel', ' trusted your wife." "it was not the wife; it was the children," groaned the prisoner. "god help me,', 'ted your wife." "it was not the wife; it was the children," groaned the prisoner. "god help me, i wo', 'our wife." "it was not the wife; it was the children," groaned the prisoner. "god help me, i would n', 'ife." "it was not the wife; it was the children," groaned the prisoner. "god help me, i would not ha', ' "it was not the wife; it was the children," groaned the prisoner. "god help me, i would not have th', 'was not the wife; it was the children," groaned the prisoner. "god help me, i would not have them as', 'ot the wife; it was the children," groaned the prisoner. "god help me, i would not have them ashamed', 'e wife; it was the children," groaned the prisoner. "god help me, i would not have them ashamed of t', 'e; it was the children," groaned the prisoner. "god help me, i would not have them ashamed of their ', ' was the children," groaned the prisoner. "god help me, i would not have them ashamed of their fathe', 'the children," groaned the prisoner. "god help me, i would not have them ashamed of their father. my', 'hildren," groaned the prisoner. "god help me, i would not have them ashamed of their father. my god!', 'en," groaned the prisoner. "god help me, i would not have them ashamed of their father. my god! what', 'groaned the prisoner. "god help me, i would not have them ashamed of their father. my god! what an e', 'ed the prisoner. "god help me, i would not have them ashamed of their father. my god! what an exposu', 'e prisoner. "god help me, i would not have them ashamed of their father. my god! what an exposure! w', 'soner. "god help me, i would not have them ashamed of their father. my god! what an exposure! what c', '. "god help me, i would not have them ashamed of their father. my god! what an exposure! what can i ', 'd help me, i would not have them ashamed of their father. my god! what an exposure! what can i do?" ', 'p me, i would not have them ashamed of their father. my god! what an exposure! what can i do?" sherl', ' i would not have them ashamed of their father. my god! what an exposure! what can i do?" sherlock h', 'uld not have them ashamed of their father. my god! what an exposure! what can i do?" sherlock holmes', 'ot have them ashamed of their father. my god! what an exposure! what can i do?" sherlock holmes sat ', 've them ashamed of their father. my god! what an exposure! what can i do?" sherlock holmes sat down ', 'em ashamed of their father. my god! what an exposure! what can i do?" sherlock holmes sat down besid', 'hamed of their father. my god! what an exposure! what can i do?" sherlock holmes sat down beside him', ' of their father. my god! what an exposure! what can i do?" sherlock holmes sat down beside him on t', 'heir father. my god! what an exposure! what can i do?" sherlock holmes sat down beside him on the co', 'father. my god! what an exposure! what can i do?" sherlock holmes sat down beside him on the couch a', 'r. my god! what an exposure! what can i do?" sherlock holmes sat down beside him on the couch and pa', ' god! what an exposure! what can i do?" sherlock holmes sat down beside him on the couch and patted ', ' what an exposure! what can i do?" sherlock holmes sat down beside him on the couch and patted him k', ' an exposure! what can i do?" sherlock holmes sat down beside him on the couch and patted him kindly', 'xposure! what can i do?" sherlock holmes sat down beside him on the couch and patted him kindly on t', 're! what can i do?" sherlock holmes sat down beside him on the couch and patted him kindly on the sh', 'hat can i do?" sherlock holmes sat down beside him on the couch and patted him kindly on the shoulde', 'an i do?" sherlock holmes sat down beside him on the couch and patted him kindly on the shoulder. "i', 'do?" sherlock holmes sat down beside him on the couch and patted him kindly on the shoulder. "if you', 'sherlock holmes sat down beside him on the couch and patted him kindly on the shoulder. "if you leav', 'ock holmes sat down beside him on the couch and patted him kindly on the shoulder. "if you leave it ', 'olmes sat down beside him on the couch and patted him kindly on the shoulder. "if you leave it to a ', ' sat down beside him on the couch and patted him kindly on the shoulder. "if you leave it to a court', 'down beside him on the couch and patted him kindly on the shoulder. "if you leave it to a court of l', 'beside him on the couch and patted him kindly on the shoulder. "if you leave it to a court of law to', 'e him on the couch and patted him kindly on the shoulder. "if you leave it to a court of law to clea', ' on the couch and patted him kindly on the shoulder. "if you leave it to a court of law to clear the', 'he couch and patted him kindly on the shoulder. "if you leave it to a court of law to clear the matt', 'uch and patted him kindly on the shoulder. "if you leave it to a court of law to clear the matter up', 'nd patted him kindly on the shoulder. "if you leave it to a court of law to clear the matter up," sa', 'tted him kindly on the shoulder. "if you leave it to a court of law to clear the matter up," said he', 'him kindly on the shoulder. "if you leave it to a court of law to clear the matter up," said he, "of', 'indly on the shoulder. "if you leave it to a court of law to clear the matter up," said he, "of cour', ' on the shoulder. "if you leave it to a court of law to clear the matter up," said he, "of course yo', 'he shoulder. "if you leave it to a court of law to clear the matter up," said he, "of course you can', 'oulder. "if you leave it to a court of law to clear the matter up," said he, "of course you can hard', 'r. "if you leave it to a court of law to clear the matter up," said he, "of course you can hardly av', 'f you leave it to a court of law to clear the matter up," said he, "of course you can hardly avoid p', ' leave it to a court of law to clear the matter up," said he, "of course you can hardly avoid public', 'e it to a court of law to clear the matter up," said he, "of course you can hardly avoid publicity. ', 'to a court of law to clear the matter up," said he, "of course you can hardly avoid publicity. on th', 'court of law to clear the matter up," said he, "of course you can hardly avoid publicity. on the oth', ' of law to clear the matter up," said he, "of course you can hardly avoid publicity. on the other ha', 'aw to clear the matter up," said he, "of course you can hardly avoid publicity. on the other hand, i', ' clear the matter up," said he, "of course you can hardly avoid publicity. on the other hand, if you', 'r the matter up," said he, "of course you can hardly avoid publicity. on the other hand, if you conv', ' matter up," said he, "of course you can hardly avoid publicity. on the other hand, if you convince ', 'er up," said he, "of course you can hardly avoid publicity. on the other hand, if you convince the p', '," said he, "of course you can hardly avoid publicity. on the other hand, if you convince the police', 'id he, "of course you can hardly avoid publicity. on the other hand, if you convince the police auth', ', "of course you can hardly avoid publicity. on the other hand, if you convince the police authoriti', ' course you can hardly avoid publicity. on the other hand, if you convince the police authorities th', 'se you can hardly avoid publicity. on the other hand, if you convince the police authorities that th', 'u can hardly avoid publicity. on the other hand, if you convince the police authorities that there i', ' hardly avoid publicity. on the other hand, if you convince the police authorities that there is no ', 'ly avoid publicity. on the other hand, if you convince the police authorities that there is no possi', 'oid publicity. on the other hand, if you convince the police authorities that there is no possible c', 'ublicity. on the other hand, if you convince the police authorities that there is no possible case a', 'ity. on the other hand, if you convince the police authorities that there is no possible case agains', 'on the other hand, if you convince the police authorities that there is no possible case against you', 'e other hand, if you convince the police authorities that there is no possible case against you, i d', 'er hand, if you convince the police authorities that there is no possible case against you, i do not', 'nd, if you convince the police authorities that there is no possible case against you, i do not know', 'f you convince the police authorities that there is no possible case against you, i do not know that', ' convince the police authorities that there is no possible case against you, i do not know that ther', 'ince the police authorities that there is no possible case against you, i do not know that there is ', 'the police authorities that there is no possible case against you, i do not know that there is any r', 'olice authorities that there is no possible case against you, i do not know that there is any reason', ' authorities that there is no possible case against you, i do not know that there is any reason that', 'orities that there is no possible case against you, i do not know that there is any reason that the ', 'es that there is no possible case against you, i do not know that there is any reason that the detai', 'at there is no possible case against you, i do not know that there is any reason that the details sh', 'ere is no possible case against you, i do not know that there is any reason that the details should ', 's no possible case against you, i do not know that there is any reason that the details should find ', 'possible case against you, i do not know that there is any reason that the details should find their', 'ble case against you, i do not know that there is any reason that the details should find their way ', 'ase against you, i do not know that there is any reason that the details should find their way into ', 'gainst you, i do not know that there is any reason that the details should find their way into the p', 't you, i do not know that there is any reason that the details should find their way into the papers', ', i do not know that there is any reason that the details should find their way into the papers. ins', 'o not know that there is any reason that the details should find their way into the papers. inspecto', ' know that there is any reason that the details should find their way into the papers. inspector bra', ' that there is any reason that the details should find their way into the papers. inspector bradstre', ' there is any reason that the details should find their way into the papers. inspector bradstreet wo', 'e is any reason that the details should find their way into the papers. inspector bradstreet would, ', 'any reason that the details should find their way into the papers. inspector bradstreet would, i am ', 'eason that the details should find their way into the papers. inspector bradstreet would, i am sure,', ' that the details should find their way into the papers. inspector bradstreet would, i am sure, make', ' the details should find their way into the papers. inspector bradstreet would, i am sure, make note', 'details should find their way into the papers. inspector bradstreet would, i am sure, make notes upo', 'ls should find their way into the papers. inspector bradstreet would, i am sure, make notes upon any', 'ould find their way into the papers. inspector bradstreet would, i am sure, make notes upon anything', 'find their way into the papers. inspector bradstreet would, i am sure, make notes upon anything whic', 'their way into the papers. inspector bradstreet would, i am sure, make notes upon anything which you', ' way into the papers. inspector bradstreet would, i am sure, make notes upon anything which you migh', 'into the papers. inspector bradstreet would, i am sure, make notes upon anything which you might tel', 'the papers. inspector bradstreet would, i am sure, make notes upon anything which you might tell us ', 'apers. inspector bradstreet would, i am sure, make notes upon anything which you might tell us and s', '. inspector bradstreet would, i am sure, make notes upon anything which you might tell us and submit', 'pector bradstreet would, i am sure, make notes upon anything which you might tell us and submit it t', 'r bradstreet would, i am sure, make notes upon anything which you might tell us and submit it to the', 'dstreet would, i am sure, make notes upon anything which you might tell us and submit it to the prop', 'et would, i am sure, make notes upon anything which you might tell us and submit it to the proper au', 'uld, i am sure, make notes upon anything which you might tell us and submit it to the proper authori', 'i am sure, make notes upon anything which you might tell us and submit it to the proper authorities.', 'sure, make notes upon anything which you might tell us and submit it to the proper authorities. the ', ' make notes upon anything which you might tell us and submit it to the proper authorities. the case ', ' notes upon anything which you might tell us and submit it to the proper authorities. the case would', 's upon anything which you might tell us and submit it to the proper authorities. the case would then', 'n anything which you might tell us and submit it to the proper authorities. the case would then neve', 'thing which you might tell us and submit it to the proper authorities. the case would then never go ', ' which you might tell us and submit it to the proper authorities. the case would then never go into ', 'h you might tell us and submit it to the proper authorities. the case would then never go into court', ' might tell us and submit it to the proper authorities. the case would then never go into court at a', 't tell us and submit it to the proper authorities. the case would then never go into court at all." ', 'l us and submit it to the proper authorities. the case would then never go into court at all." "god ', 'and submit it to the proper authorities. the case would then never go into court at all." "god bless', 'ubmit it to the proper authorities. the case would then never go into court at all." "god bless you ', ' it to the proper authorities. the case would then never go into court at all." "god bless you cried', 'o the proper authorities. the case would then never go into court at all." "god bless you cried the ', ' proper authorities. the case would then never go into court at all." "god bless you cried the priso', 'er authorities. the case would then never go into court at all." "god bless you cried the prisoner p', 'thorities. the case would then never go into court at all." "god bless you cried the prisoner passio', 'ties. the case would then never go into court at all." "god bless you cried the prisoner passionatel', ' the case would then never go into court at all." "god bless you cried the prisoner passionately. "i', 'case would then never go into court at all." "god bless you cried the prisoner passionately. "i woul', 'would then never go into court at all." "god bless you cried the prisoner passionately. "i would hav', ' then never go into court at all." "god bless you cried the prisoner passionately. "i would have end', ' never go into court at all." "god bless you cried the prisoner passionately. "i would have endured ', 'r go into court at all." "god bless you cried the prisoner passionately. "i would have endured impri', 'into court at all." "god bless you cried the prisoner passionately. "i would have endured imprisonme', 'court at all." "god bless you cried the prisoner passionately. "i would have endured imprisonment, a', ' at all." "god bless you cried the prisoner passionately. "i would have endured imprisonment, ay, ev', 'll." "god bless you cried the prisoner passionately. "i would have endured imprisonment, ay, even ex', '"god bless you cried the prisoner passionately. "i would have endured imprisonment, ay, even executi', 'bless you cried the prisoner passionately. "i would have endured imprisonment, ay, even execution, r', ' you cried the prisoner passionately. "i would have endured imprisonment, ay, even execution, rather', 'cried the prisoner passionately. "i would have endured imprisonment, ay, even execution, rather than', ' the prisoner passionately. "i would have endured imprisonment, ay, even execution, rather than have', 'prisoner passionately. "i would have endured imprisonment, ay, even execution, rather than have left', 'ner passionately. "i would have endured imprisonment, ay, even execution, rather than have left my m', 'assionately. "i would have endured imprisonment, ay, even execution, rather than have left my misera', 'nately. "i would have endured imprisonment, ay, even execution, rather than have left my miserable s', 'y. "i would have endured imprisonment, ay, even execution, rather than have left my miserable secret', ' would have endured imprisonment, ay, even execution, rather than have left my miserable secret as a', 'd have endured imprisonment, ay, even execution, rather than have left my miserable secret as a fami', 'e endured imprisonment, ay, even execution, rather than have left my miserable secret as a family bl', 'ured imprisonment, ay, even execution, rather than have left my miserable secret as a family blot to', 'imprisonment, ay, even execution, rather than have left my miserable secret as a family blot to my c', 'sonment, ay, even execution, rather than have left my miserable secret as a family blot to my childr', 'nt, ay, even execution, rather than have left my miserable secret as a family blot to my children. "', 'y, even execution, rather than have left my miserable secret as a family blot to my children. "you a', 'en execution, rather than have left my miserable secret as a family blot to my children. "you are th', 'ecution, rather than have left my miserable secret as a family blot to my children. "you are the fir', 'on, rather than have left my miserable secret as a family blot to my children. "you are the first wh', 'ather than have left my miserable secret as a family blot to my children. "you are the first who hav', ' than have left my miserable secret as a family blot to my children. "you are the first who have eve', ' have left my miserable secret as a family blot to my children. "you are the first who have ever hea', ' left my miserable secret as a family blot to my children. "you are the first who have ever heard my', ' my miserable secret as a family blot to my children. "you are the first who have ever heard my stor', 'iserable secret as a family blot to my children. "you are the first who have ever heard my story. my', 'ble secret as a family blot to my children. "you are the first who have ever heard my story. my fath', 'ecret as a family blot to my children. "you are the first who have ever heard my story. my father wa', ' as a family blot to my children. "you are the first who have ever heard my story. my father was a s', ' family blot to my children. "you are the first who have ever heard my story. my father was a school', 'ly blot to my children. "you are the first who have ever heard my story. my father was a schoolmaste', 'ot to my children. "you are the first who have ever heard my story. my father was a schoolmaster in ', ' my children. "you are the first who have ever heard my story. my father was a schoolmaster in chest', 'hildren. "you are the first who have ever heard my story. my father was a schoolmaster in chesterfie', 'en. "you are the first who have ever heard my story. my father was a schoolmaster in chesterfield, w', 'you are the first who have ever heard my story. my father was a schoolmaster in chesterfield, where ', 're the first who have ever heard my story. my father was a schoolmaster in chesterfield, where i rec', 'e first who have ever heard my story. my father was a schoolmaster in chesterfield, where i received', 'st who have ever heard my story. my father was a schoolmaster in chesterfield, where i received an e', 'o have ever heard my story. my father was a schoolmaster in chesterfield, where i received an excell', 'e ever heard my story. my father was a schoolmaster in chesterfield, where i received an excellent e', 'r heard my story. my father was a schoolmaster in chesterfield, where i received an excellent educat', 'rd my story. my father was a schoolmaster in chesterfield, where i received an excellent education. ', ' story. my father was a schoolmaster in chesterfield, where i received an excellent education. i tra', 'y. my father was a schoolmaster in chesterfield, where i received an excellent education. i travelle', ' father was a schoolmaster in chesterfield, where i received an excellent education. i travelled in ', 'er was a schoolmaster in chesterfield, where i received an excellent education. i travelled in my yo', 's a schoolmaster in chesterfield, where i received an excellent education. i travelled in my youth, ', 'choolmaster in chesterfield, where i received an excellent education. i travelled in my youth, took ', 'master in chesterfield, where i received an excellent education. i travelled in my youth, took to th', 'r in chesterfield, where i received an excellent education. i travelled in my youth, took to the sta', 'chesterfield, where i received an excellent education. i travelled in my youth, took to the stage, a', 'erfield, where i received an excellent education. i travelled in my youth, took to the stage, and fi', 'ld, where i received an excellent education. i travelled in my youth, took to the stage, and finally', 'here i received an excellent education. i travelled in my youth, took to the stage, and finally beca', 'i received an excellent education. i travelled in my youth, took to the stage, and finally became a ', 'eived an excellent education. i travelled in my youth, took to the stage, and finally became a repor', ' an excellent education. i travelled in my youth, took to the stage, and finally became a reporter o', 'xcellent education. i travelled in my youth, took to the stage, and finally became a reporter on an ', 'ent education. i travelled in my youth, took to the stage, and finally became a reporter on an eveni', 'ducation. i travelled in my youth, took to the stage, and finally became a reporter on an evening pa', 'ion. i travelled in my youth, took to the stage, and finally became a reporter on an evening paper i', 'i travelled in my youth, took to the stage, and finally became a reporter on an evening paper in lon', 'velled in my youth, took to the stage, and finally became a reporter on an evening paper in london. ', 'd in my youth, took to the stage, and finally became a reporter on an evening paper in london. one d', 'my youth, took to the stage, and finally became a reporter on an evening paper in london. one day my', 'uth, took to the stage, and finally became a reporter on an evening paper in london. one day my edit', 'took to the stage, and finally became a reporter on an evening paper in london. one day my editor wi', 'to the stage, and finally became a reporter on an evening paper in london. one day my editor wished ', 'e stage, and finally became a reporter on an evening paper in london. one day my editor wished to ha', 'ge, and finally became a reporter on an evening paper in london. one day my editor wished to have a ', 'nd finally became a reporter on an evening paper in london. one day my editor wished to have a serie', 'nally became a reporter on an evening paper in london. one day my editor wished to have a series of ', ' became a reporter on an evening paper in london. one day my editor wished to have a series of artic', 'me a reporter on an evening paper in london. one day my editor wished to have a series of articles u', 'reporter on an evening paper in london. one day my editor wished to have a series of articles upon b', 'ter on an evening paper in london. one day my editor wished to have a series of articles upon beggin', 'n an evening paper in london. one day my editor wished to have a series of articles upon begging in ', 'evening paper in london. one day my editor wished to have a series of articles upon begging in the m', 'ng paper in london. one day my editor wished to have a series of articles upon begging in the metrop', 'per in london. one day my editor wished to have a series of articles upon begging in the metropolis,', 'n london. one day my editor wished to have a series of articles upon begging in the metropolis, and ', 'don. one day my editor wished to have a series of articles upon begging in the metropolis, and i vol', 'one day my editor wished to have a series of articles upon begging in the metropolis, and i voluntee', 'ay my editor wished to have a series of articles upon begging in the metropolis, and i volunteered t', ' editor wished to have a series of articles upon begging in the metropolis, and i volunteered to sup', 'or wished to have a series of articles upon begging in the metropolis, and i volunteered to supply t', 'shed to have a series of articles upon begging in the metropolis, and i volunteered to supply them. ', 'to have a series of articles upon begging in the metropolis, and i volunteered to supply them. there', 've a series of articles upon begging in the metropolis, and i volunteered to supply them. there was ', 'series of articles upon begging in the metropolis, and i volunteered to supply them. there was the p', 's of articles upon begging in the metropolis, and i volunteered to supply them. there was the point ', 'articles upon begging in the metropolis, and i volunteered to supply them. there was the point from ', 'les upon begging in the metropolis, and i volunteered to supply them. there was the point from which', 'pon begging in the metropolis, and i volunteered to supply them. there was the point from which all ', 'egging in the metropolis, and i volunteered to supply them. there was the point from which all my ad', 'g in the metropolis, and i volunteered to supply them. there was the point from which all my adventu', 'the metropolis, and i volunteered to supply them. there was the point from which all my adventures s', 'etropolis, and i volunteered to supply them. there was the point from which all my adventures starte', 'olis, and i volunteered to supply them. there was the point from which all my adventures started. it', ' and i volunteered to supply them. there was the point from which all my adventures started. it was ', 'i volunteered to supply them. there was the point from which all my adventures started. it was only ', 'unteered to supply them. there was the point from which all my adventures started. it was only by tr', 'red to supply them. there was the point from which all my adventures started. it was only by trying ', 'o supply them. there was the point from which all my adventures started. it was only by trying beggi', 'ply them. there was the point from which all my adventures started. it was only by trying begging as', 'hem. there was the point from which all my adventures started. it was only by trying begging as an a', 'there was the point from which all my adventures started. it was only by trying begging as an amateu', ' was the point from which all my adventures started. it was only by trying begging as an amateur tha', 'the point from which all my adventures started. it was only by trying begging as an amateur that i c', 'oint from which all my adventures started. it was only by trying begging as an amateur that i could ', 'from which all my adventures started. it was only by trying begging as an amateur that i could get t', 'which all my adventures started. it was only by trying begging as an amateur that i could get the fa', ' all my adventures started. it was only by trying begging as an amateur that i could get the facts u', 'my adventures started. it was only by trying begging as an amateur that i could get the facts upon w', 'ventures started. it was only by trying begging as an amateur that i could get the facts upon which ', 'res started. it was only by trying begging as an amateur that i could get the facts upon which to ba', 'tarted. it was only by trying begging as an amateur that i could get the facts upon which to base my', 'd. it was only by trying begging as an amateur that i could get the facts upon which to base my arti', ' was only by trying begging as an amateur that i could get the facts upon which to base my articles.', 'only by trying begging as an amateur that i could get the facts upon which to base my articles. when', 'by trying begging as an amateur that i could get the facts upon which to base my articles. when an a', 'ying begging as an amateur that i could get the facts upon which to base my articles. when an actor ', 'begging as an amateur that i could get the facts upon which to base my articles. when an actor i had', 'ng as an amateur that i could get the facts upon which to base my articles. when an actor i had, of ', ' an amateur that i could get the facts upon which to base my articles. when an actor i had, of cours', 'mateur that i could get the facts upon which to base my articles. when an actor i had, of course, le', 'r that i could get the facts upon which to base my articles. when an actor i had, of course, learned', 't i could get the facts upon which to base my articles. when an actor i had, of course, learned all ', 'ould get the facts upon which to base my articles. when an actor i had, of course, learned all the s', 'get the facts upon which to base my articles. when an actor i had, of course, learned all the secret', 'he facts upon which to base my articles. when an actor i had, of course, learned all the secrets of ', 'cts upon which to base my articles. when an actor i had, of course, learned all the secrets of makin', 'pon which to base my articles. when an actor i had, of course, learned all the secrets of making up,', 'hich to base my articles. when an actor i had, of course, learned all the secrets of making up, and ', 'to base my articles. when an actor i had, of course, learned all the secrets of making up, and had b', 'se my articles. when an actor i had, of course, learned all the secrets of making up, and had been f', ' articles. when an actor i had, of course, learned all the secrets of making up, and had been famous', 'cles. when an actor i had, of course, learned all the secrets of making up, and had been famous in t', ' when an actor i had, of course, learned all the secrets of making up, and had been famous in the gr', ' an actor i had, of course, learned all the secrets of making up, and had been famous in the green-r', 'ctor i had, of course, learned all the secrets of making up, and had been famous in the green-room f', 'i had, of course, learned all the secrets of making up, and had been famous in the green-room for my', ', of course, learned all the secrets of making up, and had been famous in the green-room for my skil', 'course, learned all the secrets of making up, and had been famous in the green-room for my skill. i ', 'e, learned all the secrets of making up, and had been famous in the green-room for my skill. i took ', 'arned all the secrets of making up, and had been famous in the green-room for my skill. i took advan', ' all the secrets of making up, and had been famous in the green-room for my skill. i took advantage ', 'the secrets of making up, and had been famous in the green-room for my skill. i took advantage now o', 'ecrets of making up, and had been famous in the green-room for my skill. i took advantage now of my ', 's of making up, and had been famous in the green-room for my skill. i took advantage now of my attai', 'making up, and had been famous in the green-room for my skill. i took advantage now of my attainment', 'g up, and had been famous in the green-room for my skill. i took advantage now of my attainments. i ', ' and had been famous in the green-room for my skill. i took advantage now of my attainments. i paint', 'had been famous in the green-room for my skill. i took advantage now of my attainments. i painted my', 'een famous in the green-room for my skill. i took advantage now of my attainments. i painted my face', 'amous in the green-room for my skill. i took advantage now of my attainments. i painted my face, and', ' in the green-room for my skill. i took advantage now of my attainments. i painted my face, and to m', 'he green-room for my skill. i took advantage now of my attainments. i painted my face, and to make m', 'een-room for my skill. i took advantage now of my attainments. i painted my face, and to make myself', 'oom for my skill. i took advantage now of my attainments. i painted my face, and to make myself as p', 'or my skill. i took advantage now of my attainments. i painted my face, and to make myself as pitiab', ' skill. i took advantage now of my attainments. i painted my face, and to make myself as pitiable as', 'l. i took advantage now of my attainments. i painted my face, and to make myself as pitiable as poss', 'took advantage now of my attainments. i painted my face, and to make myself as pitiable as possible ', 'advantage now of my attainments. i painted my face, and to make myself as pitiable as possible i mad', 'tage now of my attainments. i painted my face, and to make myself as pitiable as possible i made a g', 'now of my attainments. i painted my face, and to make myself as pitiable as possible i made a good s', 'f my attainments. i painted my face, and to make myself as pitiable as possible i made a good scar a', 'attainments. i painted my face, and to make myself as pitiable as possible i made a good scar and fi', 'nments. i painted my face, and to make myself as pitiable as possible i made a good scar and fixed o', 's. i painted my face, and to make myself as pitiable as possible i made a good scar and fixed one si', 'painted my face, and to make myself as pitiable as possible i made a good scar and fixed one side of', 'ed my face, and to make myself as pitiable as possible i made a good scar and fixed one side of my l', ' face, and to make myself as pitiable as possible i made a good scar and fixed one side of my lip in', ', and to make myself as pitiable as possible i made a good scar and fixed one side of my lip in a tw', ' to make myself as pitiable as possible i made a good scar and fixed one side of my lip in a twist b', 'ake myself as pitiable as possible i made a good scar and fixed one side of my lip in a twist by the', 'yself as pitiable as possible i made a good scar and fixed one side of my lip in a twist by the aid ', ' as pitiable as possible i made a good scar and fixed one side of my lip in a twist by the aid of a ', 'itiable as possible i made a good scar and fixed one side of my lip in a twist by the aid of a small', 'le as possible i made a good scar and fixed one side of my lip in a twist by the aid of a small slip', ' possible i made a good scar and fixed one side of my lip in a twist by the aid of a small slip of f', 'ible i made a good scar and fixed one side of my lip in a twist by the aid of a small slip of flesh-', 'i made a good scar and fixed one side of my lip in a twist by the aid of a small slip of flesh-colou', 'e a good scar and fixed one side of my lip in a twist by the aid of a small slip of flesh-coloured p', 'ood scar and fixed one side of my lip in a twist by the aid of a small slip of flesh-coloured plaste', 'car and fixed one side of my lip in a twist by the aid of a small slip of flesh-coloured plaster. th', 'nd fixed one side of my lip in a twist by the aid of a small slip of flesh-coloured plaster. then wi', 'xed one side of my lip in a twist by the aid of a small slip of flesh-coloured plaster. then with a ', 'ne side of my lip in a twist by the aid of a small slip of flesh-coloured plaster. then with a red h', 'de of my lip in a twist by the aid of a small slip of flesh-coloured plaster. then with a red head o', ' my lip in a twist by the aid of a small slip of flesh-coloured plaster. then with a red head of hai', 'ip in a twist by the aid of a small slip of flesh-coloured plaster. then with a red head of hair, an', ' a twist by the aid of a small slip of flesh-coloured plaster. then with a red head of hair, and an ', 'ist by the aid of a small slip of flesh-coloured plaster. then with a red head of hair, and an appro', 'y the aid of a small slip of flesh-coloured plaster. then with a red head of hair, and an appropriat', ' aid of a small slip of flesh-coloured plaster. then with a red head of hair, and an appropriate dre', 'of a small slip of flesh-coloured plaster. then with a red head of hair, and an appropriate dress, i', 'small slip of flesh-coloured plaster. then with a red head of hair, and an appropriate dress, i took', ' slip of flesh-coloured plaster. then with a red head of hair, and an appropriate dress, i took my s', ' of flesh-coloured plaster. then with a red head of hair, and an appropriate dress, i took my statio', 'lesh-coloured plaster. then with a red head of hair, and an appropriate dress, i took my station in ', 'coloured plaster. then with a red head of hair, and an appropriate dress, i took my station in the b', 'red plaster. then with a red head of hair, and an appropriate dress, i took my station in the busine', 'laster. then with a red head of hair, and an appropriate dress, i took my station in the business pa', 'r. then with a red head of hair, and an appropriate dress, i took my station in the business part of', 'en with a red head of hair, and an appropriate dress, i took my station in the business part of the ', 'th a red head of hair, and an appropriate dress, i took my station in the business part of the city,', 'red head of hair, and an appropriate dress, i took my station in the business part of the city, oste', 'ead of hair, and an appropriate dress, i took my station in the business part of the city, ostensibl', 'f hair, and an appropriate dress, i took my station in the business part of the city, ostensibly as ', 'r, and an appropriate dress, i took my station in the business part of the city, ostensibly as a mat', 'd an appropriate dress, i took my station in the business part of the city, ostensibly as a match-se', 'appropriate dress, i took my station in the business part of the city, ostensibly as a match-seller ', 'priate dress, i took my station in the business part of the city, ostensibly as a match-seller but r', 'e dress, i took my station in the business part of the city, ostensibly as a match-seller but really', 'ss, i took my station in the business part of the city, ostensibly as a match-seller but really as a', ' took my station in the business part of the city, ostensibly as a match-seller but really as a begg', ' my station in the business part of the city, ostensibly as a match-seller but really as a beggar. f', 'tation in the business part of the city, ostensibly as a match-seller but really as a beggar. for se', 'n in the business part of the city, ostensibly as a match-seller but really as a beggar. for seven h', 'the business part of the city, ostensibly as a match-seller but really as a beggar. for seven hours ', 'usiness part of the city, ostensibly as a match-seller but really as a beggar. for seven hours i pli', 'ss part of the city, ostensibly as a match-seller but really as a beggar. for seven hours i plied my', 'rt of the city, ostensibly as a match-seller but really as a beggar. for seven hours i plied my trad', ' the city, ostensibly as a match-seller but really as a beggar. for seven hours i plied my trade, an', 'city, ostensibly as a match-seller but really as a beggar. for seven hours i plied my trade, and whe', ' ostensibly as a match-seller but really as a beggar. for seven hours i plied my trade, and when i r', 'nsibly as a match-seller but really as a beggar. for seven hours i plied my trade, and when i return', 'y as a match-seller but really as a beggar. for seven hours i plied my trade, and when i returned ho', 'a match-seller but really as a beggar. for seven hours i plied my trade, and when i returned home in', 'ch-seller but really as a beggar. for seven hours i plied my trade, and when i returned home in the ', 'ller but really as a beggar. for seven hours i plied my trade, and when i returned home in the eveni', 'but really as a beggar. for seven hours i plied my trade, and when i returned home in the evening i ', 'eally as a beggar. for seven hours i plied my trade, and when i returned home in the evening i found', ' as a beggar. for seven hours i plied my trade, and when i returned home in the evening i found to m', ' beggar. for seven hours i plied my trade, and when i returned home in the evening i found to my sur', 'ar. for seven hours i plied my trade, and when i returned home in the evening i found to my surprise', 'or seven hours i plied my trade, and when i returned home in the evening i found to my surprise that', 'ven hours i plied my trade, and when i returned home in the evening i found to my surprise that i ha', 'ours i plied my trade, and when i returned home in the evening i found to my surprise that i had rec', 'i plied my trade, and when i returned home in the evening i found to my surprise that i had received', 'ed my trade, and when i returned home in the evening i found to my surprise that i had received no l', ' trade, and when i returned home in the evening i found to my surprise that i had received no less t', 'e, and when i returned home in the evening i found to my surprise that i had received no less than ', 'd when i returned home in the evening i found to my surprise that i had received no less than s. d.', 'n i returned home in the evening i found to my surprise that i had received no less than s. d. "i w', 'eturned home in the evening i found to my surprise that i had received no less than s. d. "i wrote ', 'ed home in the evening i found to my surprise that i had received no less than s. d. "i wrote my ar', 'me in the evening i found to my surprise that i had received no less than s. d. "i wrote my article', ' the evening i found to my surprise that i had received no less than s. d. "i wrote my articles and', 'evening i found to my surprise that i had received no less than s. d. "i wrote my articles and thou', 'ng i found to my surprise that i had received no less than s. d. "i wrote my articles and thought l', 'found to my surprise that i had received no less than s. d. "i wrote my articles and thought little', ' to my surprise that i had received no less than s. d. "i wrote my articles and thought little more', 'y surprise that i had received no less than s. d. "i wrote my articles and thought little more of t', 'prise that i had received no less than s. d. "i wrote my articles and thought little more of the ma', ' that i had received no less than s. d. "i wrote my articles and thought little more of the matter ', ' i had received no less than s. d. "i wrote my articles and thought little more of the matter until', 'd received no less than s. d. "i wrote my articles and thought little more of the matter until, som', 'eived no less than s. d. "i wrote my articles and thought little more of the matter until, some tim', ' no less than s. d. "i wrote my articles and thought little more of the matter until, some time lat', 'ess than s. d. "i wrote my articles and thought little more of the matter until, some time later, i', 'han s. d. "i wrote my articles and thought little more of the matter until, some time later, i back', 's. d. "i wrote my articles and thought little more of the matter until, some time later, i backed a ', ' "i wrote my articles and thought little more of the matter until, some time later, i backed a bill ', 'rote my articles and thought little more of the matter until, some time later, i backed a bill for a', 'my articles and thought little more of the matter until, some time later, i backed a bill for a frie', 'ticles and thought little more of the matter until, some time later, i backed a bill for a friend an', 's and thought little more of the matter until, some time later, i backed a bill for a friend and had', ' thought little more of the matter until, some time later, i backed a bill for a friend and had a wr', 'ght little more of the matter until, some time later, i backed a bill for a friend and had a writ se', 'ittle more of the matter until, some time later, i backed a bill for a friend and had a writ served ', ' more of the matter until, some time later, i backed a bill for a friend and had a writ served upon ', ' of the matter until, some time later, i backed a bill for a friend and had a writ served upon me fo', 'he matter until, some time later, i backed a bill for a friend and had a writ served upon me for po', 'tter until, some time later, i backed a bill for a friend and had a writ served upon me for pounds.', 'until, some time later, i backed a bill for a friend and had a writ served upon me for pounds. i wa', ', some time later, i backed a bill for a friend and had a writ served upon me for pounds. i was at ', 'e time later, i backed a bill for a friend and had a writ served upon me for pounds. i was at my wi', "e later, i backed a bill for a friend and had a writ served upon me for pounds. i was at my wit's e", "er, i backed a bill for a friend and had a writ served upon me for pounds. i was at my wit's end wh", " backed a bill for a friend and had a writ served upon me for pounds. i was at my wit's end where t", "ed a bill for a friend and had a writ served upon me for pounds. i was at my wit's end where to get", "bill for a friend and had a writ served upon me for pounds. i was at my wit's end where to get the ", "for a friend and had a writ served upon me for pounds. i was at my wit's end where to get the money", " friend and had a writ served upon me for pounds. i was at my wit's end where to get the money, but", "nd and had a writ served upon me for pounds. i was at my wit's end where to get the money, but a su", "d had a writ served upon me for pounds. i was at my wit's end where to get the money, but a sudden ", " a writ served upon me for pounds. i was at my wit's end where to get the money, but a sudden idea ", "it served upon me for pounds. i was at my wit's end where to get the money, but a sudden idea came ", "rved upon me for pounds. i was at my wit's end where to get the money, but a sudden idea came to me", "upon me for pounds. i was at my wit's end where to get the money, but a sudden idea came to me. i b", "me for pounds. i was at my wit's end where to get the money, but a sudden idea came to me. i begged", "r pounds. i was at my wit's end where to get the money, but a sudden idea came to me. i begged a fo", "unds. i was at my wit's end where to get the money, but a sudden idea came to me. i begged a fortnig", " i was at my wit's end where to get the money, but a sudden idea came to me. i begged a fortnight's ", "s at my wit's end where to get the money, but a sudden idea came to me. i begged a fortnight's grace", "my wit's end where to get the money, but a sudden idea came to me. i begged a fortnight's grace from", "t's end where to get the money, but a sudden idea came to me. i begged a fortnight's grace from the ", "nd where to get the money, but a sudden idea came to me. i begged a fortnight's grace from the credi", "ere to get the money, but a sudden idea came to me. i begged a fortnight's grace from the creditor, ", "o get the money, but a sudden idea came to me. i begged a fortnight's grace from the creditor, asked", " the money, but a sudden idea came to me. i begged a fortnight's grace from the creditor, asked for ", "money, but a sudden idea came to me. i begged a fortnight's grace from the creditor, asked for a hol", ", but a sudden idea came to me. i begged a fortnight's grace from the creditor, asked for a holiday ", " a sudden idea came to me. i begged a fortnight's grace from the creditor, asked for a holiday from ", "dden idea came to me. i begged a fortnight's grace from the creditor, asked for a holiday from my em", "idea came to me. i begged a fortnight's grace from the creditor, asked for a holiday from my employe", "came to me. i begged a fortnight's grace from the creditor, asked for a holiday from my employers, a", "to me. i begged a fortnight's grace from the creditor, asked for a holiday from my employers, and sp", ". i begged a fortnight's grace from the creditor, asked for a holiday from my employers, and spent t", "egged a fortnight's grace from the creditor, asked for a holiday from my employers, and spent the ti", " a fortnight's grace from the creditor, asked for a holiday from my employers, and spent the time in", "rtnight's grace from the creditor, asked for a holiday from my employers, and spent the time in begg", "ht's grace from the creditor, asked for a holiday from my employers, and spent the time in begging i", 'grace from the creditor, asked for a holiday from my employers, and spent the time in begging in the', ' from the creditor, asked for a holiday from my employers, and spent the time in begging in the city', ' the creditor, asked for a holiday from my employers, and spent the time in begging in the city unde', 'creditor, asked for a holiday from my employers, and spent the time in begging in the city under my ', 'tor, asked for a holiday from my employers, and spent the time in begging in the city under my disgu', 'asked for a holiday from my employers, and spent the time in begging in the city under my disguise. ', ' for a holiday from my employers, and spent the time in begging in the city under my disguise. in te', 'a holiday from my employers, and spent the time in begging in the city under my disguise. in ten day', 'iday from my employers, and spent the time in begging in the city under my disguise. in ten days i h', 'from my employers, and spent the time in begging in the city under my disguise. in ten days i had th', 'my employers, and spent the time in begging in the city under my disguise. in ten days i had the mon', 'ployers, and spent the time in begging in the city under my disguise. in ten days i had the money an', 'rs, and spent the time in begging in the city under my disguise. in ten days i had the money and had', 'nd spent the time in begging in the city under my disguise. in ten days i had the money and had paid', 'ent the time in begging in the city under my disguise. in ten days i had the money and had paid the ', 'he time in begging in the city under my disguise. in ten days i had the money and had paid the debt.', 'me in begging in the city under my disguise. in ten days i had the money and had paid the debt. "wel', ' begging in the city under my disguise. in ten days i had the money and had paid the debt. "well, yo', 'ing in the city under my disguise. in ten days i had the money and had paid the debt. "well, you can', 'n the city under my disguise. in ten days i had the money and had paid the debt. "well, you can imag', ' city under my disguise. in ten days i had the money and had paid the debt. "well, you can imagine h', ' under my disguise. in ten days i had the money and had paid the debt. "well, you can imagine how ha', 'r my disguise. in ten days i had the money and had paid the debt. "well, you can imagine how hard it', 'disguise. in ten days i had the money and had paid the debt. "well, you can imagine how hard it was ', 'ise. in ten days i had the money and had paid the debt. "well, you can imagine how hard it was to se', 'in ten days i had the money and had paid the debt. "well, you can imagine how hard it was to settle ', 'n days i had the money and had paid the debt. "well, you can imagine how hard it was to settle down ', 's i had the money and had paid the debt. "well, you can imagine how hard it was to settle down to ar', 'ad the money and had paid the debt. "well, you can imagine how hard it was to settle down to arduous', 'e money and had paid the debt. "well, you can imagine how hard it was to settle down to arduous work', 'ey and had paid the debt. "well, you can imagine how hard it was to settle down to arduous work at ', 'd had paid the debt. "well, you can imagine how hard it was to settle down to arduous work at pound', ' paid the debt. "well, you can imagine how hard it was to settle down to arduous work at pounds a w', ' the debt. "well, you can imagine how hard it was to settle down to arduous work at pounds a week w', 'debt. "well, you can imagine how hard it was to settle down to arduous work at pounds a week when i', ' "well, you can imagine how hard it was to settle down to arduous work at pounds a week when i knew', 'l, you can imagine how hard it was to settle down to arduous work at pounds a week when i knew that', 'u can imagine how hard it was to settle down to arduous work at pounds a week when i knew that i co', ' imagine how hard it was to settle down to arduous work at pounds a week when i knew that i could e', 'ine how hard it was to settle down to arduous work at pounds a week when i knew that i could earn a', 'ow hard it was to settle down to arduous work at pounds a week when i knew that i could earn as muc', 'rd it was to settle down to arduous work at pounds a week when i knew that i could earn as much in ', ' was to settle down to arduous work at pounds a week when i knew that i could earn as much in a day', 'to settle down to arduous work at pounds a week when i knew that i could earn as much in a day by s', 'ttle down to arduous work at pounds a week when i knew that i could earn as much in a day by smeari', 'down to arduous work at pounds a week when i knew that i could earn as much in a day by smearing my', 'to arduous work at pounds a week when i knew that i could earn as much in a day by smearing my face', 'duous work at pounds a week when i knew that i could earn as much in a day by smearing my face with', ' work at pounds a week when i knew that i could earn as much in a day by smearing my face with a li', ' at pounds a week when i knew that i could earn as much in a day by smearing my face with a little ', 'pounds a week when i knew that i could earn as much in a day by smearing my face with a little paint', 's a week when i knew that i could earn as much in a day by smearing my face with a little paint, lay', 'eek when i knew that i could earn as much in a day by smearing my face with a little paint, laying m', 'hen i knew that i could earn as much in a day by smearing my face with a little paint, laying my cap', ' knew that i could earn as much in a day by smearing my face with a little paint, laying my cap on t', ' that i could earn as much in a day by smearing my face with a little paint, laying my cap on the gr', ' i could earn as much in a day by smearing my face with a little paint, laying my cap on the ground,', 'uld earn as much in a day by smearing my face with a little paint, laying my cap on the ground, and ', 'arn as much in a day by smearing my face with a little paint, laying my cap on the ground, and sitti', 's much in a day by smearing my face with a little paint, laying my cap on the ground, and sitting st', 'h in a day by smearing my face with a little paint, laying my cap on the ground, and sitting still. ', 'a day by smearing my face with a little paint, laying my cap on the ground, and sitting still. it wa', ' by smearing my face with a little paint, laying my cap on the ground, and sitting still. it was a l', 'mearing my face with a little paint, laying my cap on the ground, and sitting still. it was a long f', 'ng my face with a little paint, laying my cap on the ground, and sitting still. it was a long fight ', ' face with a little paint, laying my cap on the ground, and sitting still. it was a long fight betwe', ' with a little paint, laying my cap on the ground, and sitting still. it was a long fight between my', ' a little paint, laying my cap on the ground, and sitting still. it was a long fight between my prid', 'ttle paint, laying my cap on the ground, and sitting still. it was a long fight between my pride and', 'paint, laying my cap on the ground, and sitting still. it was a long fight between my pride and the ', ', laying my cap on the ground, and sitting still. it was a long fight between my pride and the money', 'ing my cap on the ground, and sitting still. it was a long fight between my pride and the money, but', 'y cap on the ground, and sitting still. it was a long fight between my pride and the money, but the ', ' on the ground, and sitting still. it was a long fight between my pride and the money, but the dolla', 'he ground, and sitting still. it was a long fight between my pride and the money, but the dollars wo', 'ound, and sitting still. it was a long fight between my pride and the money, but the dollars won at ', ' and sitting still. it was a long fight between my pride and the money, but the dollars won at last,', 'sitting still. it was a long fight between my pride and the money, but the dollars won at last, and ', 'ng still. it was a long fight between my pride and the money, but the dollars won at last, and i thr', 'ill. it was a long fight between my pride and the money, but the dollars won at last, and i threw up', 'it was a long fight between my pride and the money, but the dollars won at last, and i threw up repo', 's a long fight between my pride and the money, but the dollars won at last, and i threw up reporting', 'ong fight between my pride and the money, but the dollars won at last, and i threw up reporting and ', 'ight between my pride and the money, but the dollars won at last, and i threw up reporting and sat d', 'between my pride and the money, but the dollars won at last, and i threw up reporting and sat day af', 'en my pride and the money, but the dollars won at last, and i threw up reporting and sat day after d', ' pride and the money, but the dollars won at last, and i threw up reporting and sat day after day in', 'e and the money, but the dollars won at last, and i threw up reporting and sat day after day in the ', ' the money, but the dollars won at last, and i threw up reporting and sat day after day in the corne', 'money, but the dollars won at last, and i threw up reporting and sat day after day in the corner whi', ', but the dollars won at last, and i threw up reporting and sat day after day in the corner which i ', ' the dollars won at last, and i threw up reporting and sat day after day in the corner which i had f', 'dollars won at last, and i threw up reporting and sat day after day in the corner which i had first ', 'rs won at last, and i threw up reporting and sat day after day in the corner which i had first chose', 'n at last, and i threw up reporting and sat day after day in the corner which i had first chosen, in', 'last, and i threw up reporting and sat day after day in the corner which i had first chosen, inspiri', ' and i threw up reporting and sat day after day in the corner which i had first chosen, inspiring pi', 'i threw up reporting and sat day after day in the corner which i had first chosen, inspiring pity by', 'ew up reporting and sat day after day in the corner which i had first chosen, inspiring pity by my g', ' reporting and sat day after day in the corner which i had first chosen, inspiring pity by my ghastl', 'rting and sat day after day in the corner which i had first chosen, inspiring pity by my ghastly fac', ' and sat day after day in the corner which i had first chosen, inspiring pity by my ghastly face and', 'sat day after day in the corner which i had first chosen, inspiring pity by my ghastly face and fill', 'ay after day in the corner which i had first chosen, inspiring pity by my ghastly face and filling m', 'ter day in the corner which i had first chosen, inspiring pity by my ghastly face and filling my poc', 'ay in the corner which i had first chosen, inspiring pity by my ghastly face and filling my pockets ', ' the corner which i had first chosen, inspiring pity by my ghastly face and filling my pockets with ', 'corner which i had first chosen, inspiring pity by my ghastly face and filling my pockets with coppe', 'r which i had first chosen, inspiring pity by my ghastly face and filling my pockets with coppers. o', 'ch i had first chosen, inspiring pity by my ghastly face and filling my pockets with coppers. only o', 'had first chosen, inspiring pity by my ghastly face and filling my pockets with coppers. only one ma', 'irst chosen, inspiring pity by my ghastly face and filling my pockets with coppers. only one man kne', 'chosen, inspiring pity by my ghastly face and filling my pockets with coppers. only one man knew my ', 'n, inspiring pity by my ghastly face and filling my pockets with coppers. only one man knew my secre', 'spiring pity by my ghastly face and filling my pockets with coppers. only one man knew my secret. he', 'ng pity by my ghastly face and filling my pockets with coppers. only one man knew my secret. he was ', 'ty by my ghastly face and filling my pockets with coppers. only one man knew my secret. he was the k', ' my ghastly face and filling my pockets with coppers. only one man knew my secret. he was the keeper', 'hastly face and filling my pockets with coppers. only one man knew my secret. he was the keeper of a', 'y face and filling my pockets with coppers. only one man knew my secret. he was the keeper of a low ', 'e and filling my pockets with coppers. only one man knew my secret. he was the keeper of a low den i', ' filling my pockets with coppers. only one man knew my secret. he was the keeper of a low den in whi', 'ing my pockets with coppers. only one man knew my secret. he was the keeper of a low den in which i ', 'y pockets with coppers. only one man knew my secret. he was the keeper of a low den in which i used ', 'kets with coppers. only one man knew my secret. he was the keeper of a low den in which i used to lo', 'with coppers. only one man knew my secret. he was the keeper of a low den in which i used to lodge i', 'coppers. only one man knew my secret. he was the keeper of a low den in which i used to lodge in swa', 'rs. only one man knew my secret. he was the keeper of a low den in which i used to lodge in swandam ', 'nly one man knew my secret. he was the keeper of a low den in which i used to lodge in swandam lane,', 'ne man knew my secret. he was the keeper of a low den in which i used to lodge in swandam lane, wher', 'n knew my secret. he was the keeper of a low den in which i used to lodge in swandam lane, where i c', 'w my secret. he was the keeper of a low den in which i used to lodge in swandam lane, where i could ', 'secret. he was the keeper of a low den in which i used to lodge in swandam lane, where i could every', 't. he was the keeper of a low den in which i used to lodge in swandam lane, where i could every morn', ' was the keeper of a low den in which i used to lodge in swandam lane, where i could every morning e', 'the keeper of a low den in which i used to lodge in swandam lane, where i could every morning emerge', 'eeper of a low den in which i used to lodge in swandam lane, where i could every morning emerge as a', ' of a low den in which i used to lodge in swandam lane, where i could every morning emerge as a squa', ' low den in which i used to lodge in swandam lane, where i could every morning emerge as a squalid b', 'den in which i used to lodge in swandam lane, where i could every morning emerge as a squalid beggar', 'n which i used to lodge in swandam lane, where i could every morning emerge as a squalid beggar and ', 'ch i used to lodge in swandam lane, where i could every morning emerge as a squalid beggar and in th', 'used to lodge in swandam lane, where i could every morning emerge as a squalid beggar and in the eve', 'to lodge in swandam lane, where i could every morning emerge as a squalid beggar and in the evenings', 'dge in swandam lane, where i could every morning emerge as a squalid beggar and in the evenings tran', 'n swandam lane, where i could every morning emerge as a squalid beggar and in the evenings transform', 'ndam lane, where i could every morning emerge as a squalid beggar and in the evenings transform myse', 'lane, where i could every morning emerge as a squalid beggar and in the evenings transform myself in', ' where i could every morning emerge as a squalid beggar and in the evenings transform myself into a ', 'e i could every morning emerge as a squalid beggar and in the evenings transform myself into a well-', 'ould every morning emerge as a squalid beggar and in the evenings transform myself into a well-dress', 'every morning emerge as a squalid beggar and in the evenings transform myself into a well-dressed ma', ' morning emerge as a squalid beggar and in the evenings transform myself into a well-dressed man abo', 'ing emerge as a squalid beggar and in the evenings transform myself into a well-dressed man about to', 'merge as a squalid beggar and in the evenings transform myself into a well-dressed man about town. t', ' as a squalid beggar and in the evenings transform myself into a well-dressed man about town. this f', ' squalid beggar and in the evenings transform myself into a well-dressed man about town. this fellow', 'lid beggar and in the evenings transform myself into a well-dressed man about town. this fellow, a l', 'eggar and in the evenings transform myself into a well-dressed man about town. this fellow, a lascar', ' and in the evenings transform myself into a well-dressed man about town. this fellow, a lascar, was', 'in the evenings transform myself into a well-dressed man about town. this fellow, a lascar, was well', 'e evenings transform myself into a well-dressed man about town. this fellow, a lascar, was well paid', 'nings transform myself into a well-dressed man about town. this fellow, a lascar, was well paid by m', ' transform myself into a well-dressed man about town. this fellow, a lascar, was well paid by me for', 'sform myself into a well-dressed man about town. this fellow, a lascar, was well paid by me for his ', ' myself into a well-dressed man about town. this fellow, a lascar, was well paid by me for his rooms', 'lf into a well-dressed man about town. this fellow, a lascar, was well paid by me for his rooms, so ', 'to a well-dressed man about town. this fellow, a lascar, was well paid by me for his rooms, so that ', 'well-dressed man about town. this fellow, a lascar, was well paid by me for his rooms, so that i kne', 'dressed man about town. this fellow, a lascar, was well paid by me for his rooms, so that i knew tha', 'ed man about town. this fellow, a lascar, was well paid by me for his rooms, so that i knew that my ', 'n about town. this fellow, a lascar, was well paid by me for his rooms, so that i knew that my secre', 'ut town. this fellow, a lascar, was well paid by me for his rooms, so that i knew that my secret was', 'wn. this fellow, a lascar, was well paid by me for his rooms, so that i knew that my secret was safe', 'his fellow, a lascar, was well paid by me for his rooms, so that i knew that my secret was safe in h', 'ellow, a lascar, was well paid by me for his rooms, so that i knew that my secret was safe in his po', ', a lascar, was well paid by me for his rooms, so that i knew that my secret was safe in his possess', 'ascar, was well paid by me for his rooms, so that i knew that my secret was safe in his possession. ', ', was well paid by me for his rooms, so that i knew that my secret was safe in his possession. "well', ' well paid by me for his rooms, so that i knew that my secret was safe in his possession. "well, ver', ' paid by me for his rooms, so that i knew that my secret was safe in his possession. "well, very soo', ' by me for his rooms, so that i knew that my secret was safe in his possession. "well, very soon i f', 'e for his rooms, so that i knew that my secret was safe in his possession. "well, very soon i found ', ' his rooms, so that i knew that my secret was safe in his possession. "well, very soon i found that ', 'rooms, so that i knew that my secret was safe in his possession. "well, very soon i found that i was', ', so that i knew that my secret was safe in his possession. "well, very soon i found that i was savi', 'that i knew that my secret was safe in his possession. "well, very soon i found that i was saving co', 'i knew that my secret was safe in his possession. "well, very soon i found that i was saving conside', 'w that my secret was safe in his possession. "well, very soon i found that i was saving considerable', 't my secret was safe in his possession. "well, very soon i found that i was saving considerable sums', 'secret was safe in his possession. "well, very soon i found that i was saving considerable sums of m', 't was safe in his possession. "well, very soon i found that i was saving considerable sums of money.', ' safe in his possession. "well, very soon i found that i was saving considerable sums of money. i do', ' in his possession. "well, very soon i found that i was saving considerable sums of money. i do not ', 'is possession. "well, very soon i found that i was saving considerable sums of money. i do not mean ', 'ssession. "well, very soon i found that i was saving considerable sums of money. i do not mean that ', 'ion. "well, very soon i found that i was saving considerable sums of money. i do not mean that any b', '"well, very soon i found that i was saving considerable sums of money. i do not mean that any beggar', ', very soon i found that i was saving considerable sums of money. i do not mean that any beggar in t', 'y soon i found that i was saving considerable sums of money. i do not mean that any beggar in the st', 'n i found that i was saving considerable sums of money. i do not mean that any beggar in the streets', 'ound that i was saving considerable sums of money. i do not mean that any beggar in the streets of l', 'that i was saving considerable sums of money. i do not mean that any beggar in the streets of london', 'i was saving considerable sums of money. i do not mean that any beggar in the streets of london coul', ' saving considerable sums of money. i do not mean that any beggar in the streets of london could ear', 'ng considerable sums of money. i do not mean that any beggar in the streets of london could earn p', 'nsiderable sums of money. i do not mean that any beggar in the streets of london could earn pounds', 'rable sums of money. i do not mean that any beggar in the streets of london could earn pounds a ye', ' sums of money. i do not mean that any beggar in the streets of london could earn pounds a yearwhi', ' of money. i do not mean that any beggar in the streets of london could earn pounds a yearwhich is', 'oney. i do not mean that any beggar in the streets of london could earn pounds a yearwhich is less', ' i do not mean that any beggar in the streets of london could earn pounds a yearwhich is less than', ' not mean that any beggar in the streets of london could earn pounds a yearwhich is less than my a', 'mean that any beggar in the streets of london could earn pounds a yearwhich is less than my averag', 'that any beggar in the streets of london could earn pounds a yearwhich is less than my average tak', 'any beggar in the streets of london could earn pounds a yearwhich is less than my average takingsb', 'eggar in the streets of london could earn pounds a yearwhich is less than my average takingsbut i ', ' in the streets of london could earn pounds a yearwhich is less than my average takingsbut i had e', 'he streets of london could earn pounds a yearwhich is less than my average takingsbut i had except', 'reets of london could earn pounds a yearwhich is less than my average takingsbut i had exceptional', ' of london could earn pounds a yearwhich is less than my average takingsbut i had exceptional adva', 'ondon could earn pounds a yearwhich is less than my average takingsbut i had exceptional advantage', ' could earn pounds a yearwhich is less than my average takingsbut i had exceptional advantages in ', 'd earn pounds a yearwhich is less than my average takingsbut i had exceptional advantages in my po', 'n pounds a yearwhich is less than my average takingsbut i had exceptional advantages in my power o', 'ounds a yearwhich is less than my average takingsbut i had exceptional advantages in my power of mak', ' a yearwhich is less than my average takingsbut i had exceptional advantages in my power of making u', 'arwhich is less than my average takingsbut i had exceptional advantages in my power of making up, an', 'ch is less than my average takingsbut i had exceptional advantages in my power of making up, and als', ' less than my average takingsbut i had exceptional advantages in my power of making up, and also in ', ' than my average takingsbut i had exceptional advantages in my power of making up, and also in a fac', ' my average takingsbut i had exceptional advantages in my power of making up, and also in a facility', 'verage takingsbut i had exceptional advantages in my power of making up, and also in a facility of r', 'e takingsbut i had exceptional advantages in my power of making up, and also in a facility of repart', 'ingsbut i had exceptional advantages in my power of making up, and also in a facility of repartee, w', 'ut i had exceptional advantages in my power of making up, and also in a facility of repartee, which ', 'had exceptional advantages in my power of making up, and also in a facility of repartee, which impro', 'xceptional advantages in my power of making up, and also in a facility of repartee, which improved b', 'ional advantages in my power of making up, and also in a facility of repartee, which improved by pra', ' advantages in my power of making up, and also in a facility of repartee, which improved by practice', 'ntages in my power of making up, and also in a facility of repartee, which improved by practice and ', 's in my power of making up, and also in a facility of repartee, which improved by practice and made ', 'my power of making up, and also in a facility of repartee, which improved by practice and made me qu', 'wer of making up, and also in a facility of repartee, which improved by practice and made me quite a', 'f making up, and also in a facility of repartee, which improved by practice and made me quite a reco', 'ing up, and also in a facility of repartee, which improved by practice and made me quite a recognise', 'p, and also in a facility of repartee, which improved by practice and made me quite a recognised cha', 'd also in a facility of repartee, which improved by practice and made me quite a recognised characte', 'o in a facility of repartee, which improved by practice and made me quite a recognised character in ', 'a facility of repartee, which improved by practice and made me quite a recognised character in the c', 'ility of repartee, which improved by practice and made me quite a recognised character in the city. ', ' of repartee, which improved by practice and made me quite a recognised character in the city. all d', 'epartee, which improved by practice and made me quite a recognised character in the city. all day a ', 'ee, which improved by practice and made me quite a recognised character in the city. all day a strea', 'hich improved by practice and made me quite a recognised character in the city. all day a stream of ', 'improved by practice and made me quite a recognised character in the city. all day a stream of penni', 'ved by practice and made me quite a recognised character in the city. all day a stream of pennies, v', 'y practice and made me quite a recognised character in the city. all day a stream of pennies, varied', 'ctice and made me quite a recognised character in the city. all day a stream of pennies, varied by s', ' and made me quite a recognised character in the city. all day a stream of pennies, varied by silver', 'made me quite a recognised character in the city. all day a stream of pennies, varied by silver, pou', 'me quite a recognised character in the city. all day a stream of pennies, varied by silver, poured i', 'ite a recognised character in the city. all day a stream of pennies, varied by silver, poured in upo', ' recognised character in the city. all day a stream of pennies, varied by silver, poured in upon me,', 'gnised character in the city. all day a stream of pennies, varied by silver, poured in upon me, and ', 'd character in the city. all day a stream of pennies, varied by silver, poured in upon me, and it wa', 'racter in the city. all day a stream of pennies, varied by silver, poured in upon me, and it was a v', 'r in the city. all day a stream of pennies, varied by silver, poured in upon me, and it was a very b', 'the city. all day a stream of pennies, varied by silver, poured in upon me, and it was a very bad da', 'ity. all day a stream of pennies, varied by silver, poured in upon me, and it was a very bad day in ', 'all day a stream of pennies, varied by silver, poured in upon me, and it was a very bad day in which', 'ay a stream of pennies, varied by silver, poured in upon me, and it was a very bad day in which i fa', 'stream of pennies, varied by silver, poured in upon me, and it was a very bad day in which i failed ', 'm of pennies, varied by silver, poured in upon me, and it was a very bad day in which i failed to ta', 'pennies, varied by silver, poured in upon me, and it was a very bad day in which i failed to take p', 'es, varied by silver, poured in upon me, and it was a very bad day in which i failed to take pounds', 'aried by silver, poured in upon me, and it was a very bad day in which i failed to take pounds. "as', ' by silver, poured in upon me, and it was a very bad day in which i failed to take pounds. "as i gr', 'ilver, poured in upon me, and it was a very bad day in which i failed to take pounds. "as i grew ri', ', poured in upon me, and it was a very bad day in which i failed to take pounds. "as i grew richer ', 'red in upon me, and it was a very bad day in which i failed to take pounds. "as i grew richer i gre', 'n upon me, and it was a very bad day in which i failed to take pounds. "as i grew richer i grew mor', 'n me, and it was a very bad day in which i failed to take pounds. "as i grew richer i grew more amb', ' and it was a very bad day in which i failed to take pounds. "as i grew richer i grew more ambitiou', 'it was a very bad day in which i failed to take pounds. "as i grew richer i grew more ambitious, to', 's a very bad day in which i failed to take pounds. "as i grew richer i grew more ambitious, took a ', 'ery bad day in which i failed to take pounds. "as i grew richer i grew more ambitious, took a house', 'ad day in which i failed to take pounds. "as i grew richer i grew more ambitious, took a house in t', 'y in which i failed to take pounds. "as i grew richer i grew more ambitious, took a house in the co', 'which i failed to take pounds. "as i grew richer i grew more ambitious, took a house in the country', ' i failed to take pounds. "as i grew richer i grew more ambitious, took a house in the country, and', 'iled to take pounds. "as i grew richer i grew more ambitious, took a house in the country, and even', 'to take pounds. "as i grew richer i grew more ambitious, took a house in the country, and eventuall', 'ke pounds. "as i grew richer i grew more ambitious, took a house in the country, and eventually mar', 'ounds. "as i grew richer i grew more ambitious, took a house in the country, and eventually married,', '. "as i grew richer i grew more ambitious, took a house in the country, and eventually married, with', ' i grew richer i grew more ambitious, took a house in the country, and eventually married, without a', 'ew richer i grew more ambitious, took a house in the country, and eventually married, without anyone', 'cher i grew more ambitious, took a house in the country, and eventually married, without anyone havi', 'i grew more ambitious, took a house in the country, and eventually married, without anyone having a ', 'w more ambitious, took a house in the country, and eventually married, without anyone having a suspi', 'e ambitious, took a house in the country, and eventually married, without anyone having a suspicion ', 'itious, took a house in the country, and eventually married, without anyone having a suspicion as to', 's, took a house in the country, and eventually married, without anyone having a suspicion as to my r', 'ok a house in the country, and eventually married, without anyone having a suspicion as to my real o', 'house in the country, and eventually married, without anyone having a suspicion as to my real occupa', ' in the country, and eventually married, without anyone having a suspicion as to my real occupation.', 'he country, and eventually married, without anyone having a suspicion as to my real occupation. my d', 'untry, and eventually married, without anyone having a suspicion as to my real occupation. my dear w', ', and eventually married, without anyone having a suspicion as to my real occupation. my dear wife k', ' eventually married, without anyone having a suspicion as to my real occupation. my dear wife knew t', 'tually married, without anyone having a suspicion as to my real occupation. my dear wife knew that i', 'y married, without anyone having a suspicion as to my real occupation. my dear wife knew that i had ', 'ried, without anyone having a suspicion as to my real occupation. my dear wife knew that i had busin', ' without anyone having a suspicion as to my real occupation. my dear wife knew that i had business i', 'out anyone having a suspicion as to my real occupation. my dear wife knew that i had business in the', 'nyone having a suspicion as to my real occupation. my dear wife knew that i had business in the city', ' having a suspicion as to my real occupation. my dear wife knew that i had business in the city. she', 'ng a suspicion as to my real occupation. my dear wife knew that i had business in the city. she litt', 'suspicion as to my real occupation. my dear wife knew that i had business in the city. she little kn', 'cion as to my real occupation. my dear wife knew that i had business in the city. she little knew wh', 'as to my real occupation. my dear wife knew that i had business in the city. she little knew what. "', ' my real occupation. my dear wife knew that i had business in the city. she little knew what. "last ', 'eal occupation. my dear wife knew that i had business in the city. she little knew what. "last monda', 'ccupation. my dear wife knew that i had business in the city. she little knew what. "last monday i h', 'tion. my dear wife knew that i had business in the city. she little knew what. "last monday i had fi', ' my dear wife knew that i had business in the city. she little knew what. "last monday i had finishe', 'ear wife knew that i had business in the city. she little knew what. "last monday i had finished for', 'ife knew that i had business in the city. she little knew what. "last monday i had finished for the ', 'new that i had business in the city. she little knew what. "last monday i had finished for the day a', 'hat i had business in the city. she little knew what. "last monday i had finished for the day and wa', ' had business in the city. she little knew what. "last monday i had finished for the day and was dre', 'business in the city. she little knew what. "last monday i had finished for the day and was dressing', 'ess in the city. she little knew what. "last monday i had finished for the day and was dressing in m', 'n the city. she little knew what. "last monday i had finished for the day and was dressing in my roo', ' city. she little knew what. "last monday i had finished for the day and was dressing in my room abo', '. she little knew what. "last monday i had finished for the day and was dressing in my room above th', ' little knew what. "last monday i had finished for the day and was dressing in my room above the opi', 'le knew what. "last monday i had finished for the day and was dressing in my room above the opium de', 'ew what. "last monday i had finished for the day and was dressing in my room above the opium den whe', 'at. "last monday i had finished for the day and was dressing in my room above the opium den when i l', 'last monday i had finished for the day and was dressing in my room above the opium den when i looked', 'monday i had finished for the day and was dressing in my room above the opium den when i looked out ', 'y i had finished for the day and was dressing in my room above the opium den when i looked out of my', 'ad finished for the day and was dressing in my room above the opium den when i looked out of my wind', 'nished for the day and was dressing in my room above the opium den when i looked out of my window an', 'd for the day and was dressing in my room above the opium den when i looked out of my window and saw', ' the day and was dressing in my room above the opium den when i looked out of my window and saw, to ', 'day and was dressing in my room above the opium den when i looked out of my window and saw, to my ho', 'nd was dressing in my room above the opium den when i looked out of my window and saw, to my horror ', 's dressing in my room above the opium den when i looked out of my window and saw, to my horror and a', 'ssing in my room above the opium den when i looked out of my window and saw, to my horror and astoni', ' in my room above the opium den when i looked out of my window and saw, to my horror and astonishmen', 'y room above the opium den when i looked out of my window and saw, to my horror and astonishment, th', 'm above the opium den when i looked out of my window and saw, to my horror and astonishment, that my', 've the opium den when i looked out of my window and saw, to my horror and astonishment, that my wife', 'e opium den when i looked out of my window and saw, to my horror and astonishment, that my wife was ', 'um den when i looked out of my window and saw, to my horror and astonishment, that my wife was stand', 'n when i looked out of my window and saw, to my horror and astonishment, that my wife was standing i', 'n i looked out of my window and saw, to my horror and astonishment, that my wife was standing in the', 'ooked out of my window and saw, to my horror and astonishment, that my wife was standing in the stre', ' out of my window and saw, to my horror and astonishment, that my wife was standing in the street, w', 'of my window and saw, to my horror and astonishment, that my wife was standing in the street, with h', ' window and saw, to my horror and astonishment, that my wife was standing in the street, with her ey', 'ow and saw, to my horror and astonishment, that my wife was standing in the street, with her eyes fi', 'd saw, to my horror and astonishment, that my wife was standing in the street, with her eyes fixed f', ', to my horror and astonishment, that my wife was standing in the street, with her eyes fixed full u', 'my horror and astonishment, that my wife was standing in the street, with her eyes fixed full upon m', 'rror and astonishment, that my wife was standing in the street, with her eyes fixed full upon me. i ', 'and astonishment, that my wife was standing in the street, with her eyes fixed full upon me. i gave ', 'stonishment, that my wife was standing in the street, with her eyes fixed full upon me. i gave a cry', 'shment, that my wife was standing in the street, with her eyes fixed full upon me. i gave a cry of s', 't, that my wife was standing in the street, with her eyes fixed full upon me. i gave a cry of surpri', 'at my wife was standing in the street, with her eyes fixed full upon me. i gave a cry of surprise, t', ' wife was standing in the street, with her eyes fixed full upon me. i gave a cry of surprise, threw ', ' was standing in the street, with her eyes fixed full upon me. i gave a cry of surprise, threw up my', 'standing in the street, with her eyes fixed full upon me. i gave a cry of surprise, threw up my arms', 'ing in the street, with her eyes fixed full upon me. i gave a cry of surprise, threw up my arms to c', 'n the street, with her eyes fixed full upon me. i gave a cry of surprise, threw up my arms to cover ', ' street, with her eyes fixed full upon me. i gave a cry of surprise, threw up my arms to cover my fa', 'et, with her eyes fixed full upon me. i gave a cry of surprise, threw up my arms to cover my face, a', 'ith her eyes fixed full upon me. i gave a cry of surprise, threw up my arms to cover my face, and, r', 'er eyes fixed full upon me. i gave a cry of surprise, threw up my arms to cover my face, and, rushin', 'es fixed full upon me. i gave a cry of surprise, threw up my arms to cover my face, and, rushing to ', 'xed full upon me. i gave a cry of surprise, threw up my arms to cover my face, and, rushing to my co', 'ull upon me. i gave a cry of surprise, threw up my arms to cover my face, and, rushing to my confida', 'pon me. i gave a cry of surprise, threw up my arms to cover my face, and, rushing to my confidant, t', 'e. i gave a cry of surprise, threw up my arms to cover my face, and, rushing to my confidant, the la', 'gave a cry of surprise, threw up my arms to cover my face, and, rushing to my confidant, the lascar,', 'a cry of surprise, threw up my arms to cover my face, and, rushing to my confidant, the lascar, entr', ' of surprise, threw up my arms to cover my face, and, rushing to my confidant, the lascar, entreated', 'urprise, threw up my arms to cover my face, and, rushing to my confidant, the lascar, entreated him ', 'se, threw up my arms to cover my face, and, rushing to my confidant, the lascar, entreated him to pr', 'hrew up my arms to cover my face, and, rushing to my confidant, the lascar, entreated him to prevent', 'up my arms to cover my face, and, rushing to my confidant, the lascar, entreated him to prevent anyo', ' arms to cover my face, and, rushing to my confidant, the lascar, entreated him to prevent anyone fr', ' to cover my face, and, rushing to my confidant, the lascar, entreated him to prevent anyone from co', 'over my face, and, rushing to my confidant, the lascar, entreated him to prevent anyone from coming ', 'my face, and, rushing to my confidant, the lascar, entreated him to prevent anyone from coming up to', 'ce, and, rushing to my confidant, the lascar, entreated him to prevent anyone from coming up to me. ', 'nd, rushing to my confidant, the lascar, entreated him to prevent anyone from coming up to me. i hea', 'ushing to my confidant, the lascar, entreated him to prevent anyone from coming up to me. i heard he', 'g to my confidant, the lascar, entreated him to prevent anyone from coming up to me. i heard her voi', 'my confidant, the lascar, entreated him to prevent anyone from coming up to me. i heard her voice do', 'nfidant, the lascar, entreated him to prevent anyone from coming up to me. i heard her voice downsta', 'nt, the lascar, entreated him to prevent anyone from coming up to me. i heard her voice downstairs, ', 'he lascar, entreated him to prevent anyone from coming up to me. i heard her voice downstairs, but i', 'scar, entreated him to prevent anyone from coming up to me. i heard her voice downstairs, but i knew', ' entreated him to prevent anyone from coming up to me. i heard her voice downstairs, but i knew that', 'eated him to prevent anyone from coming up to me. i heard her voice downstairs, but i knew that she ', ' him to prevent anyone from coming up to me. i heard her voice downstairs, but i knew that she could', 'to prevent anyone from coming up to me. i heard her voice downstairs, but i knew that she could not ', 'event anyone from coming up to me. i heard her voice downstairs, but i knew that she could not ascen', ' anyone from coming up to me. i heard her voice downstairs, but i knew that she could not ascend. sw', 'ne from coming up to me. i heard her voice downstairs, but i knew that she could not ascend. swiftly', 'om coming up to me. i heard her voice downstairs, but i knew that she could not ascend. swiftly i th', 'ming up to me. i heard her voice downstairs, but i knew that she could not ascend. swiftly i threw o', 'up to me. i heard her voice downstairs, but i knew that she could not ascend. swiftly i threw off my', ' me. i heard her voice downstairs, but i knew that she could not ascend. swiftly i threw off my clot', 'i heard her voice downstairs, but i knew that she could not ascend. swiftly i threw off my clothes, ', 'rd her voice downstairs, but i knew that she could not ascend. swiftly i threw off my clothes, pulle', 'r voice downstairs, but i knew that she could not ascend. swiftly i threw off my clothes, pulled on ', 'ce downstairs, but i knew that she could not ascend. swiftly i threw off my clothes, pulled on those', 'wnstairs, but i knew that she could not ascend. swiftly i threw off my clothes, pulled on those of a', 'irs, but i knew that she could not ascend. swiftly i threw off my clothes, pulled on those of a begg', 'but i knew that she could not ascend. swiftly i threw off my clothes, pulled on those of a beggar, a', ' knew that she could not ascend. swiftly i threw off my clothes, pulled on those of a beggar, and pu', ' that she could not ascend. swiftly i threw off my clothes, pulled on those of a beggar, and put on ', ' she could not ascend. swiftly i threw off my clothes, pulled on those of a beggar, and put on my pi', 'could not ascend. swiftly i threw off my clothes, pulled on those of a beggar, and put on my pigment', ' not ascend. swiftly i threw off my clothes, pulled on those of a beggar, and put on my pigments and', 'ascend. swiftly i threw off my clothes, pulled on those of a beggar, and put on my pigments and wig.', 'd. swiftly i threw off my clothes, pulled on those of a beggar, and put on my pigments and wig. even', 'iftly i threw off my clothes, pulled on those of a beggar, and put on my pigments and wig. even a wi', " i threw off my clothes, pulled on those of a beggar, and put on my pigments and wig. even a wife's ", "rew off my clothes, pulled on those of a beggar, and put on my pigments and wig. even a wife's eyes ", "ff my clothes, pulled on those of a beggar, and put on my pigments and wig. even a wife's eyes could", " clothes, pulled on those of a beggar, and put on my pigments and wig. even a wife's eyes could not ", "hes, pulled on those of a beggar, and put on my pigments and wig. even a wife's eyes could not pierc", "pulled on those of a beggar, and put on my pigments and wig. even a wife's eyes could not pierce so ", "d on those of a beggar, and put on my pigments and wig. even a wife's eyes could not pierce so compl", "those of a beggar, and put on my pigments and wig. even a wife's eyes could not pierce so complete a", " of a beggar, and put on my pigments and wig. even a wife's eyes could not pierce so complete a disg", " beggar, and put on my pigments and wig. even a wife's eyes could not pierce so complete a disguise.", "ar, and put on my pigments and wig. even a wife's eyes could not pierce so complete a disguise. but ", "nd put on my pigments and wig. even a wife's eyes could not pierce so complete a disguise. but then ", "t on my pigments and wig. even a wife's eyes could not pierce so complete a disguise. but then it oc", "my pigments and wig. even a wife's eyes could not pierce so complete a disguise. but then it occurre", "gments and wig. even a wife's eyes could not pierce so complete a disguise. but then it occurred to ", "s and wig. even a wife's eyes could not pierce so complete a disguise. but then it occurred to me th", " wig. even a wife's eyes could not pierce so complete a disguise. but then it occurred to me that th", " even a wife's eyes could not pierce so complete a disguise. but then it occurred to me that there m", " a wife's eyes could not pierce so complete a disguise. but then it occurred to me that there might ", "fe's eyes could not pierce so complete a disguise. but then it occurred to me that there might be a ", 'eyes could not pierce so complete a disguise. but then it occurred to me that there might be a searc', 'could not pierce so complete a disguise. but then it occurred to me that there might be a search in ', ' not pierce so complete a disguise. but then it occurred to me that there might be a search in the r', 'pierce so complete a disguise. but then it occurred to me that there might be a search in the room, ', 'e so complete a disguise. but then it occurred to me that there might be a search in the room, and t', 'complete a disguise. but then it occurred to me that there might be a search in the room, and that t', 'ete a disguise. but then it occurred to me that there might be a search in the room, and that the cl', ' disguise. but then it occurred to me that there might be a search in the room, and that the clothes', 'uise. but then it occurred to me that there might be a search in the room, and that the clothes migh', ' but then it occurred to me that there might be a search in the room, and that the clothes might bet', 'then it occurred to me that there might be a search in the room, and that the clothes might betray m', 'it occurred to me that there might be a search in the room, and that the clothes might betray me. i ', 'curred to me that there might be a search in the room, and that the clothes might betray me. i threw', 'd to me that there might be a search in the room, and that the clothes might betray me. i threw open', 'me that there might be a search in the room, and that the clothes might betray me. i threw open the ', 'at there might be a search in the room, and that the clothes might betray me. i threw open the windo', 'ere might be a search in the room, and that the clothes might betray me. i threw open the window, re', 'ight be a search in the room, and that the clothes might betray me. i threw open the window, reopeni', 'be a search in the room, and that the clothes might betray me. i threw open the window, reopening by', 'search in the room, and that the clothes might betray me. i threw open the window, reopening by my v', 'h in the room, and that the clothes might betray me. i threw open the window, reopening by my violen', 'the room, and that the clothes might betray me. i threw open the window, reopening by my violence a ', 'oom, and that the clothes might betray me. i threw open the window, reopening by my violence a small', 'and that the clothes might betray me. i threw open the window, reopening by my violence a small cut ', 'hat the clothes might betray me. i threw open the window, reopening by my violence a small cut which', 'he clothes might betray me. i threw open the window, reopening by my violence a small cut which i ha', 'othes might betray me. i threw open the window, reopening by my violence a small cut which i had inf', ' might betray me. i threw open the window, reopening by my violence a small cut which i had inflicte', 't betray me. i threw open the window, reopening by my violence a small cut which i had inflicted upo', 'ray me. i threw open the window, reopening by my violence a small cut which i had inflicted upon mys', 'e. i threw open the window, reopening by my violence a small cut which i had inflicted upon myself i', 'threw open the window, reopening by my violence a small cut which i had inflicted upon myself in the', ' open the window, reopening by my violence a small cut which i had inflicted upon myself in the bedr', ' the window, reopening by my violence a small cut which i had inflicted upon myself in the bedroom t', 'window, reopening by my violence a small cut which i had inflicted upon myself in the bedroom that m', 'w, reopening by my violence a small cut which i had inflicted upon myself in the bedroom that mornin', 'opening by my violence a small cut which i had inflicted upon myself in the bedroom that morning. th', 'ng by my violence a small cut which i had inflicted upon myself in the bedroom that morning. then i ', ' my violence a small cut which i had inflicted upon myself in the bedroom that morning. then i seize', 'iolence a small cut which i had inflicted upon myself in the bedroom that morning. then i seized my ', 'ce a small cut which i had inflicted upon myself in the bedroom that morning. then i seized my coat,', 'small cut which i had inflicted upon myself in the bedroom that morning. then i seized my coat, whic', ' cut which i had inflicted upon myself in the bedroom that morning. then i seized my coat, which was', 'which i had inflicted upon myself in the bedroom that morning. then i seized my coat, which was weig', ' i had inflicted upon myself in the bedroom that morning. then i seized my coat, which was weighted ', 'd inflicted upon myself in the bedroom that morning. then i seized my coat, which was weighted by th', 'licted upon myself in the bedroom that morning. then i seized my coat, which was weighted by the cop', 'd upon myself in the bedroom that morning. then i seized my coat, which was weighted by the coppers ', 'n myself in the bedroom that morning. then i seized my coat, which was weighted by the coppers which', 'elf in the bedroom that morning. then i seized my coat, which was weighted by the coppers which i ha', 'n the bedroom that morning. then i seized my coat, which was weighted by the coppers which i had jus', ' bedroom that morning. then i seized my coat, which was weighted by the coppers which i had just tra', 'oom that morning. then i seized my coat, which was weighted by the coppers which i had just transfer', 'hat morning. then i seized my coat, which was weighted by the coppers which i had just transferred t', 'orning. then i seized my coat, which was weighted by the coppers which i had just transferred to it ', 'g. then i seized my coat, which was weighted by the coppers which i had just transferred to it from ', 'en i seized my coat, which was weighted by the coppers which i had just transferred to it from the l', 'seized my coat, which was weighted by the coppers which i had just transferred to it from the leathe', 'd my coat, which was weighted by the coppers which i had just transferred to it from the leather bag', 'coat, which was weighted by the coppers which i had just transferred to it from the leather bag in w', ' which was weighted by the coppers which i had just transferred to it from the leather bag in which ', 'h was weighted by the coppers which i had just transferred to it from the leather bag in which i car', ' weighted by the coppers which i had just transferred to it from the leather bag in which i carried ', 'hted by the coppers which i had just transferred to it from the leather bag in which i carried my ta', 'by the coppers which i had just transferred to it from the leather bag in which i carried my takings', 'e coppers which i had just transferred to it from the leather bag in which i carried my takings. i h', 'pers which i had just transferred to it from the leather bag in which i carried my takings. i hurled', 'which i had just transferred to it from the leather bag in which i carried my takings. i hurled it o', ' i had just transferred to it from the leather bag in which i carried my takings. i hurled it out of', 'd just transferred to it from the leather bag in which i carried my takings. i hurled it out of the ', 't transferred to it from the leather bag in which i carried my takings. i hurled it out of the windo', 'nsferred to it from the leather bag in which i carried my takings. i hurled it out of the window, an', 'red to it from the leather bag in which i carried my takings. i hurled it out of the window, and it ', 'o it from the leather bag in which i carried my takings. i hurled it out of the window, and it disap', 'from the leather bag in which i carried my takings. i hurled it out of the window, and it disappeare', 'the leather bag in which i carried my takings. i hurled it out of the window, and it disappeared int', 'eather bag in which i carried my takings. i hurled it out of the window, and it disappeared into the', 'r bag in which i carried my takings. i hurled it out of the window, and it disappeared into the tham', ' in which i carried my takings. i hurled it out of the window, and it disappeared into the thames. t', 'hich i carried my takings. i hurled it out of the window, and it disappeared into the thames. the ot', 'i carried my takings. i hurled it out of the window, and it disappeared into the thames. the other c', 'ried my takings. i hurled it out of the window, and it disappeared into the thames. the other clothe', 'my takings. i hurled it out of the window, and it disappeared into the thames. the other clothes wou', 'kings. i hurled it out of the window, and it disappeared into the thames. the other clothes would ha', '. i hurled it out of the window, and it disappeared into the thames. the other clothes would have fo', 'urled it out of the window, and it disappeared into the thames. the other clothes would have followe', ' it out of the window, and it disappeared into the thames. the other clothes would have followed, bu', 'ut of the window, and it disappeared into the thames. the other clothes would have followed, but at ', ' the window, and it disappeared into the thames. the other clothes would have followed, but at that ', 'window, and it disappeared into the thames. the other clothes would have followed, but at that momen', 'w, and it disappeared into the thames. the other clothes would have followed, but at that moment the', 'd it disappeared into the thames. the other clothes would have followed, but at that moment there wa', 'disappeared into the thames. the other clothes would have followed, but at that moment there was a r', 'peared into the thames. the other clothes would have followed, but at that moment there was a rush o', 'd into the thames. the other clothes would have followed, but at that moment there was a rush of con', 'o the thames. the other clothes would have followed, but at that moment there was a rush of constabl', ' thames. the other clothes would have followed, but at that moment there was a rush of constables up', 'es. the other clothes would have followed, but at that moment there was a rush of constables up the ', 'he other clothes would have followed, but at that moment there was a rush of constables up the stair', 'her clothes would have followed, but at that moment there was a rush of constables up the stair, and', 'lothes would have followed, but at that moment there was a rush of constables up the stair, and a fe', 's would have followed, but at that moment there was a rush of constables up the stair, and a few min', 'ld have followed, but at that moment there was a rush of constables up the stair, and a few minutes ', 've followed, but at that moment there was a rush of constables up the stair, and a few minutes after', 'llowed, but at that moment there was a rush of constables up the stair, and a few minutes after i fo', 'd, but at that moment there was a rush of constables up the stair, and a few minutes after i found, ', 't at that moment there was a rush of constables up the stair, and a few minutes after i found, rathe', 'that moment there was a rush of constables up the stair, and a few minutes after i found, rather, i ', 'moment there was a rush of constables up the stair, and a few minutes after i found, rather, i confe', 't there was a rush of constables up the stair, and a few minutes after i found, rather, i confess, t', 're was a rush of constables up the stair, and a few minutes after i found, rather, i confess, to my ', 's a rush of constables up the stair, and a few minutes after i found, rather, i confess, to my relie', 'ush of constables up the stair, and a few minutes after i found, rather, i confess, to my relief, th', 'f constables up the stair, and a few minutes after i found, rather, i confess, to my relief, that in', 'stables up the stair, and a few minutes after i found, rather, i confess, to my relief, that instead', 'es up the stair, and a few minutes after i found, rather, i confess, to my relief, that instead of b', ' the stair, and a few minutes after i found, rather, i confess, to my relief, that instead of being ', 'stair, and a few minutes after i found, rather, i confess, to my relief, that instead of being ident', ', and a few minutes after i found, rather, i confess, to my relief, that instead of being identified', ' a few minutes after i found, rather, i confess, to my relief, that instead of being identified as m', 'w minutes after i found, rather, i confess, to my relief, that instead of being identified as mr. ne', 'utes after i found, rather, i confess, to my relief, that instead of being identified as mr. neville', 'after i found, rather, i confess, to my relief, that instead of being identified as mr. neville st. ', ' i found, rather, i confess, to my relief, that instead of being identified as mr. neville st. clair', 'und, rather, i confess, to my relief, that instead of being identified as mr. neville st. clair, i w', 'rather, i confess, to my relief, that instead of being identified as mr. neville st. clair, i was ar', 'r, i confess, to my relief, that instead of being identified as mr. neville st. clair, i was arreste', 'confess, to my relief, that instead of being identified as mr. neville st. clair, i was arrested as ', 'ss, to my relief, that instead of being identified as mr. neville st. clair, i was arrested as his m', 'o my relief, that instead of being identified as mr. neville st. clair, i was arrested as his murder', 'relief, that instead of being identified as mr. neville st. clair, i was arrested as his murderer. "', 'f, that instead of being identified as mr. neville st. clair, i was arrested as his murderer. "i do ', 'at instead of being identified as mr. neville st. clair, i was arrested as his murderer. "i do not k', 'stead of being identified as mr. neville st. clair, i was arrested as his murderer. "i do not know t', ' of being identified as mr. neville st. clair, i was arrested as his murderer. "i do not know that t', 'eing identified as mr. neville st. clair, i was arrested as his murderer. "i do not know that there ', 'identified as mr. neville st. clair, i was arrested as his murderer. "i do not know that there is an', 'ified as mr. neville st. clair, i was arrested as his murderer. "i do not know that there is anythin', ' as mr. neville st. clair, i was arrested as his murderer. "i do not know that there is anything els', 'r. neville st. clair, i was arrested as his murderer. "i do not know that there is anything else for', 'ville st. clair, i was arrested as his murderer. "i do not know that there is anything else for me t', ' st. clair, i was arrested as his murderer. "i do not know that there is anything else for me to exp', 'clair, i was arrested as his murderer. "i do not know that there is anything else for me to explain.', ', i was arrested as his murderer. "i do not know that there is anything else for me to explain. i wa', 'as arrested as his murderer. "i do not know that there is anything else for me to explain. i was det', 'rested as his murderer. "i do not know that there is anything else for me to explain. i was determin', 'd as his murderer. "i do not know that there is anything else for me to explain. i was determined to', 'his murderer. "i do not know that there is anything else for me to explain. i was determined to pres', 'urderer. "i do not know that there is anything else for me to explain. i was determined to preserve ', 'er. "i do not know that there is anything else for me to explain. i was determined to preserve my di', 'i do not know that there is anything else for me to explain. i was determined to preserve my disguis', 'not know that there is anything else for me to explain. i was determined to preserve my disguise as ', 'now that there is anything else for me to explain. i was determined to preserve my disguise as long ', 'hat there is anything else for me to explain. i was determined to preserve my disguise as long as po', 'here is anything else for me to explain. i was determined to preserve my disguise as long as possibl', 'is anything else for me to explain. i was determined to preserve my disguise as long as possible, an', 'ything else for me to explain. i was determined to preserve my disguise as long as possible, and hen', 'g else for me to explain. i was determined to preserve my disguise as long as possible, and hence my', 'e for me to explain. i was determined to preserve my disguise as long as possible, and hence my pref', ' me to explain. i was determined to preserve my disguise as long as possible, and hence my preferenc', 'o explain. i was determined to preserve my disguise as long as possible, and hence my preference for', 'lain. i was determined to preserve my disguise as long as possible, and hence my preference for a di', ' i was determined to preserve my disguise as long as possible, and hence my preference for a dirty f', 's determined to preserve my disguise as long as possible, and hence my preference for a dirty face. ', 'ermined to preserve my disguise as long as possible, and hence my preference for a dirty face. knowi', 'ed to preserve my disguise as long as possible, and hence my preference for a dirty face. knowing th', ' preserve my disguise as long as possible, and hence my preference for a dirty face. knowing that my', 'erve my disguise as long as possible, and hence my preference for a dirty face. knowing that my wife', 'my disguise as long as possible, and hence my preference for a dirty face. knowing that my wife woul', 'sguise as long as possible, and hence my preference for a dirty face. knowing that my wife would be ', 'e as long as possible, and hence my preference for a dirty face. knowing that my wife would be terri', 'long as possible, and hence my preference for a dirty face. knowing that my wife would be terribly a', 'as possible, and hence my preference for a dirty face. knowing that my wife would be terribly anxiou', 'ssible, and hence my preference for a dirty face. knowing that my wife would be terribly anxious, i ', 'e, and hence my preference for a dirty face. knowing that my wife would be terribly anxious, i slipp', 'd hence my preference for a dirty face. knowing that my wife would be terribly anxious, i slipped of', 'ce my preference for a dirty face. knowing that my wife would be terribly anxious, i slipped off my ', ' preference for a dirty face. knowing that my wife would be terribly anxious, i slipped off my ring ', 'erence for a dirty face. knowing that my wife would be terribly anxious, i slipped off my ring and c', 'e for a dirty face. knowing that my wife would be terribly anxious, i slipped off my ring and confid', ' a dirty face. knowing that my wife would be terribly anxious, i slipped off my ring and confided it', 'rty face. knowing that my wife would be terribly anxious, i slipped off my ring and confided it to t', 'ace. knowing that my wife would be terribly anxious, i slipped off my ring and confided it to the la', 'knowing that my wife would be terribly anxious, i slipped off my ring and confided it to the lascar ', 'ng that my wife would be terribly anxious, i slipped off my ring and confided it to the lascar at a ', 'at my wife would be terribly anxious, i slipped off my ring and confided it to the lascar at a momen', ' wife would be terribly anxious, i slipped off my ring and confided it to the lascar at a moment whe', ' would be terribly anxious, i slipped off my ring and confided it to the lascar at a moment when no ', 'd be terribly anxious, i slipped off my ring and confided it to the lascar at a moment when no const', 'terribly anxious, i slipped off my ring and confided it to the lascar at a moment when no constable ', 'bly anxious, i slipped off my ring and confided it to the lascar at a moment when no constable was w', 'nxious, i slipped off my ring and confided it to the lascar at a moment when no constable was watchi', 's, i slipped off my ring and confided it to the lascar at a moment when no constable was watching me', 'slipped off my ring and confided it to the lascar at a moment when no constable was watching me, tog', 'ed off my ring and confided it to the lascar at a moment when no constable was watching me, together', 'f my ring and confided it to the lascar at a moment when no constable was watching me, together with', 'ring and confided it to the lascar at a moment when no constable was watching me, together with a hu', 'and confided it to the lascar at a moment when no constable was watching me, together with a hurried', 'onfided it to the lascar at a moment when no constable was watching me, together with a hurried scra', 'ed it to the lascar at a moment when no constable was watching me, together with a hurried scrawl, t', ' to the lascar at a moment when no constable was watching me, together with a hurried scrawl, tellin', 'he lascar at a moment when no constable was watching me, together with a hurried scrawl, telling her', 'scar at a moment when no constable was watching me, together with a hurried scrawl, telling her that', 'at a moment when no constable was watching me, together with a hurried scrawl, telling her that she ', 'moment when no constable was watching me, together with a hurried scrawl, telling her that she had n', 't when no constable was watching me, together with a hurried scrawl, telling her that she had no cau', 'n no constable was watching me, together with a hurried scrawl, telling her that she had no cause to', 'constable was watching me, together with a hurried scrawl, telling her that she had no cause to fear', 'able was watching me, together with a hurried scrawl, telling her that she had no cause to fear." "t', 'was watching me, together with a hurried scrawl, telling her that she had no cause to fear." "that n', 'atching me, together with a hurried scrawl, telling her that she had no cause to fear." "that note o', 'ng me, together with a hurried scrawl, telling her that she had no cause to fear." "that note only r', ', together with a hurried scrawl, telling her that she had no cause to fear." "that note only reache', 'ether with a hurried scrawl, telling her that she had no cause to fear." "that note only reached her', ' with a hurried scrawl, telling her that she had no cause to fear." "that note only reached her yest', ' a hurried scrawl, telling her that she had no cause to fear." "that note only reached her yesterday', 'rried scrawl, telling her that she had no cause to fear." "that note only reached her yesterday," sa', ' scrawl, telling her that she had no cause to fear." "that note only reached her yesterday," said ho', 'wl, telling her that she had no cause to fear." "that note only reached her yesterday," said holmes.', 'elling her that she had no cause to fear." "that note only reached her yesterday," said holmes. "goo', 'g her that she had no cause to fear." "that note only reached her yesterday," said holmes. "good god', ' that she had no cause to fear." "that note only reached her yesterday," said holmes. "good god! wha', ' she had no cause to fear." "that note only reached her yesterday," said holmes. "good god! what a w', 'had no cause to fear." "that note only reached her yesterday," said holmes. "good god! what a week s', 'o cause to fear." "that note only reached her yesterday," said holmes. "good god! what a week she mu', 'se to fear." "that note only reached her yesterday," said holmes. "good god! what a week she must ha', ' fear." "that note only reached her yesterday," said holmes. "good god! what a week she must have sp', '." "that note only reached her yesterday," said holmes. "good god! what a week she must have spent ', 'hat note only reached her yesterday," said holmes. "good god! what a week she must have spent "the ', 'ote only reached her yesterday," said holmes. "good god! what a week she must have spent "the polic', 'nly reached her yesterday," said holmes. "good god! what a week she must have spent "the police hav', 'eached her yesterday," said holmes. "good god! what a week she must have spent "the police have wat', 'd her yesterday," said holmes. "good god! what a week she must have spent "the police have watched ', ' yesterday," said holmes. "good god! what a week she must have spent "the police have watched this ', 'erday," said holmes. "good god! what a week she must have spent "the police have watched this lasca', '," said holmes. "good god! what a week she must have spent "the police have watched this lascar," s', 'id holmes. "good god! what a week she must have spent "the police have watched this lascar," said i', 'lmes. "good god! what a week she must have spent "the police have watched this lascar," said inspec', ' "good god! what a week she must have spent "the police have watched this lascar," said inspector b', 'd god! what a week she must have spent "the police have watched this lascar," said inspector bradst', '! what a week she must have spent "the police have watched this lascar," said inspector bradstreet,', 't a week she must have spent "the police have watched this lascar," said inspector bradstreet, "and', 'eek she must have spent "the police have watched this lascar," said inspector bradstreet, "and i ca', 'he must have spent "the police have watched this lascar," said inspector bradstreet, "and i can qui', 'st have spent "the police have watched this lascar," said inspector bradstreet, "and i can quite un', 've spent "the police have watched this lascar," said inspector bradstreet, "and i can quite underst', 'ent "the police have watched this lascar," said inspector bradstreet, "and i can quite understand t', '"the police have watched this lascar," said inspector bradstreet, "and i can quite understand that h', 'police have watched this lascar," said inspector bradstreet, "and i can quite understand that he mig', 'e have watched this lascar," said inspector bradstreet, "and i can quite understand that he might fi', 'e watched this lascar," said inspector bradstreet, "and i can quite understand that he might find it', 'ched this lascar," said inspector bradstreet, "and i can quite understand that he might find it diff', 'this lascar," said inspector bradstreet, "and i can quite understand that he might find it difficult', 'lascar," said inspector bradstreet, "and i can quite understand that he might find it difficult to p', 'r," said inspector bradstreet, "and i can quite understand that he might find it difficult to post a', 'aid inspector bradstreet, "and i can quite understand that he might find it difficult to post a lett', 'nspector bradstreet, "and i can quite understand that he might find it difficult to post a letter un', 'tor bradstreet, "and i can quite understand that he might find it difficult to post a letter unobser', 'radstreet, "and i can quite understand that he might find it difficult to post a letter unobserved. ', 'reet, "and i can quite understand that he might find it difficult to post a letter unobserved. proba', ' "and i can quite understand that he might find it difficult to post a letter unobserved. probably h', ' i can quite understand that he might find it difficult to post a letter unobserved. probably he han', 'n quite understand that he might find it difficult to post a letter unobserved. probably he handed i', 'te understand that he might find it difficult to post a letter unobserved. probably he handed it to ', 'derstand that he might find it difficult to post a letter unobserved. probably he handed it to some ', 'and that he might find it difficult to post a letter unobserved. probably he handed it to some sailo', 'hat he might find it difficult to post a letter unobserved. probably he handed it to some sailor cus', 'e might find it difficult to post a letter unobserved. probably he handed it to some sailor customer', 'ht find it difficult to post a letter unobserved. probably he handed it to some sailor customer of h', 'nd it difficult to post a letter unobserved. probably he handed it to some sailor customer of his, w', ' difficult to post a letter unobserved. probably he handed it to some sailor customer of his, who fo', 'icult to post a letter unobserved. probably he handed it to some sailor customer of his, who forgot ', ' to post a letter unobserved. probably he handed it to some sailor customer of his, who forgot all a', 'ost a letter unobserved. probably he handed it to some sailor customer of his, who forgot all about ', ' letter unobserved. probably he handed it to some sailor customer of his, who forgot all about it fo', 'er unobserved. probably he handed it to some sailor customer of his, who forgot all about it for som', 'observed. probably he handed it to some sailor customer of his, who forgot all about it for some day', 'ved. probably he handed it to some sailor customer of his, who forgot all about it for some days." "', 'probably he handed it to some sailor customer of his, who forgot all about it for some days." "that ', 'bly he handed it to some sailor customer of his, who forgot all about it for some days." "that was i', 'e handed it to some sailor customer of his, who forgot all about it for some days." "that was it," s', 'ded it to some sailor customer of his, who forgot all about it for some days." "that was it," said h', 't to some sailor customer of his, who forgot all about it for some days." "that was it," said holmes', 'some sailor customer of his, who forgot all about it for some days." "that was it," said holmes, nod', 'sailor customer of his, who forgot all about it for some days." "that was it," said holmes, nodding ', 'r customer of his, who forgot all about it for some days." "that was it," said holmes, nodding appro', 'tomer of his, who forgot all about it for some days." "that was it," said holmes, nodding approvingl', ' of his, who forgot all about it for some days." "that was it," said holmes, nodding approvingly; "i', 'is, who forgot all about it for some days." "that was it," said holmes, nodding approvingly; "i have', 'ho forgot all about it for some days." "that was it," said holmes, nodding approvingly; "i have no d', 'rgot all about it for some days." "that was it," said holmes, nodding approvingly; "i have no doubt ', 'all about it for some days." "that was it," said holmes, nodding approvingly; "i have no doubt of it', 'bout it for some days." "that was it," said holmes, nodding approvingly; "i have no doubt of it. but', 'it for some days." "that was it," said holmes, nodding approvingly; "i have no doubt of it. but have', 'r some days." "that was it," said holmes, nodding approvingly; "i have no doubt of it. but have you ', 'e days." "that was it," said holmes, nodding approvingly; "i have no doubt of it. but have you never', 's." "that was it," said holmes, nodding approvingly; "i have no doubt of it. but have you never been', 'that was it," said holmes, nodding approvingly; "i have no doubt of it. but have you never been pros', 'was it," said holmes, nodding approvingly; "i have no doubt of it. but have you never been prosecute', 't," said holmes, nodding approvingly; "i have no doubt of it. but have you never been prosecuted for', 'aid holmes, nodding approvingly; "i have no doubt of it. but have you never been prosecuted for begg', 'olmes, nodding approvingly; "i have no doubt of it. but have you never been prosecuted for begging?"', ', nodding approvingly; "i have no doubt of it. but have you never been prosecuted for begging?" "man', 'ding approvingly; "i have no doubt of it. but have you never been prosecuted for begging?" "many tim', 'approvingly; "i have no doubt of it. but have you never been prosecuted for begging?" "many times; b', 'vingly; "i have no doubt of it. but have you never been prosecuted for begging?" "many times; but wh', 'y; "i have no doubt of it. but have you never been prosecuted for begging?" "many times; but what wa', ' have no doubt of it. but have you never been prosecuted for begging?" "many times; but what was a f', ' no doubt of it. but have you never been prosecuted for begging?" "many times; but what was a fine t', 'oubt of it. but have you never been prosecuted for begging?" "many times; but what was a fine to me?', 'of it. but have you never been prosecuted for begging?" "many times; but what was a fine to me?" "it', '. but have you never been prosecuted for begging?" "many times; but what was a fine to me?" "it must', ' have you never been prosecuted for begging?" "many times; but what was a fine to me?" "it must stop', ' you never been prosecuted for begging?" "many times; but what was a fine to me?" "it must stop here', 'never been prosecuted for begging?" "many times; but what was a fine to me?" "it must stop here, how', ' been prosecuted for begging?" "many times; but what was a fine to me?" "it must stop here, however,', ' prosecuted for begging?" "many times; but what was a fine to me?" "it must stop here, however," sai', 'ecuted for begging?" "many times; but what was a fine to me?" "it must stop here, however," said bra', 'd for begging?" "many times; but what was a fine to me?" "it must stop here, however," said bradstre', ' begging?" "many times; but what was a fine to me?" "it must stop here, however," said bradstreet. "', 'ing?" "many times; but what was a fine to me?" "it must stop here, however," said bradstreet. "if th', ' "many times; but what was a fine to me?" "it must stop here, however," said bradstreet. "if the pol', 'y times; but what was a fine to me?" "it must stop here, however," said bradstreet. "if the police a', 'es; but what was a fine to me?" "it must stop here, however," said bradstreet. "if the police are to', 'ut what was a fine to me?" "it must stop here, however," said bradstreet. "if the police are to hush', 'at was a fine to me?" "it must stop here, however," said bradstreet. "if the police are to hush this', 's a fine to me?" "it must stop here, however," said bradstreet. "if the police are to hush this thin', 'ine to me?" "it must stop here, however," said bradstreet. "if the police are to hush this thing up,', 'o me?" "it must stop here, however," said bradstreet. "if the police are to hush this thing up, ther', '" "it must stop here, however," said bradstreet. "if the police are to hush this thing up, there mus', ' must stop here, however," said bradstreet. "if the police are to hush this thing up, there must be ', ' stop here, however," said bradstreet. "if the police are to hush this thing up, there must be no mo', ' here, however," said bradstreet. "if the police are to hush this thing up, there must be no more of', ', however," said bradstreet. "if the police are to hush this thing up, there must be no more of hugh', 'ever," said bradstreet. "if the police are to hush this thing up, there must be no more of hugh boon', '" said bradstreet. "if the police are to hush this thing up, there must be no more of hugh boone." "', 'd bradstreet. "if the police are to hush this thing up, there must be no more of hugh boone." "i hav', 'dstreet. "if the police are to hush this thing up, there must be no more of hugh boone." "i have swo', 'et. "if the police are to hush this thing up, there must be no more of hugh boone." "i have sworn it', 'if the police are to hush this thing up, there must be no more of hugh boone." "i have sworn it by t', 'e police are to hush this thing up, there must be no more of hugh boone." "i have sworn it by the mo', 'ice are to hush this thing up, there must be no more of hugh boone." "i have sworn it by the most so', 're to hush this thing up, there must be no more of hugh boone." "i have sworn it by the most solemn ', ' hush this thing up, there must be no more of hugh boone." "i have sworn it by the most solemn oaths', ' this thing up, there must be no more of hugh boone." "i have sworn it by the most solemn oaths whic', ' thing up, there must be no more of hugh boone." "i have sworn it by the most solemn oaths which a m', 'g up, there must be no more of hugh boone." "i have sworn it by the most solemn oaths which a man ca', ' there must be no more of hugh boone." "i have sworn it by the most solemn oaths which a man can tak', 'e must be no more of hugh boone." "i have sworn it by the most solemn oaths which a man can take." "', 't be no more of hugh boone." "i have sworn it by the most solemn oaths which a man can take." "in th', 'no more of hugh boone." "i have sworn it by the most solemn oaths which a man can take." "in that ca', 're of hugh boone." "i have sworn it by the most solemn oaths which a man can take." "in that case i ', ' hugh boone." "i have sworn it by the most solemn oaths which a man can take." "in that case i think', ' boone." "i have sworn it by the most solemn oaths which a man can take." "in that case i think that', 'e." "i have sworn it by the most solemn oaths which a man can take." "in that case i think that it i', 'i have sworn it by the most solemn oaths which a man can take." "in that case i think that it is pro', 'e sworn it by the most solemn oaths which a man can take." "in that case i think that it is probable', 'rn it by the most solemn oaths which a man can take." "in that case i think that it is probable that', ' by the most solemn oaths which a man can take." "in that case i think that it is probable that no f', 'he most solemn oaths which a man can take." "in that case i think that it is probable that no furthe', 'st solemn oaths which a man can take." "in that case i think that it is probable that no further ste', 'lemn oaths which a man can take." "in that case i think that it is probable that no further steps ma', 'oaths which a man can take." "in that case i think that it is probable that no further steps may be ', ' which a man can take." "in that case i think that it is probable that no further steps may be taken', 'h a man can take." "in that case i think that it is probable that no further steps may be taken. but', 'an can take." "in that case i think that it is probable that no further steps may be taken. but if y', 'n take." "in that case i think that it is probable that no further steps may be taken. but if you ar', 'e." "in that case i think that it is probable that no further steps may be taken. but if you are fou', 'in that case i think that it is probable that no further steps may be taken. but if you are found ag', 'at case i think that it is probable that no further steps may be taken. but if you are found again, ', 'se i think that it is probable that no further steps may be taken. but if you are found again, then ', 'think that it is probable that no further steps may be taken. but if you are found again, then all m', ' that it is probable that no further steps may be taken. but if you are found again, then all must c', ' it is probable that no further steps may be taken. but if you are found again, then all must come o', 's probable that no further steps may be taken. but if you are found again, then all must come out. i', 'bable that no further steps may be taken. but if you are found again, then all must come out. i am s', ' that no further steps may be taken. but if you are found again, then all must come out. i am sure, ', ' no further steps may be taken. but if you are found again, then all must come out. i am sure, mr. h', 'urther steps may be taken. but if you are found again, then all must come out. i am sure, mr. holmes', 'r steps may be taken. but if you are found again, then all must come out. i am sure, mr. holmes, tha', 'ps may be taken. but if you are found again, then all must come out. i am sure, mr. holmes, that we ', 'y be taken. but if you are found again, then all must come out. i am sure, mr. holmes, that we are v', 'taken. but if you are found again, then all must come out. i am sure, mr. holmes, that we are very m', '. but if you are found again, then all must come out. i am sure, mr. holmes, that we are very much i', ' if you are found again, then all must come out. i am sure, mr. holmes, that we are very much indebt', 'ou are found again, then all must come out. i am sure, mr. holmes, that we are very much indebted to', 'e found again, then all must come out. i am sure, mr. holmes, that we are very much indebted to you ', 'nd again, then all must come out. i am sure, mr. holmes, that we are very much indebted to you for h', 'ain, then all must come out. i am sure, mr. holmes, that we are very much indebted to you for having', 'then all must come out. i am sure, mr. holmes, that we are very much indebted to you for having clea', 'all must come out. i am sure, mr. holmes, that we are very much indebted to you for having cleared t', 'ust come out. i am sure, mr. holmes, that we are very much indebted to you for having cleared the ma', 'ome out. i am sure, mr. holmes, that we are very much indebted to you for having cleared the matter ', 'ut. i am sure, mr. holmes, that we are very much indebted to you for having cleared the matter up. i', ' am sure, mr. holmes, that we are very much indebted to you for having cleared the matter up. i wish', 'ure, mr. holmes, that we are very much indebted to you for having cleared the matter up. i wish i kn', 'mr. holmes, that we are very much indebted to you for having cleared the matter up. i wish i knew ho', 'olmes, that we are very much indebted to you for having cleared the matter up. i wish i knew how you', ', that we are very much indebted to you for having cleared the matter up. i wish i knew how you reac', 't we are very much indebted to you for having cleared the matter up. i wish i knew how you reach you', 'are very much indebted to you for having cleared the matter up. i wish i knew how you reach your res', 'ery much indebted to you for having cleared the matter up. i wish i knew how you reach your results.', 'uch indebted to you for having cleared the matter up. i wish i knew how you reach your results." "i ', 'ndebted to you for having cleared the matter up. i wish i knew how you reach your results." "i reach', 'ed to you for having cleared the matter up. i wish i knew how you reach your results." "i reached th', ' you for having cleared the matter up. i wish i knew how you reach your results." "i reached this on', 'for having cleared the matter up. i wish i knew how you reach your results." "i reached this one," s', 'aving cleared the matter up. i wish i knew how you reach your results." "i reached this one," said m', ' cleared the matter up. i wish i knew how you reach your results." "i reached this one," said my fri', 'red the matter up. i wish i knew how you reach your results." "i reached this one," said my friend, ', 'he matter up. i wish i knew how you reach your results." "i reached this one," said my friend, "by s', 'tter up. i wish i knew how you reach your results." "i reached this one," said my friend, "by sittin', 'up. i wish i knew how you reach your results." "i reached this one," said my friend, "by sitting upo', ' wish i knew how you reach your results." "i reached this one," said my friend, "by sitting upon fiv', ' i knew how you reach your results." "i reached this one," said my friend, "by sitting upon five pil', 'ew how you reach your results." "i reached this one," said my friend, "by sitting upon five pillows ', 'w you reach your results." "i reached this one," said my friend, "by sitting upon five pillows and c', ' reach your results." "i reached this one," said my friend, "by sitting upon five pillows and consum', 'h your results." "i reached this one," said my friend, "by sitting upon five pillows and consuming a', 'r results." "i reached this one," said my friend, "by sitting upon five pillows and consuming an oun', 'ults." "i reached this one," said my friend, "by sitting upon five pillows and consuming an ounce of', '" "i reached this one," said my friend, "by sitting upon five pillows and consuming an ounce of shag', 'reached this one," said my friend, "by sitting upon five pillows and consuming an ounce of shag. i t', 'ed this one," said my friend, "by sitting upon five pillows and consuming an ounce of shag. i think,', 'is one," said my friend, "by sitting upon five pillows and consuming an ounce of shag. i think, wats', 'e," said my friend, "by sitting upon five pillows and consuming an ounce of shag. i think, watson, t', 'aid my friend, "by sitting upon five pillows and consuming an ounce of shag. i think, watson, that i', 'y friend, "by sitting upon five pillows and consuming an ounce of shag. i think, watson, that if we ', 'end, "by sitting upon five pillows and consuming an ounce of shag. i think, watson, that if we drive', '"by sitting upon five pillows and consuming an ounce of shag. i think, watson, that if we drive to b', 'itting upon five pillows and consuming an ounce of shag. i think, watson, that if we drive to baker ', 'g upon five pillows and consuming an ounce of shag. i think, watson, that if we drive to baker stree', 'n five pillows and consuming an ounce of shag. i think, watson, that if we drive to baker street we ', 'e pillows and consuming an ounce of shag. i think, watson, that if we drive to baker street we shall', 'lows and consuming an ounce of shag. i think, watson, that if we drive to baker street we shall just', 'and consuming an ounce of shag. i think, watson, that if we drive to baker street we shall just be i', 'onsuming an ounce of shag. i think, watson, that if we drive to baker street we shall just be in tim', 'ing an ounce of shag. i think, watson, that if we drive to baker street we shall just be in time for', 'n ounce of shag. i think, watson, that if we drive to baker street we shall just be in time for brea', 'ce of shag. i think, watson, that if we drive to baker street we shall just be in time for breakfast', ' shag. i think, watson, that if we drive to baker street we shall just be in time for breakfast." v', '. i think, watson, that if we drive to baker street we shall just be in time for breakfast." vii. t', 'hink, watson, that if we drive to baker street we shall just be in time for breakfast." vii. the ad', ' watson, that if we drive to baker street we shall just be in time for breakfast." vii. the adventu', 'on, that if we drive to baker street we shall just be in time for breakfast." vii. the adventure of', 'hat if we drive to baker street we shall just be in time for breakfast." vii. the adventure of the ', 'f we drive to baker street we shall just be in time for breakfast." vii. the adventure of the blue ', 'drive to baker street we shall just be in time for breakfast." vii. the adventure of the blue carbu', ' to baker street we shall just be in time for breakfast." vii. the adventure of the blue carbuncle ', 'aker street we shall just be in time for breakfast." vii. the adventure of the blue carbuncle i had', 'street we shall just be in time for breakfast." vii. the adventure of the blue carbuncle i had call', 't we shall just be in time for breakfast." vii. the adventure of the blue carbuncle i had called up', 'shall just be in time for breakfast." vii. the adventure of the blue carbuncle i had called upon my', ' just be in time for breakfast." vii. the adventure of the blue carbuncle i had called upon my frie', ' be in time for breakfast." vii. the adventure of the blue carbuncle i had called upon my friend sh', 'n time for breakfast." vii. the adventure of the blue carbuncle i had called upon my friend sherloc', 'e for breakfast." vii. the adventure of the blue carbuncle i had called upon my friend sherlock hol', ' breakfast." vii. the adventure of the blue carbuncle i had called upon my friend sherlock holmes u', 'kfast." vii. the adventure of the blue carbuncle i had called upon my friend sherlock holmes upon t', '." vii. the adventure of the blue carbuncle i had called upon my friend sherlock holmes upon the se', 'ii. the adventure of the blue carbuncle i had called upon my friend sherlock holmes upon the second ', 'he adventure of the blue carbuncle i had called upon my friend sherlock holmes upon the second morni', 'venture of the blue carbuncle i had called upon my friend sherlock holmes upon the second morning af', 're of the blue carbuncle i had called upon my friend sherlock holmes upon the second morning after c', ' the blue carbuncle i had called upon my friend sherlock holmes upon the second morning after christ', 'blue carbuncle i had called upon my friend sherlock holmes upon the second morning after christmas, ', 'carbuncle i had called upon my friend sherlock holmes upon the second morning after christmas, with ', 'ncle i had called upon my friend sherlock holmes upon the second morning after christmas, with the i', 'i had called upon my friend sherlock holmes upon the second morning after christmas, with the intent', ' called upon my friend sherlock holmes upon the second morning after christmas, with the intention o', 'ed upon my friend sherlock holmes upon the second morning after christmas, with the intention of wis', 'on my friend sherlock holmes upon the second morning after christmas, with the intention of wishing ', ' friend sherlock holmes upon the second morning after christmas, with the intention of wishing him t', 'nd sherlock holmes upon the second morning after christmas, with the intention of wishing him the co', 'erlock holmes upon the second morning after christmas, with the intention of wishing him the complim', 'k holmes upon the second morning after christmas, with the intention of wishing him the compliments ', 'mes upon the second morning after christmas, with the intention of wishing him the compliments of th', 'pon the second morning after christmas, with the intention of wishing him the compliments of the sea', 'he second morning after christmas, with the intention of wishing him the compliments of the season. ', 'cond morning after christmas, with the intention of wishing him the compliments of the season. he wa', 'morning after christmas, with the intention of wishing him the compliments of the season. he was lou', 'ng after christmas, with the intention of wishing him the compliments of the season. he was lounging', 'ter christmas, with the intention of wishing him the compliments of the season. he was lounging upon', 'hristmas, with the intention of wishing him the compliments of the season. he was lounging upon the ', 'mas, with the intention of wishing him the compliments of the season. he was lounging upon the sofa ', 'with the intention of wishing him the compliments of the season. he was lounging upon the sofa in a ', 'the intention of wishing him the compliments of the season. he was lounging upon the sofa in a purpl', 'ntention of wishing him the compliments of the season. he was lounging upon the sofa in a purple dre', 'ion of wishing him the compliments of the season. he was lounging upon the sofa in a purple dressing', 'f wishing him the compliments of the season. he was lounging upon the sofa in a purple dressing-gown', 'hing him the compliments of the season. he was lounging upon the sofa in a purple dressing-gown, a p', 'him the compliments of the season. he was lounging upon the sofa in a purple dressing-gown, a pipe-r', 'he compliments of the season. he was lounging upon the sofa in a purple dressing-gown, a pipe-rack w', 'mpliments of the season. he was lounging upon the sofa in a purple dressing-gown, a pipe-rack within', 'ents of the season. he was lounging upon the sofa in a purple dressing-gown, a pipe-rack within his ', 'of the season. he was lounging upon the sofa in a purple dressing-gown, a pipe-rack within his reach', 'e season. he was lounging upon the sofa in a purple dressing-gown, a pipe-rack within his reach upon', 'son. he was lounging upon the sofa in a purple dressing-gown, a pipe-rack within his reach upon the ', 'he was lounging upon the sofa in a purple dressing-gown, a pipe-rack within his reach upon the right', 's lounging upon the sofa in a purple dressing-gown, a pipe-rack within his reach upon the right, and', 'nging upon the sofa in a purple dressing-gown, a pipe-rack within his reach upon the right, and a pi', ' upon the sofa in a purple dressing-gown, a pipe-rack within his reach upon the right, and a pile of', ' the sofa in a purple dressing-gown, a pipe-rack within his reach upon the right, and a pile of crum', 'sofa in a purple dressing-gown, a pipe-rack within his reach upon the right, and a pile of crumpled ', 'in a purple dressing-gown, a pipe-rack within his reach upon the right, and a pile of crumpled morni', 'purple dressing-gown, a pipe-rack within his reach upon the right, and a pile of crumpled morning pa', 'e dressing-gown, a pipe-rack within his reach upon the right, and a pile of crumpled morning papers,', 'ssing-gown, a pipe-rack within his reach upon the right, and a pile of crumpled morning papers, evid', '-gown, a pipe-rack within his reach upon the right, and a pile of crumpled morning papers, evidently', ', a pipe-rack within his reach upon the right, and a pile of crumpled morning papers, evidently newl', 'ipe-rack within his reach upon the right, and a pile of crumpled morning papers, evidently newly stu', 'ack within his reach upon the right, and a pile of crumpled morning papers, evidently newly studied,', 'ithin his reach upon the right, and a pile of crumpled morning papers, evidently newly studied, near', ' his reach upon the right, and a pile of crumpled morning papers, evidently newly studied, near at h', 'reach upon the right, and a pile of crumpled morning papers, evidently newly studied, near at hand. ', ' upon the right, and a pile of crumpled morning papers, evidently newly studied, near at hand. besid', ' the right, and a pile of crumpled morning papers, evidently newly studied, near at hand. beside the', 'right, and a pile of crumpled morning papers, evidently newly studied, near at hand. beside the couc', ', and a pile of crumpled morning papers, evidently newly studied, near at hand. beside the couch was', ' a pile of crumpled morning papers, evidently newly studied, near at hand. beside the couch was a wo', 'le of crumpled morning papers, evidently newly studied, near at hand. beside the couch was a wooden ', ' crumpled morning papers, evidently newly studied, near at hand. beside the couch was a wooden chair', 'pled morning papers, evidently newly studied, near at hand. beside the couch was a wooden chair, and', 'morning papers, evidently newly studied, near at hand. beside the couch was a wooden chair, and on t', 'ng papers, evidently newly studied, near at hand. beside the couch was a wooden chair, and on the an', 'pers, evidently newly studied, near at hand. beside the couch was a wooden chair, and on the angle o', ' evidently newly studied, near at hand. beside the couch was a wooden chair, and on the angle of the', 'ently newly studied, near at hand. beside the couch was a wooden chair, and on the angle of the back', ' newly studied, near at hand. beside the couch was a wooden chair, and on the angle of the back hung', 'y studied, near at hand. beside the couch was a wooden chair, and on the angle of the back hung a ve', 'died, near at hand. beside the couch was a wooden chair, and on the angle of the back hung a very se', ' near at hand. beside the couch was a wooden chair, and on the angle of the back hung a very seedy a', ' at hand. beside the couch was a wooden chair, and on the angle of the back hung a very seedy and di', 'and. beside the couch was a wooden chair, and on the angle of the back hung a very seedy and disrepu', 'beside the couch was a wooden chair, and on the angle of the back hung a very seedy and disreputable', 'e the couch was a wooden chair, and on the angle of the back hung a very seedy and disreputable hard', ' couch was a wooden chair, and on the angle of the back hung a very seedy and disreputable hard-felt', 'h was a wooden chair, and on the angle of the back hung a very seedy and disreputable hard-felt hat,', ' a wooden chair, and on the angle of the back hung a very seedy and disreputable hard-felt hat, much', 'oden chair, and on the angle of the back hung a very seedy and disreputable hard-felt hat, much the ', 'chair, and on the angle of the back hung a very seedy and disreputable hard-felt hat, much the worse', ', and on the angle of the back hung a very seedy and disreputable hard-felt hat, much the worse for ', ' on the angle of the back hung a very seedy and disreputable hard-felt hat, much the worse for wear,', 'he angle of the back hung a very seedy and disreputable hard-felt hat, much the worse for wear, and ', 'gle of the back hung a very seedy and disreputable hard-felt hat, much the worse for wear, and crack', 'f the back hung a very seedy and disreputable hard-felt hat, much the worse for wear, and cracked in', ' back hung a very seedy and disreputable hard-felt hat, much the worse for wear, and cracked in seve', ' hung a very seedy and disreputable hard-felt hat, much the worse for wear, and cracked in several p', ' a very seedy and disreputable hard-felt hat, much the worse for wear, and cracked in several places', 'ry seedy and disreputable hard-felt hat, much the worse for wear, and cracked in several places. a l', 'edy and disreputable hard-felt hat, much the worse for wear, and cracked in several places. a lens a', 'nd disreputable hard-felt hat, much the worse for wear, and cracked in several places. a lens and a ', 'sreputable hard-felt hat, much the worse for wear, and cracked in several places. a lens and a force', 'table hard-felt hat, much the worse for wear, and cracked in several places. a lens and a forceps ly', ' hard-felt hat, much the worse for wear, and cracked in several places. a lens and a forceps lying u', '-felt hat, much the worse for wear, and cracked in several places. a lens and a forceps lying upon t', ' hat, much the worse for wear, and cracked in several places. a lens and a forceps lying upon the se', ' much the worse for wear, and cracked in several places. a lens and a forceps lying upon the seat of', ' the worse for wear, and cracked in several places. a lens and a forceps lying upon the seat of the ', 'worse for wear, and cracked in several places. a lens and a forceps lying upon the seat of the chair', ' for wear, and cracked in several places. a lens and a forceps lying upon the seat of the chair sugg', 'wear, and cracked in several places. a lens and a forceps lying upon the seat of the chair suggested', ' and cracked in several places. a lens and a forceps lying upon the seat of the chair suggested that', 'cracked in several places. a lens and a forceps lying upon the seat of the chair suggested that the ', 'ed in several places. a lens and a forceps lying upon the seat of the chair suggested that the hat h', ' several places. a lens and a forceps lying upon the seat of the chair suggested that the hat had be', 'ral places. a lens and a forceps lying upon the seat of the chair suggested that the hat had been su', 'laces. a lens and a forceps lying upon the seat of the chair suggested that the hat had been suspend', '. a lens and a forceps lying upon the seat of the chair suggested that the hat had been suspended in', 'ens and a forceps lying upon the seat of the chair suggested that the hat had been suspended in this', 'nd a forceps lying upon the seat of the chair suggested that the hat had been suspended in this mann', 'forceps lying upon the seat of the chair suggested that the hat had been suspended in this manner fo', 'ps lying upon the seat of the chair suggested that the hat had been suspended in this manner for the', 'ing upon the seat of the chair suggested that the hat had been suspended in this manner for the purp', 'pon the seat of the chair suggested that the hat had been suspended in this manner for the purpose o', 'he seat of the chair suggested that the hat had been suspended in this manner for the purpose of exa', 'at of the chair suggested that the hat had been suspended in this manner for the purpose of examinat', ' the chair suggested that the hat had been suspended in this manner for the purpose of examination. ', 'chair suggested that the hat had been suspended in this manner for the purpose of examination. "you ', ' suggested that the hat had been suspended in this manner for the purpose of examination. "you are e', 'ested that the hat had been suspended in this manner for the purpose of examination. "you are engage', ' that the hat had been suspended in this manner for the purpose of examination. "you are engaged," s', ' the hat had been suspended in this manner for the purpose of examination. "you are engaged," said i', 'hat had been suspended in this manner for the purpose of examination. "you are engaged," said i; "pe', 'ad been suspended in this manner for the purpose of examination. "you are engaged," said i; "perhaps', 'en suspended in this manner for the purpose of examination. "you are engaged," said i; "perhaps i in', 'spended in this manner for the purpose of examination. "you are engaged," said i; "perhaps i interru', 'ed in this manner for the purpose of examination. "you are engaged," said i; "perhaps i interrupt yo', ' this manner for the purpose of examination. "you are engaged," said i; "perhaps i interrupt you." "', ' manner for the purpose of examination. "you are engaged," said i; "perhaps i interrupt you." "not a', 'er for the purpose of examination. "you are engaged," said i; "perhaps i interrupt you." "not at all', 'r the purpose of examination. "you are engaged," said i; "perhaps i interrupt you." "not at all. i a', ' purpose of examination. "you are engaged," said i; "perhaps i interrupt you." "not at all. i am gla', 'ose of examination. "you are engaged," said i; "perhaps i interrupt you." "not at all. i am glad to ', 'f examination. "you are engaged," said i; "perhaps i interrupt you." "not at all. i am glad to have ', 'mination. "you are engaged," said i; "perhaps i interrupt you." "not at all. i am glad to have a fri', 'ion. "you are engaged," said i; "perhaps i interrupt you." "not at all. i am glad to have a friend w', '"you are engaged," said i; "perhaps i interrupt you." "not at all. i am glad to have a friend with w', 'are engaged," said i; "perhaps i interrupt you." "not at all. i am glad to have a friend with whom i', 'ngaged," said i; "perhaps i interrupt you." "not at all. i am glad to have a friend with whom i can ', 'd," said i; "perhaps i interrupt you." "not at all. i am glad to have a friend with whom i can discu', 'aid i; "perhaps i interrupt you." "not at all. i am glad to have a friend with whom i can discuss my', '; "perhaps i interrupt you." "not at all. i am glad to have a friend with whom i can discuss my resu', 'rhaps i interrupt you." "not at all. i am glad to have a friend with whom i can discuss my results. ', ' i interrupt you." "not at all. i am glad to have a friend with whom i can discuss my results. the m', 'terrupt you." "not at all. i am glad to have a friend with whom i can discuss my results. the matter', 'pt you." "not at all. i am glad to have a friend with whom i can discuss my results. the matter is a', 'u." "not at all. i am glad to have a friend with whom i can discuss my results. the matter is a perf', 'not at all. i am glad to have a friend with whom i can discuss my results. the matter is a perfectly', 't all. i am glad to have a friend with whom i can discuss my results. the matter is a perfectly triv', '. i am glad to have a friend with whom i can discuss my results. the matter is a perfectly trivial o', 'm glad to have a friend with whom i can discuss my results. the matter is a perfectly trivial one"he', 'd to have a friend with whom i can discuss my results. the matter is a perfectly trivial one"he jerk', 'have a friend with whom i can discuss my results. the matter is a perfectly trivial one"he jerked hi', 'a friend with whom i can discuss my results. the matter is a perfectly trivial one"he jerked his thu', 'end with whom i can discuss my results. the matter is a perfectly trivial one"he jerked his thumb in', 'ith whom i can discuss my results. the matter is a perfectly trivial one"he jerked his thumb in the ', 'hom i can discuss my results. the matter is a perfectly trivial one"he jerked his thumb in the direc', ' can discuss my results. the matter is a perfectly trivial one"he jerked his thumb in the direction ', 'discuss my results. the matter is a perfectly trivial one"he jerked his thumb in the direction of th', 'ss my results. the matter is a perfectly trivial one"he jerked his thumb in the direction of the old', ' results. the matter is a perfectly trivial one"he jerked his thumb in the direction of the old hat"', 'lts. the matter is a perfectly trivial one"he jerked his thumb in the direction of the old hat"but t', 'the matter is a perfectly trivial one"he jerked his thumb in the direction of the old hat"but there ', 'atter is a perfectly trivial one"he jerked his thumb in the direction of the old hat"but there are p', ' is a perfectly trivial one"he jerked his thumb in the direction of the old hat"but there are points', ' perfectly trivial one"he jerked his thumb in the direction of the old hat"but there are points in c', 'ectly trivial one"he jerked his thumb in the direction of the old hat"but there are points in connec', ' trivial one"he jerked his thumb in the direction of the old hat"but there are points in connection ', 'ial one"he jerked his thumb in the direction of the old hat"but there are points in connection with ', 'ne"he jerked his thumb in the direction of the old hat"but there are points in connection with it wh', ' jerked his thumb in the direction of the old hat"but there are points in connection with it which a', 'ed his thumb in the direction of the old hat"but there are points in connection with it which are no', 's thumb in the direction of the old hat"but there are points in connection with it which are not ent', 'mb in the direction of the old hat"but there are points in connection with it which are not entirely', ' the direction of the old hat"but there are points in connection with it which are not entirely devo', 'direction of the old hat"but there are points in connection with it which are not entirely devoid of', 'tion of the old hat"but there are points in connection with it which are not entirely devoid of inte', 'of the old hat"but there are points in connection with it which are not entirely devoid of interest ', 'e old hat"but there are points in connection with it which are not entirely devoid of interest and e', ' hat"but there are points in connection with it which are not entirely devoid of interest and even o', 'but there are points in connection with it which are not entirely devoid of interest and even of ins', 'here are points in connection with it which are not entirely devoid of interest and even of instruct', 'are points in connection with it which are not entirely devoid of interest and even of instruction."', 'oints in connection with it which are not entirely devoid of interest and even of instruction." i se', ' in connection with it which are not entirely devoid of interest and even of instruction." i seated ', 'onnection with it which are not entirely devoid of interest and even of instruction." i seated mysel', 'tion with it which are not entirely devoid of interest and even of instruction." i seated myself in ', 'with it which are not entirely devoid of interest and even of instruction." i seated myself in his a', 'it which are not entirely devoid of interest and even of instruction." i seated myself in his armcha', 'ich are not entirely devoid of interest and even of instruction." i seated myself in his armchair an', 're not entirely devoid of interest and even of instruction." i seated myself in his armchair and war', 't entirely devoid of interest and even of instruction." i seated myself in his armchair and warmed m', 'irely devoid of interest and even of instruction." i seated myself in his armchair and warmed my han', ' devoid of interest and even of instruction." i seated myself in his armchair and warmed my hands be', 'id of interest and even of instruction." i seated myself in his armchair and warmed my hands before ', ' interest and even of instruction." i seated myself in his armchair and warmed my hands before his c', 'rest and even of instruction." i seated myself in his armchair and warmed my hands before his crackl', 'and even of instruction." i seated myself in his armchair and warmed my hands before his crackling f', 'ven of instruction." i seated myself in his armchair and warmed my hands before his crackling fire, ', 'f instruction." i seated myself in his armchair and warmed my hands before his crackling fire, for a', 'truction." i seated myself in his armchair and warmed my hands before his crackling fire, for a shar', 'ion." i seated myself in his armchair and warmed my hands before his crackling fire, for a sharp fro', ' i seated myself in his armchair and warmed my hands before his crackling fire, for a sharp frost ha', 'ated myself in his armchair and warmed my hands before his crackling fire, for a sharp frost had set', 'myself in his armchair and warmed my hands before his crackling fire, for a sharp frost had set in, ', 'f in his armchair and warmed my hands before his crackling fire, for a sharp frost had set in, and t', 'his armchair and warmed my hands before his crackling fire, for a sharp frost had set in, and the wi', 'rmchair and warmed my hands before his crackling fire, for a sharp frost had set in, and the windows', 'ir and warmed my hands before his crackling fire, for a sharp frost had set in, and the windows were', 'd warmed my hands before his crackling fire, for a sharp frost had set in, and the windows were thic', 'med my hands before his crackling fire, for a sharp frost had set in, and the windows were thick wit', 'y hands before his crackling fire, for a sharp frost had set in, and the windows were thick with the', 'ds before his crackling fire, for a sharp frost had set in, and the windows were thick with the ice ', 'fore his crackling fire, for a sharp frost had set in, and the windows were thick with the ice cryst', 'his crackling fire, for a sharp frost had set in, and the windows were thick with the ice crystals. ', 'rackling fire, for a sharp frost had set in, and the windows were thick with the ice crystals. "i su', 'ing fire, for a sharp frost had set in, and the windows were thick with the ice crystals. "i suppose', 'ire, for a sharp frost had set in, and the windows were thick with the ice crystals. "i suppose," i ', 'for a sharp frost had set in, and the windows were thick with the ice crystals. "i suppose," i remar', ' sharp frost had set in, and the windows were thick with the ice crystals. "i suppose," i remarked, ', 'p frost had set in, and the windows were thick with the ice crystals. "i suppose," i remarked, "that', 'st had set in, and the windows were thick with the ice crystals. "i suppose," i remarked, "that, hom', 'd set in, and the windows were thick with the ice crystals. "i suppose," i remarked, "that, homely a', ' in, and the windows were thick with the ice crystals. "i suppose," i remarked, "that, homely as it ', 'and the windows were thick with the ice crystals. "i suppose," i remarked, "that, homely as it looks', 'he windows were thick with the ice crystals. "i suppose," i remarked, "that, homely as it looks, thi', 'ndows were thick with the ice crystals. "i suppose," i remarked, "that, homely as it looks, this thi', ' were thick with the ice crystals. "i suppose," i remarked, "that, homely as it looks, this thing ha', ' thick with the ice crystals. "i suppose," i remarked, "that, homely as it looks, this thing has som', 'k with the ice crystals. "i suppose," i remarked, "that, homely as it looks, this thing has some dea', 'h the ice crystals. "i suppose," i remarked, "that, homely as it looks, this thing has some deadly s', ' ice crystals. "i suppose," i remarked, "that, homely as it looks, this thing has some deadly story ', 'crystals. "i suppose," i remarked, "that, homely as it looks, this thing has some deadly story linke', 'als. "i suppose," i remarked, "that, homely as it looks, this thing has some deadly story linked on ', '"i suppose," i remarked, "that, homely as it looks, this thing has some deadly story linked on to it', 'ppose," i remarked, "that, homely as it looks, this thing has some deadly story linked on to itthat ', '," i remarked, "that, homely as it looks, this thing has some deadly story linked on to itthat it is', 'remarked, "that, homely as it looks, this thing has some deadly story linked on to itthat it is the ', 'ked, "that, homely as it looks, this thing has some deadly story linked on to itthat it is the clue ', '"that, homely as it looks, this thing has some deadly story linked on to itthat it is the clue which', ', homely as it looks, this thing has some deadly story linked on to itthat it is the clue which will', 'ely as it looks, this thing has some deadly story linked on to itthat it is the clue which will guid', 's it looks, this thing has some deadly story linked on to itthat it is the clue which will guide you', 'looks, this thing has some deadly story linked on to itthat it is the clue which will guide you in t', ', this thing has some deadly story linked on to itthat it is the clue which will guide you in the so', 's thing has some deadly story linked on to itthat it is the clue which will guide you in the solutio', 'ng has some deadly story linked on to itthat it is the clue which will guide you in the solution of ', 's some deadly story linked on to itthat it is the clue which will guide you in the solution of some ', 'e deadly story linked on to itthat it is the clue which will guide you in the solution of some myste', 'dly story linked on to itthat it is the clue which will guide you in the solution of some mystery an', 'tory linked on to itthat it is the clue which will guide you in the solution of some mystery and the', 'linked on to itthat it is the clue which will guide you in the solution of some mystery and the puni', 'd on to itthat it is the clue which will guide you in the solution of some mystery and the punishmen', 'to itthat it is the clue which will guide you in the solution of some mystery and the punishment of ', 'that it is the clue which will guide you in the solution of some mystery and the punishment of some ', 'it is the clue which will guide you in the solution of some mystery and the punishment of some crime', ' the clue which will guide you in the solution of some mystery and the punishment of some crime." "n', 'clue which will guide you in the solution of some mystery and the punishment of some crime." "no, no', 'which will guide you in the solution of some mystery and the punishment of some crime." "no, no. no ', ' will guide you in the solution of some mystery and the punishment of some crime." "no, no. no crime', ' guide you in the solution of some mystery and the punishment of some crime." "no, no. no crime," sa', 'e you in the solution of some mystery and the punishment of some crime." "no, no. no crime," said sh', ' in the solution of some mystery and the punishment of some crime." "no, no. no crime," said sherloc', 'he solution of some mystery and the punishment of some crime." "no, no. no crime," said sherlock hol', 'lution of some mystery and the punishment of some crime." "no, no. no crime," said sherlock holmes, ', 'n of some mystery and the punishment of some crime." "no, no. no crime," said sherlock holmes, laugh', 'some mystery and the punishment of some crime." "no, no. no crime," said sherlock holmes, laughing. ', 'mystery and the punishment of some crime." "no, no. no crime," said sherlock holmes, laughing. "only', 'ry and the punishment of some crime." "no, no. no crime," said sherlock holmes, laughing. "only one ', 'd the punishment of some crime." "no, no. no crime," said sherlock holmes, laughing. "only one of th', ' punishment of some crime." "no, no. no crime," said sherlock holmes, laughing. "only one of those w', 'shment of some crime." "no, no. no crime," said sherlock holmes, laughing. "only one of those whimsi', 't of some crime." "no, no. no crime," said sherlock holmes, laughing. "only one of those whimsical l', 'some crime." "no, no. no crime," said sherlock holmes, laughing. "only one of those whimsical little', 'crime." "no, no. no crime," said sherlock holmes, laughing. "only one of those whimsical little inci', '." "no, no. no crime," said sherlock holmes, laughing. "only one of those whimsical little incidents', 'o, no. no crime," said sherlock holmes, laughing. "only one of those whimsical little incidents whic', '. no crime," said sherlock holmes, laughing. "only one of those whimsical little incidents which wil', 'crime," said sherlock holmes, laughing. "only one of those whimsical little incidents which will hap', '," said sherlock holmes, laughing. "only one of those whimsical little incidents which will happen w', 'id sherlock holmes, laughing. "only one of those whimsical little incidents which will happen when y', 'erlock holmes, laughing. "only one of those whimsical little incidents which will happen when you ha', 'k holmes, laughing. "only one of those whimsical little incidents which will happen when you have fo', 'mes, laughing. "only one of those whimsical little incidents which will happen when you have four mi', 'laughing. "only one of those whimsical little incidents which will happen when you have four million', 'ing. "only one of those whimsical little incidents which will happen when you have four million huma', '"only one of those whimsical little incidents which will happen when you have four million human bei', ' one of those whimsical little incidents which will happen when you have four million human beings a', 'of those whimsical little incidents which will happen when you have four million human beings all jo', 'ose whimsical little incidents which will happen when you have four million human beings all jostlin', 'himsical little incidents which will happen when you have four million human beings all jostling eac', 'cal little incidents which will happen when you have four million human beings all jostling each oth', 'ittle incidents which will happen when you have four million human beings all jostling each other wi', ' incidents which will happen when you have four million human beings all jostling each other within ', 'dents which will happen when you have four million human beings all jostling each other within the s', ' which will happen when you have four million human beings all jostling each other within the space ', 'h will happen when you have four million human beings all jostling each other within the space of a ', 'l happen when you have four million human beings all jostling each other within the space of a few s', 'pen when you have four million human beings all jostling each other within the space of a few square', 'hen you have four million human beings all jostling each other within the space of a few square mile', 'ou have four million human beings all jostling each other within the space of a few square miles. am', 've four million human beings all jostling each other within the space of a few square miles. amid th', 'ur million human beings all jostling each other within the space of a few square miles. amid the act', 'llion human beings all jostling each other within the space of a few square miles. amid the action a', ' human beings all jostling each other within the space of a few square miles. amid the action and re', 'n beings all jostling each other within the space of a few square miles. amid the action and reactio', 'ngs all jostling each other within the space of a few square miles. amid the action and reaction of ', 'll jostling each other within the space of a few square miles. amid the action and reaction of so de', 'stling each other within the space of a few square miles. amid the action and reaction of so dense a', 'g each other within the space of a few square miles. amid the action and reaction of so dense a swar', 'h other within the space of a few square miles. amid the action and reaction of so dense a swarm of ', 'er within the space of a few square miles. amid the action and reaction of so dense a swarm of human', 'thin the space of a few square miles. amid the action and reaction of so dense a swarm of humanity, ', 'the space of a few square miles. amid the action and reaction of so dense a swarm of humanity, every', 'pace of a few square miles. amid the action and reaction of so dense a swarm of humanity, every poss', 'of a few square miles. amid the action and reaction of so dense a swarm of humanity, every possible ', 'few square miles. amid the action and reaction of so dense a swarm of humanity, every possible combi', 'quare miles. amid the action and reaction of so dense a swarm of humanity, every possible combinatio', ' miles. amid the action and reaction of so dense a swarm of humanity, every possible combination of ', 's. amid the action and reaction of so dense a swarm of humanity, every possible combination of event', 'id the action and reaction of so dense a swarm of humanity, every possible combination of events may', 'e action and reaction of so dense a swarm of humanity, every possible combination of events may be e', 'ion and reaction of so dense a swarm of humanity, every possible combination of events may be expect', 'nd reaction of so dense a swarm of humanity, every possible combination of events may be expected to', 'action of so dense a swarm of humanity, every possible combination of events may be expected to take', 'n of so dense a swarm of humanity, every possible combination of events may be expected to take plac', 'so dense a swarm of humanity, every possible combination of events may be expected to take place, an', 'nse a swarm of humanity, every possible combination of events may be expected to take place, and man', ' swarm of humanity, every possible combination of events may be expected to take place, and many a l', 'm of humanity, every possible combination of events may be expected to take place, and many a little', 'humanity, every possible combination of events may be expected to take place, and many a little prob', 'ity, every possible combination of events may be expected to take place, and many a little problem w', 'every possible combination of events may be expected to take place, and many a little problem will b', ' possible combination of events may be expected to take place, and many a little problem will be pre', 'ible combination of events may be expected to take place, and many a little problem will be presente', 'combination of events may be expected to take place, and many a little problem will be presented whi', 'nation of events may be expected to take place, and many a little problem will be presented which ma', 'n of events may be expected to take place, and many a little problem will be presented which may be ', 'events may be expected to take place, and many a little problem will be presented which may be strik', 's may be expected to take place, and many a little problem will be presented which may be striking a', ' be expected to take place, and many a little problem will be presented which may be striking and bi', 'xpected to take place, and many a little problem will be presented which may be striking and bizarre', 'ed to take place, and many a little problem will be presented which may be striking and bizarre with', ' take place, and many a little problem will be presented which may be striking and bizarre without b', ' place, and many a little problem will be presented which may be striking and bizarre without being ', 'e, and many a little problem will be presented which may be striking and bizarre without being crimi', 'd many a little problem will be presented which may be striking and bizarre without being criminal. ', 'y a little problem will be presented which may be striking and bizarre without being criminal. we ha', 'ittle problem will be presented which may be striking and bizarre without being criminal. we have al', ' problem will be presented which may be striking and bizarre without being criminal. we have already', 'lem will be presented which may be striking and bizarre without being criminal. we have already had ', 'ill be presented which may be striking and bizarre without being criminal. we have already had exper', 'e presented which may be striking and bizarre without being criminal. we have already had experience', 'sented which may be striking and bizarre without being criminal. we have already had experience of s', 'd which may be striking and bizarre without being criminal. we have already had experience of such."', 'ch may be striking and bizarre without being criminal. we have already had experience of such." "so ', 'y be striking and bizarre without being criminal. we have already had experience of such." "so much ', 'striking and bizarre without being criminal. we have already had experience of such." "so much so," ', 'ing and bizarre without being criminal. we have already had experience of such." "so much so," i rem', 'nd bizarre without being criminal. we have already had experience of such." "so much so," i remarked', 'zarre without being criminal. we have already had experience of such." "so much so," i remarked, "th', ' without being criminal. we have already had experience of such." "so much so," i remarked, "that of', 'out being criminal. we have already had experience of such." "so much so," i remarked, "that of the ', 'eing criminal. we have already had experience of such." "so much so," i remarked, "that of the last ', 'criminal. we have already had experience of such." "so much so," i remarked, "that of the last six c', 'nal. we have already had experience of such." "so much so," i remarked, "that of the last six cases ', 'we have already had experience of such." "so much so," i remarked, "that of the last six cases which', 've already had experience of such." "so much so," i remarked, "that of the last six cases which i ha', 'ready had experience of such." "so much so," i remarked, "that of the last six cases which i have ad', ' had experience of such." "so much so," i remarked, "that of the last six cases which i have added t', 'experience of such." "so much so," i remarked, "that of the last six cases which i have added to my ', 'ience of such." "so much so," i remarked, "that of the last six cases which i have added to my notes', ' of such." "so much so," i remarked, "that of the last six cases which i have added to my notes, thr', 'uch." "so much so," i remarked, "that of the last six cases which i have added to my notes, three ha', ' "so much so," i remarked, "that of the last six cases which i have added to my notes, three have be', 'much so," i remarked, "that of the last six cases which i have added to my notes, three have been en', 'so," i remarked, "that of the last six cases which i have added to my notes, three have been entirel', 'i remarked, "that of the last six cases which i have added to my notes, three have been entirely fre', 'arked, "that of the last six cases which i have added to my notes, three have been entirely free of ', ', "that of the last six cases which i have added to my notes, three have been entirely free of any l', 'at of the last six cases which i have added to my notes, three have been entirely free of any legal ', ' the last six cases which i have added to my notes, three have been entirely free of any legal crime', 'last six cases which i have added to my notes, three have been entirely free of any legal crime." "p', 'six cases which i have added to my notes, three have been entirely free of any legal crime." "precis', 'ases which i have added to my notes, three have been entirely free of any legal crime." "precisely. ', 'which i have added to my notes, three have been entirely free of any legal crime." "precisely. you a', ' i have added to my notes, three have been entirely free of any legal crime." "precisely. you allude', 've added to my notes, three have been entirely free of any legal crime." "precisely. you allude to m', 'ded to my notes, three have been entirely free of any legal crime." "precisely. you allude to my att', 'o my notes, three have been entirely free of any legal crime." "precisely. you allude to my attempt ', 'notes, three have been entirely free of any legal crime." "precisely. you allude to my attempt to re', ', three have been entirely free of any legal crime." "precisely. you allude to my attempt to recover', 'ee have been entirely free of any legal crime." "precisely. you allude to my attempt to recover the ', 've been entirely free of any legal crime." "precisely. you allude to my attempt to recover the irene', 'en entirely free of any legal crime." "precisely. you allude to my attempt to recover the irene adle', 'tirely free of any legal crime." "precisely. you allude to my attempt to recover the irene adler pap', 'y free of any legal crime." "precisely. you allude to my attempt to recover the irene adler papers, ', 'e of any legal crime." "precisely. you allude to my attempt to recover the irene adler papers, to th', 'any legal crime." "precisely. you allude to my attempt to recover the irene adler papers, to the sin', 'egal crime." "precisely. you allude to my attempt to recover the irene adler papers, to the singular', 'crime." "precisely. you allude to my attempt to recover the irene adler papers, to the singular case', '." "precisely. you allude to my attempt to recover the irene adler papers, to the singular case of m', 'recisely. you allude to my attempt to recover the irene adler papers, to the singular case of miss m', 'ely. you allude to my attempt to recover the irene adler papers, to the singular case of miss mary s', 'you allude to my attempt to recover the irene adler papers, to the singular case of miss mary suther', 'llude to my attempt to recover the irene adler papers, to the singular case of miss mary sutherland,', ' to my attempt to recover the irene adler papers, to the singular case of miss mary sutherland, and ', 'y attempt to recover the irene adler papers, to the singular case of miss mary sutherland, and to th', 'empt to recover the irene adler papers, to the singular case of miss mary sutherland, and to the adv', 'to recover the irene adler papers, to the singular case of miss mary sutherland, and to the adventur', 'cover the irene adler papers, to the singular case of miss mary sutherland, and to the adventure of ', ' the irene adler papers, to the singular case of miss mary sutherland, and to the adventure of the m', 'irene adler papers, to the singular case of miss mary sutherland, and to the adventure of the man wi', ' adler papers, to the singular case of miss mary sutherland, and to the adventure of the man with th', 'r papers, to the singular case of miss mary sutherland, and to the adventure of the man with the twi', 'ers, to the singular case of miss mary sutherland, and to the adventure of the man with the twisted ', 'to the singular case of miss mary sutherland, and to the adventure of the man with the twisted lip. ', 'e singular case of miss mary sutherland, and to the adventure of the man with the twisted lip. well,', 'gular case of miss mary sutherland, and to the adventure of the man with the twisted lip. well, i ha', ' case of miss mary sutherland, and to the adventure of the man with the twisted lip. well, i have no', ' of miss mary sutherland, and to the adventure of the man with the twisted lip. well, i have no doub', 'iss mary sutherland, and to the adventure of the man with the twisted lip. well, i have no doubt tha', 'ary sutherland, and to the adventure of the man with the twisted lip. well, i have no doubt that thi', 'utherland, and to the adventure of the man with the twisted lip. well, i have no doubt that this sma', 'land, and to the adventure of the man with the twisted lip. well, i have no doubt that this small ma', ' and to the adventure of the man with the twisted lip. well, i have no doubt that this small matter ', 'to the adventure of the man with the twisted lip. well, i have no doubt that this small matter will ', 'e adventure of the man with the twisted lip. well, i have no doubt that this small matter will fall ', 'enture of the man with the twisted lip. well, i have no doubt that this small matter will fall into ', 'e of the man with the twisted lip. well, i have no doubt that this small matter will fall into the s', 'the man with the twisted lip. well, i have no doubt that this small matter will fall into the same i', 'an with the twisted lip. well, i have no doubt that this small matter will fall into the same innoce', 'th the twisted lip. well, i have no doubt that this small matter will fall into the same innocent ca', 'e twisted lip. well, i have no doubt that this small matter will fall into the same innocent categor', 'sted lip. well, i have no doubt that this small matter will fall into the same innocent category. yo', 'lip. well, i have no doubt that this small matter will fall into the same innocent category. you kno', 'well, i have no doubt that this small matter will fall into the same innocent category. you know pet', ' i have no doubt that this small matter will fall into the same innocent category. you know peterson', 've no doubt that this small matter will fall into the same innocent category. you know peterson, the', ' doubt that this small matter will fall into the same innocent category. you know peterson, the comm', 't that this small matter will fall into the same innocent category. you know peterson, the commissio', 't this small matter will fall into the same innocent category. you know peterson, the commissionaire', 's small matter will fall into the same innocent category. you know peterson, the commissionaire?" "y', 'll matter will fall into the same innocent category. you know peterson, the commissionaire?" "yes." ', 'tter will fall into the same innocent category. you know peterson, the commissionaire?" "yes." "it i', 'will fall into the same innocent category. you know peterson, the commissionaire?" "yes." "it is to ', 'fall into the same innocent category. you know peterson, the commissionaire?" "yes." "it is to him t', 'into the same innocent category. you know peterson, the commissionaire?" "yes." "it is to him that t', 'the same innocent category. you know peterson, the commissionaire?" "yes." "it is to him that this t', 'ame innocent category. you know peterson, the commissionaire?" "yes." "it is to him that this trophy', 'nnocent category. you know peterson, the commissionaire?" "yes." "it is to him that this trophy belo', 'nt category. you know peterson, the commissionaire?" "yes." "it is to him that this trophy belongs."', 'tegory. you know peterson, the commissionaire?" "yes." "it is to him that this trophy belongs." "it ', 'y. you know peterson, the commissionaire?" "yes." "it is to him that this trophy belongs." "it is hi', 'u know peterson, the commissionaire?" "yes." "it is to him that this trophy belongs." "it is his hat', 'w peterson, the commissionaire?" "yes." "it is to him that this trophy belongs." "it is his hat." "n', 'erson, the commissionaire?" "yes." "it is to him that this trophy belongs." "it is his hat." "no, no', ', the commissionaire?" "yes." "it is to him that this trophy belongs." "it is his hat." "no, no, he ', ' commissionaire?" "yes." "it is to him that this trophy belongs." "it is his hat." "no, no, he found', 'issionaire?" "yes." "it is to him that this trophy belongs." "it is his hat." "no, no, he found it. ', 'naire?" "yes." "it is to him that this trophy belongs." "it is his hat." "no, no, he found it. its o', '?" "yes." "it is to him that this trophy belongs." "it is his hat." "no, no, he found it. its owner ', 'es." "it is to him that this trophy belongs." "it is his hat." "no, no, he found it. its owner is un', '"it is to him that this trophy belongs." "it is his hat." "no, no, he found it. its owner is unknown', 's to him that this trophy belongs." "it is his hat." "no, no, he found it. its owner is unknown. i b', 'him that this trophy belongs." "it is his hat." "no, no, he found it. its owner is unknown. i beg th', 'hat this trophy belongs." "it is his hat." "no, no, he found it. its owner is unknown. i beg that yo', 'his trophy belongs." "it is his hat." "no, no, he found it. its owner is unknown. i beg that you wil', 'rophy belongs." "it is his hat." "no, no, he found it. its owner is unknown. i beg that you will loo', ' belongs." "it is his hat." "no, no, he found it. its owner is unknown. i beg that you will look upo', 'ngs." "it is his hat." "no, no, he found it. its owner is unknown. i beg that you will look upon it ', ' "it is his hat." "no, no, he found it. its owner is unknown. i beg that you will look upon it not a', 'is his hat." "no, no, he found it. its owner is unknown. i beg that you will look upon it not as a b', 's hat." "no, no, he found it. its owner is unknown. i beg that you will look upon it not as a batter', '." "no, no, he found it. its owner is unknown. i beg that you will look upon it not as a battered bi', 'o, no, he found it. its owner is unknown. i beg that you will look upon it not as a battered billyco', ', he found it. its owner is unknown. i beg that you will look upon it not as a battered billycock bu', 'found it. its owner is unknown. i beg that you will look upon it not as a battered billycock but as ', ' it. its owner is unknown. i beg that you will look upon it not as a battered billycock but as an in', 'its owner is unknown. i beg that you will look upon it not as a battered billycock but as an intelle', 'wner is unknown. i beg that you will look upon it not as a battered billycock but as an intellectual', 'is unknown. i beg that you will look upon it not as a battered billycock but as an intellectual prob', 'known. i beg that you will look upon it not as a battered billycock but as an intellectual problem. ', '. i beg that you will look upon it not as a battered billycock but as an intellectual problem. and, ', 'eg that you will look upon it not as a battered billycock but as an intellectual problem. and, first', 'at you will look upon it not as a battered billycock but as an intellectual problem. and, first, as ', 'u will look upon it not as a battered billycock but as an intellectual problem. and, first, as to ho', 'l look upon it not as a battered billycock but as an intellectual problem. and, first, as to how it ', 'k upon it not as a battered billycock but as an intellectual problem. and, first, as to how it came ', 'n it not as a battered billycock but as an intellectual problem. and, first, as to how it came here.', 'not as a battered billycock but as an intellectual problem. and, first, as to how it came here. it a', 's a battered billycock but as an intellectual problem. and, first, as to how it came here. it arrive', 'attered billycock but as an intellectual problem. and, first, as to how it came here. it arrived upo', 'ed billycock but as an intellectual problem. and, first, as to how it came here. it arrived upon chr', 'llycock but as an intellectual problem. and, first, as to how it came here. it arrived upon christma', 'ck but as an intellectual problem. and, first, as to how it came here. it arrived upon christmas mor', 't as an intellectual problem. and, first, as to how it came here. it arrived upon christmas morning,', 'an intellectual problem. and, first, as to how it came here. it arrived upon christmas morning, in c', 'tellectual problem. and, first, as to how it came here. it arrived upon christmas morning, in compan', 'ctual problem. and, first, as to how it came here. it arrived upon christmas morning, in company wit', ' problem. and, first, as to how it came here. it arrived upon christmas morning, in company with a g', 'lem. and, first, as to how it came here. it arrived upon christmas morning, in company with a good f', 'and, first, as to how it came here. it arrived upon christmas morning, in company with a good fat go', 'first, as to how it came here. it arrived upon christmas morning, in company with a good fat goose, ', ', as to how it came here. it arrived upon christmas morning, in company with a good fat goose, which', 'to how it came here. it arrived upon christmas morning, in company with a good fat goose, which is, ', 'w it came here. it arrived upon christmas morning, in company with a good fat goose, which is, i hav', 'came here. it arrived upon christmas morning, in company with a good fat goose, which is, i have no ', 'here. it arrived upon christmas morning, in company with a good fat goose, which is, i have no doubt', ' it arrived upon christmas morning, in company with a good fat goose, which is, i have no doubt, roa', 'rrived upon christmas morning, in company with a good fat goose, which is, i have no doubt, roasting', 'd upon christmas morning, in company with a good fat goose, which is, i have no doubt, roasting at t', 'n christmas morning, in company with a good fat goose, which is, i have no doubt, roasting at this m', 'istmas morning, in company with a good fat goose, which is, i have no doubt, roasting at this moment', 's morning, in company with a good fat goose, which is, i have no doubt, roasting at this moment in f', 'ning, in company with a good fat goose, which is, i have no doubt, roasting at this moment in front ', ' in company with a good fat goose, which is, i have no doubt, roasting at this moment in front of pe', 'ompany with a good fat goose, which is, i have no doubt, roasting at this moment in front of peterso', "y with a good fat goose, which is, i have no doubt, roasting at this moment in front of peterson's f", "h a good fat goose, which is, i have no doubt, roasting at this moment in front of peterson's fire. ", "ood fat goose, which is, i have no doubt, roasting at this moment in front of peterson's fire. the f", "at goose, which is, i have no doubt, roasting at this moment in front of peterson's fire. the facts ", "ose, which is, i have no doubt, roasting at this moment in front of peterson's fire. the facts are t", "which is, i have no doubt, roasting at this moment in front of peterson's fire. the facts are these:", " is, i have no doubt, roasting at this moment in front of peterson's fire. the facts are these: abou", "i have no doubt, roasting at this moment in front of peterson's fire. the facts are these: about fou", "e no doubt, roasting at this moment in front of peterson's fire. the facts are these: about four o'c", "doubt, roasting at this moment in front of peterson's fire. the facts are these: about four o'clock ", ", roasting at this moment in front of peterson's fire. the facts are these: about four o'clock on ch", "sting at this moment in front of peterson's fire. the facts are these: about four o'clock on christm", " at this moment in front of peterson's fire. the facts are these: about four o'clock on christmas mo", "his moment in front of peterson's fire. the facts are these: about four o'clock on christmas morning", "oment in front of peterson's fire. the facts are these: about four o'clock on christmas morning, pet", " in front of peterson's fire. the facts are these: about four o'clock on christmas morning, peterson", "ront of peterson's fire. the facts are these: about four o'clock on christmas morning, peterson, who", "of peterson's fire. the facts are these: about four o'clock on christmas morning, peterson, who, as ", "terson's fire. the facts are these: about four o'clock on christmas morning, peterson, who, as you k", "n's fire. the facts are these: about four o'clock on christmas morning, peterson, who, as you know, ", "ire. the facts are these: about four o'clock on christmas morning, peterson, who, as you know, is a ", "the facts are these: about four o'clock on christmas morning, peterson, who, as you know, is a very ", "acts are these: about four o'clock on christmas morning, peterson, who, as you know, is a very hones", "are these: about four o'clock on christmas morning, peterson, who, as you know, is a very honest fel", "hese: about four o'clock on christmas morning, peterson, who, as you know, is a very honest fellow, ", " about four o'clock on christmas morning, peterson, who, as you know, is a very honest fellow, was r", "t four o'clock on christmas morning, peterson, who, as you know, is a very honest fellow, was return", "r o'clock on christmas morning, peterson, who, as you know, is a very honest fellow, was returning f", 'lock on christmas morning, peterson, who, as you know, is a very honest fellow, was returning from s', 'on christmas morning, peterson, who, as you know, is a very honest fellow, was returning from some s', 'ristmas morning, peterson, who, as you know, is a very honest fellow, was returning from some small ', 'as morning, peterson, who, as you know, is a very honest fellow, was returning from some small jolli', 'rning, peterson, who, as you know, is a very honest fellow, was returning from some small jollificat', ', peterson, who, as you know, is a very honest fellow, was returning from some small jollification a', 'erson, who, as you know, is a very honest fellow, was returning from some small jollification and wa', ', who, as you know, is a very honest fellow, was returning from some small jollification and was mak', ', as you know, is a very honest fellow, was returning from some small jollification and was making h', 'you know, is a very honest fellow, was returning from some small jollification and was making his wa', 'now, is a very honest fellow, was returning from some small jollification and was making his way hom', 'is a very honest fellow, was returning from some small jollification and was making his way homeward', 'very honest fellow, was returning from some small jollification and was making his way homeward down', 'honest fellow, was returning from some small jollification and was making his way homeward down tott', 't fellow, was returning from some small jollification and was making his way homeward down tottenham', 'low, was returning from some small jollification and was making his way homeward down tottenham cour', 'was returning from some small jollification and was making his way homeward down tottenham court roa', 'eturning from some small jollification and was making his way homeward down tottenham court road. in', 'ing from some small jollification and was making his way homeward down tottenham court road. in fron', 'rom some small jollification and was making his way homeward down tottenham court road. in front of ', 'ome small jollification and was making his way homeward down tottenham court road. in front of him h', 'mall jollification and was making his way homeward down tottenham court road. in front of him he saw', 'jollification and was making his way homeward down tottenham court road. in front of him he saw, in ', 'fication and was making his way homeward down tottenham court road. in front of him he saw, in the g', 'ion and was making his way homeward down tottenham court road. in front of him he saw, in the gaslig', 'nd was making his way homeward down tottenham court road. in front of him he saw, in the gaslight, a', 's making his way homeward down tottenham court road. in front of him he saw, in the gaslight, a tall', 'ing his way homeward down tottenham court road. in front of him he saw, in the gaslight, a tallish m', 'is way homeward down tottenham court road. in front of him he saw, in the gaslight, a tallish man, w', 'y homeward down tottenham court road. in front of him he saw, in the gaslight, a tallish man, walkin', 'eward down tottenham court road. in front of him he saw, in the gaslight, a tallish man, walking wit', ' down tottenham court road. in front of him he saw, in the gaslight, a tallish man, walking with a s', ' tottenham court road. in front of him he saw, in the gaslight, a tallish man, walking with a slight', 'enham court road. in front of him he saw, in the gaslight, a tallish man, walking with a slight stag', ' court road. in front of him he saw, in the gaslight, a tallish man, walking with a slight stagger, ', 't road. in front of him he saw, in the gaslight, a tallish man, walking with a slight stagger, and c', 'd. in front of him he saw, in the gaslight, a tallish man, walking with a slight stagger, and carryi', ' front of him he saw, in the gaslight, a tallish man, walking with a slight stagger, and carrying a ', 't of him he saw, in the gaslight, a tallish man, walking with a slight stagger, and carrying a white', 'him he saw, in the gaslight, a tallish man, walking with a slight stagger, and carrying a white goos', 'e saw, in the gaslight, a tallish man, walking with a slight stagger, and carrying a white goose slu', ', in the gaslight, a tallish man, walking with a slight stagger, and carrying a white goose slung ov', 'the gaslight, a tallish man, walking with a slight stagger, and carrying a white goose slung over hi', 'aslight, a tallish man, walking with a slight stagger, and carrying a white goose slung over his sho', 'ht, a tallish man, walking with a slight stagger, and carrying a white goose slung over his shoulder', ' tallish man, walking with a slight stagger, and carrying a white goose slung over his shoulder. as ', 'ish man, walking with a slight stagger, and carrying a white goose slung over his shoulder. as he re', 'an, walking with a slight stagger, and carrying a white goose slung over his shoulder. as he reached', 'alking with a slight stagger, and carrying a white goose slung over his shoulder. as he reached the ', 'g with a slight stagger, and carrying a white goose slung over his shoulder. as he reached the corne', 'h a slight stagger, and carrying a white goose slung over his shoulder. as he reached the corner of ', 'light stagger, and carrying a white goose slung over his shoulder. as he reached the corner of goodg', ' stagger, and carrying a white goose slung over his shoulder. as he reached the corner of goodge str', 'ger, and carrying a white goose slung over his shoulder. as he reached the corner of goodge street, ', 'and carrying a white goose slung over his shoulder. as he reached the corner of goodge street, a row', 'arrying a white goose slung over his shoulder. as he reached the corner of goodge street, a row brok', 'ng a white goose slung over his shoulder. as he reached the corner of goodge street, a row broke out', 'white goose slung over his shoulder. as he reached the corner of goodge street, a row broke out betw', ' goose slung over his shoulder. as he reached the corner of goodge street, a row broke out between t', 'e slung over his shoulder. as he reached the corner of goodge street, a row broke out between this s', 'ng over his shoulder. as he reached the corner of goodge street, a row broke out between this strang', 'er his shoulder. as he reached the corner of goodge street, a row broke out between this stranger an', 's shoulder. as he reached the corner of goodge street, a row broke out between this stranger and a l', 'ulder. as he reached the corner of goodge street, a row broke out between this stranger and a little', '. as he reached the corner of goodge street, a row broke out between this stranger and a little knot', 'he reached the corner of goodge street, a row broke out between this stranger and a little knot of r', 'ached the corner of goodge street, a row broke out between this stranger and a little knot of roughs', ' the corner of goodge street, a row broke out between this stranger and a little knot of roughs. one', 'corner of goodge street, a row broke out between this stranger and a little knot of roughs. one of t', 'r of goodge street, a row broke out between this stranger and a little knot of roughs. one of the la', 'goodge street, a row broke out between this stranger and a little knot of roughs. one of the latter ', 'e street, a row broke out between this stranger and a little knot of roughs. one of the latter knock', 'eet, a row broke out between this stranger and a little knot of roughs. one of the latter knocked of', 'a row broke out between this stranger and a little knot of roughs. one of the latter knocked off the', " broke out between this stranger and a little knot of roughs. one of the latter knocked off the man'", "e out between this stranger and a little knot of roughs. one of the latter knocked off the man's hat", " between this stranger and a little knot of roughs. one of the latter knocked off the man's hat, on ", "een this stranger and a little knot of roughs. one of the latter knocked off the man's hat, on which", "his stranger and a little knot of roughs. one of the latter knocked off the man's hat, on which he r", "tranger and a little knot of roughs. one of the latter knocked off the man's hat, on which he raised", "er and a little knot of roughs. one of the latter knocked off the man's hat, on which he raised his ", "d a little knot of roughs. one of the latter knocked off the man's hat, on which he raised his stick", "ittle knot of roughs. one of the latter knocked off the man's hat, on which he raised his stick to d", " knot of roughs. one of the latter knocked off the man's hat, on which he raised his stick to defend", " of roughs. one of the latter knocked off the man's hat, on which he raised his stick to defend hims", "oughs. one of the latter knocked off the man's hat, on which he raised his stick to defend himself a", ". one of the latter knocked off the man's hat, on which he raised his stick to defend himself and, s", " of the latter knocked off the man's hat, on which he raised his stick to defend himself and, swingi", "he latter knocked off the man's hat, on which he raised his stick to defend himself and, swinging it", "tter knocked off the man's hat, on which he raised his stick to defend himself and, swinging it over", "knocked off the man's hat, on which he raised his stick to defend himself and, swinging it over his ", "ed off the man's hat, on which he raised his stick to defend himself and, swinging it over his head,", "f the man's hat, on which he raised his stick to defend himself and, swinging it over his head, smas", " man's hat, on which he raised his stick to defend himself and, swinging it over his head, smashed t", 's hat, on which he raised his stick to defend himself and, swinging it over his head, smashed the sh', ', on which he raised his stick to defend himself and, swinging it over his head, smashed the shop wi', 'which he raised his stick to defend himself and, swinging it over his head, smashed the shop window ', ' he raised his stick to defend himself and, swinging it over his head, smashed the shop window behin', 'aised his stick to defend himself and, swinging it over his head, smashed the shop window behind him', ' his stick to defend himself and, swinging it over his head, smashed the shop window behind him. pet', 'stick to defend himself and, swinging it over his head, smashed the shop window behind him. peterson', ' to defend himself and, swinging it over his head, smashed the shop window behind him. peterson had ', 'efend himself and, swinging it over his head, smashed the shop window behind him. peterson had rushe', ' himself and, swinging it over his head, smashed the shop window behind him. peterson had rushed for', 'elf and, swinging it over his head, smashed the shop window behind him. peterson had rushed forward ', 'nd, swinging it over his head, smashed the shop window behind him. peterson had rushed forward to pr', 'winging it over his head, smashed the shop window behind him. peterson had rushed forward to protect', 'ng it over his head, smashed the shop window behind him. peterson had rushed forward to protect the ', ' over his head, smashed the shop window behind him. peterson had rushed forward to protect the stran', ' his head, smashed the shop window behind him. peterson had rushed forward to protect the stranger f', 'head, smashed the shop window behind him. peterson had rushed forward to protect the stranger from h', ' smashed the shop window behind him. peterson had rushed forward to protect the stranger from his as', 'hed the shop window behind him. peterson had rushed forward to protect the stranger from his assaila', 'he shop window behind him. peterson had rushed forward to protect the stranger from his assailants; ', 'op window behind him. peterson had rushed forward to protect the stranger from his assailants; but t', 'ndow behind him. peterson had rushed forward to protect the stranger from his assailants; but the ma', 'behind him. peterson had rushed forward to protect the stranger from his assailants; but the man, sh', 'd him. peterson had rushed forward to protect the stranger from his assailants; but the man, shocked', '. peterson had rushed forward to protect the stranger from his assailants; but the man, shocked at h', 'erson had rushed forward to protect the stranger from his assailants; but the man, shocked at having', ' had rushed forward to protect the stranger from his assailants; but the man, shocked at having brok', 'rushed forward to protect the stranger from his assailants; but the man, shocked at having broken th', 'd forward to protect the stranger from his assailants; but the man, shocked at having broken the win', 'ward to protect the stranger from his assailants; but the man, shocked at having broken the window, ', 'to protect the stranger from his assailants; but the man, shocked at having broken the window, and s', 'otect the stranger from his assailants; but the man, shocked at having broken the window, and seeing', ' the stranger from his assailants; but the man, shocked at having broken the window, and seeing an o', 'stranger from his assailants; but the man, shocked at having broken the window, and seeing an offici', 'ger from his assailants; but the man, shocked at having broken the window, and seeing an official-lo', 'rom his assailants; but the man, shocked at having broken the window, and seeing an official-looking', 'is assailants; but the man, shocked at having broken the window, and seeing an official-looking pers', 'sailants; but the man, shocked at having broken the window, and seeing an official-looking person in', 'nts; but the man, shocked at having broken the window, and seeing an official-looking person in unif', 'but the man, shocked at having broken the window, and seeing an official-looking person in uniform r', 'he man, shocked at having broken the window, and seeing an official-looking person in uniform rushin', 'n, shocked at having broken the window, and seeing an official-looking person in uniform rushing tow', 'ocked at having broken the window, and seeing an official-looking person in uniform rushing towards ', ' at having broken the window, and seeing an official-looking person in uniform rushing towards him, ', 'aving broken the window, and seeing an official-looking person in uniform rushing towards him, dropp', ' broken the window, and seeing an official-looking person in uniform rushing towards him, dropped hi', 'en the window, and seeing an official-looking person in uniform rushing towards him, dropped his goo', 'e window, and seeing an official-looking person in uniform rushing towards him, dropped his goose, t', 'dow, and seeing an official-looking person in uniform rushing towards him, dropped his goose, took t', 'and seeing an official-looking person in uniform rushing towards him, dropped his goose, took to his', 'eeing an official-looking person in uniform rushing towards him, dropped his goose, took to his heel', ' an official-looking person in uniform rushing towards him, dropped his goose, took to his heels, an', 'fficial-looking person in uniform rushing towards him, dropped his goose, took to his heels, and van', 'al-looking person in uniform rushing towards him, dropped his goose, took to his heels, and vanished', 'oking person in uniform rushing towards him, dropped his goose, took to his heels, and vanished amid', ' person in uniform rushing towards him, dropped his goose, took to his heels, and vanished amid the ', 'on in uniform rushing towards him, dropped his goose, took to his heels, and vanished amid the labyr', ' uniform rushing towards him, dropped his goose, took to his heels, and vanished amid the labyrinth ', 'orm rushing towards him, dropped his goose, took to his heels, and vanished amid the labyrinth of sm', 'ushing towards him, dropped his goose, took to his heels, and vanished amid the labyrinth of small s', 'g towards him, dropped his goose, took to his heels, and vanished amid the labyrinth of small street', 'ards him, dropped his goose, took to his heels, and vanished amid the labyrinth of small streets whi', 'him, dropped his goose, took to his heels, and vanished amid the labyrinth of small streets which li', 'dropped his goose, took to his heels, and vanished amid the labyrinth of small streets which lie at ', 'ed his goose, took to his heels, and vanished amid the labyrinth of small streets which lie at the b', 's goose, took to his heels, and vanished amid the labyrinth of small streets which lie at the back o', 'se, took to his heels, and vanished amid the labyrinth of small streets which lie at the back of tot', 'ook to his heels, and vanished amid the labyrinth of small streets which lie at the back of tottenha', 'o his heels, and vanished amid the labyrinth of small streets which lie at the back of tottenham cou', ' heels, and vanished amid the labyrinth of small streets which lie at the back of tottenham court ro', 's, and vanished amid the labyrinth of small streets which lie at the back of tottenham court road. t', 'd vanished amid the labyrinth of small streets which lie at the back of tottenham court road. the ro', 'ished amid the labyrinth of small streets which lie at the back of tottenham court road. the roughs ', ' amid the labyrinth of small streets which lie at the back of tottenham court road. the roughs had a', ' the labyrinth of small streets which lie at the back of tottenham court road. the roughs had also f', 'labyrinth of small streets which lie at the back of tottenham court road. the roughs had also fled a', 'inth of small streets which lie at the back of tottenham court road. the roughs had also fled at the', 'of small streets which lie at the back of tottenham court road. the roughs had also fled at the appe', 'all streets which lie at the back of tottenham court road. the roughs had also fled at the appearanc', 'treets which lie at the back of tottenham court road. the roughs had also fled at the appearance of ', 's which lie at the back of tottenham court road. the roughs had also fled at the appearance of peter', 'ch lie at the back of tottenham court road. the roughs had also fled at the appearance of peterson, ', 'e at the back of tottenham court road. the roughs had also fled at the appearance of peterson, so th', 'the back of tottenham court road. the roughs had also fled at the appearance of peterson, so that he', 'ack of tottenham court road. the roughs had also fled at the appearance of peterson, so that he was ', 'f tottenham court road. the roughs had also fled at the appearance of peterson, so that he was left ', 'tenham court road. the roughs had also fled at the appearance of peterson, so that he was left in po', 'm court road. the roughs had also fled at the appearance of peterson, so that he was left in possess', 'rt road. the roughs had also fled at the appearance of peterson, so that he was left in possession o', 'ad. the roughs had also fled at the appearance of peterson, so that he was left in possession of the', 'he roughs had also fled at the appearance of peterson, so that he was left in possession of the fiel', 'ughs had also fled at the appearance of peterson, so that he was left in possession of the field of ', 'had also fled at the appearance of peterson, so that he was left in possession of the field of battl', 'lso fled at the appearance of peterson, so that he was left in possession of the field of battle, an', 'led at the appearance of peterson, so that he was left in possession of the field of battle, and als', 't the appearance of peterson, so that he was left in possession of the field of battle, and also of ', ' appearance of peterson, so that he was left in possession of the field of battle, and also of the s', 'arance of peterson, so that he was left in possession of the field of battle, and also of the spoils', 'e of peterson, so that he was left in possession of the field of battle, and also of the spoils of v', 'peterson, so that he was left in possession of the field of battle, and also of the spoils of victor', 'son, so that he was left in possession of the field of battle, and also of the spoils of victory in ', 'so that he was left in possession of the field of battle, and also of the spoils of victory in the s', 'at he was left in possession of the field of battle, and also of the spoils of victory in the shape ', ' was left in possession of the field of battle, and also of the spoils of victory in the shape of th', 'left in possession of the field of battle, and also of the spoils of victory in the shape of this ba', 'in possession of the field of battle, and also of the spoils of victory in the shape of this battere', 'ssession of the field of battle, and also of the spoils of victory in the shape of this battered hat', 'ion of the field of battle, and also of the spoils of victory in the shape of this battered hat and ', 'f the field of battle, and also of the spoils of victory in the shape of this battered hat and a mos', ' field of battle, and also of the spoils of victory in the shape of this battered hat and a most uni', 'd of battle, and also of the spoils of victory in the shape of this battered hat and a most unimpeac', 'battle, and also of the spoils of victory in the shape of this battered hat and a most unimpeachable', 'e, and also of the spoils of victory in the shape of this battered hat and a most unimpeachable chri', 'd also of the spoils of victory in the shape of this battered hat and a most unimpeachable christmas', 'o of the spoils of victory in the shape of this battered hat and a most unimpeachable christmas goos', 'the spoils of victory in the shape of this battered hat and a most unimpeachable christmas goose." "', 'poils of victory in the shape of this battered hat and a most unimpeachable christmas goose." "which', ' of victory in the shape of this battered hat and a most unimpeachable christmas goose." "which sure', 'ictory in the shape of this battered hat and a most unimpeachable christmas goose." "which surely he', 'y in the shape of this battered hat and a most unimpeachable christmas goose." "which surely he rest', 'the shape of this battered hat and a most unimpeachable christmas goose." "which surely he restored ', 'hape of this battered hat and a most unimpeachable christmas goose." "which surely he restored to th', 'of this battered hat and a most unimpeachable christmas goose." "which surely he restored to their o', 'is battered hat and a most unimpeachable christmas goose." "which surely he restored to their owner?', 'ttered hat and a most unimpeachable christmas goose." "which surely he restored to their owner?" "my', 'd hat and a most unimpeachable christmas goose." "which surely he restored to their owner?" "my dear', ' and a most unimpeachable christmas goose." "which surely he restored to their owner?" "my dear fell', 'a most unimpeachable christmas goose." "which surely he restored to their owner?" "my dear fellow, t', 't unimpeachable christmas goose." "which surely he restored to their owner?" "my dear fellow, there ', 'mpeachable christmas goose." "which surely he restored to their owner?" "my dear fellow, there lies ', 'hable christmas goose." "which surely he restored to their owner?" "my dear fellow, there lies the p', ' christmas goose." "which surely he restored to their owner?" "my dear fellow, there lies the proble', 'stmas goose." "which surely he restored to their owner?" "my dear fellow, there lies the problem. it', ' goose." "which surely he restored to their owner?" "my dear fellow, there lies the problem. it is t', 'e." "which surely he restored to their owner?" "my dear fellow, there lies the problem. it is true t', 'which surely he restored to their owner?" "my dear fellow, there lies the problem. it is true that \'', ' surely he restored to their owner?" "my dear fellow, there lies the problem. it is true that \'for m', 'ly he restored to their owner?" "my dear fellow, there lies the problem. it is true that \'for mrs. h', ' restored to their owner?" "my dear fellow, there lies the problem. it is true that \'for mrs. henry ', 'ored to their owner?" "my dear fellow, there lies the problem. it is true that \'for mrs. henry baker', 'to their owner?" "my dear fellow, there lies the problem. it is true that \'for mrs. henry baker\' was', 'eir owner?" "my dear fellow, there lies the problem. it is true that \'for mrs. henry baker\' was prin', 'wner?" "my dear fellow, there lies the problem. it is true that \'for mrs. henry baker\' was printed u', '" "my dear fellow, there lies the problem. it is true that \'for mrs. henry baker\' was printed upon a', " dear fellow, there lies the problem. it is true that 'for mrs. henry baker' was printed upon a smal", " fellow, there lies the problem. it is true that 'for mrs. henry baker' was printed upon a small car", "ow, there lies the problem. it is true that 'for mrs. henry baker' was printed upon a small card whi", "here lies the problem. it is true that 'for mrs. henry baker' was printed upon a small card which wa", "lies the problem. it is true that 'for mrs. henry baker' was printed upon a small card which was tie", "the problem. it is true that 'for mrs. henry baker' was printed upon a small card which was tied to ", "roblem. it is true that 'for mrs. henry baker' was printed upon a small card which was tied to the b", "m. it is true that 'for mrs. henry baker' was printed upon a small card which was tied to the bird's", " is true that 'for mrs. henry baker' was printed upon a small card which was tied to the bird's left", "rue that 'for mrs. henry baker' was printed upon a small card which was tied to the bird's left leg,", "hat 'for mrs. henry baker' was printed upon a small card which was tied to the bird's left leg, and ", "for mrs. henry baker' was printed upon a small card which was tied to the bird's left leg, and it is", "rs. henry baker' was printed upon a small card which was tied to the bird's left leg, and it is also", "enry baker' was printed upon a small card which was tied to the bird's left leg, and it is also true", "baker' was printed upon a small card which was tied to the bird's left leg, and it is also true that", "' was printed upon a small card which was tied to the bird's left leg, and it is also true that the ", " printed upon a small card which was tied to the bird's left leg, and it is also true that the initi", "ted upon a small card which was tied to the bird's left leg, and it is also true that the initials '", "pon a small card which was tied to the bird's left leg, and it is also true that the initials 'h. b.", " small card which was tied to the bird's left leg, and it is also true that the initials 'h. b.' are", "l card which was tied to the bird's left leg, and it is also true that the initials 'h. b.' are legi", "d which was tied to the bird's left leg, and it is also true that the initials 'h. b.' are legible u", "ch was tied to the bird's left leg, and it is also true that the initials 'h. b.' are legible upon t", "s tied to the bird's left leg, and it is also true that the initials 'h. b.' are legible upon the li", "d to the bird's left leg, and it is also true that the initials 'h. b.' are legible upon the lining ", "the bird's left leg, and it is also true that the initials 'h. b.' are legible upon the lining of th", "ird's left leg, and it is also true that the initials 'h. b.' are legible upon the lining of this ha", " left leg, and it is also true that the initials 'h. b.' are legible upon the lining of this hat, bu", " leg, and it is also true that the initials 'h. b.' are legible upon the lining of this hat, but as ", " and it is also true that the initials 'h. b.' are legible upon the lining of this hat, but as there", "it is also true that the initials 'h. b.' are legible upon the lining of this hat, but as there are ", " also true that the initials 'h. b.' are legible upon the lining of this hat, but as there are some ", " true that the initials 'h. b.' are legible upon the lining of this hat, but as there are some thous", " that the initials 'h. b.' are legible upon the lining of this hat, but as there are some thousands ", " the initials 'h. b.' are legible upon the lining of this hat, but as there are some thousands of ba", "initials 'h. b.' are legible upon the lining of this hat, but as there are some thousands of bakers,", "als 'h. b.' are legible upon the lining of this hat, but as there are some thousands of bakers, and ", "h. b.' are legible upon the lining of this hat, but as there are some thousands of bakers, and some ", "' are legible upon the lining of this hat, but as there are some thousands of bakers, and some hundr", ' legible upon the lining of this hat, but as there are some thousands of bakers, and some hundreds o', 'ble upon the lining of this hat, but as there are some thousands of bakers, and some hundreds of hen', 'pon the lining of this hat, but as there are some thousands of bakers, and some hundreds of henry ba', 'he lining of this hat, but as there are some thousands of bakers, and some hundreds of henry bakers ', 'ning of this hat, but as there are some thousands of bakers, and some hundreds of henry bakers in th', 'of this hat, but as there are some thousands of bakers, and some hundreds of henry bakers in this ci', 'is hat, but as there are some thousands of bakers, and some hundreds of henry bakers in this city of', 't, but as there are some thousands of bakers, and some hundreds of henry bakers in this city of ours', 't as there are some thousands of bakers, and some hundreds of henry bakers in this city of ours, it ', 'there are some thousands of bakers, and some hundreds of henry bakers in this city of ours, it is no', ' are some thousands of bakers, and some hundreds of henry bakers in this city of ours, it is not eas', 'some thousands of bakers, and some hundreds of henry bakers in this city of ours, it is not easy to ', 'thousands of bakers, and some hundreds of henry bakers in this city of ours, it is not easy to resto', 'ands of bakers, and some hundreds of henry bakers in this city of ours, it is not easy to restore lo', 'of bakers, and some hundreds of henry bakers in this city of ours, it is not easy to restore lost pr', 'kers, and some hundreds of henry bakers in this city of ours, it is not easy to restore lost propert', ' and some hundreds of henry bakers in this city of ours, it is not easy to restore lost property to ', 'some hundreds of henry bakers in this city of ours, it is not easy to restore lost property to any o', 'hundreds of henry bakers in this city of ours, it is not easy to restore lost property to any one of', 'eds of henry bakers in this city of ours, it is not easy to restore lost property to any one of them', 'f henry bakers in this city of ours, it is not easy to restore lost property to any one of them." "w', 'ry bakers in this city of ours, it is not easy to restore lost property to any one of them." "what, ', 'kers in this city of ours, it is not easy to restore lost property to any one of them." "what, then,', 'in this city of ours, it is not easy to restore lost property to any one of them." "what, then, did ', 'is city of ours, it is not easy to restore lost property to any one of them." "what, then, did peter', 'ty of ours, it is not easy to restore lost property to any one of them." "what, then, did peterson d', ' ours, it is not easy to restore lost property to any one of them." "what, then, did peterson do?" "', ', it is not easy to restore lost property to any one of them." "what, then, did peterson do?" "he br', 'is not easy to restore lost property to any one of them." "what, then, did peterson do?" "he brought', 't easy to restore lost property to any one of them." "what, then, did peterson do?" "he brought roun', 'y to restore lost property to any one of them." "what, then, did peterson do?" "he brought round bot', 'restore lost property to any one of them." "what, then, did peterson do?" "he brought round both hat', 're lost property to any one of them." "what, then, did peterson do?" "he brought round both hat and ', 'st property to any one of them." "what, then, did peterson do?" "he brought round both hat and goose', 'operty to any one of them." "what, then, did peterson do?" "he brought round both hat and goose to m', 'y to any one of them." "what, then, did peterson do?" "he brought round both hat and goose to me on ', 'any one of them." "what, then, did peterson do?" "he brought round both hat and goose to me on chris', 'ne of them." "what, then, did peterson do?" "he brought round both hat and goose to me on christmas ', ' them." "what, then, did peterson do?" "he brought round both hat and goose to me on christmas morni', '." "what, then, did peterson do?" "he brought round both hat and goose to me on christmas morning, k', 'hat, then, did peterson do?" "he brought round both hat and goose to me on christmas morning, knowin', 'then, did peterson do?" "he brought round both hat and goose to me on christmas morning, knowing tha', ' did peterson do?" "he brought round both hat and goose to me on christmas morning, knowing that eve', 'peterson do?" "he brought round both hat and goose to me on christmas morning, knowing that even the', 'son do?" "he brought round both hat and goose to me on christmas morning, knowing that even the smal', 'o?" "he brought round both hat and goose to me on christmas morning, knowing that even the smallest ', 'he brought round both hat and goose to me on christmas morning, knowing that even the smallest probl', 'ought round both hat and goose to me on christmas morning, knowing that even the smallest problems a', ' round both hat and goose to me on christmas morning, knowing that even the smallest problems are of', 'd both hat and goose to me on christmas morning, knowing that even the smallest problems are of inte', 'h hat and goose to me on christmas morning, knowing that even the smallest problems are of interest ', ' and goose to me on christmas morning, knowing that even the smallest problems are of interest to me', 'goose to me on christmas morning, knowing that even the smallest problems are of interest to me. the', ' to me on christmas morning, knowing that even the smallest problems are of interest to me. the goos', 'e on christmas morning, knowing that even the smallest problems are of interest to me. the goose we ', 'christmas morning, knowing that even the smallest problems are of interest to me. the goose we retai', 'tmas morning, knowing that even the smallest problems are of interest to me. the goose we retained u', 'morning, knowing that even the smallest problems are of interest to me. the goose we retained until ', 'ng, knowing that even the smallest problems are of interest to me. the goose we retained until this ', 'nowing that even the smallest problems are of interest to me. the goose we retained until this morni', 'g that even the smallest problems are of interest to me. the goose we retained until this morning, w', 't even the smallest problems are of interest to me. the goose we retained until this morning, when t', 'n the smallest problems are of interest to me. the goose we retained until this morning, when there ', ' smallest problems are of interest to me. the goose we retained until this morning, when there were ', 'lest problems are of interest to me. the goose we retained until this morning, when there were signs', 'problems are of interest to me. the goose we retained until this morning, when there were signs that', 'ems are of interest to me. the goose we retained until this morning, when there were signs that, in ', 're of interest to me. the goose we retained until this morning, when there were signs that, in spite', ' interest to me. the goose we retained until this morning, when there were signs that, in spite of t', 'rest to me. the goose we retained until this morning, when there were signs that, in spite of the sl', 'to me. the goose we retained until this morning, when there were signs that, in spite of the slight ', '. the goose we retained until this morning, when there were signs that, in spite of the slight frost', ' goose we retained until this morning, when there were signs that, in spite of the slight frost, it ', 'e we retained until this morning, when there were signs that, in spite of the slight frost, it would', 'retained until this morning, when there were signs that, in spite of the slight frost, it would be w', 'ned until this morning, when there were signs that, in spite of the slight frost, it would be well t', 'ntil this morning, when there were signs that, in spite of the slight frost, it would be well that i', 'this morning, when there were signs that, in spite of the slight frost, it would be well that it sho', 'morning, when there were signs that, in spite of the slight frost, it would be well that it should b', 'ng, when there were signs that, in spite of the slight frost, it would be well that it should be eat', 'hen there were signs that, in spite of the slight frost, it would be well that it should be eaten wi', 'here were signs that, in spite of the slight frost, it would be well that it should be eaten without', 'were signs that, in spite of the slight frost, it would be well that it should be eaten without unne', 'signs that, in spite of the slight frost, it would be well that it should be eaten without unnecessa', ' that, in spite of the slight frost, it would be well that it should be eaten without unnecessary de', ', in spite of the slight frost, it would be well that it should be eaten without unnecessary delay. ', 'spite of the slight frost, it would be well that it should be eaten without unnecessary delay. its f', ' of the slight frost, it would be well that it should be eaten without unnecessary delay. its finder', 'he slight frost, it would be well that it should be eaten without unnecessary delay. its finder has ', 'ight frost, it would be well that it should be eaten without unnecessary delay. its finder has carri', 'frost, it would be well that it should be eaten without unnecessary delay. its finder has carried it', ', it would be well that it should be eaten without unnecessary delay. its finder has carried it off,', 'would be well that it should be eaten without unnecessary delay. its finder has carried it off, ther', ' be well that it should be eaten without unnecessary delay. its finder has carried it off, therefore', 'ell that it should be eaten without unnecessary delay. its finder has carried it off, therefore, to ', 'hat it should be eaten without unnecessary delay. its finder has carried it off, therefore, to fulfi', 't should be eaten without unnecessary delay. its finder has carried it off, therefore, to fulfil the', 'uld be eaten without unnecessary delay. its finder has carried it off, therefore, to fulfil the ulti', 'e eaten without unnecessary delay. its finder has carried it off, therefore, to fulfil the ultimate ', 'en without unnecessary delay. its finder has carried it off, therefore, to fulfil the ultimate desti', 'thout unnecessary delay. its finder has carried it off, therefore, to fulfil the ultimate destiny of', ' unnecessary delay. its finder has carried it off, therefore, to fulfil the ultimate destiny of a go', 'cessary delay. its finder has carried it off, therefore, to fulfil the ultimate destiny of a goose, ', 'ry delay. its finder has carried it off, therefore, to fulfil the ultimate destiny of a goose, while', 'lay. its finder has carried it off, therefore, to fulfil the ultimate destiny of a goose, while i co', 'its finder has carried it off, therefore, to fulfil the ultimate destiny of a goose, while i continu', 'inder has carried it off, therefore, to fulfil the ultimate destiny of a goose, while i continue to ', ' has carried it off, therefore, to fulfil the ultimate destiny of a goose, while i continue to retai', 'carried it off, therefore, to fulfil the ultimate destiny of a goose, while i continue to retain the', 'ed it off, therefore, to fulfil the ultimate destiny of a goose, while i continue to retain the hat ', ' off, therefore, to fulfil the ultimate destiny of a goose, while i continue to retain the hat of th', ' therefore, to fulfil the ultimate destiny of a goose, while i continue to retain the hat of the unk', 'efore, to fulfil the ultimate destiny of a goose, while i continue to retain the hat of the unknown ', ', to fulfil the ultimate destiny of a goose, while i continue to retain the hat of the unknown gentl', 'fulfil the ultimate destiny of a goose, while i continue to retain the hat of the unknown gentleman ', 'l the ultimate destiny of a goose, while i continue to retain the hat of the unknown gentleman who l', ' ultimate destiny of a goose, while i continue to retain the hat of the unknown gentleman who lost h', 'mate destiny of a goose, while i continue to retain the hat of the unknown gentleman who lost his ch', 'destiny of a goose, while i continue to retain the hat of the unknown gentleman who lost his christm', 'ny of a goose, while i continue to retain the hat of the unknown gentleman who lost his christmas di', ' a goose, while i continue to retain the hat of the unknown gentleman who lost his christmas dinner.', 'ose, while i continue to retain the hat of the unknown gentleman who lost his christmas dinner." "di', 'while i continue to retain the hat of the unknown gentleman who lost his christmas dinner." "did he ', ' i continue to retain the hat of the unknown gentleman who lost his christmas dinner." "did he not a', 'ntinue to retain the hat of the unknown gentleman who lost his christmas dinner." "did he not advert', 'e to retain the hat of the unknown gentleman who lost his christmas dinner." "did he not advertise?"', 'retain the hat of the unknown gentleman who lost his christmas dinner." "did he not advertise?" "no.', 'n the hat of the unknown gentleman who lost his christmas dinner." "did he not advertise?" "no." "th', ' hat of the unknown gentleman who lost his christmas dinner." "did he not advertise?" "no." "then, w', 'of the unknown gentleman who lost his christmas dinner." "did he not advertise?" "no." "then, what c', 'e unknown gentleman who lost his christmas dinner." "did he not advertise?" "no." "then, what clue c', 'nown gentleman who lost his christmas dinner." "did he not advertise?" "no." "then, what clue could ', 'gentleman who lost his christmas dinner." "did he not advertise?" "no." "then, what clue could you h', 'eman who lost his christmas dinner." "did he not advertise?" "no." "then, what clue could you have a', 'who lost his christmas dinner." "did he not advertise?" "no." "then, what clue could you have as to ', 'ost his christmas dinner." "did he not advertise?" "no." "then, what clue could you have as to his i', 'is christmas dinner." "did he not advertise?" "no." "then, what clue could you have as to his identi', 'ristmas dinner." "did he not advertise?" "no." "then, what clue could you have as to his identity?" ', 'as dinner." "did he not advertise?" "no." "then, what clue could you have as to his identity?" "only', 'nner." "did he not advertise?" "no." "then, what clue could you have as to his identity?" "only as m', '" "did he not advertise?" "no." "then, what clue could you have as to his identity?" "only as much a', 'd he not advertise?" "no." "then, what clue could you have as to his identity?" "only as much as we ', 'not advertise?" "no." "then, what clue could you have as to his identity?" "only as much as we can d', 'dvertise?" "no." "then, what clue could you have as to his identity?" "only as much as we can deduce', 'ise?" "no." "then, what clue could you have as to his identity?" "only as much as we can deduce." "f', ' "no." "then, what clue could you have as to his identity?" "only as much as we can deduce." "from h', '" "then, what clue could you have as to his identity?" "only as much as we can deduce." "from his ha', 'en, what clue could you have as to his identity?" "only as much as we can deduce." "from his hat?" "', 'hat clue could you have as to his identity?" "only as much as we can deduce." "from his hat?" "preci', 'lue could you have as to his identity?" "only as much as we can deduce." "from his hat?" "precisely.', 'ould you have as to his identity?" "only as much as we can deduce." "from his hat?" "precisely." "bu', 'you have as to his identity?" "only as much as we can deduce." "from his hat?" "precisely." "but you', 'ave as to his identity?" "only as much as we can deduce." "from his hat?" "precisely." "but you are ', 's to his identity?" "only as much as we can deduce." "from his hat?" "precisely." "but you are jokin', 'his identity?" "only as much as we can deduce." "from his hat?" "precisely." "but you are joking. wh', 'dentity?" "only as much as we can deduce." "from his hat?" "precisely." "but you are joking. what ca', 'ty?" "only as much as we can deduce." "from his hat?" "precisely." "but you are joking. what can you', '"only as much as we can deduce." "from his hat?" "precisely." "but you are joking. what can you gath', ' as much as we can deduce." "from his hat?" "precisely." "but you are joking. what can you gather fr', 'uch as we can deduce." "from his hat?" "precisely." "but you are joking. what can you gather from th', 's we can deduce." "from his hat?" "precisely." "but you are joking. what can you gather from this ol', 'can deduce." "from his hat?" "precisely." "but you are joking. what can you gather from this old bat', 'educe." "from his hat?" "precisely." "but you are joking. what can you gather from this old battered', '." "from his hat?" "precisely." "but you are joking. what can you gather from this old battered felt', 'rom his hat?" "precisely." "but you are joking. what can you gather from this old battered felt?" "h', 'is hat?" "precisely." "but you are joking. what can you gather from this old battered felt?" "here i', 't?" "precisely." "but you are joking. what can you gather from this old battered felt?" "here is my ', 'precisely." "but you are joking. what can you gather from this old battered felt?" "here is my lens.', 'sely." "but you are joking. what can you gather from this old battered felt?" "here is my lens. you ', '" "but you are joking. what can you gather from this old battered felt?" "here is my lens. you know ', 't you are joking. what can you gather from this old battered felt?" "here is my lens. you know my me', ' are joking. what can you gather from this old battered felt?" "here is my lens. you know my methods', 'joking. what can you gather from this old battered felt?" "here is my lens. you know my methods. wha', 'g. what can you gather from this old battered felt?" "here is my lens. you know my methods. what can', 'at can you gather from this old battered felt?" "here is my lens. you know my methods. what can you ', 'n you gather from this old battered felt?" "here is my lens. you know my methods. what can you gathe', ' gather from this old battered felt?" "here is my lens. you know my methods. what can you gather you', 'er from this old battered felt?" "here is my lens. you know my methods. what can you gather yourself', 'om this old battered felt?" "here is my lens. you know my methods. what can you gather yourself as t', 'is old battered felt?" "here is my lens. you know my methods. what can you gather yourself as to the', 'd battered felt?" "here is my lens. you know my methods. what can you gather yourself as to the indi', 'tered felt?" "here is my lens. you know my methods. what can you gather yourself as to the individua', ' felt?" "here is my lens. you know my methods. what can you gather yourself as to the individuality ', '?" "here is my lens. you know my methods. what can you gather yourself as to the individuality of th', 'ere is my lens. you know my methods. what can you gather yourself as to the individuality of the man', 's my lens. you know my methods. what can you gather yourself as to the individuality of the man who ', 'lens. you know my methods. what can you gather yourself as to the individuality of the man who has w', ' you know my methods. what can you gather yourself as to the individuality of the man who has worn t', 'know my methods. what can you gather yourself as to the individuality of the man who has worn this a', 'my methods. what can you gather yourself as to the individuality of the man who has worn this articl', 'thods. what can you gather yourself as to the individuality of the man who has worn this article?" i', '. what can you gather yourself as to the individuality of the man who has worn this article?" i took', 't can you gather yourself as to the individuality of the man who has worn this article?" i took the ', ' you gather yourself as to the individuality of the man who has worn this article?" i took the tatte', 'gather yourself as to the individuality of the man who has worn this article?" i took the tattered o', 'r yourself as to the individuality of the man who has worn this article?" i took the tattered object', 'rself as to the individuality of the man who has worn this article?" i took the tattered object in m', ' as to the individuality of the man who has worn this article?" i took the tattered object in my han', 'o the individuality of the man who has worn this article?" i took the tattered object in my hands an', ' individuality of the man who has worn this article?" i took the tattered object in my hands and tur', 'viduality of the man who has worn this article?" i took the tattered object in my hands and turned i', 'lity of the man who has worn this article?" i took the tattered object in my hands and turned it ove', 'of the man who has worn this article?" i took the tattered object in my hands and turned it over rat', 'e man who has worn this article?" i took the tattered object in my hands and turned it over rather r', ' who has worn this article?" i took the tattered object in my hands and turned it over rather rueful', 'has worn this article?" i took the tattered object in my hands and turned it over rather ruefully. i', 'orn this article?" i took the tattered object in my hands and turned it over rather ruefully. it was', 'his article?" i took the tattered object in my hands and turned it over rather ruefully. it was a ve', 'rticle?" i took the tattered object in my hands and turned it over rather ruefully. it was a very or', 'e?" i took the tattered object in my hands and turned it over rather ruefully. it was a very ordinar', ' took the tattered object in my hands and turned it over rather ruefully. it was a very ordinary bla', ' the tattered object in my hands and turned it over rather ruefully. it was a very ordinary black ha', 'tattered object in my hands and turned it over rather ruefully. it was a very ordinary black hat of ', 'red object in my hands and turned it over rather ruefully. it was a very ordinary black hat of the u', 'bject in my hands and turned it over rather ruefully. it was a very ordinary black hat of the usual ', ' in my hands and turned it over rather ruefully. it was a very ordinary black hat of the usual round', 'y hands and turned it over rather ruefully. it was a very ordinary black hat of the usual round shap', 'ds and turned it over rather ruefully. it was a very ordinary black hat of the usual round shape, ha', 'd turned it over rather ruefully. it was a very ordinary black hat of the usual round shape, hard an', 'ned it over rather ruefully. it was a very ordinary black hat of the usual round shape, hard and muc', 't over rather ruefully. it was a very ordinary black hat of the usual round shape, hard and much the', 'r rather ruefully. it was a very ordinary black hat of the usual round shape, hard and much the wors', 'her ruefully. it was a very ordinary black hat of the usual round shape, hard and much the worse for', 'uefully. it was a very ordinary black hat of the usual round shape, hard and much the worse for wear', 'ly. it was a very ordinary black hat of the usual round shape, hard and much the worse for wear. the', 't was a very ordinary black hat of the usual round shape, hard and much the worse for wear. the lini', ' a very ordinary black hat of the usual round shape, hard and much the worse for wear. the lining ha', 'ry ordinary black hat of the usual round shape, hard and much the worse for wear. the lining had bee', 'dinary black hat of the usual round shape, hard and much the worse for wear. the lining had been of ', 'y black hat of the usual round shape, hard and much the worse for wear. the lining had been of red s', 'ck hat of the usual round shape, hard and much the worse for wear. the lining had been of red silk, ', 't of the usual round shape, hard and much the worse for wear. the lining had been of red silk, but w', 'the usual round shape, hard and much the worse for wear. the lining had been of red silk, but was a ', 'sual round shape, hard and much the worse for wear. the lining had been of red silk, but was a good ', 'round shape, hard and much the worse for wear. the lining had been of red silk, but was a good deal ', ' shape, hard and much the worse for wear. the lining had been of red silk, but was a good deal disco', 'e, hard and much the worse for wear. the lining had been of red silk, but was a good deal discoloure', 'rd and much the worse for wear. the lining had been of red silk, but was a good deal discoloured. th', 'd much the worse for wear. the lining had been of red silk, but was a good deal discoloured. there w', 'h the worse for wear. the lining had been of red silk, but was a good deal discoloured. there was no', ' worse for wear. the lining had been of red silk, but was a good deal discoloured. there was no make', "e for wear. the lining had been of red silk, but was a good deal discoloured. there was no maker's n", " wear. the lining had been of red silk, but was a good deal discoloured. there was no maker's name; ", ". the lining had been of red silk, but was a good deal discoloured. there was no maker's name; but, ", " lining had been of red silk, but was a good deal discoloured. there was no maker's name; but, as ho", "ng had been of red silk, but was a good deal discoloured. there was no maker's name; but, as holmes ", "d been of red silk, but was a good deal discoloured. there was no maker's name; but, as holmes had r", "n of red silk, but was a good deal discoloured. there was no maker's name; but, as holmes had remark", "red silk, but was a good deal discoloured. there was no maker's name; but, as holmes had remarked, t", "ilk, but was a good deal discoloured. there was no maker's name; but, as holmes had remarked, the in", "but was a good deal discoloured. there was no maker's name; but, as holmes had remarked, the initial", 'as a good deal discoloured. there was no maker\'s name; but, as holmes had remarked, the initials "h.', 'good deal discoloured. there was no maker\'s name; but, as holmes had remarked, the initials "h. b." ', 'deal discoloured. there was no maker\'s name; but, as holmes had remarked, the initials "h. b." were ', 'discoloured. there was no maker\'s name; but, as holmes had remarked, the initials "h. b." were scraw', 'loured. there was no maker\'s name; but, as holmes had remarked, the initials "h. b." were scrawled u', 'd. there was no maker\'s name; but, as holmes had remarked, the initials "h. b." were scrawled upon o', 'ere was no maker\'s name; but, as holmes had remarked, the initials "h. b." were scrawled upon one si', 'as no maker\'s name; but, as holmes had remarked, the initials "h. b." were scrawled upon one side. i', ' maker\'s name; but, as holmes had remarked, the initials "h. b." were scrawled upon one side. it was', 'r\'s name; but, as holmes had remarked, the initials "h. b." were scrawled upon one side. it was pier', 'ame; but, as holmes had remarked, the initials "h. b." were scrawled upon one side. it was pierced i', 'but, as holmes had remarked, the initials "h. b." were scrawled upon one side. it was pierced in the', 'as holmes had remarked, the initials "h. b." were scrawled upon one side. it was pierced in the brim', 'lmes had remarked, the initials "h. b." were scrawled upon one side. it was pierced in the brim for ', 'had remarked, the initials "h. b." were scrawled upon one side. it was pierced in the brim for a hat', 'emarked, the initials "h. b." were scrawled upon one side. it was pierced in the brim for a hat-secu', 'ed, the initials "h. b." were scrawled upon one side. it was pierced in the brim for a hat-securer, ', 'he initials "h. b." were scrawled upon one side. it was pierced in the brim for a hat-securer, but t', 'itials "h. b." were scrawled upon one side. it was pierced in the brim for a hat-securer, but the el', 's "h. b." were scrawled upon one side. it was pierced in the brim for a hat-securer, but the elastic', ' b." were scrawled upon one side. it was pierced in the brim for a hat-securer, but the elastic was ', 'were scrawled upon one side. it was pierced in the brim for a hat-securer, but the elastic was missi', 'scrawled upon one side. it was pierced in the brim for a hat-securer, but the elastic was missing. f', 'led upon one side. it was pierced in the brim for a hat-securer, but the elastic was missing. for th', 'pon one side. it was pierced in the brim for a hat-securer, but the elastic was missing. for the res', 'ne side. it was pierced in the brim for a hat-securer, but the elastic was missing. for the rest, it', 'de. it was pierced in the brim for a hat-securer, but the elastic was missing. for the rest, it was ', 't was pierced in the brim for a hat-securer, but the elastic was missing. for the rest, it was crack', ' pierced in the brim for a hat-securer, but the elastic was missing. for the rest, it was cracked, e', 'ced in the brim for a hat-securer, but the elastic was missing. for the rest, it was cracked, exceed', 'n the brim for a hat-securer, but the elastic was missing. for the rest, it was cracked, exceedingly', ' brim for a hat-securer, but the elastic was missing. for the rest, it was cracked, exceedingly dust', ' for a hat-securer, but the elastic was missing. for the rest, it was cracked, exceedingly dusty, an', 'a hat-securer, but the elastic was missing. for the rest, it was cracked, exceedingly dusty, and spo', '-securer, but the elastic was missing. for the rest, it was cracked, exceedingly dusty, and spotted ', 'rer, but the elastic was missing. for the rest, it was cracked, exceedingly dusty, and spotted in se', 'but the elastic was missing. for the rest, it was cracked, exceedingly dusty, and spotted in several', 'he elastic was missing. for the rest, it was cracked, exceedingly dusty, and spotted in several plac', 'astic was missing. for the rest, it was cracked, exceedingly dusty, and spotted in several places, a', ' was missing. for the rest, it was cracked, exceedingly dusty, and spotted in several places, althou', 'missing. for the rest, it was cracked, exceedingly dusty, and spotted in several places, although th', 'ng. for the rest, it was cracked, exceedingly dusty, and spotted in several places, although there s', 'or the rest, it was cracked, exceedingly dusty, and spotted in several places, although there seemed', 'e rest, it was cracked, exceedingly dusty, and spotted in several places, although there seemed to h', 't, it was cracked, exceedingly dusty, and spotted in several places, although there seemed to have b', ' was cracked, exceedingly dusty, and spotted in several places, although there seemed to have been s', 'cracked, exceedingly dusty, and spotted in several places, although there seemed to have been some a', 'ed, exceedingly dusty, and spotted in several places, although there seemed to have been some attemp', 'xceedingly dusty, and spotted in several places, although there seemed to have been some attempt to ', 'ingly dusty, and spotted in several places, although there seemed to have been some attempt to hide ', ' dusty, and spotted in several places, although there seemed to have been some attempt to hide the d', 'y, and spotted in several places, although there seemed to have been some attempt to hide the discol', 'd spotted in several places, although there seemed to have been some attempt to hide the discoloured', 'tted in several places, although there seemed to have been some attempt to hide the discoloured patc', 'in several places, although there seemed to have been some attempt to hide the discoloured patches b', 'veral places, although there seemed to have been some attempt to hide the discoloured patches by sme', ' places, although there seemed to have been some attempt to hide the discoloured patches by smearing', 'es, although there seemed to have been some attempt to hide the discoloured patches by smearing them', 'lthough there seemed to have been some attempt to hide the discoloured patches by smearing them with', 'gh there seemed to have been some attempt to hide the discoloured patches by smearing them with ink.', 'ere seemed to have been some attempt to hide the discoloured patches by smearing them with ink. "i c', 'eemed to have been some attempt to hide the discoloured patches by smearing them with ink. "i can se', ' to have been some attempt to hide the discoloured patches by smearing them with ink. "i can see not', 'ave been some attempt to hide the discoloured patches by smearing them with ink. "i can see nothing,', 'een some attempt to hide the discoloured patches by smearing them with ink. "i can see nothing," sai', 'ome attempt to hide the discoloured patches by smearing them with ink. "i can see nothing," said i, ', 'ttempt to hide the discoloured patches by smearing them with ink. "i can see nothing," said i, handi', 't to hide the discoloured patches by smearing them with ink. "i can see nothing," said i, handing it', 'hide the discoloured patches by smearing them with ink. "i can see nothing," said i, handing it back', 'the discoloured patches by smearing them with ink. "i can see nothing," said i, handing it back to m', 'iscoloured patches by smearing them with ink. "i can see nothing," said i, handing it back to my fri', 'oured patches by smearing them with ink. "i can see nothing," said i, handing it back to my friend. ', ' patches by smearing them with ink. "i can see nothing," said i, handing it back to my friend. "on t', 'hes by smearing them with ink. "i can see nothing," said i, handing it back to my friend. "on the co', 'y smearing them with ink. "i can see nothing," said i, handing it back to my friend. "on the contrar', 'aring them with ink. "i can see nothing," said i, handing it back to my friend. "on the contrary, wa', ' them with ink. "i can see nothing," said i, handing it back to my friend. "on the contrary, watson,', ' with ink. "i can see nothing," said i, handing it back to my friend. "on the contrary, watson, you ', ' ink. "i can see nothing," said i, handing it back to my friend. "on the contrary, watson, you can s', ' "i can see nothing," said i, handing it back to my friend. "on the contrary, watson, you can see ev', 'an see nothing," said i, handing it back to my friend. "on the contrary, watson, you can see everyth', 'e nothing," said i, handing it back to my friend. "on the contrary, watson, you can see everything. ', 'hing," said i, handing it back to my friend. "on the contrary, watson, you can see everything. you f', '" said i, handing it back to my friend. "on the contrary, watson, you can see everything. you fail, ', 'd i, handing it back to my friend. "on the contrary, watson, you can see everything. you fail, howev', 'handing it back to my friend. "on the contrary, watson, you can see everything. you fail, however, t', 'ng it back to my friend. "on the contrary, watson, you can see everything. you fail, however, to rea', ' back to my friend. "on the contrary, watson, you can see everything. you fail, however, to reason f', ' to my friend. "on the contrary, watson, you can see everything. you fail, however, to reason from w', 'y friend. "on the contrary, watson, you can see everything. you fail, however, to reason from what y', 'end. "on the contrary, watson, you can see everything. you fail, however, to reason from what you se', '"on the contrary, watson, you can see everything. you fail, however, to reason from what you see. yo', 'he contrary, watson, you can see everything. you fail, however, to reason from what you see. you are', 'ntrary, watson, you can see everything. you fail, however, to reason from what you see. you are too ', 'y, watson, you can see everything. you fail, however, to reason from what you see. you are too timid', 'tson, you can see everything. you fail, however, to reason from what you see. you are too timid in d', ' you can see everything. you fail, however, to reason from what you see. you are too timid in drawin', 'can see everything. you fail, however, to reason from what you see. you are too timid in drawing you', 'ee everything. you fail, however, to reason from what you see. you are too timid in drawing your inf', 'erything. you fail, however, to reason from what you see. you are too timid in drawing your inferenc', 'ing. you fail, however, to reason from what you see. you are too timid in drawing your inferences." ', 'you fail, however, to reason from what you see. you are too timid in drawing your inferences." "then', 'ail, however, to reason from what you see. you are too timid in drawing your inferences." "then, pra', 'however, to reason from what you see. you are too timid in drawing your inferences." "then, pray tel', 'er, to reason from what you see. you are too timid in drawing your inferences." "then, pray tell me ', 'o reason from what you see. you are too timid in drawing your inferences." "then, pray tell me what ', 'son from what you see. you are too timid in drawing your inferences." "then, pray tell me what it is', 'rom what you see. you are too timid in drawing your inferences." "then, pray tell me what it is that', 'hat you see. you are too timid in drawing your inferences." "then, pray tell me what it is that you ', 'ou see. you are too timid in drawing your inferences." "then, pray tell me what it is that you can i', 'e. you are too timid in drawing your inferences." "then, pray tell me what it is that you can infer ', 'u are too timid in drawing your inferences." "then, pray tell me what it is that you can infer from ', ' too timid in drawing your inferences." "then, pray tell me what it is that you can infer from this ', 'timid in drawing your inferences." "then, pray tell me what it is that you can infer from this hat?"', ' in drawing your inferences." "then, pray tell me what it is that you can infer from this hat?" he p', 'rawing your inferences." "then, pray tell me what it is that you can infer from this hat?" he picked', 'g your inferences." "then, pray tell me what it is that you can infer from this hat?" he picked it u', 'r inferences." "then, pray tell me what it is that you can infer from this hat?" he picked it up and', 'erences." "then, pray tell me what it is that you can infer from this hat?" he picked it up and gaze', 'es." "then, pray tell me what it is that you can infer from this hat?" he picked it up and gazed at ', '"then, pray tell me what it is that you can infer from this hat?" he picked it up and gazed at it in', ', pray tell me what it is that you can infer from this hat?" he picked it up and gazed at it in the ', 'y tell me what it is that you can infer from this hat?" he picked it up and gazed at it in the pecul', 'l me what it is that you can infer from this hat?" he picked it up and gazed at it in the peculiar i', 'what it is that you can infer from this hat?" he picked it up and gazed at it in the peculiar intros', 'it is that you can infer from this hat?" he picked it up and gazed at it in the peculiar introspecti', ' that you can infer from this hat?" he picked it up and gazed at it in the peculiar introspective fa', ' you can infer from this hat?" he picked it up and gazed at it in the peculiar introspective fashion', 'can infer from this hat?" he picked it up and gazed at it in the peculiar introspective fashion whic', 'nfer from this hat?" he picked it up and gazed at it in the peculiar introspective fashion which was', 'from this hat?" he picked it up and gazed at it in the peculiar introspective fashion which was char', 'this hat?" he picked it up and gazed at it in the peculiar introspective fashion which was character', 'hat?" he picked it up and gazed at it in the peculiar introspective fashion which was characteristic', ' he picked it up and gazed at it in the peculiar introspective fashion which was characteristic of h', 'icked it up and gazed at it in the peculiar introspective fashion which was characteristic of him. "', ' it up and gazed at it in the peculiar introspective fashion which was characteristic of him. "it is', 'p and gazed at it in the peculiar introspective fashion which was characteristic of him. "it is perh', ' gazed at it in the peculiar introspective fashion which was characteristic of him. "it is perhaps l', 'd at it in the peculiar introspective fashion which was characteristic of him. "it is perhaps less s', 'it in the peculiar introspective fashion which was characteristic of him. "it is perhaps less sugges', ' the peculiar introspective fashion which was characteristic of him. "it is perhaps less suggestive ', 'peculiar introspective fashion which was characteristic of him. "it is perhaps less suggestive than ', 'iar introspective fashion which was characteristic of him. "it is perhaps less suggestive than it mi', 'ntrospective fashion which was characteristic of him. "it is perhaps less suggestive than it might h', 'pective fashion which was characteristic of him. "it is perhaps less suggestive than it might have b', 've fashion which was characteristic of him. "it is perhaps less suggestive than it might have been,"', 'shion which was characteristic of him. "it is perhaps less suggestive than it might have been," he r', ' which was characteristic of him. "it is perhaps less suggestive than it might have been," he remark', 'h was characteristic of him. "it is perhaps less suggestive than it might have been," he remarked, "', ' characteristic of him. "it is perhaps less suggestive than it might have been," he remarked, "and y', 'acteristic of him. "it is perhaps less suggestive than it might have been," he remarked, "and yet th', 'istic of him. "it is perhaps less suggestive than it might have been," he remarked, "and yet there a', ' of him. "it is perhaps less suggestive than it might have been," he remarked, "and yet there are a ', 'im. "it is perhaps less suggestive than it might have been," he remarked, "and yet there are a few i', 'it is perhaps less suggestive than it might have been," he remarked, "and yet there are a few infere', ' perhaps less suggestive than it might have been," he remarked, "and yet there are a few inferences ', 'aps less suggestive than it might have been," he remarked, "and yet there are a few inferences which', 'ess suggestive than it might have been," he remarked, "and yet there are a few inferences which are ', 'uggestive than it might have been," he remarked, "and yet there are a few inferences which are very ', 'tive than it might have been," he remarked, "and yet there are a few inferences which are very disti', 'than it might have been," he remarked, "and yet there are a few inferences which are very distinct, ', 'it might have been," he remarked, "and yet there are a few inferences which are very distinct, and a', 'ght have been," he remarked, "and yet there are a few inferences which are very distinct, and a few ', 'ave been," he remarked, "and yet there are a few inferences which are very distinct, and a few other', 'een," he remarked, "and yet there are a few inferences which are very distinct, and a few others whi', ' he remarked, "and yet there are a few inferences which are very distinct, and a few others which re', 'emarked, "and yet there are a few inferences which are very distinct, and a few others which represe', 'ed, "and yet there are a few inferences which are very distinct, and a few others which represent at', 'and yet there are a few inferences which are very distinct, and a few others which represent at leas', 'et there are a few inferences which are very distinct, and a few others which represent at least a s', 'ere are a few inferences which are very distinct, and a few others which represent at least a strong', 're a few inferences which are very distinct, and a few others which represent at least a strong bala', 'few inferences which are very distinct, and a few others which represent at least a strong balance o', 'nferences which are very distinct, and a few others which represent at least a strong balance of pro', 'nces which are very distinct, and a few others which represent at least a strong balance of probabil', 'which are very distinct, and a few others which represent at least a strong balance of probability. ', ' are very distinct, and a few others which represent at least a strong balance of probability. that ', 'very distinct, and a few others which represent at least a strong balance of probability. that the m', 'distinct, and a few others which represent at least a strong balance of probability. that the man wa', 'nct, and a few others which represent at least a strong balance of probability. that the man was hig', 'and a few others which represent at least a strong balance of probability. that the man was highly i', ' few others which represent at least a strong balance of probability. that the man was highly intell', 'others which represent at least a strong balance of probability. that the man was highly intellectua', 's which represent at least a strong balance of probability. that the man was highly intellectual is ', 'ch represent at least a strong balance of probability. that the man was highly intellectual is of co', 'present at least a strong balance of probability. that the man was highly intellectual is of course ', 'nt at least a strong balance of probability. that the man was highly intellectual is of course obvio', ' least a strong balance of probability. that the man was highly intellectual is of course obvious up', 't a strong balance of probability. that the man was highly intellectual is of course obvious upon th', 'trong balance of probability. that the man was highly intellectual is of course obvious upon the fac', ' balance of probability. that the man was highly intellectual is of course obvious upon the face of ', 'nce of probability. that the man was highly intellectual is of course obvious upon the face of it, a', 'f probability. that the man was highly intellectual is of course obvious upon the face of it, and al', 'bability. that the man was highly intellectual is of course obvious upon the face of it, and also th', 'ity. that the man was highly intellectual is of course obvious upon the face of it, and also that he', 'that the man was highly intellectual is of course obvious upon the face of it, and also that he was ', 'the man was highly intellectual is of course obvious upon the face of it, and also that he was fairl', 'an was highly intellectual is of course obvious upon the face of it, and also that he was fairly wel', 's highly intellectual is of course obvious upon the face of it, and also that he was fairly well-to-', 'hly intellectual is of course obvious upon the face of it, and also that he was fairly well-to-do wi', 'ntellectual is of course obvious upon the face of it, and also that he was fairly well-to-do within ', 'ectual is of course obvious upon the face of it, and also that he was fairly well-to-do within the l', 'l is of course obvious upon the face of it, and also that he was fairly well-to-do within the last t', 'of course obvious upon the face of it, and also that he was fairly well-to-do within the last three ', 'urse obvious upon the face of it, and also that he was fairly well-to-do within the last three years', 'obvious upon the face of it, and also that he was fairly well-to-do within the last three years, alt', 'us upon the face of it, and also that he was fairly well-to-do within the last three years, although', 'on the face of it, and also that he was fairly well-to-do within the last three years, although he h', 'e face of it, and also that he was fairly well-to-do within the last three years, although he has no', 'e of it, and also that he was fairly well-to-do within the last three years, although he has now fal', 'it, and also that he was fairly well-to-do within the last three years, although he has now fallen u', 'nd also that he was fairly well-to-do within the last three years, although he has now fallen upon e', 'so that he was fairly well-to-do within the last three years, although he has now fallen upon evil d', 'at he was fairly well-to-do within the last three years, although he has now fallen upon evil days. ', ' was fairly well-to-do within the last three years, although he has now fallen upon evil days. he ha', 'fairly well-to-do within the last three years, although he has now fallen upon evil days. he had for', 'y well-to-do within the last three years, although he has now fallen upon evil days. he had foresigh', 'l-to-do within the last three years, although he has now fallen upon evil days. he had foresight, bu', 'do within the last three years, although he has now fallen upon evil days. he had foresight, but has', 'thin the last three years, although he has now fallen upon evil days. he had foresight, but has less', 'the last three years, although he has now fallen upon evil days. he had foresight, but has less now ', 'ast three years, although he has now fallen upon evil days. he had foresight, but has less now than ', 'hree years, although he has now fallen upon evil days. he had foresight, but has less now than forme', 'years, although he has now fallen upon evil days. he had foresight, but has less now than formerly, ', ', although he has now fallen upon evil days. he had foresight, but has less now than formerly, point', 'hough he has now fallen upon evil days. he had foresight, but has less now than formerly, pointing t', ' he has now fallen upon evil days. he had foresight, but has less now than formerly, pointing to a m', 'as now fallen upon evil days. he had foresight, but has less now than formerly, pointing to a moral ', 'w fallen upon evil days. he had foresight, but has less now than formerly, pointing to a moral retro', 'len upon evil days. he had foresight, but has less now than formerly, pointing to a moral retrogress', 'pon evil days. he had foresight, but has less now than formerly, pointing to a moral retrogression, ', 'vil days. he had foresight, but has less now than formerly, pointing to a moral retrogression, which', 'ays. he had foresight, but has less now than formerly, pointing to a moral retrogression, which, whe', 'he had foresight, but has less now than formerly, pointing to a moral retrogression, which, when tak', 'd foresight, but has less now than formerly, pointing to a moral retrogression, which, when taken wi', 'esight, but has less now than formerly, pointing to a moral retrogression, which, when taken with th', 't, but has less now than formerly, pointing to a moral retrogression, which, when taken with the dec', 't has less now than formerly, pointing to a moral retrogression, which, when taken with the decline ', ' less now than formerly, pointing to a moral retrogression, which, when taken with the decline of hi', ' now than formerly, pointing to a moral retrogression, which, when taken with the decline of his for', 'than formerly, pointing to a moral retrogression, which, when taken with the decline of his fortunes', 'formerly, pointing to a moral retrogression, which, when taken with the decline of his fortunes, see', 'rly, pointing to a moral retrogression, which, when taken with the decline of his fortunes, seems to', 'pointing to a moral retrogression, which, when taken with the decline of his fortunes, seems to indi', 'ing to a moral retrogression, which, when taken with the decline of his fortunes, seems to indicate ', 'o a moral retrogression, which, when taken with the decline of his fortunes, seems to indicate some ', 'oral retrogression, which, when taken with the decline of his fortunes, seems to indicate some evil ', 'retrogression, which, when taken with the decline of his fortunes, seems to indicate some evil influ', 'gression, which, when taken with the decline of his fortunes, seems to indicate some evil influence,', 'ion, which, when taken with the decline of his fortunes, seems to indicate some evil influence, prob', 'which, when taken with the decline of his fortunes, seems to indicate some evil influence, probably ', ', when taken with the decline of his fortunes, seems to indicate some evil influence, probably drink', 'n taken with the decline of his fortunes, seems to indicate some evil influence, probably drink, at ', 'en with the decline of his fortunes, seems to indicate some evil influence, probably drink, at work ', 'th the decline of his fortunes, seems to indicate some evil influence, probably drink, at work upon ', 'e decline of his fortunes, seems to indicate some evil influence, probably drink, at work upon him. ', 'line of his fortunes, seems to indicate some evil influence, probably drink, at work upon him. this ', 'of his fortunes, seems to indicate some evil influence, probably drink, at work upon him. this may a', 's fortunes, seems to indicate some evil influence, probably drink, at work upon him. this may accoun', 'tunes, seems to indicate some evil influence, probably drink, at work upon him. this may account als', ', seems to indicate some evil influence, probably drink, at work upon him. this may account also for', 'ms to indicate some evil influence, probably drink, at work upon him. this may account also for the ', ' indicate some evil influence, probably drink, at work upon him. this may account also for the obvio', 'cate some evil influence, probably drink, at work upon him. this may account also for the obvious fa', 'some evil influence, probably drink, at work upon him. this may account also for the obvious fact th', 'evil influence, probably drink, at work upon him. this may account also for the obvious fact that hi', 'influence, probably drink, at work upon him. this may account also for the obvious fact that his wif', 'ence, probably drink, at work upon him. this may account also for the obvious fact that his wife has', ' probably drink, at work upon him. this may account also for the obvious fact that his wife has ceas', 'ably drink, at work upon him. this may account also for the obvious fact that his wife has ceased to', 'drink, at work upon him. this may account also for the obvious fact that his wife has ceased to love', ', at work upon him. this may account also for the obvious fact that his wife has ceased to love him.', 'work upon him. this may account also for the obvious fact that his wife has ceased to love him." "my', 'upon him. this may account also for the obvious fact that his wife has ceased to love him." "my dear', 'him. this may account also for the obvious fact that his wife has ceased to love him." "my dear holm', 'this may account also for the obvious fact that his wife has ceased to love him." "my dear holmes "', 'may account also for the obvious fact that his wife has ceased to love him." "my dear holmes "he ha', 'ccount also for the obvious fact that his wife has ceased to love him." "my dear holmes "he has, ho', 't also for the obvious fact that his wife has ceased to love him." "my dear holmes "he has, however', 'o for the obvious fact that his wife has ceased to love him." "my dear holmes "he has, however, ret', ' the obvious fact that his wife has ceased to love him." "my dear holmes "he has, however, retained', 'obvious fact that his wife has ceased to love him." "my dear holmes "he has, however, retained some', 'us fact that his wife has ceased to love him." "my dear holmes "he has, however, retained some degr', 'ct that his wife has ceased to love him." "my dear holmes "he has, however, retained some degree of', 'at his wife has ceased to love him." "my dear holmes "he has, however, retained some degree of self', 's wife has ceased to love him." "my dear holmes "he has, however, retained some degree of self-resp', 'e has ceased to love him." "my dear holmes "he has, however, retained some degree of self-respect,"', ' ceased to love him." "my dear holmes "he has, however, retained some degree of self-respect," he c', 'ed to love him." "my dear holmes "he has, however, retained some degree of self-respect," he contin', ' love him." "my dear holmes "he has, however, retained some degree of self-respect," he continued, ', ' him." "my dear holmes "he has, however, retained some degree of self-respect," he continued, disre', '" "my dear holmes "he has, however, retained some degree of self-respect," he continued, disregardi', ' dear holmes "he has, however, retained some degree of self-respect," he continued, disregarding my', ' holmes "he has, however, retained some degree of self-respect," he continued, disregarding my remo', 'es "he has, however, retained some degree of self-respect," he continued, disregarding my remonstra', 'he has, however, retained some degree of self-respect," he continued, disregarding my remonstrance. ', 's, however, retained some degree of self-respect," he continued, disregarding my remonstrance. "he i', 'wever, retained some degree of self-respect," he continued, disregarding my remonstrance. "he is a m', ', retained some degree of self-respect," he continued, disregarding my remonstrance. "he is a man wh', 'ained some degree of self-respect," he continued, disregarding my remonstrance. "he is a man who lea', ' some degree of self-respect," he continued, disregarding my remonstrance. "he is a man who leads a ', ' degree of self-respect," he continued, disregarding my remonstrance. "he is a man who leads a seden', 'ee of self-respect," he continued, disregarding my remonstrance. "he is a man who leads a sedentary ', ' self-respect," he continued, disregarding my remonstrance. "he is a man who leads a sedentary life,', '-respect," he continued, disregarding my remonstrance. "he is a man who leads a sedentary life, goes', 'ect," he continued, disregarding my remonstrance. "he is a man who leads a sedentary life, goes out ', ' he continued, disregarding my remonstrance. "he is a man who leads a sedentary life, goes out littl', 'ontinued, disregarding my remonstrance. "he is a man who leads a sedentary life, goes out little, is', 'ued, disregarding my remonstrance. "he is a man who leads a sedentary life, goes out little, is out ', 'disregarding my remonstrance. "he is a man who leads a sedentary life, goes out little, is out of tr', 'garding my remonstrance. "he is a man who leads a sedentary life, goes out little, is out of trainin', 'ng my remonstrance. "he is a man who leads a sedentary life, goes out little, is out of training ent', ' remonstrance. "he is a man who leads a sedentary life, goes out little, is out of training entirely', 'nstrance. "he is a man who leads a sedentary life, goes out little, is out of training entirely, is ', 'nce. "he is a man who leads a sedentary life, goes out little, is out of training entirely, is middl', '"he is a man who leads a sedentary life, goes out little, is out of training entirely, is middle-age', 's a man who leads a sedentary life, goes out little, is out of training entirely, is middle-aged, ha', 'an who leads a sedentary life, goes out little, is out of training entirely, is middle-aged, has gri', 'o leads a sedentary life, goes out little, is out of training entirely, is middle-aged, has grizzled', 'ds a sedentary life, goes out little, is out of training entirely, is middle-aged, has grizzled hair', 'sedentary life, goes out little, is out of training entirely, is middle-aged, has grizzled hair whic', 'tary life, goes out little, is out of training entirely, is middle-aged, has grizzled hair which he ', 'life, goes out little, is out of training entirely, is middle-aged, has grizzled hair which he has h', ' goes out little, is out of training entirely, is middle-aged, has grizzled hair which he has had cu', ' out little, is out of training entirely, is middle-aged, has grizzled hair which he has had cut wit', 'little, is out of training entirely, is middle-aged, has grizzled hair which he has had cut within t', 'e, is out of training entirely, is middle-aged, has grizzled hair which he has had cut within the la', ' out of training entirely, is middle-aged, has grizzled hair which he has had cut within the last fe', 'of training entirely, is middle-aged, has grizzled hair which he has had cut within the last few day', 'aining entirely, is middle-aged, has grizzled hair which he has had cut within the last few days, an', 'g entirely, is middle-aged, has grizzled hair which he has had cut within the last few days, and whi', 'irely, is middle-aged, has grizzled hair which he has had cut within the last few days, and which he', ', is middle-aged, has grizzled hair which he has had cut within the last few days, and which he anoi', 'middle-aged, has grizzled hair which he has had cut within the last few days, and which he anoints w', 'e-aged, has grizzled hair which he has had cut within the last few days, and which he anoints with l', 'd, has grizzled hair which he has had cut within the last few days, and which he anoints with lime-c', 's grizzled hair which he has had cut within the last few days, and which he anoints with lime-cream.', 'zzled hair which he has had cut within the last few days, and which he anoints with lime-cream. thes', ' hair which he has had cut within the last few days, and which he anoints with lime-cream. these are', ' which he has had cut within the last few days, and which he anoints with lime-cream. these are the ', 'h he has had cut within the last few days, and which he anoints with lime-cream. these are the more ', 'has had cut within the last few days, and which he anoints with lime-cream. these are the more paten', 'ad cut within the last few days, and which he anoints with lime-cream. these are the more patent fac', 't within the last few days, and which he anoints with lime-cream. these are the more patent facts wh', 'hin the last few days, and which he anoints with lime-cream. these are the more patent facts which a', 'he last few days, and which he anoints with lime-cream. these are the more patent facts which are to', 'st few days, and which he anoints with lime-cream. these are the more patent facts which are to be d', 'w days, and which he anoints with lime-cream. these are the more patent facts which are to be deduce', 's, and which he anoints with lime-cream. these are the more patent facts which are to be deduced fro', 'd which he anoints with lime-cream. these are the more patent facts which are to be deduced from his', 'ch he anoints with lime-cream. these are the more patent facts which are to be deduced from his hat.', ' anoints with lime-cream. these are the more patent facts which are to be deduced from his hat. also', 'nts with lime-cream. these are the more patent facts which are to be deduced from his hat. also, by ', 'ith lime-cream. these are the more patent facts which are to be deduced from his hat. also, by the w', 'ime-cream. these are the more patent facts which are to be deduced from his hat. also, by the way, t', 'ream. these are the more patent facts which are to be deduced from his hat. also, by the way, that i', ' these are the more patent facts which are to be deduced from his hat. also, by the way, that it is ', 'e are the more patent facts which are to be deduced from his hat. also, by the way, that it is extre', ' the more patent facts which are to be deduced from his hat. also, by the way, that it is extremely ', 'more patent facts which are to be deduced from his hat. also, by the way, that it is extremely impro', 'patent facts which are to be deduced from his hat. also, by the way, that it is extremely improbable', 't facts which are to be deduced from his hat. also, by the way, that it is extremely improbable that', 'ts which are to be deduced from his hat. also, by the way, that it is extremely improbable that he h', 'ich are to be deduced from his hat. also, by the way, that it is extremely improbable that he has ga', 're to be deduced from his hat. also, by the way, that it is extremely improbable that he has gas lai', ' be deduced from his hat. also, by the way, that it is extremely improbable that he has gas laid on ', 'educed from his hat. also, by the way, that it is extremely improbable that he has gas laid on in hi', 'd from his hat. also, by the way, that it is extremely improbable that he has gas laid on in his hou', 'm his hat. also, by the way, that it is extremely improbable that he has gas laid on in his house." ', ' hat. also, by the way, that it is extremely improbable that he has gas laid on in his house." "you ', ' also, by the way, that it is extremely improbable that he has gas laid on in his house." "you are c', ', by the way, that it is extremely improbable that he has gas laid on in his house." "you are certai', 'the way, that it is extremely improbable that he has gas laid on in his house." "you are certainly j', 'ay, that it is extremely improbable that he has gas laid on in his house." "you are certainly joking', 'hat it is extremely improbable that he has gas laid on in his house." "you are certainly joking, hol', 't is extremely improbable that he has gas laid on in his house." "you are certainly joking, holmes."', 'extremely improbable that he has gas laid on in his house." "you are certainly joking, holmes." "not', 'mely improbable that he has gas laid on in his house." "you are certainly joking, holmes." "not in t', 'improbable that he has gas laid on in his house." "you are certainly joking, holmes." "not in the le', 'bable that he has gas laid on in his house." "you are certainly joking, holmes." "not in the least. ', ' that he has gas laid on in his house." "you are certainly joking, holmes." "not in the least. is it', ' he has gas laid on in his house." "you are certainly joking, holmes." "not in the least. is it poss', 'as gas laid on in his house." "you are certainly joking, holmes." "not in the least. is it possible ', 's laid on in his house." "you are certainly joking, holmes." "not in the least. is it possible that ', 'd on in his house." "you are certainly joking, holmes." "not in the least. is it possible that even ', 'in his house." "you are certainly joking, holmes." "not in the least. is it possible that even now, ', 's house." "you are certainly joking, holmes." "not in the least. is it possible that even now, when ', 'se." "you are certainly joking, holmes." "not in the least. is it possible that even now, when i giv', '"you are certainly joking, holmes." "not in the least. is it possible that even now, when i give you', 'are certainly joking, holmes." "not in the least. is it possible that even now, when i give you thes', 'ertainly joking, holmes." "not in the least. is it possible that even now, when i give you these res', 'nly joking, holmes." "not in the least. is it possible that even now, when i give you these results,', 'oking, holmes." "not in the least. is it possible that even now, when i give you these results, you ', ', holmes." "not in the least. is it possible that even now, when i give you these results, you are u', 'mes." "not in the least. is it possible that even now, when i give you these results, you are unable', ' "not in the least. is it possible that even now, when i give you these results, you are unable to s', ' in the least. is it possible that even now, when i give you these results, you are unable to see ho', 'he least. is it possible that even now, when i give you these results, you are unable to see how the', 'ast. is it possible that even now, when i give you these results, you are unable to see how they are', 'is it possible that even now, when i give you these results, you are unable to see how they are atta', ' possible that even now, when i give you these results, you are unable to see how they are attained?', 'ible that even now, when i give you these results, you are unable to see how they are attained?" "i ', 'that even now, when i give you these results, you are unable to see how they are attained?" "i have ', 'even now, when i give you these results, you are unable to see how they are attained?" "i have no do', 'now, when i give you these results, you are unable to see how they are attained?" "i have no doubt t', 'when i give you these results, you are unable to see how they are attained?" "i have no doubt that i', 'i give you these results, you are unable to see how they are attained?" "i have no doubt that i am v', 'e you these results, you are unable to see how they are attained?" "i have no doubt that i am very s', ' these results, you are unable to see how they are attained?" "i have no doubt that i am very stupid', 'e results, you are unable to see how they are attained?" "i have no doubt that i am very stupid, but', 'ults, you are unable to see how they are attained?" "i have no doubt that i am very stupid, but i mu', ' you are unable to see how they are attained?" "i have no doubt that i am very stupid, but i must co', 'are unable to see how they are attained?" "i have no doubt that i am very stupid, but i must confess', 'nable to see how they are attained?" "i have no doubt that i am very stupid, but i must confess that', ' to see how they are attained?" "i have no doubt that i am very stupid, but i must confess that i am', 'ee how they are attained?" "i have no doubt that i am very stupid, but i must confess that i am unab', 'w they are attained?" "i have no doubt that i am very stupid, but i must confess that i am unable to', 'y are attained?" "i have no doubt that i am very stupid, but i must confess that i am unable to foll', ' attained?" "i have no doubt that i am very stupid, but i must confess that i am unable to follow yo', 'ined?" "i have no doubt that i am very stupid, but i must confess that i am unable to follow you. fo', '" "i have no doubt that i am very stupid, but i must confess that i am unable to follow you. for exa', 'have no doubt that i am very stupid, but i must confess that i am unable to follow you. for example,', 'no doubt that i am very stupid, but i must confess that i am unable to follow you. for example, how ', 'ubt that i am very stupid, but i must confess that i am unable to follow you. for example, how did y', 'hat i am very stupid, but i must confess that i am unable to follow you. for example, how did you de', ' am very stupid, but i must confess that i am unable to follow you. for example, how did you deduce ', 'ery stupid, but i must confess that i am unable to follow you. for example, how did you deduce that ', 'tupid, but i must confess that i am unable to follow you. for example, how did you deduce that this ', ', but i must confess that i am unable to follow you. for example, how did you deduce that this man w', ' i must confess that i am unable to follow you. for example, how did you deduce that this man was in', 'st confess that i am unable to follow you. for example, how did you deduce that this man was intelle', 'nfess that i am unable to follow you. for example, how did you deduce that this man was intellectual', ' that i am unable to follow you. for example, how did you deduce that this man was intellectual?" fo', ' i am unable to follow you. for example, how did you deduce that this man was intellectual?" for ans', ' unable to follow you. for example, how did you deduce that this man was intellectual?" for answer h', 'le to follow you. for example, how did you deduce that this man was intellectual?" for answer holmes', ' follow you. for example, how did you deduce that this man was intellectual?" for answer holmes clap', 'ow you. for example, how did you deduce that this man was intellectual?" for answer holmes clapped t', 'u. for example, how did you deduce that this man was intellectual?" for answer holmes clapped the ha', 'r example, how did you deduce that this man was intellectual?" for answer holmes clapped the hat upo', 'mple, how did you deduce that this man was intellectual?" for answer holmes clapped the hat upon his', ' how did you deduce that this man was intellectual?" for answer holmes clapped the hat upon his head', 'did you deduce that this man was intellectual?" for answer holmes clapped the hat upon his head. it ', 'ou deduce that this man was intellectual?" for answer holmes clapped the hat upon his head. it came ', 'duce that this man was intellectual?" for answer holmes clapped the hat upon his head. it came right', 'that this man was intellectual?" for answer holmes clapped the hat upon his head. it came right over', 'this man was intellectual?" for answer holmes clapped the hat upon his head. it came right over the ', 'man was intellectual?" for answer holmes clapped the hat upon his head. it came right over the foreh', 'as intellectual?" for answer holmes clapped the hat upon his head. it came right over the forehead a', 'tellectual?" for answer holmes clapped the hat upon his head. it came right over the forehead and se', 'ctual?" for answer holmes clapped the hat upon his head. it came right over the forehead and settled', '?" for answer holmes clapped the hat upon his head. it came right over the forehead and settled upon', 'r answer holmes clapped the hat upon his head. it came right over the forehead and settled upon the ', 'wer holmes clapped the hat upon his head. it came right over the forehead and settled upon the bridg', 'olmes clapped the hat upon his head. it came right over the forehead and settled upon the bridge of ', ' clapped the hat upon his head. it came right over the forehead and settled upon the bridge of his n', 'ped the hat upon his head. it came right over the forehead and settled upon the bridge of his nose. ', 'he hat upon his head. it came right over the forehead and settled upon the bridge of his nose. "it i', 't upon his head. it came right over the forehead and settled upon the bridge of his nose. "it is a q', 'n his head. it came right over the forehead and settled upon the bridge of his nose. "it is a questi', ' head. it came right over the forehead and settled upon the bridge of his nose. "it is a question of', '. it came right over the forehead and settled upon the bridge of his nose. "it is a question of cubi', 'came right over the forehead and settled upon the bridge of his nose. "it is a question of cubic cap', 'right over the forehead and settled upon the bridge of his nose. "it is a question of cubic capacity', ' over the forehead and settled upon the bridge of his nose. "it is a question of cubic capacity," sa', ' the forehead and settled upon the bridge of his nose. "it is a question of cubic capacity," said he', 'forehead and settled upon the bridge of his nose. "it is a question of cubic capacity," said he; "a ', 'ead and settled upon the bridge of his nose. "it is a question of cubic capacity," said he; "a man w', 'nd settled upon the bridge of his nose. "it is a question of cubic capacity," said he; "a man with s', 'ttled upon the bridge of his nose. "it is a question of cubic capacity," said he; "a man with so lar', ' upon the bridge of his nose. "it is a question of cubic capacity," said he; "a man with so large a ', ' the bridge of his nose. "it is a question of cubic capacity," said he; "a man with so large a brain', 'bridge of his nose. "it is a question of cubic capacity," said he; "a man with so large a brain must', 'e of his nose. "it is a question of cubic capacity," said he; "a man with so large a brain must have', 'his nose. "it is a question of cubic capacity," said he; "a man with so large a brain must have some', 'ose. "it is a question of cubic capacity," said he; "a man with so large a brain must have something', '"it is a question of cubic capacity," said he; "a man with so large a brain must have something in i', 's a question of cubic capacity," said he; "a man with so large a brain must have something in it." "', 'uestion of cubic capacity," said he; "a man with so large a brain must have something in it." "the d', 'on of cubic capacity," said he; "a man with so large a brain must have something in it." "the declin', ' cubic capacity," said he; "a man with so large a brain must have something in it." "the decline of ', 'c capacity," said he; "a man with so large a brain must have something in it." "the decline of his f', 'acity," said he; "a man with so large a brain must have something in it." "the decline of his fortun', '," said he; "a man with so large a brain must have something in it." "the decline of his fortunes, t', 'id he; "a man with so large a brain must have something in it." "the decline of his fortunes, then?"', '; "a man with so large a brain must have something in it." "the decline of his fortunes, then?" "thi', 'man with so large a brain must have something in it." "the decline of his fortunes, then?" "this hat', 'ith so large a brain must have something in it." "the decline of his fortunes, then?" "this hat is t', 'o large a brain must have something in it." "the decline of his fortunes, then?" "this hat is three ', 'ge a brain must have something in it." "the decline of his fortunes, then?" "this hat is three years', 'brain must have something in it." "the decline of his fortunes, then?" "this hat is three years old.', ' must have something in it." "the decline of his fortunes, then?" "this hat is three years old. thes', ' have something in it." "the decline of his fortunes, then?" "this hat is three years old. these fla', ' something in it." "the decline of his fortunes, then?" "this hat is three years old. these flat bri', 'thing in it." "the decline of his fortunes, then?" "this hat is three years old. these flat brims cu', ' in it." "the decline of his fortunes, then?" "this hat is three years old. these flat brims curled ', 't." "the decline of his fortunes, then?" "this hat is three years old. these flat brims curled at th', 'the decline of his fortunes, then?" "this hat is three years old. these flat brims curled at the edg', 'ecline of his fortunes, then?" "this hat is three years old. these flat brims curled at the edge cam', 'e of his fortunes, then?" "this hat is three years old. these flat brims curled at the edge came in ', 'his fortunes, then?" "this hat is three years old. these flat brims curled at the edge came in then.', 'ortunes, then?" "this hat is three years old. these flat brims curled at the edge came in then. it i', 'es, then?" "this hat is three years old. these flat brims curled at the edge came in then. it is a h', 'hen?" "this hat is three years old. these flat brims curled at the edge came in then. it is a hat of', ' "this hat is three years old. these flat brims curled at the edge came in then. it is a hat of the ', 's hat is three years old. these flat brims curled at the edge came in then. it is a hat of the very ', ' is three years old. these flat brims curled at the edge came in then. it is a hat of the very best ', 'hree years old. these flat brims curled at the edge came in then. it is a hat of the very best quali', 'years old. these flat brims curled at the edge came in then. it is a hat of the very best quality. l', ' old. these flat brims curled at the edge came in then. it is a hat of the very best quality. look a', ' these flat brims curled at the edge came in then. it is a hat of the very best quality. look at the', 'e flat brims curled at the edge came in then. it is a hat of the very best quality. look at the band', 't brims curled at the edge came in then. it is a hat of the very best quality. look at the band of r', 'ms curled at the edge came in then. it is a hat of the very best quality. look at the band of ribbed', 'rled at the edge came in then. it is a hat of the very best quality. look at the band of ribbed silk', 'at the edge came in then. it is a hat of the very best quality. look at the band of ribbed silk and ', 'e edge came in then. it is a hat of the very best quality. look at the band of ribbed silk and the e', 'e came in then. it is a hat of the very best quality. look at the band of ribbed silk and the excell', 'e in then. it is a hat of the very best quality. look at the band of ribbed silk and the excellent l', 'then. it is a hat of the very best quality. look at the band of ribbed silk and the excellent lining', ' it is a hat of the very best quality. look at the band of ribbed silk and the excellent lining. if ', 's a hat of the very best quality. look at the band of ribbed silk and the excellent lining. if this ', 'at of the very best quality. look at the band of ribbed silk and the excellent lining. if this man c', ' the very best quality. look at the band of ribbed silk and the excellent lining. if this man could ', 'very best quality. look at the band of ribbed silk and the excellent lining. if this man could affor', 'best quality. look at the band of ribbed silk and the excellent lining. if this man could afford to ', 'quality. look at the band of ribbed silk and the excellent lining. if this man could afford to buy s', 'ty. look at the band of ribbed silk and the excellent lining. if this man could afford to buy so exp', 'ook at the band of ribbed silk and the excellent lining. if this man could afford to buy so expensiv', 't the band of ribbed silk and the excellent lining. if this man could afford to buy so expensive a h', ' band of ribbed silk and the excellent lining. if this man could afford to buy so expensive a hat th', ' of ribbed silk and the excellent lining. if this man could afford to buy so expensive a hat three y', 'ibbed silk and the excellent lining. if this man could afford to buy so expensive a hat three years ', ' silk and the excellent lining. if this man could afford to buy so expensive a hat three years ago, ', ' and the excellent lining. if this man could afford to buy so expensive a hat three years ago, and h', 'the excellent lining. if this man could afford to buy so expensive a hat three years ago, and has ha', 'xcellent lining. if this man could afford to buy so expensive a hat three years ago, and has had no ', 'ent lining. if this man could afford to buy so expensive a hat three years ago, and has had no hat s', 'ining. if this man could afford to buy so expensive a hat three years ago, and has had no hat since,', '. if this man could afford to buy so expensive a hat three years ago, and has had no hat since, then', 'this man could afford to buy so expensive a hat three years ago, and has had no hat since, then he h', 'man could afford to buy so expensive a hat three years ago, and has had no hat since, then he has as', 'ould afford to buy so expensive a hat three years ago, and has had no hat since, then he has assured', 'afford to buy so expensive a hat three years ago, and has had no hat since, then he has assuredly go', 'd to buy so expensive a hat three years ago, and has had no hat since, then he has assuredly gone do', 'buy so expensive a hat three years ago, and has had no hat since, then he has assuredly gone down in', 'o expensive a hat three years ago, and has had no hat since, then he has assuredly gone down in the ', 'ensive a hat three years ago, and has had no hat since, then he has assuredly gone down in the world', 'e a hat three years ago, and has had no hat since, then he has assuredly gone down in the world." "w', 'at three years ago, and has had no hat since, then he has assuredly gone down in the world." "well, ', 'ree years ago, and has had no hat since, then he has assuredly gone down in the world." "well, that ', 'ears ago, and has had no hat since, then he has assuredly gone down in the world." "well, that is cl', 'ago, and has had no hat since, then he has assuredly gone down in the world." "well, that is clear e', 'and has had no hat since, then he has assuredly gone down in the world." "well, that is clear enough', 'as had no hat since, then he has assuredly gone down in the world." "well, that is clear enough, cer', 'd no hat since, then he has assuredly gone down in the world." "well, that is clear enough, certainl', 'hat since, then he has assuredly gone down in the world." "well, that is clear enough, certainly. bu', 'ince, then he has assuredly gone down in the world." "well, that is clear enough, certainly. but how', ' then he has assuredly gone down in the world." "well, that is clear enough, certainly. but how abou', ' he has assuredly gone down in the world." "well, that is clear enough, certainly. but how about the', 'as assuredly gone down in the world." "well, that is clear enough, certainly. but how about the fore', 'suredly gone down in the world." "well, that is clear enough, certainly. but how about the foresight', 'ly gone down in the world." "well, that is clear enough, certainly. but how about the foresight and ', 'ne down in the world." "well, that is clear enough, certainly. but how about the foresight and the m', 'wn in the world." "well, that is clear enough, certainly. but how about the foresight and the moral ', ' the world." "well, that is clear enough, certainly. but how about the foresight and the moral retro', 'world." "well, that is clear enough, certainly. but how about the foresight and the moral retrogress', '." "well, that is clear enough, certainly. but how about the foresight and the moral retrogression?"', 'ell, that is clear enough, certainly. but how about the foresight and the moral retrogression?" sher', 'that is clear enough, certainly. but how about the foresight and the moral retrogression?" sherlock ', 'is clear enough, certainly. but how about the foresight and the moral retrogression?" sherlock holme', 'ear enough, certainly. but how about the foresight and the moral retrogression?" sherlock holmes lau', 'nough, certainly. but how about the foresight and the moral retrogression?" sherlock holmes laughed.', ', certainly. but how about the foresight and the moral retrogression?" sherlock holmes laughed. "her', 'tainly. but how about the foresight and the moral retrogression?" sherlock holmes laughed. "here is ', 'y. but how about the foresight and the moral retrogression?" sherlock holmes laughed. "here is the f', 't how about the foresight and the moral retrogression?" sherlock holmes laughed. "here is the foresi', ' about the foresight and the moral retrogression?" sherlock holmes laughed. "here is the foresight,"', 't the foresight and the moral retrogression?" sherlock holmes laughed. "here is the foresight," said', ' foresight and the moral retrogression?" sherlock holmes laughed. "here is the foresight," said he p', 'sight and the moral retrogression?" sherlock holmes laughed. "here is the foresight," said he puttin', ' and the moral retrogression?" sherlock holmes laughed. "here is the foresight," said he putting his', 'the moral retrogression?" sherlock holmes laughed. "here is the foresight," said he putting his fing', 'oral retrogression?" sherlock holmes laughed. "here is the foresight," said he putting his finger up', 'retrogression?" sherlock holmes laughed. "here is the foresight," said he putting his finger upon th', 'gression?" sherlock holmes laughed. "here is the foresight," said he putting his finger upon the lit', 'ion?" sherlock holmes laughed. "here is the foresight," said he putting his finger upon the little d', ' sherlock holmes laughed. "here is the foresight," said he putting his finger upon the little disc a', 'lock holmes laughed. "here is the foresight," said he putting his finger upon the little disc and lo', 'holmes laughed. "here is the foresight," said he putting his finger upon the little disc and loop of', 's laughed. "here is the foresight," said he putting his finger upon the little disc and loop of the ', 'ghed. "here is the foresight," said he putting his finger upon the little disc and loop of the hat-s', ' "here is the foresight," said he putting his finger upon the little disc and loop of the hat-secure', 'e is the foresight," said he putting his finger upon the little disc and loop of the hat-securer. "t', 'the foresight," said he putting his finger upon the little disc and loop of the hat-securer. "they a', 'oresight," said he putting his finger upon the little disc and loop of the hat-securer. "they are ne', 'ght," said he putting his finger upon the little disc and loop of the hat-securer. "they are never s', ' said he putting his finger upon the little disc and loop of the hat-securer. "they are never sold u', ' he putting his finger upon the little disc and loop of the hat-securer. "they are never sold upon h', 'utting his finger upon the little disc and loop of the hat-securer. "they are never sold upon hats. ', 'g his finger upon the little disc and loop of the hat-securer. "they are never sold upon hats. if th', ' finger upon the little disc and loop of the hat-securer. "they are never sold upon hats. if this ma', 'er upon the little disc and loop of the hat-securer. "they are never sold upon hats. if this man ord', 'on the little disc and loop of the hat-securer. "they are never sold upon hats. if this man ordered ', 'e little disc and loop of the hat-securer. "they are never sold upon hats. if this man ordered one, ', 'tle disc and loop of the hat-securer. "they are never sold upon hats. if this man ordered one, it is', 'isc and loop of the hat-securer. "they are never sold upon hats. if this man ordered one, it is a si', 'nd loop of the hat-securer. "they are never sold upon hats. if this man ordered one, it is a sign of', 'op of the hat-securer. "they are never sold upon hats. if this man ordered one, it is a sign of a ce', ' the hat-securer. "they are never sold upon hats. if this man ordered one, it is a sign of a certain', 'hat-securer. "they are never sold upon hats. if this man ordered one, it is a sign of a certain amou', 'ecurer. "they are never sold upon hats. if this man ordered one, it is a sign of a certain amount of', 'r. "they are never sold upon hats. if this man ordered one, it is a sign of a certain amount of fore', 'hey are never sold upon hats. if this man ordered one, it is a sign of a certain amount of foresight', 're never sold upon hats. if this man ordered one, it is a sign of a certain amount of foresight, sin', 'ver sold upon hats. if this man ordered one, it is a sign of a certain amount of foresight, since he', 'old upon hats. if this man ordered one, it is a sign of a certain amount of foresight, since he went', 'pon hats. if this man ordered one, it is a sign of a certain amount of foresight, since he went out ', 'ats. if this man ordered one, it is a sign of a certain amount of foresight, since he went out of hi', 'if this man ordered one, it is a sign of a certain amount of foresight, since he went out of his way', 'is man ordered one, it is a sign of a certain amount of foresight, since he went out of his way to t', 'n ordered one, it is a sign of a certain amount of foresight, since he went out of his way to take t', 'ered one, it is a sign of a certain amount of foresight, since he went out of his way to take this p', 'one, it is a sign of a certain amount of foresight, since he went out of his way to take this precau', 'it is a sign of a certain amount of foresight, since he went out of his way to take this precaution ', ' a sign of a certain amount of foresight, since he went out of his way to take this precaution again', 'gn of a certain amount of foresight, since he went out of his way to take this precaution against th', ' a certain amount of foresight, since he went out of his way to take this precaution against the win', 'rtain amount of foresight, since he went out of his way to take this precaution against the wind. bu', ' amount of foresight, since he went out of his way to take this precaution against the wind. but sin', 'nt of foresight, since he went out of his way to take this precaution against the wind. but since we', ' foresight, since he went out of his way to take this precaution against the wind. but since we see ', 'sight, since he went out of his way to take this precaution against the wind. but since we see that ', ', since he went out of his way to take this precaution against the wind. but since we see that he ha', 'ce he went out of his way to take this precaution against the wind. but since we see that he has bro', ' went out of his way to take this precaution against the wind. but since we see that he has broken t', ' out of his way to take this precaution against the wind. but since we see that he has broken the el', 'of his way to take this precaution against the wind. but since we see that he has broken the elastic', 's way to take this precaution against the wind. but since we see that he has broken the elastic and ', ' to take this precaution against the wind. but since we see that he has broken the elastic and has n', 'ake this precaution against the wind. but since we see that he has broken the elastic and has not tr', 'his precaution against the wind. but since we see that he has broken the elastic and has not trouble', 'recaution against the wind. but since we see that he has broken the elastic and has not troubled to ', 'tion against the wind. but since we see that he has broken the elastic and has not troubled to repla', 'against the wind. but since we see that he has broken the elastic and has not troubled to replace it', 'st the wind. but since we see that he has broken the elastic and has not troubled to replace it, it ', 'e wind. but since we see that he has broken the elastic and has not troubled to replace it, it is ob', 'd. but since we see that he has broken the elastic and has not troubled to replace it, it is obvious', 't since we see that he has broken the elastic and has not troubled to replace it, it is obvious that', 'ce we see that he has broken the elastic and has not troubled to replace it, it is obvious that he h', ' see that he has broken the elastic and has not troubled to replace it, it is obvious that he has le', 'that he has broken the elastic and has not troubled to replace it, it is obvious that he has less fo', 'he has broken the elastic and has not troubled to replace it, it is obvious that he has less foresig', 's broken the elastic and has not troubled to replace it, it is obvious that he has less foresight no', 'ken the elastic and has not troubled to replace it, it is obvious that he has less foresight now tha', 'he elastic and has not troubled to replace it, it is obvious that he has less foresight now than for', 'astic and has not troubled to replace it, it is obvious that he has less foresight now than formerly', ' and has not troubled to replace it, it is obvious that he has less foresight now than formerly, whi', 'has not troubled to replace it, it is obvious that he has less foresight now than formerly, which is', 'ot troubled to replace it, it is obvious that he has less foresight now than formerly, which is a di', 'oubled to replace it, it is obvious that he has less foresight now than formerly, which is a distinc', 'd to replace it, it is obvious that he has less foresight now than formerly, which is a distinct pro', 'replace it, it is obvious that he has less foresight now than formerly, which is a distinct proof of', 'ce it, it is obvious that he has less foresight now than formerly, which is a distinct proof of a we', ', it is obvious that he has less foresight now than formerly, which is a distinct proof of a weakeni', 'is obvious that he has less foresight now than formerly, which is a distinct proof of a weakening na', 'vious that he has less foresight now than formerly, which is a distinct proof of a weakening nature.', ' that he has less foresight now than formerly, which is a distinct proof of a weakening nature. on t', ' he has less foresight now than formerly, which is a distinct proof of a weakening nature. on the ot', 'as less foresight now than formerly, which is a distinct proof of a weakening nature. on the other h', 'ss foresight now than formerly, which is a distinct proof of a weakening nature. on the other hand, ', 'resight now than formerly, which is a distinct proof of a weakening nature. on the other hand, he ha', 'ht now than formerly, which is a distinct proof of a weakening nature. on the other hand, he has end', 'w than formerly, which is a distinct proof of a weakening nature. on the other hand, he has endeavou', 'n formerly, which is a distinct proof of a weakening nature. on the other hand, he has endeavoured t', 'merly, which is a distinct proof of a weakening nature. on the other hand, he has endeavoured to con', ', which is a distinct proof of a weakening nature. on the other hand, he has endeavoured to conceal ', 'ch is a distinct proof of a weakening nature. on the other hand, he has endeavoured to conceal some ', ' a distinct proof of a weakening nature. on the other hand, he has endeavoured to conceal some of th', 'stinct proof of a weakening nature. on the other hand, he has endeavoured to conceal some of these s', 't proof of a weakening nature. on the other hand, he has endeavoured to conceal some of these stains', 'of of a weakening nature. on the other hand, he has endeavoured to conceal some of these stains upon', ' a weakening nature. on the other hand, he has endeavoured to conceal some of these stains upon the ', 'akening nature. on the other hand, he has endeavoured to conceal some of these stains upon the felt ', 'ng nature. on the other hand, he has endeavoured to conceal some of these stains upon the felt by da', 'ture. on the other hand, he has endeavoured to conceal some of these stains upon the felt by daubing', ' on the other hand, he has endeavoured to conceal some of these stains upon the felt by daubing them', 'he other hand, he has endeavoured to conceal some of these stains upon the felt by daubing them with', 'her hand, he has endeavoured to conceal some of these stains upon the felt by daubing them with ink,', 'and, he has endeavoured to conceal some of these stains upon the felt by daubing them with ink, whic', 'he has endeavoured to conceal some of these stains upon the felt by daubing them with ink, which is ', 's endeavoured to conceal some of these stains upon the felt by daubing them with ink, which is a sig', 'eavoured to conceal some of these stains upon the felt by daubing them with ink, which is a sign tha', 'red to conceal some of these stains upon the felt by daubing them with ink, which is a sign that he ', 'o conceal some of these stains upon the felt by daubing them with ink, which is a sign that he has n', 'ceal some of these stains upon the felt by daubing them with ink, which is a sign that he has not en', 'some of these stains upon the felt by daubing them with ink, which is a sign that he has not entirel', 'of these stains upon the felt by daubing them with ink, which is a sign that he has not entirely los', 'ese stains upon the felt by daubing them with ink, which is a sign that he has not entirely lost his', 'tains upon the felt by daubing them with ink, which is a sign that he has not entirely lost his self', ' upon the felt by daubing them with ink, which is a sign that he has not entirely lost his self-resp', ' the felt by daubing them with ink, which is a sign that he has not entirely lost his self-respect."', 'felt by daubing them with ink, which is a sign that he has not entirely lost his self-respect." "you', 'by daubing them with ink, which is a sign that he has not entirely lost his self-respect." "your rea', 'ubing them with ink, which is a sign that he has not entirely lost his self-respect." "your reasonin', ' them with ink, which is a sign that he has not entirely lost his self-respect." "your reasoning is ', ' with ink, which is a sign that he has not entirely lost his self-respect." "your reasoning is certa', ' ink, which is a sign that he has not entirely lost his self-respect." "your reasoning is certainly ', ' which is a sign that he has not entirely lost his self-respect." "your reasoning is certainly plaus', 'h is a sign that he has not entirely lost his self-respect." "your reasoning is certainly plausible.', 'a sign that he has not entirely lost his self-respect." "your reasoning is certainly plausible." "th', 'n that he has not entirely lost his self-respect." "your reasoning is certainly plausible." "the fur', 't he has not entirely lost his self-respect." "your reasoning is certainly plausible." "the further ', 'has not entirely lost his self-respect." "your reasoning is certainly plausible." "the further point', 'ot entirely lost his self-respect." "your reasoning is certainly plausible." "the further points, th', 'tirely lost his self-respect." "your reasoning is certainly plausible." "the further points, that he', 'y lost his self-respect." "your reasoning is certainly plausible." "the further points, that he is m', 't his self-respect." "your reasoning is certainly plausible." "the further points, that he is middle', ' self-respect." "your reasoning is certainly plausible." "the further points, that he is middle-aged', '-respect." "your reasoning is certainly plausible." "the further points, that he is middle-aged, tha', 'ect." "your reasoning is certainly plausible." "the further points, that he is middle-aged, that his', ' "your reasoning is certainly plausible." "the further points, that he is middle-aged, that his hair', 'r reasoning is certainly plausible." "the further points, that he is middle-aged, that his hair is g', 'soning is certainly plausible." "the further points, that he is middle-aged, that his hair is grizzl', 'g is certainly plausible." "the further points, that he is middle-aged, that his hair is grizzled, t', 'certainly plausible." "the further points, that he is middle-aged, that his hair is grizzled, that i', 'inly plausible." "the further points, that he is middle-aged, that his hair is grizzled, that it has', 'plausible." "the further points, that he is middle-aged, that his hair is grizzled, that it has been', 'ible." "the further points, that he is middle-aged, that his hair is grizzled, that it has been rece', '" "the further points, that he is middle-aged, that his hair is grizzled, that it has been recently ', 'e further points, that he is middle-aged, that his hair is grizzled, that it has been recently cut, ', 'ther points, that he is middle-aged, that his hair is grizzled, that it has been recently cut, and t', 'points, that he is middle-aged, that his hair is grizzled, that it has been recently cut, and that h', 's, that he is middle-aged, that his hair is grizzled, that it has been recently cut, and that he use', 'at he is middle-aged, that his hair is grizzled, that it has been recently cut, and that he uses lim', ' is middle-aged, that his hair is grizzled, that it has been recently cut, and that he uses lime-cre', 'iddle-aged, that his hair is grizzled, that it has been recently cut, and that he uses lime-cream, a', '-aged, that his hair is grizzled, that it has been recently cut, and that he uses lime-cream, are al', ', that his hair is grizzled, that it has been recently cut, and that he uses lime-cream, are all to ', 't his hair is grizzled, that it has been recently cut, and that he uses lime-cream, are all to be ga', ' hair is grizzled, that it has been recently cut, and that he uses lime-cream, are all to be gathere', ' is grizzled, that it has been recently cut, and that he uses lime-cream, are all to be gathered fro', 'rizzled, that it has been recently cut, and that he uses lime-cream, are all to be gathered from a c', 'ed, that it has been recently cut, and that he uses lime-cream, are all to be gathered from a close ', 'hat it has been recently cut, and that he uses lime-cream, are all to be gathered from a close exami', 't has been recently cut, and that he uses lime-cream, are all to be gathered from a close examinatio', ' been recently cut, and that he uses lime-cream, are all to be gathered from a close examination of ', ' recently cut, and that he uses lime-cream, are all to be gathered from a close examination of the l', 'ntly cut, and that he uses lime-cream, are all to be gathered from a close examination of the lower ', 'cut, and that he uses lime-cream, are all to be gathered from a close examination of the lower part ', 'and that he uses lime-cream, are all to be gathered from a close examination of the lower part of th', 'hat he uses lime-cream, are all to be gathered from a close examination of the lower part of the lin', 'e uses lime-cream, are all to be gathered from a close examination of the lower part of the lining. ', 's lime-cream, are all to be gathered from a close examination of the lower part of the lining. the l', 'e-cream, are all to be gathered from a close examination of the lower part of the lining. the lens d', 'am, are all to be gathered from a close examination of the lower part of the lining. the lens disclo', 're all to be gathered from a close examination of the lower part of the lining. the lens discloses a', 'l to be gathered from a close examination of the lower part of the lining. the lens discloses a larg', 'be gathered from a close examination of the lower part of the lining. the lens discloses a large num', 'thered from a close examination of the lower part of the lining. the lens discloses a large number o', 'd from a close examination of the lower part of the lining. the lens discloses a large number of hai', 'm a close examination of the lower part of the lining. the lens discloses a large number of hair-end', 'lose examination of the lower part of the lining. the lens discloses a large number of hair-ends, cl', 'examination of the lower part of the lining. the lens discloses a large number of hair-ends, clean c', 'nation of the lower part of the lining. the lens discloses a large number of hair-ends, clean cut by', 'n of the lower part of the lining. the lens discloses a large number of hair-ends, clean cut by the ', 'the lower part of the lining. the lens discloses a large number of hair-ends, clean cut by the sciss', 'ower part of the lining. the lens discloses a large number of hair-ends, clean cut by the scissors o', 'part of the lining. the lens discloses a large number of hair-ends, clean cut by the scissors of the', 'of the lining. the lens discloses a large number of hair-ends, clean cut by the scissors of the barb', 'e lining. the lens discloses a large number of hair-ends, clean cut by the scissors of the barber. t', 'ing. the lens discloses a large number of hair-ends, clean cut by the scissors of the barber. they a', 'the lens discloses a large number of hair-ends, clean cut by the scissors of the barber. they all ap', 'ens discloses a large number of hair-ends, clean cut by the scissors of the barber. they all appear ', 'iscloses a large number of hair-ends, clean cut by the scissors of the barber. they all appear to be', 'ses a large number of hair-ends, clean cut by the scissors of the barber. they all appear to be adhe', ' large number of hair-ends, clean cut by the scissors of the barber. they all appear to be adhesive,', 'e number of hair-ends, clean cut by the scissors of the barber. they all appear to be adhesive, and ', 'ber of hair-ends, clean cut by the scissors of the barber. they all appear to be adhesive, and there', 'f hair-ends, clean cut by the scissors of the barber. they all appear to be adhesive, and there is a', 'r-ends, clean cut by the scissors of the barber. they all appear to be adhesive, and there is a dist', 's, clean cut by the scissors of the barber. they all appear to be adhesive, and there is a distinct ', 'ean cut by the scissors of the barber. they all appear to be adhesive, and there is a distinct odour', 'ut by the scissors of the barber. they all appear to be adhesive, and there is a distinct odour of l', ' the scissors of the barber. they all appear to be adhesive, and there is a distinct odour of lime-c', 'scissors of the barber. they all appear to be adhesive, and there is a distinct odour of lime-cream.', 'ors of the barber. they all appear to be adhesive, and there is a distinct odour of lime-cream. this', 'f the barber. they all appear to be adhesive, and there is a distinct odour of lime-cream. this dust', ' barber. they all appear to be adhesive, and there is a distinct odour of lime-cream. this dust, you', 'er. they all appear to be adhesive, and there is a distinct odour of lime-cream. this dust, you will', 'hey all appear to be adhesive, and there is a distinct odour of lime-cream. this dust, you will obse', 'll appear to be adhesive, and there is a distinct odour of lime-cream. this dust, you will observe, ', 'pear to be adhesive, and there is a distinct odour of lime-cream. this dust, you will observe, is no', 'to be adhesive, and there is a distinct odour of lime-cream. this dust, you will observe, is not the', ' adhesive, and there is a distinct odour of lime-cream. this dust, you will observe, is not the grit', 'sive, and there is a distinct odour of lime-cream. this dust, you will observe, is not the gritty, g', ' and there is a distinct odour of lime-cream. this dust, you will observe, is not the gritty, grey d', 'there is a distinct odour of lime-cream. this dust, you will observe, is not the gritty, grey dust o', ' is a distinct odour of lime-cream. this dust, you will observe, is not the gritty, grey dust of the', ' distinct odour of lime-cream. this dust, you will observe, is not the gritty, grey dust of the stre', 'inct odour of lime-cream. this dust, you will observe, is not the gritty, grey dust of the street bu', 'odour of lime-cream. this dust, you will observe, is not the gritty, grey dust of the street but the', ' of lime-cream. this dust, you will observe, is not the gritty, grey dust of the street but the fluf', 'ime-cream. this dust, you will observe, is not the gritty, grey dust of the street but the fluffy br', 'ream. this dust, you will observe, is not the gritty, grey dust of the street but the fluffy brown d', ' this dust, you will observe, is not the gritty, grey dust of the street but the fluffy brown dust o', ' dust, you will observe, is not the gritty, grey dust of the street but the fluffy brown dust of the', ', you will observe, is not the gritty, grey dust of the street but the fluffy brown dust of the hous', ' will observe, is not the gritty, grey dust of the street but the fluffy brown dust of the house, sh', ' observe, is not the gritty, grey dust of the street but the fluffy brown dust of the house, showing', 'rve, is not the gritty, grey dust of the street but the fluffy brown dust of the house, showing that', 'is not the gritty, grey dust of the street but the fluffy brown dust of the house, showing that it h', 't the gritty, grey dust of the street but the fluffy brown dust of the house, showing that it has be', ' gritty, grey dust of the street but the fluffy brown dust of the house, showing that it has been hu', 'ty, grey dust of the street but the fluffy brown dust of the house, showing that it has been hung up', 'rey dust of the street but the fluffy brown dust of the house, showing that it has been hung up indo', 'ust of the street but the fluffy brown dust of the house, showing that it has been hung up indoors m', 'f the street but the fluffy brown dust of the house, showing that it has been hung up indoors most o', ' street but the fluffy brown dust of the house, showing that it has been hung up indoors most of the', 'et but the fluffy brown dust of the house, showing that it has been hung up indoors most of the time', 't the fluffy brown dust of the house, showing that it has been hung up indoors most of the time, whi', ' fluffy brown dust of the house, showing that it has been hung up indoors most of the time, while th', 'fy brown dust of the house, showing that it has been hung up indoors most of the time, while the mar', 'own dust of the house, showing that it has been hung up indoors most of the time, while the marks of', 'ust of the house, showing that it has been hung up indoors most of the time, while the marks of mois', 'f the house, showing that it has been hung up indoors most of the time, while the marks of moisture ', ' house, showing that it has been hung up indoors most of the time, while the marks of moisture upon ', 'e, showing that it has been hung up indoors most of the time, while the marks of moisture upon the i', 'owing that it has been hung up indoors most of the time, while the marks of moisture upon the inside', ' that it has been hung up indoors most of the time, while the marks of moisture upon the inside are ', ' it has been hung up indoors most of the time, while the marks of moisture upon the inside are proof', 'as been hung up indoors most of the time, while the marks of moisture upon the inside are proof posi', 'en hung up indoors most of the time, while the marks of moisture upon the inside are proof positive ', 'ng up indoors most of the time, while the marks of moisture upon the inside are proof positive that ', ' indoors most of the time, while the marks of moisture upon the inside are proof positive that the w', 'ors most of the time, while the marks of moisture upon the inside are proof positive that the wearer', 'ost of the time, while the marks of moisture upon the inside are proof positive that the wearer pers', 'f the time, while the marks of moisture upon the inside are proof positive that the wearer perspired', ' time, while the marks of moisture upon the inside are proof positive that the wearer perspired very', ', while the marks of moisture upon the inside are proof positive that the wearer perspired very free', 'le the marks of moisture upon the inside are proof positive that the wearer perspired very freely, a', 'e marks of moisture upon the inside are proof positive that the wearer perspired very freely, and co', 'ks of moisture upon the inside are proof positive that the wearer perspired very freely, and could t', ' moisture upon the inside are proof positive that the wearer perspired very freely, and could theref', 'ture upon the inside are proof positive that the wearer perspired very freely, and could therefore, ', 'upon the inside are proof positive that the wearer perspired very freely, and could therefore, hardl', 'the inside are proof positive that the wearer perspired very freely, and could therefore, hardly be ', 'nside are proof positive that the wearer perspired very freely, and could therefore, hardly be in th', ' are proof positive that the wearer perspired very freely, and could therefore, hardly be in the bes', 'proof positive that the wearer perspired very freely, and could therefore, hardly be in the best of ', ' positive that the wearer perspired very freely, and could therefore, hardly be in the best of train', 'tive that the wearer perspired very freely, and could therefore, hardly be in the best of training."', 'that the wearer perspired very freely, and could therefore, hardly be in the best of training." "but', 'the wearer perspired very freely, and could therefore, hardly be in the best of training." "but his ', 'earer perspired very freely, and could therefore, hardly be in the best of training." "but his wifey', ' perspired very freely, and could therefore, hardly be in the best of training." "but his wifeyou sa', 'pired very freely, and could therefore, hardly be in the best of training." "but his wifeyou said th', ' very freely, and could therefore, hardly be in the best of training." "but his wifeyou said that sh', ' freely, and could therefore, hardly be in the best of training." "but his wifeyou said that she had', 'ly, and could therefore, hardly be in the best of training." "but his wifeyou said that she had ceas', 'nd could therefore, hardly be in the best of training." "but his wifeyou said that she had ceased to', 'uld therefore, hardly be in the best of training." "but his wifeyou said that she had ceased to love', 'herefore, hardly be in the best of training." "but his wifeyou said that she had ceased to love him.', 'ore, hardly be in the best of training." "but his wifeyou said that she had ceased to love him." "th', 'hardly be in the best of training." "but his wifeyou said that she had ceased to love him." "this ha', 'y be in the best of training." "but his wifeyou said that she had ceased to love him." "this hat has', 'in the best of training." "but his wifeyou said that she had ceased to love him." "this hat has not ', 'e best of training." "but his wifeyou said that she had ceased to love him." "this hat has not been ', 't of training." "but his wifeyou said that she had ceased to love him." "this hat has not been brush', 'training." "but his wifeyou said that she had ceased to love him." "this hat has not been brushed fo', 'ing." "but his wifeyou said that she had ceased to love him." "this hat has not been brushed for wee', ' "but his wifeyou said that she had ceased to love him." "this hat has not been brushed for weeks. w', ' his wifeyou said that she had ceased to love him." "this hat has not been brushed for weeks. when i', 'wifeyou said that she had ceased to love him." "this hat has not been brushed for weeks. when i see ', 'ou said that she had ceased to love him." "this hat has not been brushed for weeks. when i see you, ', 'id that she had ceased to love him." "this hat has not been brushed for weeks. when i see you, my de', 'at she had ceased to love him." "this hat has not been brushed for weeks. when i see you, my dear wa', 'e had ceased to love him." "this hat has not been brushed for weeks. when i see you, my dear watson,', ' ceased to love him." "this hat has not been brushed for weeks. when i see you, my dear watson, with', 'ed to love him." "this hat has not been brushed for weeks. when i see you, my dear watson, with a we', ' love him." "this hat has not been brushed for weeks. when i see you, my dear watson, with a week\'s ', ' him." "this hat has not been brushed for weeks. when i see you, my dear watson, with a week\'s accum', '" "this hat has not been brushed for weeks. when i see you, my dear watson, with a week\'s accumulati', "is hat has not been brushed for weeks. when i see you, my dear watson, with a week's accumulation of", "t has not been brushed for weeks. when i see you, my dear watson, with a week's accumulation of dust", " not been brushed for weeks. when i see you, my dear watson, with a week's accumulation of dust upon", "been brushed for weeks. when i see you, my dear watson, with a week's accumulation of dust upon your", "brushed for weeks. when i see you, my dear watson, with a week's accumulation of dust upon your hat,", "ed for weeks. when i see you, my dear watson, with a week's accumulation of dust upon your hat, and ", "r weeks. when i see you, my dear watson, with a week's accumulation of dust upon your hat, and when ", "ks. when i see you, my dear watson, with a week's accumulation of dust upon your hat, and when your ", "hen i see you, my dear watson, with a week's accumulation of dust upon your hat, and when your wife ", " see you, my dear watson, with a week's accumulation of dust upon your hat, and when your wife allow", "you, my dear watson, with a week's accumulation of dust upon your hat, and when your wife allows you", "my dear watson, with a week's accumulation of dust upon your hat, and when your wife allows you to g", "ar watson, with a week's accumulation of dust upon your hat, and when your wife allows you to go out", "tson, with a week's accumulation of dust upon your hat, and when your wife allows you to go out in s", " with a week's accumulation of dust upon your hat, and when your wife allows you to go out in such a", " a week's accumulation of dust upon your hat, and when your wife allows you to go out in such a stat", "ek's accumulation of dust upon your hat, and when your wife allows you to go out in such a state, i ", 'accumulation of dust upon your hat, and when your wife allows you to go out in such a state, i shall', 'ulation of dust upon your hat, and when your wife allows you to go out in such a state, i shall fear', 'on of dust upon your hat, and when your wife allows you to go out in such a state, i shall fear that', ' dust upon your hat, and when your wife allows you to go out in such a state, i shall fear that you ', ' upon your hat, and when your wife allows you to go out in such a state, i shall fear that you also ', ' your hat, and when your wife allows you to go out in such a state, i shall fear that you also have ', ' hat, and when your wife allows you to go out in such a state, i shall fear that you also have been ', ' and when your wife allows you to go out in such a state, i shall fear that you also have been unfor', 'when your wife allows you to go out in such a state, i shall fear that you also have been unfortunat', 'your wife allows you to go out in such a state, i shall fear that you also have been unfortunate eno', 'wife allows you to go out in such a state, i shall fear that you also have been unfortunate enough t', 'allows you to go out in such a state, i shall fear that you also have been unfortunate enough to los', 's you to go out in such a state, i shall fear that you also have been unfortunate enough to lose you', ' to go out in such a state, i shall fear that you also have been unfortunate enough to lose your wif', "o out in such a state, i shall fear that you also have been unfortunate enough to lose your wife's a", " in such a state, i shall fear that you also have been unfortunate enough to lose your wife's affect", 'uch a state, i shall fear that you also have been unfortunate enough to lose your wife\'s affection."', ' state, i shall fear that you also have been unfortunate enough to lose your wife\'s affection." "but', 'e, i shall fear that you also have been unfortunate enough to lose your wife\'s affection." "but he m', 'shall fear that you also have been unfortunate enough to lose your wife\'s affection." "but he might ', ' fear that you also have been unfortunate enough to lose your wife\'s affection." "but he might be a ', ' that you also have been unfortunate enough to lose your wife\'s affection." "but he might be a bache', ' you also have been unfortunate enough to lose your wife\'s affection." "but he might be a bachelor."', 'also have been unfortunate enough to lose your wife\'s affection." "but he might be a bachelor." "nay', 'have been unfortunate enough to lose your wife\'s affection." "but he might be a bachelor." "nay, he ', 'been unfortunate enough to lose your wife\'s affection." "but he might be a bachelor." "nay, he was b', 'unfortunate enough to lose your wife\'s affection." "but he might be a bachelor." "nay, he was bringi', 'tunate enough to lose your wife\'s affection." "but he might be a bachelor." "nay, he was bringing ho', 'e enough to lose your wife\'s affection." "but he might be a bachelor." "nay, he was bringing home th', 'ugh to lose your wife\'s affection." "but he might be a bachelor." "nay, he was bringing home the goo', 'o lose your wife\'s affection." "but he might be a bachelor." "nay, he was bringing home the goose as', 'e your wife\'s affection." "but he might be a bachelor." "nay, he was bringing home the goose as a pe', 'r wife\'s affection." "but he might be a bachelor." "nay, he was bringing home the goose as a peace-o', 'e\'s affection." "but he might be a bachelor." "nay, he was bringing home the goose as a peace-offeri', 'ffection." "but he might be a bachelor." "nay, he was bringing home the goose as a peace-offering to', 'ion." "but he might be a bachelor." "nay, he was bringing home the goose as a peace-offering to his ', ' "but he might be a bachelor." "nay, he was bringing home the goose as a peace-offering to his wife.', ' he might be a bachelor." "nay, he was bringing home the goose as a peace-offering to his wife. reme', 'ight be a bachelor." "nay, he was bringing home the goose as a peace-offering to his wife. remember ', 'be a bachelor." "nay, he was bringing home the goose as a peace-offering to his wife. remember the c', 'bachelor." "nay, he was bringing home the goose as a peace-offering to his wife. remember the card u', 'lor." "nay, he was bringing home the goose as a peace-offering to his wife. remember the card upon t', ' "nay, he was bringing home the goose as a peace-offering to his wife. remember the card upon the bi', ", he was bringing home the goose as a peace-offering to his wife. remember the card upon the bird's ", 'was bringing home the goose as a peace-offering to his wife. remember the card upon the bird\'s leg."', 'ringing home the goose as a peace-offering to his wife. remember the card upon the bird\'s leg." "you', 'ng home the goose as a peace-offering to his wife. remember the card upon the bird\'s leg." "you have', 'me the goose as a peace-offering to his wife. remember the card upon the bird\'s leg." "you have an a', 'e goose as a peace-offering to his wife. remember the card upon the bird\'s leg." "you have an answer', 'se as a peace-offering to his wife. remember the card upon the bird\'s leg." "you have an answer to e', ' a peace-offering to his wife. remember the card upon the bird\'s leg." "you have an answer to everyt', 'ace-offering to his wife. remember the card upon the bird\'s leg." "you have an answer to everything.', 'ffering to his wife. remember the card upon the bird\'s leg." "you have an answer to everything. but ', 'ng to his wife. remember the card upon the bird\'s leg." "you have an answer to everything. but how o', ' his wife. remember the card upon the bird\'s leg." "you have an answer to everything. but how on ear', 'wife. remember the card upon the bird\'s leg." "you have an answer to everything. but how on earth do', ' remember the card upon the bird\'s leg." "you have an answer to everything. but how on earth do you ', 'mber the card upon the bird\'s leg." "you have an answer to everything. but how on earth do you deduc', 'the card upon the bird\'s leg." "you have an answer to everything. but how on earth do you deduce tha', 'ard upon the bird\'s leg." "you have an answer to everything. but how on earth do you deduce that the', 'pon the bird\'s leg." "you have an answer to everything. but how on earth do you deduce that the gas ', 'he bird\'s leg." "you have an answer to everything. but how on earth do you deduce that the gas is no', 'rd\'s leg." "you have an answer to everything. but how on earth do you deduce that the gas is not lai', 'leg." "you have an answer to everything. but how on earth do you deduce that the gas is not laid on ', ' "you have an answer to everything. but how on earth do you deduce that the gas is not laid on in hi', ' have an answer to everything. but how on earth do you deduce that the gas is not laid on in his hou', ' an answer to everything. but how on earth do you deduce that the gas is not laid on in his house?" ', 'nswer to everything. but how on earth do you deduce that the gas is not laid on in his house?" "one ', ' to everything. but how on earth do you deduce that the gas is not laid on in his house?" "one tallo', 'verything. but how on earth do you deduce that the gas is not laid on in his house?" "one tallow sta', 'hing. but how on earth do you deduce that the gas is not laid on in his house?" "one tallow stain, o', ' but how on earth do you deduce that the gas is not laid on in his house?" "one tallow stain, or eve', 'how on earth do you deduce that the gas is not laid on in his house?" "one tallow stain, or even two', 'n earth do you deduce that the gas is not laid on in his house?" "one tallow stain, or even two, mig', 'th do you deduce that the gas is not laid on in his house?" "one tallow stain, or even two, might co', ' you deduce that the gas is not laid on in his house?" "one tallow stain, or even two, might come by', 'deduce that the gas is not laid on in his house?" "one tallow stain, or even two, might come by chan', 'e that the gas is not laid on in his house?" "one tallow stain, or even two, might come by chance; b', 't the gas is not laid on in his house?" "one tallow stain, or even two, might come by chance; but wh', ' gas is not laid on in his house?" "one tallow stain, or even two, might come by chance; but when i ', 'is not laid on in his house?" "one tallow stain, or even two, might come by chance; but when i see n', 't laid on in his house?" "one tallow stain, or even two, might come by chance; but when i see no les', 'd on in his house?" "one tallow stain, or even two, might come by chance; but when i see no less tha', 'in his house?" "one tallow stain, or even two, might come by chance; but when i see no less than fiv', 's house?" "one tallow stain, or even two, might come by chance; but when i see no less than five, i ', 'se?" "one tallow stain, or even two, might come by chance; but when i see no less than five, i think', '"one tallow stain, or even two, might come by chance; but when i see no less than five, i think that', 'tallow stain, or even two, might come by chance; but when i see no less than five, i think that ther', 'w stain, or even two, might come by chance; but when i see no less than five, i think that there can', 'in, or even two, might come by chance; but when i see no less than five, i think that there can be l', 'r even two, might come by chance; but when i see no less than five, i think that there can be little', 'n two, might come by chance; but when i see no less than five, i think that there can be little doub', ', might come by chance; but when i see no less than five, i think that there can be little doubt tha', 'ht come by chance; but when i see no less than five, i think that there can be little doubt that the', 'me by chance; but when i see no less than five, i think that there can be little doubt that the indi', ' chance; but when i see no less than five, i think that there can be little doubt that the individua', 'ce; but when i see no less than five, i think that there can be little doubt that the individual mus', 'ut when i see no less than five, i think that there can be little doubt that the individual must be ', 'en i see no less than five, i think that there can be little doubt that the individual must be broug', 'see no less than five, i think that there can be little doubt that the individual must be brought in', 'o less than five, i think that there can be little doubt that the individual must be brought into fr', 's than five, i think that there can be little doubt that the individual must be brought into frequen', 'n five, i think that there can be little doubt that the individual must be brought into frequent con', 'e, i think that there can be little doubt that the individual must be brought into frequent contact ', 'think that there can be little doubt that the individual must be brought into frequent contact with ', ' that there can be little doubt that the individual must be brought into frequent contact with burni', ' there can be little doubt that the individual must be brought into frequent contact with burning ta', 'e can be little doubt that the individual must be brought into frequent contact with burning talloww', ' be little doubt that the individual must be brought into frequent contact with burning tallowwalks ', 'ittle doubt that the individual must be brought into frequent contact with burning tallowwalks upsta', ' doubt that the individual must be brought into frequent contact with burning tallowwalks upstairs a', 't that the individual must be brought into frequent contact with burning tallowwalks upstairs at nig', 't the individual must be brought into frequent contact with burning tallowwalks upstairs at night pr', ' individual must be brought into frequent contact with burning tallowwalks upstairs at night probabl', 'vidual must be brought into frequent contact with burning tallowwalks upstairs at night probably wit', 'l must be brought into frequent contact with burning tallowwalks upstairs at night probably with his', 't be brought into frequent contact with burning tallowwalks upstairs at night probably with his hat ', 'brought into frequent contact with burning tallowwalks upstairs at night probably with his hat in on', 'ht into frequent contact with burning tallowwalks upstairs at night probably with his hat in one han', 'to frequent contact with burning tallowwalks upstairs at night probably with his hat in one hand and', 'equent contact with burning tallowwalks upstairs at night probably with his hat in one hand and a gu', 't contact with burning tallowwalks upstairs at night probably with his hat in one hand and a gutteri', 'tact with burning tallowwalks upstairs at night probably with his hat in one hand and a guttering ca', 'with burning tallowwalks upstairs at night probably with his hat in one hand and a guttering candle ', 'burning tallowwalks upstairs at night probably with his hat in one hand and a guttering candle in th', 'ng tallowwalks upstairs at night probably with his hat in one hand and a guttering candle in the oth', 'llowwalks upstairs at night probably with his hat in one hand and a guttering candle in the other. a', 'alks upstairs at night probably with his hat in one hand and a guttering candle in the other. anyhow', 'upstairs at night probably with his hat in one hand and a guttering candle in the other. anyhow, he ', 'irs at night probably with his hat in one hand and a guttering candle in the other. anyhow, he never', 't night probably with his hat in one hand and a guttering candle in the other. anyhow, he never got ', 'ht probably with his hat in one hand and a guttering candle in the other. anyhow, he never got tallo', 'obably with his hat in one hand and a guttering candle in the other. anyhow, he never got tallow-sta', 'y with his hat in one hand and a guttering candle in the other. anyhow, he never got tallow-stains f', 'h his hat in one hand and a guttering candle in the other. anyhow, he never got tallow-stains from a', ' hat in one hand and a guttering candle in the other. anyhow, he never got tallow-stains from a gas-', 'in one hand and a guttering candle in the other. anyhow, he never got tallow-stains from a gas-jet. ', 'e hand and a guttering candle in the other. anyhow, he never got tallow-stains from a gas-jet. are y', 'd and a guttering candle in the other. anyhow, he never got tallow-stains from a gas-jet. are you sa', ' a guttering candle in the other. anyhow, he never got tallow-stains from a gas-jet. are you satisfi', 'ttering candle in the other. anyhow, he never got tallow-stains from a gas-jet. are you satisfied?" ', 'ng candle in the other. anyhow, he never got tallow-stains from a gas-jet. are you satisfied?" "well', 'ndle in the other. anyhow, he never got tallow-stains from a gas-jet. are you satisfied?" "well, it ', 'in the other. anyhow, he never got tallow-stains from a gas-jet. are you satisfied?" "well, it is ve', 'e other. anyhow, he never got tallow-stains from a gas-jet. are you satisfied?" "well, it is very in', 'er. anyhow, he never got tallow-stains from a gas-jet. are you satisfied?" "well, it is very ingenio', 'nyhow, he never got tallow-stains from a gas-jet. are you satisfied?" "well, it is very ingenious," ', ', he never got tallow-stains from a gas-jet. are you satisfied?" "well, it is very ingenious," said ', 'never got tallow-stains from a gas-jet. are you satisfied?" "well, it is very ingenious," said i, la', ' got tallow-stains from a gas-jet. are you satisfied?" "well, it is very ingenious," said i, laughin', 'tallow-stains from a gas-jet. are you satisfied?" "well, it is very ingenious," said i, laughing; "b', 'w-stains from a gas-jet. are you satisfied?" "well, it is very ingenious," said i, laughing; "but si', 'ins from a gas-jet. are you satisfied?" "well, it is very ingenious," said i, laughing; "but since, ', 'rom a gas-jet. are you satisfied?" "well, it is very ingenious," said i, laughing; "but since, as yo', ' gas-jet. are you satisfied?" "well, it is very ingenious," said i, laughing; "but since, as you sai', 'jet. are you satisfied?" "well, it is very ingenious," said i, laughing; "but since, as you said jus', 'are you satisfied?" "well, it is very ingenious," said i, laughing; "but since, as you said just now', 'ou satisfied?" "well, it is very ingenious," said i, laughing; "but since, as you said just now, the', 'tisfied?" "well, it is very ingenious," said i, laughing; "but since, as you said just now, there ha', 'ed?" "well, it is very ingenious," said i, laughing; "but since, as you said just now, there has bee', '"well, it is very ingenious," said i, laughing; "but since, as you said just now, there has been no ', ', it is very ingenious," said i, laughing; "but since, as you said just now, there has been no crime', 'is very ingenious," said i, laughing; "but since, as you said just now, there has been no crime comm', 'ry ingenious," said i, laughing; "but since, as you said just now, there has been no crime committed', 'genious," said i, laughing; "but since, as you said just now, there has been no crime committed, and', 'us," said i, laughing; "but since, as you said just now, there has been no crime committed, and no h', 'said i, laughing; "but since, as you said just now, there has been no crime committed, and no harm d', 'i, laughing; "but since, as you said just now, there has been no crime committed, and no harm done s', 'ughing; "but since, as you said just now, there has been no crime committed, and no harm done save t', 'g; "but since, as you said just now, there has been no crime committed, and no harm done save the lo', 'ut since, as you said just now, there has been no crime committed, and no harm done save the loss of', 'nce, as you said just now, there has been no crime committed, and no harm done save the loss of a go', 'as you said just now, there has been no crime committed, and no harm done save the loss of a goose, ', 'u said just now, there has been no crime committed, and no harm done save the loss of a goose, all t', 'd just now, there has been no crime committed, and no harm done save the loss of a goose, all this s', 't now, there has been no crime committed, and no harm done save the loss of a goose, all this seems ', ', there has been no crime committed, and no harm done save the loss of a goose, all this seems to be', 're has been no crime committed, and no harm done save the loss of a goose, all this seems to be rath', 's been no crime committed, and no harm done save the loss of a goose, all this seems to be rather a ', 'n no crime committed, and no harm done save the loss of a goose, all this seems to be rather a waste', 'crime committed, and no harm done save the loss of a goose, all this seems to be rather a waste of e', ' committed, and no harm done save the loss of a goose, all this seems to be rather a waste of energy', 'itted, and no harm done save the loss of a goose, all this seems to be rather a waste of energy." sh', ', and no harm done save the loss of a goose, all this seems to be rather a waste of energy." sherloc', ' no harm done save the loss of a goose, all this seems to be rather a waste of energy." sherlock hol', 'arm done save the loss of a goose, all this seems to be rather a waste of energy." sherlock holmes h', 'one save the loss of a goose, all this seems to be rather a waste of energy." sherlock holmes had op', 'ave the loss of a goose, all this seems to be rather a waste of energy." sherlock holmes had opened ', 'he loss of a goose, all this seems to be rather a waste of energy." sherlock holmes had opened his m', 'ss of a goose, all this seems to be rather a waste of energy." sherlock holmes had opened his mouth ', ' a goose, all this seems to be rather a waste of energy." sherlock holmes had opened his mouth to re', 'ose, all this seems to be rather a waste of energy." sherlock holmes had opened his mouth to reply, ', 'all this seems to be rather a waste of energy." sherlock holmes had opened his mouth to reply, when ', 'his seems to be rather a waste of energy." sherlock holmes had opened his mouth to reply, when the d', 'eems to be rather a waste of energy." sherlock holmes had opened his mouth to reply, when the door f', 'to be rather a waste of energy." sherlock holmes had opened his mouth to reply, when the door flew o', ' rather a waste of energy." sherlock holmes had opened his mouth to reply, when the door flew open, ', 'er a waste of energy." sherlock holmes had opened his mouth to reply, when the door flew open, and p', 'waste of energy." sherlock holmes had opened his mouth to reply, when the door flew open, and peters', ' of energy." sherlock holmes had opened his mouth to reply, when the door flew open, and peterson, t', 'nergy." sherlock holmes had opened his mouth to reply, when the door flew open, and peterson, the co', '." sherlock holmes had opened his mouth to reply, when the door flew open, and peterson, the commiss', 'erlock holmes had opened his mouth to reply, when the door flew open, and peterson, the commissionai', 'k holmes had opened his mouth to reply, when the door flew open, and peterson, the commissionaire, r', 'mes had opened his mouth to reply, when the door flew open, and peterson, the commissionaire, rushed', 'ad opened his mouth to reply, when the door flew open, and peterson, the commissionaire, rushed into', 'ened his mouth to reply, when the door flew open, and peterson, the commissionaire, rushed into the ', 'his mouth to reply, when the door flew open, and peterson, the commissionaire, rushed into the apart', 'outh to reply, when the door flew open, and peterson, the commissionaire, rushed into the apartment ', 'to reply, when the door flew open, and peterson, the commissionaire, rushed into the apartment with ', 'ply, when the door flew open, and peterson, the commissionaire, rushed into the apartment with flush', 'when the door flew open, and peterson, the commissionaire, rushed into the apartment with flushed ch', 'the door flew open, and peterson, the commissionaire, rushed into the apartment with flushed cheeks ', 'oor flew open, and peterson, the commissionaire, rushed into the apartment with flushed cheeks and t', 'lew open, and peterson, the commissionaire, rushed into the apartment with flushed cheeks and the fa', 'pen, and peterson, the commissionaire, rushed into the apartment with flushed cheeks and the face of', 'and peterson, the commissionaire, rushed into the apartment with flushed cheeks and the face of a ma', 'eterson, the commissionaire, rushed into the apartment with flushed cheeks and the face of a man who', 'on, the commissionaire, rushed into the apartment with flushed cheeks and the face of a man who is d', 'he commissionaire, rushed into the apartment with flushed cheeks and the face of a man who is dazed ', 'mmissionaire, rushed into the apartment with flushed cheeks and the face of a man who is dazed with ', 'ionaire, rushed into the apartment with flushed cheeks and the face of a man who is dazed with aston', 're, rushed into the apartment with flushed cheeks and the face of a man who is dazed with astonishme', 'ushed into the apartment with flushed cheeks and the face of a man who is dazed with astonishment. "', ' into the apartment with flushed cheeks and the face of a man who is dazed with astonishment. "the g', ' the apartment with flushed cheeks and the face of a man who is dazed with astonishment. "the goose,', 'apartment with flushed cheeks and the face of a man who is dazed with astonishment. "the goose, mr. ', 'ment with flushed cheeks and the face of a man who is dazed with astonishment. "the goose, mr. holme', 'with flushed cheeks and the face of a man who is dazed with astonishment. "the goose, mr. holmes! th', 'flushed cheeks and the face of a man who is dazed with astonishment. "the goose, mr. holmes! the goo', 'ed cheeks and the face of a man who is dazed with astonishment. "the goose, mr. holmes! the goose, s', 'eeks and the face of a man who is dazed with astonishment. "the goose, mr. holmes! the goose, sir he', 'and the face of a man who is dazed with astonishment. "the goose, mr. holmes! the goose, sir he gasp', 'he face of a man who is dazed with astonishment. "the goose, mr. holmes! the goose, sir he gasped. "', 'ce of a man who is dazed with astonishment. "the goose, mr. holmes! the goose, sir he gasped. "eh? w', ' a man who is dazed with astonishment. "the goose, mr. holmes! the goose, sir he gasped. "eh? what o', 'n who is dazed with astonishment. "the goose, mr. holmes! the goose, sir he gasped. "eh? what of it,', ' is dazed with astonishment. "the goose, mr. holmes! the goose, sir he gasped. "eh? what of it, then', 'azed with astonishment. "the goose, mr. holmes! the goose, sir he gasped. "eh? what of it, then? has', 'with astonishment. "the goose, mr. holmes! the goose, sir he gasped. "eh? what of it, then? has it r', 'astonishment. "the goose, mr. holmes! the goose, sir he gasped. "eh? what of it, then? has it return', 'ishment. "the goose, mr. holmes! the goose, sir he gasped. "eh? what of it, then? has it returned to', 'nt. "the goose, mr. holmes! the goose, sir he gasped. "eh? what of it, then? has it returned to life', 'the goose, mr. holmes! the goose, sir he gasped. "eh? what of it, then? has it returned to life and ', 'oose, mr. holmes! the goose, sir he gasped. "eh? what of it, then? has it returned to life and flapp', ' mr. holmes! the goose, sir he gasped. "eh? what of it, then? has it returned to life and flapped of', 'holmes! the goose, sir he gasped. "eh? what of it, then? has it returned to life and flapped off thr', 's! the goose, sir he gasped. "eh? what of it, then? has it returned to life and flapped off through ', 'e goose, sir he gasped. "eh? what of it, then? has it returned to life and flapped off through the k', 'se, sir he gasped. "eh? what of it, then? has it returned to life and flapped off through the kitche', 'ir he gasped. "eh? what of it, then? has it returned to life and flapped off through the kitchen win', ' gasped. "eh? what of it, then? has it returned to life and flapped off through the kitchen window?"', 'ed. "eh? what of it, then? has it returned to life and flapped off through the kitchen window?" holm', 'eh? what of it, then? has it returned to life and flapped off through the kitchen window?" holmes tw', 'hat of it, then? has it returned to life and flapped off through the kitchen window?" holmes twisted', 'f it, then? has it returned to life and flapped off through the kitchen window?" holmes twisted hims', ' then? has it returned to life and flapped off through the kitchen window?" holmes twisted himself r', '? has it returned to life and flapped off through the kitchen window?" holmes twisted himself round ', ' it returned to life and flapped off through the kitchen window?" holmes twisted himself round upon ', 'eturned to life and flapped off through the kitchen window?" holmes twisted himself round upon the s', 'ed to life and flapped off through the kitchen window?" holmes twisted himself round upon the sofa t', ' life and flapped off through the kitchen window?" holmes twisted himself round upon the sofa to get', ' and flapped off through the kitchen window?" holmes twisted himself round upon the sofa to get a fa', 'flapped off through the kitchen window?" holmes twisted himself round upon the sofa to get a fairer ', 'ed off through the kitchen window?" holmes twisted himself round upon the sofa to get a fairer view ', 'f through the kitchen window?" holmes twisted himself round upon the sofa to get a fairer view of th', 'ough the kitchen window?" holmes twisted himself round upon the sofa to get a fairer view of the man', 'the kitchen window?" holmes twisted himself round upon the sofa to get a fairer view of the man\'s ex', 'itchen window?" holmes twisted himself round upon the sofa to get a fairer view of the man\'s excited', 'n window?" holmes twisted himself round upon the sofa to get a fairer view of the man\'s excited face', 'dow?" holmes twisted himself round upon the sofa to get a fairer view of the man\'s excited face. "se', ' holmes twisted himself round upon the sofa to get a fairer view of the man\'s excited face. "see her', 'es twisted himself round upon the sofa to get a fairer view of the man\'s excited face. "see here, si', 'isted himself round upon the sofa to get a fairer view of the man\'s excited face. "see here, sir! se', ' himself round upon the sofa to get a fairer view of the man\'s excited face. "see here, sir! see wha', 'elf round upon the sofa to get a fairer view of the man\'s excited face. "see here, sir! see what my ', 'ound upon the sofa to get a fairer view of the man\'s excited face. "see here, sir! see what my wife ', 'upon the sofa to get a fairer view of the man\'s excited face. "see here, sir! see what my wife found', 'the sofa to get a fairer view of the man\'s excited face. "see here, sir! see what my wife found in i', 'ofa to get a fairer view of the man\'s excited face. "see here, sir! see what my wife found in its cr', 'o get a fairer view of the man\'s excited face. "see here, sir! see what my wife found in its crop he', ' a fairer view of the man\'s excited face. "see here, sir! see what my wife found in its crop he held', 'irer view of the man\'s excited face. "see here, sir! see what my wife found in its crop he held out ', 'view of the man\'s excited face. "see here, sir! see what my wife found in its crop he held out his h', 'of the man\'s excited face. "see here, sir! see what my wife found in its crop he held out his hand a', 'e man\'s excited face. "see here, sir! see what my wife found in its crop he held out his hand and di', '\'s excited face. "see here, sir! see what my wife found in its crop he held out his hand and display', 'cited face. "see here, sir! see what my wife found in its crop he held out his hand and displayed up', ' face. "see here, sir! see what my wife found in its crop he held out his hand and displayed upon th', '. "see here, sir! see what my wife found in its crop he held out his hand and displayed upon the cen', 'e here, sir! see what my wife found in its crop he held out his hand and displayed upon the centre o', 'e, sir! see what my wife found in its crop he held out his hand and displayed upon the centre of the', 'r! see what my wife found in its crop he held out his hand and displayed upon the centre of the palm', 'e what my wife found in its crop he held out his hand and displayed upon the centre of the palm a br', 't my wife found in its crop he held out his hand and displayed upon the centre of the palm a brillia', 'wife found in its crop he held out his hand and displayed upon the centre of the palm a brilliantly ', 'found in its crop he held out his hand and displayed upon the centre of the palm a brilliantly scint', ' in its crop he held out his hand and displayed upon the centre of the palm a brilliantly scintillat', 'ts crop he held out his hand and displayed upon the centre of the palm a brilliantly scintillating b', 'op he held out his hand and displayed upon the centre of the palm a brilliantly scintillating blue s', ' held out his hand and displayed upon the centre of the palm a brilliantly scintillating blue stone,', ' out his hand and displayed upon the centre of the palm a brilliantly scintillating blue stone, rath', 'his hand and displayed upon the centre of the palm a brilliantly scintillating blue stone, rather sm', 'and and displayed upon the centre of the palm a brilliantly scintillating blue stone, rather smaller', 'nd displayed upon the centre of the palm a brilliantly scintillating blue stone, rather smaller than', 'splayed upon the centre of the palm a brilliantly scintillating blue stone, rather smaller than a be', 'ed upon the centre of the palm a brilliantly scintillating blue stone, rather smaller than a bean in', 'on the centre of the palm a brilliantly scintillating blue stone, rather smaller than a bean in size', 'e centre of the palm a brilliantly scintillating blue stone, rather smaller than a bean in size, but', 'tre of the palm a brilliantly scintillating blue stone, rather smaller than a bean in size, but of s', 'f the palm a brilliantly scintillating blue stone, rather smaller than a bean in size, but of such p', ' palm a brilliantly scintillating blue stone, rather smaller than a bean in size, but of such purity', ' a brilliantly scintillating blue stone, rather smaller than a bean in size, but of such purity and ', 'illiantly scintillating blue stone, rather smaller than a bean in size, but of such purity and radia', 'ntly scintillating blue stone, rather smaller than a bean in size, but of such purity and radiance t', 'scintillating blue stone, rather smaller than a bean in size, but of such purity and radiance that i', 'illating blue stone, rather smaller than a bean in size, but of such purity and radiance that it twi', 'ing blue stone, rather smaller than a bean in size, but of such purity and radiance that it twinkled', 'lue stone, rather smaller than a bean in size, but of such purity and radiance that it twinkled like', 'tone, rather smaller than a bean in size, but of such purity and radiance that it twinkled like an e', ' rather smaller than a bean in size, but of such purity and radiance that it twinkled like an electr', 'er smaller than a bean in size, but of such purity and radiance that it twinkled like an electric po', 'aller than a bean in size, but of such purity and radiance that it twinkled like an electric point i', ' than a bean in size, but of such purity and radiance that it twinkled like an electric point in the', ' a bean in size, but of such purity and radiance that it twinkled like an electric point in the dark', 'an in size, but of such purity and radiance that it twinkled like an electric point in the dark holl', ' size, but of such purity and radiance that it twinkled like an electric point in the dark hollow of', ', but of such purity and radiance that it twinkled like an electric point in the dark hollow of his ', ' of such purity and radiance that it twinkled like an electric point in the dark hollow of his hand.', 'uch purity and radiance that it twinkled like an electric point in the dark hollow of his hand. sher', 'urity and radiance that it twinkled like an electric point in the dark hollow of his hand. sherlock ', ' and radiance that it twinkled like an electric point in the dark hollow of his hand. sherlock holme', 'radiance that it twinkled like an electric point in the dark hollow of his hand. sherlock holmes sat', 'nce that it twinkled like an electric point in the dark hollow of his hand. sherlock holmes sat up w', 'hat it twinkled like an electric point in the dark hollow of his hand. sherlock holmes sat up with a', 't twinkled like an electric point in the dark hollow of his hand. sherlock holmes sat up with a whis', 'nkled like an electric point in the dark hollow of his hand. sherlock holmes sat up with a whistle. ', ' like an electric point in the dark hollow of his hand. sherlock holmes sat up with a whistle. "by j', ' an electric point in the dark hollow of his hand. sherlock holmes sat up with a whistle. "by jove, ', 'lectric point in the dark hollow of his hand. sherlock holmes sat up with a whistle. "by jove, peter', 'ic point in the dark hollow of his hand. sherlock holmes sat up with a whistle. "by jove, peterson s', 'int in the dark hollow of his hand. sherlock holmes sat up with a whistle. "by jove, peterson said h', 'n the dark hollow of his hand. sherlock holmes sat up with a whistle. "by jove, peterson said he, "t', ' dark hollow of his hand. sherlock holmes sat up with a whistle. "by jove, peterson said he, "this i', ' hollow of his hand. sherlock holmes sat up with a whistle. "by jove, peterson said he, "this is tre', 'ow of his hand. sherlock holmes sat up with a whistle. "by jove, peterson said he, "this is treasure', ' his hand. sherlock holmes sat up with a whistle. "by jove, peterson said he, "this is treasure trov', 'hand. sherlock holmes sat up with a whistle. "by jove, peterson said he, "this is treasure trove ind', ' sherlock holmes sat up with a whistle. "by jove, peterson said he, "this is treasure trove indeed. ', 'lock holmes sat up with a whistle. "by jove, peterson said he, "this is treasure trove indeed. i sup', 'holmes sat up with a whistle. "by jove, peterson said he, "this is treasure trove indeed. i suppose ', 's sat up with a whistle. "by jove, peterson said he, "this is treasure trove indeed. i suppose you k', ' up with a whistle. "by jove, peterson said he, "this is treasure trove indeed. i suppose you know w', 'ith a whistle. "by jove, peterson said he, "this is treasure trove indeed. i suppose you know what y', ' whistle. "by jove, peterson said he, "this is treasure trove indeed. i suppose you know what you ha', 'tle. "by jove, peterson said he, "this is treasure trove indeed. i suppose you know what you have go', '"by jove, peterson said he, "this is treasure trove indeed. i suppose you know what you have got?" "', 'ove, peterson said he, "this is treasure trove indeed. i suppose you know what you have got?" "a dia', 'peterson said he, "this is treasure trove indeed. i suppose you know what you have got?" "a diamond,', 'son said he, "this is treasure trove indeed. i suppose you know what you have got?" "a diamond, sir?', 'aid he, "this is treasure trove indeed. i suppose you know what you have got?" "a diamond, sir? a pr', 'e, "this is treasure trove indeed. i suppose you know what you have got?" "a diamond, sir? a preciou', 'his is treasure trove indeed. i suppose you know what you have got?" "a diamond, sir? a precious sto', 's treasure trove indeed. i suppose you know what you have got?" "a diamond, sir? a precious stone. i', 'asure trove indeed. i suppose you know what you have got?" "a diamond, sir? a precious stone. it cut', ' trove indeed. i suppose you know what you have got?" "a diamond, sir? a precious stone. it cuts int', 'e indeed. i suppose you know what you have got?" "a diamond, sir? a precious stone. it cuts into gla', 'eed. i suppose you know what you have got?" "a diamond, sir? a precious stone. it cuts into glass as', 'i suppose you know what you have got?" "a diamond, sir? a precious stone. it cuts into glass as thou', 'pose you know what you have got?" "a diamond, sir? a precious stone. it cuts into glass as though it', 'you know what you have got?" "a diamond, sir? a precious stone. it cuts into glass as though it were', 'now what you have got?" "a diamond, sir? a precious stone. it cuts into glass as though it were putt', 'hat you have got?" "a diamond, sir? a precious stone. it cuts into glass as though it were putty." "', 'ou have got?" "a diamond, sir? a precious stone. it cuts into glass as though it were putty." "it\'s ', 've got?" "a diamond, sir? a precious stone. it cuts into glass as though it were putty." "it\'s more ', 't?" "a diamond, sir? a precious stone. it cuts into glass as though it were putty." "it\'s more than ', 'a diamond, sir? a precious stone. it cuts into glass as though it were putty." "it\'s more than a pre', 'mond, sir? a precious stone. it cuts into glass as though it were putty." "it\'s more than a precious', ' sir? a precious stone. it cuts into glass as though it were putty." "it\'s more than a precious ston', ' a precious stone. it cuts into glass as though it were putty." "it\'s more than a precious stone. it', 'ecious stone. it cuts into glass as though it were putty." "it\'s more than a precious stone. it is t', 's stone. it cuts into glass as though it were putty." "it\'s more than a precious stone. it is the pr', 'ne. it cuts into glass as though it were putty." "it\'s more than a precious stone. it is the preciou', 't cuts into glass as though it were putty." "it\'s more than a precious stone. it is the precious sto', 's into glass as though it were putty." "it\'s more than a precious stone. it is the precious stone." ', 'o glass as though it were putty." "it\'s more than a precious stone. it is the precious stone." "not ', 'ss as though it were putty." "it\'s more than a precious stone. it is the precious stone." "not the c', ' though it were putty." "it\'s more than a precious stone. it is the precious stone." "not the counte', 'gh it were putty." "it\'s more than a precious stone. it is the precious stone." "not the countess of', ' were putty." "it\'s more than a precious stone. it is the precious stone." "not the countess of morc', ' putty." "it\'s more than a precious stone. it is the precious stone." "not the countess of morcar\'s ', 'y." "it\'s more than a precious stone. it is the precious stone." "not the countess of morcar\'s blue ', 'it\'s more than a precious stone. it is the precious stone." "not the countess of morcar\'s blue carbu', 'more than a precious stone. it is the precious stone." "not the countess of morcar\'s blue carbuncle ', 'than a precious stone. it is the precious stone." "not the countess of morcar\'s blue carbuncle i eja', 'a precious stone. it is the precious stone." "not the countess of morcar\'s blue carbuncle i ejaculat', 'cious stone. it is the precious stone." "not the countess of morcar\'s blue carbuncle i ejaculated. "', ' stone. it is the precious stone." "not the countess of morcar\'s blue carbuncle i ejaculated. "preci', 'e. it is the precious stone." "not the countess of morcar\'s blue carbuncle i ejaculated. "precisely ', ' is the precious stone." "not the countess of morcar\'s blue carbuncle i ejaculated. "precisely so. i', 'he precious stone." "not the countess of morcar\'s blue carbuncle i ejaculated. "precisely so. i ough', 'ecious stone." "not the countess of morcar\'s blue carbuncle i ejaculated. "precisely so. i ought to ', 's stone." "not the countess of morcar\'s blue carbuncle i ejaculated. "precisely so. i ought to know ', 'ne." "not the countess of morcar\'s blue carbuncle i ejaculated. "precisely so. i ought to know its s', '"not the countess of morcar\'s blue carbuncle i ejaculated. "precisely so. i ought to know its size a', 'the countess of morcar\'s blue carbuncle i ejaculated. "precisely so. i ought to know its size and sh', 'ountess of morcar\'s blue carbuncle i ejaculated. "precisely so. i ought to know its size and shape, ', 'ss of morcar\'s blue carbuncle i ejaculated. "precisely so. i ought to know its size and shape, seein', ' morcar\'s blue carbuncle i ejaculated. "precisely so. i ought to know its size and shape, seeing tha', 'ar\'s blue carbuncle i ejaculated. "precisely so. i ought to know its size and shape, seeing that i h', 'blue carbuncle i ejaculated. "precisely so. i ought to know its size and shape, seeing that i have r', 'carbuncle i ejaculated. "precisely so. i ought to know its size and shape, seeing that i have read t', 'ncle i ejaculated. "precisely so. i ought to know its size and shape, seeing that i have read the ad', 'i ejaculated. "precisely so. i ought to know its size and shape, seeing that i have read the adverti', 'culated. "precisely so. i ought to know its size and shape, seeing that i have read the advertisemen', 'ed. "precisely so. i ought to know its size and shape, seeing that i have read the advertisement abo', 'precisely so. i ought to know its size and shape, seeing that i have read the advertisement about it', 'sely so. i ought to know its size and shape, seeing that i have read the advertisement about it in t', 'so. i ought to know its size and shape, seeing that i have read the advertisement about it in the ti', ' ought to know its size and shape, seeing that i have read the advertisement about it in the times e', 't to know its size and shape, seeing that i have read the advertisement about it in the times every ', 'know its size and shape, seeing that i have read the advertisement about it in the times every day l', 'its size and shape, seeing that i have read the advertisement about it in the times every day lately', 'ize and shape, seeing that i have read the advertisement about it in the times every day lately. it ', 'nd shape, seeing that i have read the advertisement about it in the times every day lately. it is ab', 'ape, seeing that i have read the advertisement about it in the times every day lately. it is absolut', 'seeing that i have read the advertisement about it in the times every day lately. it is absolutely u', 'g that i have read the advertisement about it in the times every day lately. it is absolutely unique', 't i have read the advertisement about it in the times every day lately. it is absolutely unique, and', 'ave read the advertisement about it in the times every day lately. it is absolutely unique, and its ', 'ead the advertisement about it in the times every day lately. it is absolutely unique, and its value', 'he advertisement about it in the times every day lately. it is absolutely unique, and its value can ', 'vertisement about it in the times every day lately. it is absolutely unique, and its value can only ', 'sement about it in the times every day lately. it is absolutely unique, and its value can only be co', 't about it in the times every day lately. it is absolutely unique, and its value can only be conject', 'ut it in the times every day lately. it is absolutely unique, and its value can only be conjectured,', ' in the times every day lately. it is absolutely unique, and its value can only be conjectured, but ', 'he times every day lately. it is absolutely unique, and its value can only be conjectured, but the r', 'mes every day lately. it is absolutely unique, and its value can only be conjectured, but the reward', 'very day lately. it is absolutely unique, and its value can only be conjectured, but the reward offe', 'day lately. it is absolutely unique, and its value can only be conjectured, but the reward offered o', 'ately. it is absolutely unique, and its value can only be conjectured, but the reward offered of p', '. it is absolutely unique, and its value can only be conjectured, but the reward offered of pounds', 'is absolutely unique, and its value can only be conjectured, but the reward offered of pounds is c', 'solutely unique, and its value can only be conjectured, but the reward offered of pounds is certai', 'ely unique, and its value can only be conjectured, but the reward offered of pounds is certainly n', 'nique, and its value can only be conjectured, but the reward offered of pounds is certainly not wi', ', and its value can only be conjectured, but the reward offered of pounds is certainly not within ', ' its value can only be conjectured, but the reward offered of pounds is certainly not within a twe', 'value can only be conjectured, but the reward offered of pounds is certainly not within a twentiet', ' can only be conjectured, but the reward offered of pounds is certainly not within a twentieth par', 'only be conjectured, but the reward offered of pounds is certainly not within a twentieth part of ', 'be conjectured, but the reward offered of pounds is certainly not within a twentieth part of the m', 'njectured, but the reward offered of pounds is certainly not within a twentieth part of the market', 'ured, but the reward offered of pounds is certainly not within a twentieth part of the market pric', ' but the reward offered of pounds is certainly not within a twentieth part of the market price." "', 'the reward offered of pounds is certainly not within a twentieth part of the market price." "a tho', 'eward offered of pounds is certainly not within a twentieth part of the market price." "a thousand', ' offered of pounds is certainly not within a twentieth part of the market price." "a thousand poun', 'red of pounds is certainly not within a twentieth part of the market price." "a thousand pounds! g', 'f pounds is certainly not within a twentieth part of the market price." "a thousand pounds! great ', 'ounds is certainly not within a twentieth part of the market price." "a thousand pounds! great lord ', ' is certainly not within a twentieth part of the market price." "a thousand pounds! great lord of me', 'ertainly not within a twentieth part of the market price." "a thousand pounds! great lord of mercy t', 'nly not within a twentieth part of the market price." "a thousand pounds! great lord of mercy the co', 'ot within a twentieth part of the market price." "a thousand pounds! great lord of mercy the commiss', 'thin a twentieth part of the market price." "a thousand pounds! great lord of mercy the commissionai', 'a twentieth part of the market price." "a thousand pounds! great lord of mercy the commissionaire pl', 'ntieth part of the market price." "a thousand pounds! great lord of mercy the commissionaire plumped', 'h part of the market price." "a thousand pounds! great lord of mercy the commissionaire plumped down', 't of the market price." "a thousand pounds! great lord of mercy the commissionaire plumped down into', 'the market price." "a thousand pounds! great lord of mercy the commissionaire plumped down into a ch', 'arket price." "a thousand pounds! great lord of mercy the commissionaire plumped down into a chair a', ' price." "a thousand pounds! great lord of mercy the commissionaire plumped down into a chair and st', 'e." "a thousand pounds! great lord of mercy the commissionaire plumped down into a chair and stared ', 'a thousand pounds! great lord of mercy the commissionaire plumped down into a chair and stared from ', 'usand pounds! great lord of mercy the commissionaire plumped down into a chair and stared from one t', ' pounds! great lord of mercy the commissionaire plumped down into a chair and stared from one to the', 'ds! great lord of mercy the commissionaire plumped down into a chair and stared from one to the othe', 'reat lord of mercy the commissionaire plumped down into a chair and stared from one to the other of ', 'lord of mercy the commissionaire plumped down into a chair and stared from one to the other of us. "', 'of mercy the commissionaire plumped down into a chair and stared from one to the other of us. "that ', 'rcy the commissionaire plumped down into a chair and stared from one to the other of us. "that is th', 'he commissionaire plumped down into a chair and stared from one to the other of us. "that is the rew', 'mmissionaire plumped down into a chair and stared from one to the other of us. "that is the reward, ', 'ionaire plumped down into a chair and stared from one to the other of us. "that is the reward, and i', 're plumped down into a chair and stared from one to the other of us. "that is the reward, and i have', 'umped down into a chair and stared from one to the other of us. "that is the reward, and i have reas', ' down into a chair and stared from one to the other of us. "that is the reward, and i have reason to', ' into a chair and stared from one to the other of us. "that is the reward, and i have reason to know', ' a chair and stared from one to the other of us. "that is the reward, and i have reason to know that', 'air and stared from one to the other of us. "that is the reward, and i have reason to know that ther', 'nd stared from one to the other of us. "that is the reward, and i have reason to know that there are', 'ared from one to the other of us. "that is the reward, and i have reason to know that there are sent', 'from one to the other of us. "that is the reward, and i have reason to know that there are sentiment', 'one to the other of us. "that is the reward, and i have reason to know that there are sentimental co', 'o the other of us. "that is the reward, and i have reason to know that there are sentimental conside', ' other of us. "that is the reward, and i have reason to know that there are sentimental consideratio', 'r of us. "that is the reward, and i have reason to know that there are sentimental considerations in', 'us. "that is the reward, and i have reason to know that there are sentimental considerations in the ', 'that is the reward, and i have reason to know that there are sentimental considerations in the backg', 'is the reward, and i have reason to know that there are sentimental considerations in the background', 'e reward, and i have reason to know that there are sentimental considerations in the background whic', 'ard, and i have reason to know that there are sentimental considerations in the background which wou', 'and i have reason to know that there are sentimental considerations in the background which would in', ' have reason to know that there are sentimental considerations in the background which would induce ', ' reason to know that there are sentimental considerations in the background which would induce the c', 'on to know that there are sentimental considerations in the background which would induce the counte', ' know that there are sentimental considerations in the background which would induce the countess to', ' that there are sentimental considerations in the background which would induce the countess to part', ' there are sentimental considerations in the background which would induce the countess to part with', 'e are sentimental considerations in the background which would induce the countess to part with half', ' sentimental considerations in the background which would induce the countess to part with half her ', 'imental considerations in the background which would induce the countess to part with half her fortu', 'al considerations in the background which would induce the countess to part with half her fortune if', 'nsiderations in the background which would induce the countess to part with half her fortune if she ', 'rations in the background which would induce the countess to part with half her fortune if she could', 'ns in the background which would induce the countess to part with half her fortune if she could but ', ' the background which would induce the countess to part with half her fortune if she could but recov', 'background which would induce the countess to part with half her fortune if she could but recover th', 'round which would induce the countess to part with half her fortune if she could but recover the gem', ' which would induce the countess to part with half her fortune if she could but recover the gem." "i', 'h would induce the countess to part with half her fortune if she could but recover the gem." "it was', 'ld induce the countess to part with half her fortune if she could but recover the gem." "it was lost', 'duce the countess to part with half her fortune if she could but recover the gem." "it was lost, if ', 'the countess to part with half her fortune if she could but recover the gem." "it was lost, if i rem', 'ountess to part with half her fortune if she could but recover the gem." "it was lost, if i remember', 'ss to part with half her fortune if she could but recover the gem." "it was lost, if i remember arig', ' part with half her fortune if she could but recover the gem." "it was lost, if i remember aright, a', ' with half her fortune if she could but recover the gem." "it was lost, if i remember aright, at the', ' half her fortune if she could but recover the gem." "it was lost, if i remember aright, at the hote', ' her fortune if she could but recover the gem." "it was lost, if i remember aright, at the hotel cos', 'fortune if she could but recover the gem." "it was lost, if i remember aright, at the hotel cosmopol', 'ne if she could but recover the gem." "it was lost, if i remember aright, at the hotel cosmopolitan,', ' she could but recover the gem." "it was lost, if i remember aright, at the hotel cosmopolitan," i r', 'could but recover the gem." "it was lost, if i remember aright, at the hotel cosmopolitan," i remark', ' but recover the gem." "it was lost, if i remember aright, at the hotel cosmopolitan," i remarked. "', 'recover the gem." "it was lost, if i remember aright, at the hotel cosmopolitan," i remarked. "preci', 'er the gem." "it was lost, if i remember aright, at the hotel cosmopolitan," i remarked. "precisely ', 'e gem." "it was lost, if i remember aright, at the hotel cosmopolitan," i remarked. "precisely so, o', '." "it was lost, if i remember aright, at the hotel cosmopolitan," i remarked. "precisely so, on dec', 't was lost, if i remember aright, at the hotel cosmopolitan," i remarked. "precisely so, on december', ' lost, if i remember aright, at the hotel cosmopolitan," i remarked. "precisely so, on december nd,', ', if i remember aright, at the hotel cosmopolitan," i remarked. "precisely so, on december nd, just', 'i remember aright, at the hotel cosmopolitan," i remarked. "precisely so, on december nd, just five', 'ember aright, at the hotel cosmopolitan," i remarked. "precisely so, on december nd, just five days', ' aright, at the hotel cosmopolitan," i remarked. "precisely so, on december nd, just five days ago.', 'ht, at the hotel cosmopolitan," i remarked. "precisely so, on december nd, just five days ago. john', 't the hotel cosmopolitan," i remarked. "precisely so, on december nd, just five days ago. john horn', ' hotel cosmopolitan," i remarked. "precisely so, on december nd, just five days ago. john horner, a', 'l cosmopolitan," i remarked. "precisely so, on december nd, just five days ago. john horner, a plum', 'mopolitan," i remarked. "precisely so, on december nd, just five days ago. john horner, a plumber, ', 'itan," i remarked. "precisely so, on december nd, just five days ago. john horner, a plumber, was a', '" i remarked. "precisely so, on december nd, just five days ago. john horner, a plumber, was accuse', 'emarked. "precisely so, on december nd, just five days ago. john horner, a plumber, was accused of ', 'ed. "precisely so, on december nd, just five days ago. john horner, a plumber, was accused of havin', 'precisely so, on december nd, just five days ago. john horner, a plumber, was accused of having abs', 'sely so, on december nd, just five days ago. john horner, a plumber, was accused of having abstract', 'so, on december nd, just five days ago. john horner, a plumber, was accused of having abstracted it', 'n december nd, just five days ago. john horner, a plumber, was accused of having abstracted it from', 'ember nd, just five days ago. john horner, a plumber, was accused of having abstracted it from the ', " nd, just five days ago. john horner, a plumber, was accused of having abstracted it from the lady'", " just five days ago. john horner, a plumber, was accused of having abstracted it from the lady's jew", " five days ago. john horner, a plumber, was accused of having abstracted it from the lady's jewel-ca", " days ago. john horner, a plumber, was accused of having abstracted it from the lady's jewel-case. t", " ago. john horner, a plumber, was accused of having abstracted it from the lady's jewel-case. the ev", " john horner, a plumber, was accused of having abstracted it from the lady's jewel-case. the evidenc", " horner, a plumber, was accused of having abstracted it from the lady's jewel-case. the evidence aga", "er, a plumber, was accused of having abstracted it from the lady's jewel-case. the evidence against ", " plumber, was accused of having abstracted it from the lady's jewel-case. the evidence against him w", "ber, was accused of having abstracted it from the lady's jewel-case. the evidence against him was so", "was accused of having abstracted it from the lady's jewel-case. the evidence against him was so stro", "ccused of having abstracted it from the lady's jewel-case. the evidence against him was so strong th", "d of having abstracted it from the lady's jewel-case. the evidence against him was so strong that th", "having abstracted it from the lady's jewel-case. the evidence against him was so strong that the cas", "g abstracted it from the lady's jewel-case. the evidence against him was so strong that the case has", "tracted it from the lady's jewel-case. the evidence against him was so strong that the case has been", "ed it from the lady's jewel-case. the evidence against him was so strong that the case has been refe", " from the lady's jewel-case. the evidence against him was so strong that the case has been referred ", " the lady's jewel-case. the evidence against him was so strong that the case has been referred to th", "lady's jewel-case. the evidence against him was so strong that the case has been referred to the ass", 's jewel-case. the evidence against him was so strong that the case has been referred to the assizes.', 'el-case. the evidence against him was so strong that the case has been referred to the assizes. i ha', 'se. the evidence against him was so strong that the case has been referred to the assizes. i have so', 'he evidence against him was so strong that the case has been referred to the assizes. i have some ac', 'idence against him was so strong that the case has been referred to the assizes. i have some account', 'e against him was so strong that the case has been referred to the assizes. i have some account of t', 'inst him was so strong that the case has been referred to the assizes. i have some account of the ma', 'him was so strong that the case has been referred to the assizes. i have some account of the matter ', 'as so strong that the case has been referred to the assizes. i have some account of the matter here,', ' strong that the case has been referred to the assizes. i have some account of the matter here, i be', 'ng that the case has been referred to the assizes. i have some account of the matter here, i believe', 'at the case has been referred to the assizes. i have some account of the matter here, i believe." he', 'e case has been referred to the assizes. i have some account of the matter here, i believe." he rumm', 'e has been referred to the assizes. i have some account of the matter here, i believe." he rummaged ', ' been referred to the assizes. i have some account of the matter here, i believe." he rummaged amid ', ' referred to the assizes. i have some account of the matter here, i believe." he rummaged amid his n', 'rred to the assizes. i have some account of the matter here, i believe." he rummaged amid his newspa', 'to the assizes. i have some account of the matter here, i believe." he rummaged amid his newspapers,', 'e assizes. i have some account of the matter here, i believe." he rummaged amid his newspapers, glan', 'izes. i have some account of the matter here, i believe." he rummaged amid his newspapers, glancing ', ' i have some account of the matter here, i believe." he rummaged amid his newspapers, glancing over ', 've some account of the matter here, i believe." he rummaged amid his newspapers, glancing over the d', 'me account of the matter here, i believe." he rummaged amid his newspapers, glancing over the dates,', 'count of the matter here, i believe." he rummaged amid his newspapers, glancing over the dates, unti', ' of the matter here, i believe." he rummaged amid his newspapers, glancing over the dates, until at ', 'he matter here, i believe." he rummaged amid his newspapers, glancing over the dates, until at last ', 'tter here, i believe." he rummaged amid his newspapers, glancing over the dates, until at last he sm', 'here, i believe." he rummaged amid his newspapers, glancing over the dates, until at last he smoothe', ' i believe." he rummaged amid his newspapers, glancing over the dates, until at last he smoothed one', 'lieve." he rummaged amid his newspapers, glancing over the dates, until at last he smoothed one out,', '." he rummaged amid his newspapers, glancing over the dates, until at last he smoothed one out, doub', ' rummaged amid his newspapers, glancing over the dates, until at last he smoothed one out, doubled i', 'aged amid his newspapers, glancing over the dates, until at last he smoothed one out, doubled it ove', 'amid his newspapers, glancing over the dates, until at last he smoothed one out, doubled it over, an', 'his newspapers, glancing over the dates, until at last he smoothed one out, doubled it over, and rea', 'ewspapers, glancing over the dates, until at last he smoothed one out, doubled it over, and read the', 'pers, glancing over the dates, until at last he smoothed one out, doubled it over, and read the foll', ' glancing over the dates, until at last he smoothed one out, doubled it over, and read the following', 'cing over the dates, until at last he smoothed one out, doubled it over, and read the following para', 'over the dates, until at last he smoothed one out, doubled it over, and read the following paragraph', 'the dates, until at last he smoothed one out, doubled it over, and read the following paragraph: "ho', 'ates, until at last he smoothed one out, doubled it over, and read the following paragraph: "hotel c', ' until at last he smoothed one out, doubled it over, and read the following paragraph: "hotel cosmop', 'l at last he smoothed one out, doubled it over, and read the following paragraph: "hotel cosmopolita', 'last he smoothed one out, doubled it over, and read the following paragraph: "hotel cosmopolitan jew', 'he smoothed one out, doubled it over, and read the following paragraph: "hotel cosmopolitan jewel ro', 'oothed one out, doubled it over, and read the following paragraph: "hotel cosmopolitan jewel robbery', 'd one out, doubled it over, and read the following paragraph: "hotel cosmopolitan jewel robbery. joh', ' out, doubled it over, and read the following paragraph: "hotel cosmopolitan jewel robbery. john hor', ' doubled it over, and read the following paragraph: "hotel cosmopolitan jewel robbery. john horner, ', 'led it over, and read the following paragraph: "hotel cosmopolitan jewel robbery. john horner, , pl', 't over, and read the following paragraph: "hotel cosmopolitan jewel robbery. john horner, , plumber', 'r, and read the following paragraph: "hotel cosmopolitan jewel robbery. john horner, , plumber, was', 'd read the following paragraph: "hotel cosmopolitan jewel robbery. john horner, , plumber, was brou', 'd the following paragraph: "hotel cosmopolitan jewel robbery. john horner, , plumber, was brought u', ' following paragraph: "hotel cosmopolitan jewel robbery. john horner, , plumber, was brought up upo', 'owing paragraph: "hotel cosmopolitan jewel robbery. john horner, , plumber, was brought up upon the', ' paragraph: "hotel cosmopolitan jewel robbery. john horner, , plumber, was brought up upon the char', 'graph: "hotel cosmopolitan jewel robbery. john horner, , plumber, was brought up upon the charge of', ': "hotel cosmopolitan jewel robbery. john horner, , plumber, was brought up upon the charge of havi', 'tel cosmopolitan jewel robbery. john horner, , plumber, was brought up upon the charge of having up', 'osmopolitan jewel robbery. john horner, , plumber, was brought up upon the charge of having upon th', 'olitan jewel robbery. john horner, , plumber, was brought up upon the charge of having upon the nd', 'n jewel robbery. john horner, , plumber, was brought up upon the charge of having upon the nd inst', 'el robbery. john horner, , plumber, was brought up upon the charge of having upon the nd inst., ab', 'bbery. john horner, , plumber, was brought up upon the charge of having upon the nd inst., abstrac', '. john horner, , plumber, was brought up upon the charge of having upon the nd inst., abstracted f', 'n horner, , plumber, was brought up upon the charge of having upon the nd inst., abstracted from t', 'ner, , plumber, was brought up upon the charge of having upon the nd inst., abstracted from the je', ' , plumber, was brought up upon the charge of having upon the nd inst., abstracted from the jewel-c', 'umber, was brought up upon the charge of having upon the nd inst., abstracted from the jewel-case o', ', was brought up upon the charge of having upon the nd inst., abstracted from the jewel-case of the', ' brought up upon the charge of having upon the nd inst., abstracted from the jewel-case of the coun', 'ght up upon the charge of having upon the nd inst., abstracted from the jewel-case of the countess ', 'p upon the charge of having upon the nd inst., abstracted from the jewel-case of the countess of mo', 'n the charge of having upon the nd inst., abstracted from the jewel-case of the countess of morcar ', ' charge of having upon the nd inst., abstracted from the jewel-case of the countess of morcar the v', 'ge of having upon the nd inst., abstracted from the jewel-case of the countess of morcar the valuab', ' having upon the nd inst., abstracted from the jewel-case of the countess of morcar the valuable ge', 'ng upon the nd inst., abstracted from the jewel-case of the countess of morcar the valuable gem kno', 'on the nd inst., abstracted from the jewel-case of the countess of morcar the valuable gem known as', 'e nd inst., abstracted from the jewel-case of the countess of morcar the valuable gem known as the ', ' inst., abstracted from the jewel-case of the countess of morcar the valuable gem known as the blue ', '., abstracted from the jewel-case of the countess of morcar the valuable gem known as the blue carbu', 'stracted from the jewel-case of the countess of morcar the valuable gem known as the blue carbuncle.', 'ted from the jewel-case of the countess of morcar the valuable gem known as the blue carbuncle. jame', 'rom the jewel-case of the countess of morcar the valuable gem known as the blue carbuncle. james ryd', 'he jewel-case of the countess of morcar the valuable gem known as the blue carbuncle. james ryder, u', 'wel-case of the countess of morcar the valuable gem known as the blue carbuncle. james ryder, upper-', 'ase of the countess of morcar the valuable gem known as the blue carbuncle. james ryder, upper-atten', 'f the countess of morcar the valuable gem known as the blue carbuncle. james ryder, upper-attendant ', ' countess of morcar the valuable gem known as the blue carbuncle. james ryder, upper-attendant at th', 'tess of morcar the valuable gem known as the blue carbuncle. james ryder, upper-attendant at the hot', 'of morcar the valuable gem known as the blue carbuncle. james ryder, upper-attendant at the hotel, g', 'rcar the valuable gem known as the blue carbuncle. james ryder, upper-attendant at the hotel, gave h', 'the valuable gem known as the blue carbuncle. james ryder, upper-attendant at the hotel, gave his ev', 'aluable gem known as the blue carbuncle. james ryder, upper-attendant at the hotel, gave his evidenc', 'le gem known as the blue carbuncle. james ryder, upper-attendant at the hotel, gave his evidence to ', 'm known as the blue carbuncle. james ryder, upper-attendant at the hotel, gave his evidence to the e', 'wn as the blue carbuncle. james ryder, upper-attendant at the hotel, gave his evidence to the effect', ' the blue carbuncle. james ryder, upper-attendant at the hotel, gave his evidence to the effect that', 'blue carbuncle. james ryder, upper-attendant at the hotel, gave his evidence to the effect that he h', 'carbuncle. james ryder, upper-attendant at the hotel, gave his evidence to the effect that he had sh', 'ncle. james ryder, upper-attendant at the hotel, gave his evidence to the effect that he had shown h', ' james ryder, upper-attendant at the hotel, gave his evidence to the effect that he had shown horner', 's ryder, upper-attendant at the hotel, gave his evidence to the effect that he had shown horner up t', 'er, upper-attendant at the hotel, gave his evidence to the effect that he had shown horner up to the', 'pper-attendant at the hotel, gave his evidence to the effect that he had shown horner up to the dres', 'attendant at the hotel, gave his evidence to the effect that he had shown horner up to the dressing-', 'dant at the hotel, gave his evidence to the effect that he had shown horner up to the dressing-room ', 'at the hotel, gave his evidence to the effect that he had shown horner up to the dressing-room of th', 'e hotel, gave his evidence to the effect that he had shown horner up to the dressing-room of the cou', 'el, gave his evidence to the effect that he had shown horner up to the dressing-room of the countess', 'ave his evidence to the effect that he had shown horner up to the dressing-room of the countess of m', 'is evidence to the effect that he had shown horner up to the dressing-room of the countess of morcar', 'idence to the effect that he had shown horner up to the dressing-room of the countess of morcar upon', 'e to the effect that he had shown horner up to the dressing-room of the countess of morcar upon the ', 'the effect that he had shown horner up to the dressing-room of the countess of morcar upon the day o', 'ffect that he had shown horner up to the dressing-room of the countess of morcar upon the day of the', ' that he had shown horner up to the dressing-room of the countess of morcar upon the day of the robb', ' he had shown horner up to the dressing-room of the countess of morcar upon the day of the robbery i', 'ad shown horner up to the dressing-room of the countess of morcar upon the day of the robbery in ord', 'own horner up to the dressing-room of the countess of morcar upon the day of the robbery in order th', 'orner up to the dressing-room of the countess of morcar upon the day of the robbery in order that he', ' up to the dressing-room of the countess of morcar upon the day of the robbery in order that he migh', 'o the dressing-room of the countess of morcar upon the day of the robbery in order that he might sol', ' dressing-room of the countess of morcar upon the day of the robbery in order that he might solder t', 'sing-room of the countess of morcar upon the day of the robbery in order that he might solder the se', 'room of the countess of morcar upon the day of the robbery in order that he might solder the second ', 'of the countess of morcar upon the day of the robbery in order that he might solder the second bar o', 'e countess of morcar upon the day of the robbery in order that he might solder the second bar of the', 'ntess of morcar upon the day of the robbery in order that he might solder the second bar of the grat', ' of morcar upon the day of the robbery in order that he might solder the second bar of the grate, wh', 'orcar upon the day of the robbery in order that he might solder the second bar of the grate, which w', ' upon the day of the robbery in order that he might solder the second bar of the grate, which was lo', ' the day of the robbery in order that he might solder the second bar of the grate, which was loose. ', 'day of the robbery in order that he might solder the second bar of the grate, which was loose. he ha', 'f the robbery in order that he might solder the second bar of the grate, which was loose. he had rem', ' robbery in order that he might solder the second bar of the grate, which was loose. he had remained', 'ery in order that he might solder the second bar of the grate, which was loose. he had remained with', 'n order that he might solder the second bar of the grate, which was loose. he had remained with horn', 'er that he might solder the second bar of the grate, which was loose. he had remained with horner so', 'at he might solder the second bar of the grate, which was loose. he had remained with horner some li', ' might solder the second bar of the grate, which was loose. he had remained with horner some little ', 't solder the second bar of the grate, which was loose. he had remained with horner some little time,', 'der the second bar of the grate, which was loose. he had remained with horner some little time, but ', 'he second bar of the grate, which was loose. he had remained with horner some little time, but had f', 'cond bar of the grate, which was loose. he had remained with horner some little time, but had finall', 'bar of the grate, which was loose. he had remained with horner some little time, but had finally bee', 'f the grate, which was loose. he had remained with horner some little time, but had finally been cal', ' grate, which was loose. he had remained with horner some little time, but had finally been called a', 'e, which was loose. he had remained with horner some little time, but had finally been called away. ', 'ich was loose. he had remained with horner some little time, but had finally been called away. on re', 'as loose. he had remained with horner some little time, but had finally been called away. on returni', 'ose. he had remained with horner some little time, but had finally been called away. on returning, h', 'he had remained with horner some little time, but had finally been called away. on returning, he fou', 'd remained with horner some little time, but had finally been called away. on returning, he found th', 'ained with horner some little time, but had finally been called away. on returning, he found that ho', ' with horner some little time, but had finally been called away. on returning, he found that horner ', ' horner some little time, but had finally been called away. on returning, he found that horner had d', 'er some little time, but had finally been called away. on returning, he found that horner had disapp', 'me little time, but had finally been called away. on returning, he found that horner had disappeared', 'ttle time, but had finally been called away. on returning, he found that horner had disappeared, tha', 'time, but had finally been called away. on returning, he found that horner had disappeared, that the', ' but had finally been called away. on returning, he found that horner had disappeared, that the bure', 'had finally been called away. on returning, he found that horner had disappeared, that the bureau ha', 'inally been called away. on returning, he found that horner had disappeared, that the bureau had bee', 'y been called away. on returning, he found that horner had disappeared, that the bureau had been for', 'n called away. on returning, he found that horner had disappeared, that the bureau had been forced o', 'led away. on returning, he found that horner had disappeared, that the bureau had been forced open, ', 'way. on returning, he found that horner had disappeared, that the bureau had been forced open, and t', 'on returning, he found that horner had disappeared, that the bureau had been forced open, and that t', 'turning, he found that horner had disappeared, that the bureau had been forced open, and that the sm', 'ng, he found that horner had disappeared, that the bureau had been forced open, and that the small m', 'e found that horner had disappeared, that the bureau had been forced open, and that the small morocc', 'nd that horner had disappeared, that the bureau had been forced open, and that the small morocco cas', 'at horner had disappeared, that the bureau had been forced open, and that the small morocco casket i', 'rner had disappeared, that the bureau had been forced open, and that the small morocco casket in whi', 'had disappeared, that the bureau had been forced open, and that the small morocco casket in which, a', 'isappeared, that the bureau had been forced open, and that the small morocco casket in which, as it ', 'eared, that the bureau had been forced open, and that the small morocco casket in which, as it after', ', that the bureau had been forced open, and that the small morocco casket in which, as it afterwards', 't the bureau had been forced open, and that the small morocco casket in which, as it afterwards tran', ' bureau had been forced open, and that the small morocco casket in which, as it afterwards transpire', 'au had been forced open, and that the small morocco casket in which, as it afterwards transpired, th', 'd been forced open, and that the small morocco casket in which, as it afterwards transpired, the cou', 'n forced open, and that the small morocco casket in which, as it afterwards transpired, the countess', 'ced open, and that the small morocco casket in which, as it afterwards transpired, the countess was ', 'pen, and that the small morocco casket in which, as it afterwards transpired, the countess was accus', 'and that the small morocco casket in which, as it afterwards transpired, the countess was accustomed', 'hat the small morocco casket in which, as it afterwards transpired, the countess was accustomed to k', 'he small morocco casket in which, as it afterwards transpired, the countess was accustomed to keep h', 'all morocco casket in which, as it afterwards transpired, the countess was accustomed to keep her je', 'orocco casket in which, as it afterwards transpired, the countess was accustomed to keep her jewel, ', 'o casket in which, as it afterwards transpired, the countess was accustomed to keep her jewel, was l', 'ket in which, as it afterwards transpired, the countess was accustomed to keep her jewel, was lying ', 'n which, as it afterwards transpired, the countess was accustomed to keep her jewel, was lying empty', 'ch, as it afterwards transpired, the countess was accustomed to keep her jewel, was lying empty upon', 's it afterwards transpired, the countess was accustomed to keep her jewel, was lying empty upon the ', 'afterwards transpired, the countess was accustomed to keep her jewel, was lying empty upon the dress', 'wards transpired, the countess was accustomed to keep her jewel, was lying empty upon the dressing-t', ' transpired, the countess was accustomed to keep her jewel, was lying empty upon the dressing-table.', 'spired, the countess was accustomed to keep her jewel, was lying empty upon the dressing-table. ryde', 'd, the countess was accustomed to keep her jewel, was lying empty upon the dressing-table. ryder ins', 'e countess was accustomed to keep her jewel, was lying empty upon the dressing-table. ryder instantl', 'ntess was accustomed to keep her jewel, was lying empty upon the dressing-table. ryder instantly gav', ' was accustomed to keep her jewel, was lying empty upon the dressing-table. ryder instantly gave the', 'accustomed to keep her jewel, was lying empty upon the dressing-table. ryder instantly gave the alar', 'tomed to keep her jewel, was lying empty upon the dressing-table. ryder instantly gave the alarm, an', ' to keep her jewel, was lying empty upon the dressing-table. ryder instantly gave the alarm, and hor', 'eep her jewel, was lying empty upon the dressing-table. ryder instantly gave the alarm, and horner w', 'er jewel, was lying empty upon the dressing-table. ryder instantly gave the alarm, and horner was ar', 'wel, was lying empty upon the dressing-table. ryder instantly gave the alarm, and horner was arreste', 'was lying empty upon the dressing-table. ryder instantly gave the alarm, and horner was arrested the', 'ying empty upon the dressing-table. ryder instantly gave the alarm, and horner was arrested the same', 'empty upon the dressing-table. ryder instantly gave the alarm, and horner was arrested the same even', ' upon the dressing-table. ryder instantly gave the alarm, and horner was arrested the same evening; ', ' the dressing-table. ryder instantly gave the alarm, and horner was arrested the same evening; but t', 'dressing-table. ryder instantly gave the alarm, and horner was arrested the same evening; but the st', 'ing-table. ryder instantly gave the alarm, and horner was arrested the same evening; but the stone c', 'able. ryder instantly gave the alarm, and horner was arrested the same evening; but the stone could ', ' ryder instantly gave the alarm, and horner was arrested the same evening; but the stone could not b', 'r instantly gave the alarm, and horner was arrested the same evening; but the stone could not be fou', 'tantly gave the alarm, and horner was arrested the same evening; but the stone could not be found ei', 'y gave the alarm, and horner was arrested the same evening; but the stone could not be found either ', 'e the alarm, and horner was arrested the same evening; but the stone could not be found either upon ', ' alarm, and horner was arrested the same evening; but the stone could not be found either upon his p', 'm, and horner was arrested the same evening; but the stone could not be found either upon his person', 'd horner was arrested the same evening; but the stone could not be found either upon his person or i', 'ner was arrested the same evening; but the stone could not be found either upon his person or in his', 'as arrested the same evening; but the stone could not be found either upon his person or in his room', 'rested the same evening; but the stone could not be found either upon his person or in his rooms. ca', 'd the same evening; but the stone could not be found either upon his person or in his rooms. catheri', ' same evening; but the stone could not be found either upon his person or in his rooms. catherine cu', ' evening; but the stone could not be found either upon his person or in his rooms. catherine cusack,', 'ing; but the stone could not be found either upon his person or in his rooms. catherine cusack, maid', 'but the stone could not be found either upon his person or in his rooms. catherine cusack, maid to t', 'he stone could not be found either upon his person or in his rooms. catherine cusack, maid to the co', 'one could not be found either upon his person or in his rooms. catherine cusack, maid to the countes', 'ould not be found either upon his person or in his rooms. catherine cusack, maid to the countess, de', 'not be found either upon his person or in his rooms. catherine cusack, maid to the countess, deposed', 'e found either upon his person or in his rooms. catherine cusack, maid to the countess, deposed to h', 'nd either upon his person or in his rooms. catherine cusack, maid to the countess, deposed to having', 'ther upon his person or in his rooms. catherine cusack, maid to the countess, deposed to having hear', 'upon his person or in his rooms. catherine cusack, maid to the countess, deposed to having heard ryd', "his person or in his rooms. catherine cusack, maid to the countess, deposed to having heard ryder's ", "erson or in his rooms. catherine cusack, maid to the countess, deposed to having heard ryder's cry o", " or in his rooms. catherine cusack, maid to the countess, deposed to having heard ryder's cry of dis", "n his rooms. catherine cusack, maid to the countess, deposed to having heard ryder's cry of dismay o", " rooms. catherine cusack, maid to the countess, deposed to having heard ryder's cry of dismay on dis", "s. catherine cusack, maid to the countess, deposed to having heard ryder's cry of dismay on discover", "therine cusack, maid to the countess, deposed to having heard ryder's cry of dismay on discovering t", "ne cusack, maid to the countess, deposed to having heard ryder's cry of dismay on discovering the ro", "sack, maid to the countess, deposed to having heard ryder's cry of dismay on discovering the robbery", " maid to the countess, deposed to having heard ryder's cry of dismay on discovering the robbery, and", " to the countess, deposed to having heard ryder's cry of dismay on discovering the robbery, and to h", "he countess, deposed to having heard ryder's cry of dismay on discovering the robbery, and to having", "untess, deposed to having heard ryder's cry of dismay on discovering the robbery, and to having rush", "s, deposed to having heard ryder's cry of dismay on discovering the robbery, and to having rushed in", "posed to having heard ryder's cry of dismay on discovering the robbery, and to having rushed into th", " to having heard ryder's cry of dismay on discovering the robbery, and to having rushed into the roo", "aving heard ryder's cry of dismay on discovering the robbery, and to having rushed into the room, wh", " heard ryder's cry of dismay on discovering the robbery, and to having rushed into the room, where s", "d ryder's cry of dismay on discovering the robbery, and to having rushed into the room, where she fo", "er's cry of dismay on discovering the robbery, and to having rushed into the room, where she found m", 'cry of dismay on discovering the robbery, and to having rushed into the room, where she found matter', 'f dismay on discovering the robbery, and to having rushed into the room, where she found matters as ', 'may on discovering the robbery, and to having rushed into the room, where she found matters as descr', 'n discovering the robbery, and to having rushed into the room, where she found matters as described ', 'covering the robbery, and to having rushed into the room, where she found matters as described by th', 'ing the robbery, and to having rushed into the room, where she found matters as described by the las', 'he robbery, and to having rushed into the room, where she found matters as described by the last wit', 'bbery, and to having rushed into the room, where she found matters as described by the last witness.', ', and to having rushed into the room, where she found matters as described by the last witness. insp', ' to having rushed into the room, where she found matters as described by the last witness. inspector', 'aving rushed into the room, where she found matters as described by the last witness. inspector brad', ' rushed into the room, where she found matters as described by the last witness. inspector bradstree', 'ed into the room, where she found matters as described by the last witness. inspector bradstreet, b ', 'to the room, where she found matters as described by the last witness. inspector bradstreet, b divis', 'e room, where she found matters as described by the last witness. inspector bradstreet, b division, ', 'm, where she found matters as described by the last witness. inspector bradstreet, b division, gave ', 'ere she found matters as described by the last witness. inspector bradstreet, b division, gave evide', 'he found matters as described by the last witness. inspector bradstreet, b division, gave evidence a', 'und matters as described by the last witness. inspector bradstreet, b division, gave evidence as to ', 'atters as described by the last witness. inspector bradstreet, b division, gave evidence as to the a', 's as described by the last witness. inspector bradstreet, b division, gave evidence as to the arrest', 'described by the last witness. inspector bradstreet, b division, gave evidence as to the arrest of h', 'ibed by the last witness. inspector bradstreet, b division, gave evidence as to the arrest of horner', 'by the last witness. inspector bradstreet, b division, gave evidence as to the arrest of horner, who', 'e last witness. inspector bradstreet, b division, gave evidence as to the arrest of horner, who stru', 't witness. inspector bradstreet, b division, gave evidence as to the arrest of horner, who struggled', 'ness. inspector bradstreet, b division, gave evidence as to the arrest of horner, who struggled fran', ' inspector bradstreet, b division, gave evidence as to the arrest of horner, who struggled frantical', 'ector bradstreet, b division, gave evidence as to the arrest of horner, who struggled frantically, a', ' bradstreet, b division, gave evidence as to the arrest of horner, who struggled frantically, and pr', 'street, b division, gave evidence as to the arrest of horner, who struggled frantically, and protest', 't, b division, gave evidence as to the arrest of horner, who struggled frantically, and protested hi', 'division, gave evidence as to the arrest of horner, who struggled frantically, and protested his inn', 'ion, gave evidence as to the arrest of horner, who struggled frantically, and protested his innocenc', 'gave evidence as to the arrest of horner, who struggled frantically, and protested his innocence in ', 'evidence as to the arrest of horner, who struggled frantically, and protested his innocence in the s', 'nce as to the arrest of horner, who struggled frantically, and protested his innocence in the strong', 's to the arrest of horner, who struggled frantically, and protested his innocence in the strongest t', 'the arrest of horner, who struggled frantically, and protested his innocence in the strongest terms.', 'rrest of horner, who struggled frantically, and protested his innocence in the strongest terms. evid', ' of horner, who struggled frantically, and protested his innocence in the strongest terms. evidence ', 'orner, who struggled frantically, and protested his innocence in the strongest terms. evidence of a ', ', who struggled frantically, and protested his innocence in the strongest terms. evidence of a previ', ' struggled frantically, and protested his innocence in the strongest terms. evidence of a previous c', 'ggled frantically, and protested his innocence in the strongest terms. evidence of a previous convic', ' frantically, and protested his innocence in the strongest terms. evidence of a previous conviction ', 'tically, and protested his innocence in the strongest terms. evidence of a previous conviction for r', 'ly, and protested his innocence in the strongest terms. evidence of a previous conviction for robber', 'nd protested his innocence in the strongest terms. evidence of a previous conviction for robbery hav', 'otested his innocence in the strongest terms. evidence of a previous conviction for robbery having b', 'ed his innocence in the strongest terms. evidence of a previous conviction for robbery having been g', 's innocence in the strongest terms. evidence of a previous conviction for robbery having been given ', 'ocence in the strongest terms. evidence of a previous conviction for robbery having been given again', 'e in the strongest terms. evidence of a previous conviction for robbery having been given against th', 'the strongest terms. evidence of a previous conviction for robbery having been given against the pri', 'trongest terms. evidence of a previous conviction for robbery having been given against the prisoner', 'est terms. evidence of a previous conviction for robbery having been given against the prisoner, the', 'erms. evidence of a previous conviction for robbery having been given against the prisoner, the magi', ' evidence of a previous conviction for robbery having been given against the prisoner, the magistrat', 'ence of a previous conviction for robbery having been given against the prisoner, the magistrate ref', 'of a previous conviction for robbery having been given against the prisoner, the magistrate refused ', 'previous conviction for robbery having been given against the prisoner, the magistrate refused to de', 'ous conviction for robbery having been given against the prisoner, the magistrate refused to deal su', 'onviction for robbery having been given against the prisoner, the magistrate refused to deal summari', 'tion for robbery having been given against the prisoner, the magistrate refused to deal summarily wi', 'for robbery having been given against the prisoner, the magistrate refused to deal summarily with th', 'obbery having been given against the prisoner, the magistrate refused to deal summarily with the off', 'y having been given against the prisoner, the magistrate refused to deal summarily with the offence,', 'ing been given against the prisoner, the magistrate refused to deal summarily with the offence, but ', 'een given against the prisoner, the magistrate refused to deal summarily with the offence, but refer', 'iven against the prisoner, the magistrate refused to deal summarily with the offence, but referred i', 'against the prisoner, the magistrate refused to deal summarily with the offence, but referred it to ', 'st the prisoner, the magistrate refused to deal summarily with the offence, but referred it to the a', 'e prisoner, the magistrate refused to deal summarily with the offence, but referred it to the assize', 'soner, the magistrate refused to deal summarily with the offence, but referred it to the assizes. ho', ', the magistrate refused to deal summarily with the offence, but referred it to the assizes. horner,', ' magistrate refused to deal summarily with the offence, but referred it to the assizes. horner, who ', 'strate refused to deal summarily with the offence, but referred it to the assizes. horner, who had s', 'e refused to deal summarily with the offence, but referred it to the assizes. horner, who had shown ', 'used to deal summarily with the offence, but referred it to the assizes. horner, who had shown signs', 'to deal summarily with the offence, but referred it to the assizes. horner, who had shown signs of i', 'al summarily with the offence, but referred it to the assizes. horner, who had shown signs of intens', 'mmarily with the offence, but referred it to the assizes. horner, who had shown signs of intense emo', 'ly with the offence, but referred it to the assizes. horner, who had shown signs of intense emotion ', 'th the offence, but referred it to the assizes. horner, who had shown signs of intense emotion durin', 'e offence, but referred it to the assizes. horner, who had shown signs of intense emotion during the', 'ence, but referred it to the assizes. horner, who had shown signs of intense emotion during the proc', ' but referred it to the assizes. horner, who had shown signs of intense emotion during the proceedin', 'referred it to the assizes. horner, who had shown signs of intense emotion during the proceedings, f', 'red it to the assizes. horner, who had shown signs of intense emotion during the proceedings, fainte', 't to the assizes. horner, who had shown signs of intense emotion during the proceedings, fainted awa', 'the assizes. horner, who had shown signs of intense emotion during the proceedings, fainted away at ', 'ssizes. horner, who had shown signs of intense emotion during the proceedings, fainted away at the c', 's. horner, who had shown signs of intense emotion during the proceedings, fainted away at the conclu', 'rner, who had shown signs of intense emotion during the proceedings, fainted away at the conclusion ', ' who had shown signs of intense emotion during the proceedings, fainted away at the conclusion and w', 'had shown signs of intense emotion during the proceedings, fainted away at the conclusion and was ca', 'hown signs of intense emotion during the proceedings, fainted away at the conclusion and was carried', 'signs of intense emotion during the proceedings, fainted away at the conclusion and was carried out ', ' of intense emotion during the proceedings, fainted away at the conclusion and was carried out of co', 'ntense emotion during the proceedings, fainted away at the conclusion and was carried out of court."', 'e emotion during the proceedings, fainted away at the conclusion and was carried out of court." "hum', 'tion during the proceedings, fainted away at the conclusion and was carried out of court." "hum! so ', 'during the proceedings, fainted away at the conclusion and was carried out of court." "hum! so much ', 'g the proceedings, fainted away at the conclusion and was carried out of court." "hum! so much for t', ' proceedings, fainted away at the conclusion and was carried out of court." "hum! so much for the po', 'eedings, fainted away at the conclusion and was carried out of court." "hum! so much for the police-', 'gs, fainted away at the conclusion and was carried out of court." "hum! so much for the police-court', 'ainted away at the conclusion and was carried out of court." "hum! so much for the police-court," sa', 'd away at the conclusion and was carried out of court." "hum! so much for the police-court," said ho', 'y at the conclusion and was carried out of court." "hum! so much for the police-court," said holmes ', 'the conclusion and was carried out of court." "hum! so much for the police-court," said holmes thoug', 'onclusion and was carried out of court." "hum! so much for the police-court," said holmes thoughtful', 'sion and was carried out of court." "hum! so much for the police-court," said holmes thoughtfully, t', 'and was carried out of court." "hum! so much for the police-court," said holmes thoughtfully, tossin', 'as carried out of court." "hum! so much for the police-court," said holmes thoughtfully, tossing asi', 'rried out of court." "hum! so much for the police-court," said holmes thoughtfully, tossing aside th', ' out of court." "hum! so much for the police-court," said holmes thoughtfully, tossing aside the pap', 'of court." "hum! so much for the police-court," said holmes thoughtfully, tossing aside the paper. "', 'urt." "hum! so much for the police-court," said holmes thoughtfully, tossing aside the paper. "the q', ' "hum! so much for the police-court," said holmes thoughtfully, tossing aside the paper. "the questi', '! so much for the police-court," said holmes thoughtfully, tossing aside the paper. "the question fo', 'much for the police-court," said holmes thoughtfully, tossing aside the paper. "the question for us ', 'for the police-court," said holmes thoughtfully, tossing aside the paper. "the question for us now t', 'he police-court," said holmes thoughtfully, tossing aside the paper. "the question for us now to sol', 'lice-court," said holmes thoughtfully, tossing aside the paper. "the question for us now to solve is', 'court," said holmes thoughtfully, tossing aside the paper. "the question for us now to solve is the ', '," said holmes thoughtfully, tossing aside the paper. "the question for us now to solve is the seque', 'id holmes thoughtfully, tossing aside the paper. "the question for us now to solve is the sequence o', 'lmes thoughtfully, tossing aside the paper. "the question for us now to solve is the sequence of eve', 'thoughtfully, tossing aside the paper. "the question for us now to solve is the sequence of events l', 'htfully, tossing aside the paper. "the question for us now to solve is the sequence of events leadin', 'ly, tossing aside the paper. "the question for us now to solve is the sequence of events leading fro', 'ossing aside the paper. "the question for us now to solve is the sequence of events leading from a r', 'g aside the paper. "the question for us now to solve is the sequence of events leading from a rifled', 'de the paper. "the question for us now to solve is the sequence of events leading from a rifled jewe', 'e paper. "the question for us now to solve is the sequence of events leading from a rifled jewel-cas', 'er. "the question for us now to solve is the sequence of events leading from a rifled jewel-case at ', 'the question for us now to solve is the sequence of events leading from a rifled jewel-case at one e', 'uestion for us now to solve is the sequence of events leading from a rifled jewel-case at one end to', 'on for us now to solve is the sequence of events leading from a rifled jewel-case at one end to the ', 'r us now to solve is the sequence of events leading from a rifled jewel-case at one end to the crop ', 'now to solve is the sequence of events leading from a rifled jewel-case at one end to the crop of a ', 'o solve is the sequence of events leading from a rifled jewel-case at one end to the crop of a goose', 've is the sequence of events leading from a rifled jewel-case at one end to the crop of a goose in t', ' the sequence of events leading from a rifled jewel-case at one end to the crop of a goose in totten', 'sequence of events leading from a rifled jewel-case at one end to the crop of a goose in tottenham c', 'nce of events leading from a rifled jewel-case at one end to the crop of a goose in tottenham court ', 'f events leading from a rifled jewel-case at one end to the crop of a goose in tottenham court road ', 'nts leading from a rifled jewel-case at one end to the crop of a goose in tottenham court road at th', 'eading from a rifled jewel-case at one end to the crop of a goose in tottenham court road at the oth', 'g from a rifled jewel-case at one end to the crop of a goose in tottenham court road at the other. y', 'm a rifled jewel-case at one end to the crop of a goose in tottenham court road at the other. you se', 'ifled jewel-case at one end to the crop of a goose in tottenham court road at the other. you see, wa', ' jewel-case at one end to the crop of a goose in tottenham court road at the other. you see, watson,', 'l-case at one end to the crop of a goose in tottenham court road at the other. you see, watson, our ', 'e at one end to the crop of a goose in tottenham court road at the other. you see, watson, our littl', 'one end to the crop of a goose in tottenham court road at the other. you see, watson, our little ded', 'nd to the crop of a goose in tottenham court road at the other. you see, watson, our little deductio', ' the crop of a goose in tottenham court road at the other. you see, watson, our little deductions ha', 'crop of a goose in tottenham court road at the other. you see, watson, our little deductions have su', 'of a goose in tottenham court road at the other. you see, watson, our little deductions have suddenl', 'goose in tottenham court road at the other. you see, watson, our little deductions have suddenly ass', ' in tottenham court road at the other. you see, watson, our little deductions have suddenly assumed ', 'ottenham court road at the other. you see, watson, our little deductions have suddenly assumed a muc', 'ham court road at the other. you see, watson, our little deductions have suddenly assumed a much mor', 'ourt road at the other. you see, watson, our little deductions have suddenly assumed a much more imp', 'road at the other. you see, watson, our little deductions have suddenly assumed a much more importan', 'at the other. you see, watson, our little deductions have suddenly assumed a much more important and', 'e other. you see, watson, our little deductions have suddenly assumed a much more important and less', 'er. you see, watson, our little deductions have suddenly assumed a much more important and less inno', 'ou see, watson, our little deductions have suddenly assumed a much more important and less innocent ', 'e, watson, our little deductions have suddenly assumed a much more important and less innocent aspec', 'tson, our little deductions have suddenly assumed a much more important and less innocent aspect. he', ' our little deductions have suddenly assumed a much more important and less innocent aspect. here is', 'little deductions have suddenly assumed a much more important and less innocent aspect. here is the ', 'e deductions have suddenly assumed a much more important and less innocent aspect. here is the stone', 'uctions have suddenly assumed a much more important and less innocent aspect. here is the stone; the', 'ns have suddenly assumed a much more important and less innocent aspect. here is the stone; the ston', 've suddenly assumed a much more important and less innocent aspect. here is the stone; the stone cam', 'ddenly assumed a much more important and less innocent aspect. here is the stone; the stone came fro', 'y assumed a much more important and less innocent aspect. here is the stone; the stone came from the', 'umed a much more important and less innocent aspect. here is the stone; the stone came from the goos', 'a much more important and less innocent aspect. here is the stone; the stone came from the goose, an', 'h more important and less innocent aspect. here is the stone; the stone came from the goose, and the', 'e important and less innocent aspect. here is the stone; the stone came from the goose, and the goos', 'ortant and less innocent aspect. here is the stone; the stone came from the goose, and the goose cam', 't and less innocent aspect. here is the stone; the stone came from the goose, and the goose came fro', ' less innocent aspect. here is the stone; the stone came from the goose, and the goose came from mr.', ' innocent aspect. here is the stone; the stone came from the goose, and the goose came from mr. henr', 'cent aspect. here is the stone; the stone came from the goose, and the goose came from mr. henry bak', 'aspect. here is the stone; the stone came from the goose, and the goose came from mr. henry baker, t', 't. here is the stone; the stone came from the goose, and the goose came from mr. henry baker, the ge', 're is the stone; the stone came from the goose, and the goose came from mr. henry baker, the gentlem', ' the stone; the stone came from the goose, and the goose came from mr. henry baker, the gentleman wi', 'stone; the stone came from the goose, and the goose came from mr. henry baker, the gentleman with th', '; the stone came from the goose, and the goose came from mr. henry baker, the gentleman with the bad', ' stone came from the goose, and the goose came from mr. henry baker, the gentleman with the bad hat ', 'e came from the goose, and the goose came from mr. henry baker, the gentleman with the bad hat and a', 'e from the goose, and the goose came from mr. henry baker, the gentleman with the bad hat and all th', 'm the goose, and the goose came from mr. henry baker, the gentleman with the bad hat and all the oth', ' goose, and the goose came from mr. henry baker, the gentleman with the bad hat and all the other ch', 'e, and the goose came from mr. henry baker, the gentleman with the bad hat and all the other charact', 'd the goose came from mr. henry baker, the gentleman with the bad hat and all the other characterist', ' goose came from mr. henry baker, the gentleman with the bad hat and all the other characteristics w', 'e came from mr. henry baker, the gentleman with the bad hat and all the other characteristics with w', 'e from mr. henry baker, the gentleman with the bad hat and all the other characteristics with which ', 'm mr. henry baker, the gentleman with the bad hat and all the other characteristics with which i hav', ' henry baker, the gentleman with the bad hat and all the other characteristics with which i have bor', 'y baker, the gentleman with the bad hat and all the other characteristics with which i have bored yo', 'er, the gentleman with the bad hat and all the other characteristics with which i have bored you. so', 'he gentleman with the bad hat and all the other characteristics with which i have bored you. so now ', 'ntleman with the bad hat and all the other characteristics with which i have bored you. so now we mu', 'an with the bad hat and all the other characteristics with which i have bored you. so now we must se', 'th the bad hat and all the other characteristics with which i have bored you. so now we must set our', 'e bad hat and all the other characteristics with which i have bored you. so now we must set ourselve', ' hat and all the other characteristics with which i have bored you. so now we must set ourselves ver', 'and all the other characteristics with which i have bored you. so now we must set ourselves very ser', 'll the other characteristics with which i have bored you. so now we must set ourselves very seriousl', 'e other characteristics with which i have bored you. so now we must set ourselves very seriously to ', 'er characteristics with which i have bored you. so now we must set ourselves very seriously to findi', 'aracteristics with which i have bored you. so now we must set ourselves very seriously to finding th', 'eristics with which i have bored you. so now we must set ourselves very seriously to finding this ge', 'ics with which i have bored you. so now we must set ourselves very seriously to finding this gentlem', 'ith which i have bored you. so now we must set ourselves very seriously to finding this gentleman an', 'hich i have bored you. so now we must set ourselves very seriously to finding this gentleman and asc', 'i have bored you. so now we must set ourselves very seriously to finding this gentleman and ascertai', 'e bored you. so now we must set ourselves very seriously to finding this gentleman and ascertaining ', 'ed you. so now we must set ourselves very seriously to finding this gentleman and ascertaining what ', 'u. so now we must set ourselves very seriously to finding this gentleman and ascertaining what part ', ' now we must set ourselves very seriously to finding this gentleman and ascertaining what part he ha', 'we must set ourselves very seriously to finding this gentleman and ascertaining what part he has pla', 'st set ourselves very seriously to finding this gentleman and ascertaining what part he has played i', 't ourselves very seriously to finding this gentleman and ascertaining what part he has played in thi', 'selves very seriously to finding this gentleman and ascertaining what part he has played in this lit', 's very seriously to finding this gentleman and ascertaining what part he has played in this little m', 'y seriously to finding this gentleman and ascertaining what part he has played in this little myster', 'iously to finding this gentleman and ascertaining what part he has played in this little mystery. to', 'y to finding this gentleman and ascertaining what part he has played in this little mystery. to do t', 'finding this gentleman and ascertaining what part he has played in this little mystery. to do this, ', 'ng this gentleman and ascertaining what part he has played in this little mystery. to do this, we mu', 'is gentleman and ascertaining what part he has played in this little mystery. to do this, we must tr', 'ntleman and ascertaining what part he has played in this little mystery. to do this, we must try the', 'an and ascertaining what part he has played in this little mystery. to do this, we must try the simp', 'd ascertaining what part he has played in this little mystery. to do this, we must try the simplest ', 'ertaining what part he has played in this little mystery. to do this, we must try the simplest means', 'ning what part he has played in this little mystery. to do this, we must try the simplest means firs', 'what part he has played in this little mystery. to do this, we must try the simplest means first, an', 'part he has played in this little mystery. to do this, we must try the simplest means first, and the', 'he has played in this little mystery. to do this, we must try the simplest means first, and these li', 's played in this little mystery. to do this, we must try the simplest means first, and these lie und', 'yed in this little mystery. to do this, we must try the simplest means first, and these lie undoubte', 'n this little mystery. to do this, we must try the simplest means first, and these lie undoubtedly i', 's little mystery. to do this, we must try the simplest means first, and these lie undoubtedly in an ', 'tle mystery. to do this, we must try the simplest means first, and these lie undoubtedly in an adver', 'ystery. to do this, we must try the simplest means first, and these lie undoubtedly in an advertisem', 'y. to do this, we must try the simplest means first, and these lie undoubtedly in an advertisement i', ' do this, we must try the simplest means first, and these lie undoubtedly in an advertisement in all', 'his, we must try the simplest means first, and these lie undoubtedly in an advertisement in all the ', 'we must try the simplest means first, and these lie undoubtedly in an advertisement in all the eveni', 'st try the simplest means first, and these lie undoubtedly in an advertisement in all the evening pa', 'y the simplest means first, and these lie undoubtedly in an advertisement in all the evening papers.', ' simplest means first, and these lie undoubtedly in an advertisement in all the evening papers. if t', 'lest means first, and these lie undoubtedly in an advertisement in all the evening papers. if this f', 'means first, and these lie undoubtedly in an advertisement in all the evening papers. if this fail, ', ' first, and these lie undoubtedly in an advertisement in all the evening papers. if this fail, i sha', 't, and these lie undoubtedly in an advertisement in all the evening papers. if this fail, i shall ha', 'd these lie undoubtedly in an advertisement in all the evening papers. if this fail, i shall have re', 'se lie undoubtedly in an advertisement in all the evening papers. if this fail, i shall have recours', 'e undoubtedly in an advertisement in all the evening papers. if this fail, i shall have recourse to ', 'oubtedly in an advertisement in all the evening papers. if this fail, i shall have recourse to other', 'dly in an advertisement in all the evening papers. if this fail, i shall have recourse to other meth', 'n an advertisement in all the evening papers. if this fail, i shall have recourse to other methods."', 'advertisement in all the evening papers. if this fail, i shall have recourse to other methods." "wha', 'tisement in all the evening papers. if this fail, i shall have recourse to other methods." "what wil', 'ent in all the evening papers. if this fail, i shall have recourse to other methods." "what will you', 'n all the evening papers. if this fail, i shall have recourse to other methods." "what will you say?', ' the evening papers. if this fail, i shall have recourse to other methods." "what will you say?" "gi', 'evening papers. if this fail, i shall have recourse to other methods." "what will you say?" "give me', 'ng papers. if this fail, i shall have recourse to other methods." "what will you say?" "give me a pe', 'pers. if this fail, i shall have recourse to other methods." "what will you say?" "give me a pencil ', ' if this fail, i shall have recourse to other methods." "what will you say?" "give me a pencil and t', 'his fail, i shall have recourse to other methods." "what will you say?" "give me a pencil and that s', 'ail, i shall have recourse to other methods." "what will you say?" "give me a pencil and that slip o', 'i shall have recourse to other methods." "what will you say?" "give me a pencil and that slip of pap', 'll have recourse to other methods." "what will you say?" "give me a pencil and that slip of paper. n', 've recourse to other methods." "what will you say?" "give me a pencil and that slip of paper. now, t', 'course to other methods." "what will you say?" "give me a pencil and that slip of paper. now, then: ', 'e to other methods." "what will you say?" "give me a pencil and that slip of paper. now, then: \'foun', 'other methods." "what will you say?" "give me a pencil and that slip of paper. now, then: \'found at ', ' methods." "what will you say?" "give me a pencil and that slip of paper. now, then: \'found at the c', 'ods." "what will you say?" "give me a pencil and that slip of paper. now, then: \'found at the corner', ' "what will you say?" "give me a pencil and that slip of paper. now, then: \'found at the corner of g', 't will you say?" "give me a pencil and that slip of paper. now, then: \'found at the corner of goodge', 'l you say?" "give me a pencil and that slip of paper. now, then: \'found at the corner of goodge stre', ' say?" "give me a pencil and that slip of paper. now, then: \'found at the corner of goodge street, a', '" "give me a pencil and that slip of paper. now, then: \'found at the corner of goodge street, a goos', "ve me a pencil and that slip of paper. now, then: 'found at the corner of goodge street, a goose and", " a pencil and that slip of paper. now, then: 'found at the corner of goodge street, a goose and a bl", "ncil and that slip of paper. now, then: 'found at the corner of goodge street, a goose and a black f", "and that slip of paper. now, then: 'found at the corner of goodge street, a goose and a black felt h", "hat slip of paper. now, then: 'found at the corner of goodge street, a goose and a black felt hat. m", "lip of paper. now, then: 'found at the corner of goodge street, a goose and a black felt hat. mr. he", "f paper. now, then: 'found at the corner of goodge street, a goose and a black felt hat. mr. henry b", "er. now, then: 'found at the corner of goodge street, a goose and a black felt hat. mr. henry baker ", "ow, then: 'found at the corner of goodge street, a goose and a black felt hat. mr. henry baker can h", "hen: 'found at the corner of goodge street, a goose and a black felt hat. mr. henry baker can have t", "'found at the corner of goodge street, a goose and a black felt hat. mr. henry baker can have the sa", 'd at the corner of goodge street, a goose and a black felt hat. mr. henry baker can have the same by', 'the corner of goodge street, a goose and a black felt hat. mr. henry baker can have the same by appl', 'orner of goodge street, a goose and a black felt hat. mr. henry baker can have the same by applying ', ' of goodge street, a goose and a black felt hat. mr. henry baker can have the same by applying at : ', 'oodge street, a goose and a black felt hat. mr. henry baker can have the same by applying at : this', ' street, a goose and a black felt hat. mr. henry baker can have the same by applying at : this even', 'et, a goose and a black felt hat. mr. henry baker can have the same by applying at : this evening a', ' goose and a black felt hat. mr. henry baker can have the same by applying at : this evening at b,', 'e and a black felt hat. mr. henry baker can have the same by applying at : this evening at b, bake', ' a black felt hat. mr. henry baker can have the same by applying at : this evening at b, baker str', "ack felt hat. mr. henry baker can have the same by applying at : this evening at b, baker street.'", "elt hat. mr. henry baker can have the same by applying at : this evening at b, baker street.' that", "at. mr. henry baker can have the same by applying at : this evening at b, baker street.' that is c", "r. henry baker can have the same by applying at : this evening at b, baker street.' that is clear ", "nry baker can have the same by applying at : this evening at b, baker street.' that is clear and c", "aker can have the same by applying at : this evening at b, baker street.' that is clear and concis", 'can have the same by applying at : this evening at b, baker street.\' that is clear and concise." "', 'ave the same by applying at : this evening at b, baker street.\' that is clear and concise." "very.', 'he same by applying at : this evening at b, baker street.\' that is clear and concise." "very. but ', 'me by applying at : this evening at b, baker street.\' that is clear and concise." "very. but will ', ' applying at : this evening at b, baker street.\' that is clear and concise." "very. but will he se', 'ying at : this evening at b, baker street.\' that is clear and concise." "very. but will he see it?', 'at : this evening at b, baker street.\' that is clear and concise." "very. but will he see it?" "we', ' this evening at b, baker street.\' that is clear and concise." "very. but will he see it?" "well, h', ' evening at b, baker street.\' that is clear and concise." "very. but will he see it?" "well, he is ', 'ing at b, baker street.\' that is clear and concise." "very. but will he see it?" "well, he is sure ', 't b, baker street.\' that is clear and concise." "very. but will he see it?" "well, he is sure to ke', ' baker street.\' that is clear and concise." "very. but will he see it?" "well, he is sure to keep an', 'r street.\' that is clear and concise." "very. but will he see it?" "well, he is sure to keep an eye ', 'eet.\' that is clear and concise." "very. but will he see it?" "well, he is sure to keep an eye on th', ' that is clear and concise." "very. but will he see it?" "well, he is sure to keep an eye on the pap', ' is clear and concise." "very. but will he see it?" "well, he is sure to keep an eye on the papers, ', 'lear and concise." "very. but will he see it?" "well, he is sure to keep an eye on the papers, since', 'and concise." "very. but will he see it?" "well, he is sure to keep an eye on the papers, since, to ', 'oncise." "very. but will he see it?" "well, he is sure to keep an eye on the papers, since, to a poo', 'e." "very. but will he see it?" "well, he is sure to keep an eye on the papers, since, to a poor man', 'very. but will he see it?" "well, he is sure to keep an eye on the papers, since, to a poor man, the', ' but will he see it?" "well, he is sure to keep an eye on the papers, since, to a poor man, the loss', 'will he see it?" "well, he is sure to keep an eye on the papers, since, to a poor man, the loss was ', 'he see it?" "well, he is sure to keep an eye on the papers, since, to a poor man, the loss was a hea', 'e it?" "well, he is sure to keep an eye on the papers, since, to a poor man, the loss was a heavy on', '" "well, he is sure to keep an eye on the papers, since, to a poor man, the loss was a heavy one. he', 'll, he is sure to keep an eye on the papers, since, to a poor man, the loss was a heavy one. he was ', 'e is sure to keep an eye on the papers, since, to a poor man, the loss was a heavy one. he was clear', 'sure to keep an eye on the papers, since, to a poor man, the loss was a heavy one. he was clearly so', 'to keep an eye on the papers, since, to a poor man, the loss was a heavy one. he was clearly so scar', 'ep an eye on the papers, since, to a poor man, the loss was a heavy one. he was clearly so scared by', ' eye on the papers, since, to a poor man, the loss was a heavy one. he was clearly so scared by his ', 'on the papers, since, to a poor man, the loss was a heavy one. he was clearly so scared by his misch', 'e papers, since, to a poor man, the loss was a heavy one. he was clearly so scared by his mischance ', 'ers, since, to a poor man, the loss was a heavy one. he was clearly so scared by his mischance in br', 'since, to a poor man, the loss was a heavy one. he was clearly so scared by his mischance in breakin', ', to a poor man, the loss was a heavy one. he was clearly so scared by his mischance in breaking the', 'a poor man, the loss was a heavy one. he was clearly so scared by his mischance in breaking the wind', 'r man, the loss was a heavy one. he was clearly so scared by his mischance in breaking the window an', ', the loss was a heavy one. he was clearly so scared by his mischance in breaking the window and by ', ' loss was a heavy one. he was clearly so scared by his mischance in breaking the window and by the a', ' was a heavy one. he was clearly so scared by his mischance in breaking the window and by the approa', 'a heavy one. he was clearly so scared by his mischance in breaking the window and by the approach of', 'vy one. he was clearly so scared by his mischance in breaking the window and by the approach of pete', 'e. he was clearly so scared by his mischance in breaking the window and by the approach of peterson ', ' was clearly so scared by his mischance in breaking the window and by the approach of peterson that ', 'clearly so scared by his mischance in breaking the window and by the approach of peterson that he th', 'ly so scared by his mischance in breaking the window and by the approach of peterson that he thought', ' scared by his mischance in breaking the window and by the approach of peterson that he thought of n', 'ed by his mischance in breaking the window and by the approach of peterson that he thought of nothin', ' his mischance in breaking the window and by the approach of peterson that he thought of nothing but', 'mischance in breaking the window and by the approach of peterson that he thought of nothing but flig', 'ance in breaking the window and by the approach of peterson that he thought of nothing but flight, b', 'in breaking the window and by the approach of peterson that he thought of nothing but flight, but si', 'eaking the window and by the approach of peterson that he thought of nothing but flight, but since t', 'g the window and by the approach of peterson that he thought of nothing but flight, but since then h', ' window and by the approach of peterson that he thought of nothing but flight, but since then he mus', 'ow and by the approach of peterson that he thought of nothing but flight, but since then he must hav', 'd by the approach of peterson that he thought of nothing but flight, but since then he must have bit', 'the approach of peterson that he thought of nothing but flight, but since then he must have bitterly', 'pproach of peterson that he thought of nothing but flight, but since then he must have bitterly regr', 'ch of peterson that he thought of nothing but flight, but since then he must have bitterly regretted', ' peterson that he thought of nothing but flight, but since then he must have bitterly regretted the ', 'rson that he thought of nothing but flight, but since then he must have bitterly regretted the impul', 'that he thought of nothing but flight, but since then he must have bitterly regretted the impulse wh', 'he thought of nothing but flight, but since then he must have bitterly regretted the impulse which c', 'ought of nothing but flight, but since then he must have bitterly regretted the impulse which caused', ' of nothing but flight, but since then he must have bitterly regretted the impulse which caused him ', 'othing but flight, but since then he must have bitterly regretted the impulse which caused him to dr', 'g but flight, but since then he must have bitterly regretted the impulse which caused him to drop hi', ' flight, but since then he must have bitterly regretted the impulse which caused him to drop his bir', 'ht, but since then he must have bitterly regretted the impulse which caused him to drop his bird. th', 'ut since then he must have bitterly regretted the impulse which caused him to drop his bird. then, a', 'nce then he must have bitterly regretted the impulse which caused him to drop his bird. then, again,', 'hen he must have bitterly regretted the impulse which caused him to drop his bird. then, again, the ', 'e must have bitterly regretted the impulse which caused him to drop his bird. then, again, the intro', 't have bitterly regretted the impulse which caused him to drop his bird. then, again, the introducti', 'e bitterly regretted the impulse which caused him to drop his bird. then, again, the introduction of', 'terly regretted the impulse which caused him to drop his bird. then, again, the introduction of his ', ' regretted the impulse which caused him to drop his bird. then, again, the introduction of his name ', 'etted the impulse which caused him to drop his bird. then, again, the introduction of his name will ', ' the impulse which caused him to drop his bird. then, again, the introduction of his name will cause', 'impulse which caused him to drop his bird. then, again, the introduction of his name will cause him ', 'se which caused him to drop his bird. then, again, the introduction of his name will cause him to se', 'ich caused him to drop his bird. then, again, the introduction of his name will cause him to see it,', 'aused him to drop his bird. then, again, the introduction of his name will cause him to see it, for ', ' him to drop his bird. then, again, the introduction of his name will cause him to see it, for every', 'to drop his bird. then, again, the introduction of his name will cause him to see it, for everyone w', 'op his bird. then, again, the introduction of his name will cause him to see it, for everyone who kn', 's bird. then, again, the introduction of his name will cause him to see it, for everyone who knows h', 'd. then, again, the introduction of his name will cause him to see it, for everyone who knows him wi', 'en, again, the introduction of his name will cause him to see it, for everyone who knows him will di', 'gain, the introduction of his name will cause him to see it, for everyone who knows him will direct ', ' the introduction of his name will cause him to see it, for everyone who knows him will direct his a', 'introduction of his name will cause him to see it, for everyone who knows him will direct his attent', 'duction of his name will cause him to see it, for everyone who knows him will direct his attention t', 'on of his name will cause him to see it, for everyone who knows him will direct his attention to it.', ' his name will cause him to see it, for everyone who knows him will direct his attention to it. here', 'name will cause him to see it, for everyone who knows him will direct his attention to it. here you ', 'will cause him to see it, for everyone who knows him will direct his attention to it. here you are, ', 'cause him to see it, for everyone who knows him will direct his attention to it. here you are, peter', ' him to see it, for everyone who knows him will direct his attention to it. here you are, peterson, ', 'to see it, for everyone who knows him will direct his attention to it. here you are, peterson, run d', 'e it, for everyone who knows him will direct his attention to it. here you are, peterson, run down t', ' for everyone who knows him will direct his attention to it. here you are, peterson, run down to the', 'everyone who knows him will direct his attention to it. here you are, peterson, run down to the adve', 'one who knows him will direct his attention to it. here you are, peterson, run down to the advertisi', 'ho knows him will direct his attention to it. here you are, peterson, run down to the advertising ag', 'ows him will direct his attention to it. here you are, peterson, run down to the advertising agency ', 'im will direct his attention to it. here you are, peterson, run down to the advertising agency and h', 'll direct his attention to it. here you are, peterson, run down to the advertising agency and have t', 'rect his attention to it. here you are, peterson, run down to the advertising agency and have this p', 'his attention to it. here you are, peterson, run down to the advertising agency and have this put in', 'ttention to it. here you are, peterson, run down to the advertising agency and have this put in the ', 'ion to it. here you are, peterson, run down to the advertising agency and have this put in the eveni', 'o it. here you are, peterson, run down to the advertising agency and have this put in the evening pa', ' here you are, peterson, run down to the advertising agency and have this put in the evening papers.', ' you are, peterson, run down to the advertising agency and have this put in the evening papers." "in', 'are, peterson, run down to the advertising agency and have this put in the evening papers." "in whic', 'peterson, run down to the advertising agency and have this put in the evening papers." "in which, si', 'son, run down to the advertising agency and have this put in the evening papers." "in which, sir?" "', 'run down to the advertising agency and have this put in the evening papers." "in which, sir?" "oh, i', 'own to the advertising agency and have this put in the evening papers." "in which, sir?" "oh, in the', 'o the advertising agency and have this put in the evening papers." "in which, sir?" "oh, in the glob', ' advertising agency and have this put in the evening papers." "in which, sir?" "oh, in the globe, st', 'rtising agency and have this put in the evening papers." "in which, sir?" "oh, in the globe, star, p', 'ng agency and have this put in the evening papers." "in which, sir?" "oh, in the globe, star, pall m', 'ency and have this put in the evening papers." "in which, sir?" "oh, in the globe, star, pall mall, ', 'and have this put in the evening papers." "in which, sir?" "oh, in the globe, star, pall mall, st. j', 'ave this put in the evening papers." "in which, sir?" "oh, in the globe, star, pall mall, st. james\'', 'his put in the evening papers." "in which, sir?" "oh, in the globe, star, pall mall, st. james\'s, ev', 'ut in the evening papers." "in which, sir?" "oh, in the globe, star, pall mall, st. james\'s, evening', ' the evening papers." "in which, sir?" "oh, in the globe, star, pall mall, st. james\'s, evening news', 'evening papers." "in which, sir?" "oh, in the globe, star, pall mall, st. james\'s, evening news, sta', 'ng papers." "in which, sir?" "oh, in the globe, star, pall mall, st. james\'s, evening news, standard', 'pers." "in which, sir?" "oh, in the globe, star, pall mall, st. james\'s, evening news, standard, ech', '" "in which, sir?" "oh, in the globe, star, pall mall, st. james\'s, evening news, standard, echo, an', ' which, sir?" "oh, in the globe, star, pall mall, st. james\'s, evening news, standard, echo, and any', 'h, sir?" "oh, in the globe, star, pall mall, st. james\'s, evening news, standard, echo, and any othe', 'r?" "oh, in the globe, star, pall mall, st. james\'s, evening news, standard, echo, and any others th', "oh, in the globe, star, pall mall, st. james's, evening news, standard, echo, and any others that oc", "n the globe, star, pall mall, st. james's, evening news, standard, echo, and any others that occur t", " globe, star, pall mall, st. james's, evening news, standard, echo, and any others that occur to you", 'e, star, pall mall, st. james\'s, evening news, standard, echo, and any others that occur to you." "v', 'ar, pall mall, st. james\'s, evening news, standard, echo, and any others that occur to you." "very w', 'all mall, st. james\'s, evening news, standard, echo, and any others that occur to you." "very well, ', 'all, st. james\'s, evening news, standard, echo, and any others that occur to you." "very well, sir. ', 'st. james\'s, evening news, standard, echo, and any others that occur to you." "very well, sir. and t', 'ames\'s, evening news, standard, echo, and any others that occur to you." "very well, sir. and this s', 's, evening news, standard, echo, and any others that occur to you." "very well, sir. and this stone?', 'ening news, standard, echo, and any others that occur to you." "very well, sir. and this stone?" "ah', ' news, standard, echo, and any others that occur to you." "very well, sir. and this stone?" "ah, yes', ', standard, echo, and any others that occur to you." "very well, sir. and this stone?" "ah, yes, i s', 'ndard, echo, and any others that occur to you." "very well, sir. and this stone?" "ah, yes, i shall ', ', echo, and any others that occur to you." "very well, sir. and this stone?" "ah, yes, i shall keep ', 'o, and any others that occur to you." "very well, sir. and this stone?" "ah, yes, i shall keep the s', 'd any others that occur to you." "very well, sir. and this stone?" "ah, yes, i shall keep the stone.', ' others that occur to you." "very well, sir. and this stone?" "ah, yes, i shall keep the stone. than', 'rs that occur to you." "very well, sir. and this stone?" "ah, yes, i shall keep the stone. thank you', 'at occur to you." "very well, sir. and this stone?" "ah, yes, i shall keep the stone. thank you. and', 'cur to you." "very well, sir. and this stone?" "ah, yes, i shall keep the stone. thank you. and, i s', 'o you." "very well, sir. and this stone?" "ah, yes, i shall keep the stone. thank you. and, i say, p', '." "very well, sir. and this stone?" "ah, yes, i shall keep the stone. thank you. and, i say, peters', 'ery well, sir. and this stone?" "ah, yes, i shall keep the stone. thank you. and, i say, peterson, j', 'ell, sir. and this stone?" "ah, yes, i shall keep the stone. thank you. and, i say, peterson, just b', 'sir. and this stone?" "ah, yes, i shall keep the stone. thank you. and, i say, peterson, just buy a ', 'and this stone?" "ah, yes, i shall keep the stone. thank you. and, i say, peterson, just buy a goose', 'his stone?" "ah, yes, i shall keep the stone. thank you. and, i say, peterson, just buy a goose on y', 'tone?" "ah, yes, i shall keep the stone. thank you. and, i say, peterson, just buy a goose on your w', '" "ah, yes, i shall keep the stone. thank you. and, i say, peterson, just buy a goose on your way ba', ', yes, i shall keep the stone. thank you. and, i say, peterson, just buy a goose on your way back an', ', i shall keep the stone. thank you. and, i say, peterson, just buy a goose on your way back and lea', 'hall keep the stone. thank you. and, i say, peterson, just buy a goose on your way back and leave it', 'keep the stone. thank you. and, i say, peterson, just buy a goose on your way back and leave it here', 'the stone. thank you. and, i say, peterson, just buy a goose on your way back and leave it here with', 'tone. thank you. and, i say, peterson, just buy a goose on your way back and leave it here with me, ', ' thank you. and, i say, peterson, just buy a goose on your way back and leave it here with me, for w', 'k you. and, i say, peterson, just buy a goose on your way back and leave it here with me, for we mus', '. and, i say, peterson, just buy a goose on your way back and leave it here with me, for we must hav', ', i say, peterson, just buy a goose on your way back and leave it here with me, for we must have one', 'ay, peterson, just buy a goose on your way back and leave it here with me, for we must have one to g', 'eterson, just buy a goose on your way back and leave it here with me, for we must have one to give t', 'on, just buy a goose on your way back and leave it here with me, for we must have one to give to thi', 'ust buy a goose on your way back and leave it here with me, for we must have one to give to this gen', 'uy a goose on your way back and leave it here with me, for we must have one to give to this gentlema', 'goose on your way back and leave it here with me, for we must have one to give to this gentleman in ', ' on your way back and leave it here with me, for we must have one to give to this gentleman in place', 'our way back and leave it here with me, for we must have one to give to this gentleman in place of t', 'ay back and leave it here with me, for we must have one to give to this gentleman in place of the on', 'ck and leave it here with me, for we must have one to give to this gentleman in place of the one whi', 'd leave it here with me, for we must have one to give to this gentleman in place of the one which yo', 've it here with me, for we must have one to give to this gentleman in place of the one which your fa', ' here with me, for we must have one to give to this gentleman in place of the one which your family ', ' with me, for we must have one to give to this gentleman in place of the one which your family is no', ' me, for we must have one to give to this gentleman in place of the one which your family is now dev', 'for we must have one to give to this gentleman in place of the one which your family is now devourin', 'e must have one to give to this gentleman in place of the one which your family is now devouring." w', 't have one to give to this gentleman in place of the one which your family is now devouring." when t', 'e one to give to this gentleman in place of the one which your family is now devouring." when the co', ' to give to this gentleman in place of the one which your family is now devouring." when the commiss', 'ive to this gentleman in place of the one which your family is now devouring." when the commissionai', 'o this gentleman in place of the one which your family is now devouring." when the commissionaire ha', 's gentleman in place of the one which your family is now devouring." when the commissionaire had gon', 'tleman in place of the one which your family is now devouring." when the commissionaire had gone, ho', 'n in place of the one which your family is now devouring." when the commissionaire had gone, holmes ', 'place of the one which your family is now devouring." when the commissionaire had gone, holmes took ', ' of the one which your family is now devouring." when the commissionaire had gone, holmes took up th', 'he one which your family is now devouring." when the commissionaire had gone, holmes took up the sto', 'e which your family is now devouring." when the commissionaire had gone, holmes took up the stone an', 'ch your family is now devouring." when the commissionaire had gone, holmes took up the stone and hel', 'ur family is now devouring." when the commissionaire had gone, holmes took up the stone and held it ', 'mily is now devouring." when the commissionaire had gone, holmes took up the stone and held it again', 'is now devouring." when the commissionaire had gone, holmes took up the stone and held it against th', 'w devouring." when the commissionaire had gone, holmes took up the stone and held it against the lig', 'ouring." when the commissionaire had gone, holmes took up the stone and held it against the light. "', 'g." when the commissionaire had gone, holmes took up the stone and held it against the light. "it\'s ', 'hen the commissionaire had gone, holmes took up the stone and held it against the light. "it\'s a bon', 'he commissionaire had gone, holmes took up the stone and held it against the light. "it\'s a bonny th', 'mmissionaire had gone, holmes took up the stone and held it against the light. "it\'s a bonny thing,"', 'ionaire had gone, holmes took up the stone and held it against the light. "it\'s a bonny thing," said', 're had gone, holmes took up the stone and held it against the light. "it\'s a bonny thing," said he. ', 'd gone, holmes took up the stone and held it against the light. "it\'s a bonny thing," said he. "just', 'e, holmes took up the stone and held it against the light. "it\'s a bonny thing," said he. "just see ', 'lmes took up the stone and held it against the light. "it\'s a bonny thing," said he. "just see how i', 'took up the stone and held it against the light. "it\'s a bonny thing," said he. "just see how it gli', 'up the stone and held it against the light. "it\'s a bonny thing," said he. "just see how it glints a', 'e stone and held it against the light. "it\'s a bonny thing," said he. "just see how it glints and sp', 'ne and held it against the light. "it\'s a bonny thing," said he. "just see how it glints and sparkle', 'd held it against the light. "it\'s a bonny thing," said he. "just see how it glints and sparkles. of', 'd it against the light. "it\'s a bonny thing," said he. "just see how it glints and sparkles. of cour', 'against the light. "it\'s a bonny thing," said he. "just see how it glints and sparkles. of course it', 'st the light. "it\'s a bonny thing," said he. "just see how it glints and sparkles. of course it is a', 'e light. "it\'s a bonny thing," said he. "just see how it glints and sparkles. of course it is a nucl', 'ht. "it\'s a bonny thing," said he. "just see how it glints and sparkles. of course it is a nucleus a', 'it\'s a bonny thing," said he. "just see how it glints and sparkles. of course it is a nucleus and fo', 'a bonny thing," said he. "just see how it glints and sparkles. of course it is a nucleus and focus o', 'ny thing," said he. "just see how it glints and sparkles. of course it is a nucleus and focus of cri', 'ing," said he. "just see how it glints and sparkles. of course it is a nucleus and focus of crime. e', ' said he. "just see how it glints and sparkles. of course it is a nucleus and focus of crime. every ', ' he. "just see how it glints and sparkles. of course it is a nucleus and focus of crime. every good ', '"just see how it glints and sparkles. of course it is a nucleus and focus of crime. every good stone', ' see how it glints and sparkles. of course it is a nucleus and focus of crime. every good stone is. ', 'how it glints and sparkles. of course it is a nucleus and focus of crime. every good stone is. they ', 't glints and sparkles. of course it is a nucleus and focus of crime. every good stone is. they are t', 'nts and sparkles. of course it is a nucleus and focus of crime. every good stone is. they are the de', "nd sparkles. of course it is a nucleus and focus of crime. every good stone is. they are the devil's", "arkles. of course it is a nucleus and focus of crime. every good stone is. they are the devil's pet ", "s. of course it is a nucleus and focus of crime. every good stone is. they are the devil's pet baits", " course it is a nucleus and focus of crime. every good stone is. they are the devil's pet baits. in ", "se it is a nucleus and focus of crime. every good stone is. they are the devil's pet baits. in the l", " is a nucleus and focus of crime. every good stone is. they are the devil's pet baits. in the larger", " nucleus and focus of crime. every good stone is. they are the devil's pet baits. in the larger and ", "eus and focus of crime. every good stone is. they are the devil's pet baits. in the larger and older", "nd focus of crime. every good stone is. they are the devil's pet baits. in the larger and older jewe", "cus of crime. every good stone is. they are the devil's pet baits. in the larger and older jewels ev", "f crime. every good stone is. they are the devil's pet baits. in the larger and older jewels every f", "me. every good stone is. they are the devil's pet baits. in the larger and older jewels every facet ", "very good stone is. they are the devil's pet baits. in the larger and older jewels every facet may s", "good stone is. they are the devil's pet baits. in the larger and older jewels every facet may stand ", "stone is. they are the devil's pet baits. in the larger and older jewels every facet may stand for a", " is. they are the devil's pet baits. in the larger and older jewels every facet may stand for a bloo", "they are the devil's pet baits. in the larger and older jewels every facet may stand for a bloody de", "are the devil's pet baits. in the larger and older jewels every facet may stand for a bloody deed. t", "he devil's pet baits. in the larger and older jewels every facet may stand for a bloody deed. this s", "vil's pet baits. in the larger and older jewels every facet may stand for a bloody deed. this stone ", ' pet baits. in the larger and older jewels every facet may stand for a bloody deed. this stone is no', 'baits. in the larger and older jewels every facet may stand for a bloody deed. this stone is not yet', '. in the larger and older jewels every facet may stand for a bloody deed. this stone is not yet twen', 'the larger and older jewels every facet may stand for a bloody deed. this stone is not yet twenty ye', 'arger and older jewels every facet may stand for a bloody deed. this stone is not yet twenty years o', ' and older jewels every facet may stand for a bloody deed. this stone is not yet twenty years old. i', 'older jewels every facet may stand for a bloody deed. this stone is not yet twenty years old. it was', ' jewels every facet may stand for a bloody deed. this stone is not yet twenty years old. it was foun', 'ls every facet may stand for a bloody deed. this stone is not yet twenty years old. it was found in ', 'ery facet may stand for a bloody deed. this stone is not yet twenty years old. it was found in the b', 'acet may stand for a bloody deed. this stone is not yet twenty years old. it was found in the banks ', 'may stand for a bloody deed. this stone is not yet twenty years old. it was found in the banks of th', 'tand for a bloody deed. this stone is not yet twenty years old. it was found in the banks of the amo', 'for a bloody deed. this stone is not yet twenty years old. it was found in the banks of the amoy riv', ' bloody deed. this stone is not yet twenty years old. it was found in the banks of the amoy river in', 'dy deed. this stone is not yet twenty years old. it was found in the banks of the amoy river in sout', 'ed. this stone is not yet twenty years old. it was found in the banks of the amoy river in southern ', 'his stone is not yet twenty years old. it was found in the banks of the amoy river in southern china', 'tone is not yet twenty years old. it was found in the banks of the amoy river in southern china and ', 'is not yet twenty years old. it was found in the banks of the amoy river in southern china and is re', 't yet twenty years old. it was found in the banks of the amoy river in southern china and is remarka', ' twenty years old. it was found in the banks of the amoy river in southern china and is remarkable i', 'ty years old. it was found in the banks of the amoy river in southern china and is remarkable in hav', 'ars old. it was found in the banks of the amoy river in southern china and is remarkable in having e', 'ld. it was found in the banks of the amoy river in southern china and is remarkable in having every ', 't was found in the banks of the amoy river in southern china and is remarkable in having every chara', ' found in the banks of the amoy river in southern china and is remarkable in having every characteri', 'd in the banks of the amoy river in southern china and is remarkable in having every characteristic ', 'the banks of the amoy river in southern china and is remarkable in having every characteristic of th', 'anks of the amoy river in southern china and is remarkable in having every characteristic of the car', 'of the amoy river in southern china and is remarkable in having every characteristic of the carbuncl', 'e amoy river in southern china and is remarkable in having every characteristic of the carbuncle, sa', 'y river in southern china and is remarkable in having every characteristic of the carbuncle, save th', 'er in southern china and is remarkable in having every characteristic of the carbuncle, save that it', ' southern china and is remarkable in having every characteristic of the carbuncle, save that it is b', 'hern china and is remarkable in having every characteristic of the carbuncle, save that it is blue i', 'china and is remarkable in having every characteristic of the carbuncle, save that it is blue in sha', ' and is remarkable in having every characteristic of the carbuncle, save that it is blue in shade in', 'is remarkable in having every characteristic of the carbuncle, save that it is blue in shade instead', 'markable in having every characteristic of the carbuncle, save that it is blue in shade instead of r', 'ble in having every characteristic of the carbuncle, save that it is blue in shade instead of ruby r', 'n having every characteristic of the carbuncle, save that it is blue in shade instead of ruby red. i', 'ing every characteristic of the carbuncle, save that it is blue in shade instead of ruby red. in spi', 'very characteristic of the carbuncle, save that it is blue in shade instead of ruby red. in spite of', 'characteristic of the carbuncle, save that it is blue in shade instead of ruby red. in spite of its ', 'cteristic of the carbuncle, save that it is blue in shade instead of ruby red. in spite of its youth', 'stic of the carbuncle, save that it is blue in shade instead of ruby red. in spite of its youth, it ', 'of the carbuncle, save that it is blue in shade instead of ruby red. in spite of its youth, it has a', 'e carbuncle, save that it is blue in shade instead of ruby red. in spite of its youth, it has alread', 'buncle, save that it is blue in shade instead of ruby red. in spite of its youth, it has already a s', 'e, save that it is blue in shade instead of ruby red. in spite of its youth, it has already a sinist', 've that it is blue in shade instead of ruby red. in spite of its youth, it has already a sinister hi', 'at it is blue in shade instead of ruby red. in spite of its youth, it has already a sinister history', ' is blue in shade instead of ruby red. in spite of its youth, it has already a sinister history. the', 'lue in shade instead of ruby red. in spite of its youth, it has already a sinister history. there ha', 'n shade instead of ruby red. in spite of its youth, it has already a sinister history. there have be', 'de instead of ruby red. in spite of its youth, it has already a sinister history. there have been tw', 'stead of ruby red. in spite of its youth, it has already a sinister history. there have been two mur', ' of ruby red. in spite of its youth, it has already a sinister history. there have been two murders,', 'uby red. in spite of its youth, it has already a sinister history. there have been two murders, a vi', 'ed. in spite of its youth, it has already a sinister history. there have been two murders, a vitriol', 'n spite of its youth, it has already a sinister history. there have been two murders, a vitriol-thro', 'te of its youth, it has already a sinister history. there have been two murders, a vitriol-throwing,', ' its youth, it has already a sinister history. there have been two murders, a vitriol-throwing, a su', 'youth, it has already a sinister history. there have been two murders, a vitriol-throwing, a suicide', ', it has already a sinister history. there have been two murders, a vitriol-throwing, a suicide, and', 'has already a sinister history. there have been two murders, a vitriol-throwing, a suicide, and seve', 'lready a sinister history. there have been two murders, a vitriol-throwing, a suicide, and several r', 'y a sinister history. there have been two murders, a vitriol-throwing, a suicide, and several robber', 'inister history. there have been two murders, a vitriol-throwing, a suicide, and several robberies b', 'er history. there have been two murders, a vitriol-throwing, a suicide, and several robberies brough', 'story. there have been two murders, a vitriol-throwing, a suicide, and several robberies brought abo', '. there have been two murders, a vitriol-throwing, a suicide, and several robberies brought about fo', 're have been two murders, a vitriol-throwing, a suicide, and several robberies brought about for the', 've been two murders, a vitriol-throwing, a suicide, and several robberies brought about for the sake', 'en two murders, a vitriol-throwing, a suicide, and several robberies brought about for the sake of t', 'o murders, a vitriol-throwing, a suicide, and several robberies brought about for the sake of this f', 'ders, a vitriol-throwing, a suicide, and several robberies brought about for the sake of this forty-', ' a vitriol-throwing, a suicide, and several robberies brought about for the sake of this forty-grain', 'triol-throwing, a suicide, and several robberies brought about for the sake of this forty-grain weig', '-throwing, a suicide, and several robberies brought about for the sake of this forty-grain weight of', 'wing, a suicide, and several robberies brought about for the sake of this forty-grain weight of crys', ' a suicide, and several robberies brought about for the sake of this forty-grain weight of crystalli', 'icide, and several robberies brought about for the sake of this forty-grain weight of crystallised c', ', and several robberies brought about for the sake of this forty-grain weight of crystallised charco', ' several robberies brought about for the sake of this forty-grain weight of crystallised charcoal. w', 'ral robberies brought about for the sake of this forty-grain weight of crystallised charcoal. who wo', 'obberies brought about for the sake of this forty-grain weight of crystallised charcoal. who would t', 'ies brought about for the sake of this forty-grain weight of crystallised charcoal. who would think ', 'rought about for the sake of this forty-grain weight of crystallised charcoal. who would think that ', 't about for the sake of this forty-grain weight of crystallised charcoal. who would think that so pr', 'ut for the sake of this forty-grain weight of crystallised charcoal. who would think that so pretty ', 'r the sake of this forty-grain weight of crystallised charcoal. who would think that so pretty a toy', ' sake of this forty-grain weight of crystallised charcoal. who would think that so pretty a toy woul', ' of this forty-grain weight of crystallised charcoal. who would think that so pretty a toy would be ', 'his forty-grain weight of crystallised charcoal. who would think that so pretty a toy would be a pur', 'orty-grain weight of crystallised charcoal. who would think that so pretty a toy would be a purveyor', 'grain weight of crystallised charcoal. who would think that so pretty a toy would be a purveyor to t', ' weight of crystallised charcoal. who would think that so pretty a toy would be a purveyor to the ga', 'ht of crystallised charcoal. who would think that so pretty a toy would be a purveyor to the gallows', ' crystallised charcoal. who would think that so pretty a toy would be a purveyor to the gallows and ', 'tallised charcoal. who would think that so pretty a toy would be a purveyor to the gallows and the p', 'sed charcoal. who would think that so pretty a toy would be a purveyor to the gallows and the prison', "harcoal. who would think that so pretty a toy would be a purveyor to the gallows and the prison? i'l", "al. who would think that so pretty a toy would be a purveyor to the gallows and the prison? i'll loc", "ho would think that so pretty a toy would be a purveyor to the gallows and the prison? i'll lock it ", "uld think that so pretty a toy would be a purveyor to the gallows and the prison? i'll lock it up in", "hink that so pretty a toy would be a purveyor to the gallows and the prison? i'll lock it up in my s", "that so pretty a toy would be a purveyor to the gallows and the prison? i'll lock it up in my strong", "so pretty a toy would be a purveyor to the gallows and the prison? i'll lock it up in my strong box ", "etty a toy would be a purveyor to the gallows and the prison? i'll lock it up in my strong box now a", "a toy would be a purveyor to the gallows and the prison? i'll lock it up in my strong box now and dr", " would be a purveyor to the gallows and the prison? i'll lock it up in my strong box now and drop a ", "d be a purveyor to the gallows and the prison? i'll lock it up in my strong box now and drop a line ", "a purveyor to the gallows and the prison? i'll lock it up in my strong box now and drop a line to th", "veyor to the gallows and the prison? i'll lock it up in my strong box now and drop a line to the cou", " to the gallows and the prison? i'll lock it up in my strong box now and drop a line to the countess", "he gallows and the prison? i'll lock it up in my strong box now and drop a line to the countess to s", "llows and the prison? i'll lock it up in my strong box now and drop a line to the countess to say th", " and the prison? i'll lock it up in my strong box now and drop a line to the countess to say that we", "the prison? i'll lock it up in my strong box now and drop a line to the countess to say that we have", 'rison? i\'ll lock it up in my strong box now and drop a line to the countess to say that we have it."', '? i\'ll lock it up in my strong box now and drop a line to the countess to say that we have it." "do ', 'l lock it up in my strong box now and drop a line to the countess to say that we have it." "do you t', 'k it up in my strong box now and drop a line to the countess to say that we have it." "do you think ', 'up in my strong box now and drop a line to the countess to say that we have it." "do you think that ', ' my strong box now and drop a line to the countess to say that we have it." "do you think that this ', 'trong box now and drop a line to the countess to say that we have it." "do you think that this man h', ' box now and drop a line to the countess to say that we have it." "do you think that this man horner', 'now and drop a line to the countess to say that we have it." "do you think that this man horner is i', 'nd drop a line to the countess to say that we have it." "do you think that this man horner is innoce', 'op a line to the countess to say that we have it." "do you think that this man horner is innocent?" ', 'line to the countess to say that we have it." "do you think that this man horner is innocent?" "i ca', 'to the countess to say that we have it." "do you think that this man horner is innocent?" "i cannot ', 'e countess to say that we have it." "do you think that this man horner is innocent?" "i cannot tell.', 'ntess to say that we have it." "do you think that this man horner is innocent?" "i cannot tell." "we', ' to say that we have it." "do you think that this man horner is innocent?" "i cannot tell." "well, t', 'ay that we have it." "do you think that this man horner is innocent?" "i cannot tell." "well, then, ', 'at we have it." "do you think that this man horner is innocent?" "i cannot tell." "well, then, do yo', ' have it." "do you think that this man horner is innocent?" "i cannot tell." "well, then, do you ima', ' it." "do you think that this man horner is innocent?" "i cannot tell." "well, then, do you imagine ', ' "do you think that this man horner is innocent?" "i cannot tell." "well, then, do you imagine that ', 'you think that this man horner is innocent?" "i cannot tell." "well, then, do you imagine that this ', 'hink that this man horner is innocent?" "i cannot tell." "well, then, do you imagine that this other', 'that this man horner is innocent?" "i cannot tell." "well, then, do you imagine that this other one,', 'this man horner is innocent?" "i cannot tell." "well, then, do you imagine that this other one, henr', 'man horner is innocent?" "i cannot tell." "well, then, do you imagine that this other one, henry bak', 'orner is innocent?" "i cannot tell." "well, then, do you imagine that this other one, henry baker, h', ' is innocent?" "i cannot tell." "well, then, do you imagine that this other one, henry baker, had an', 'nnocent?" "i cannot tell." "well, then, do you imagine that this other one, henry baker, had anythin', 'nt?" "i cannot tell." "well, then, do you imagine that this other one, henry baker, had anything to ', '"i cannot tell." "well, then, do you imagine that this other one, henry baker, had anything to do wi', 'nnot tell." "well, then, do you imagine that this other one, henry baker, had anything to do with th', 'tell." "well, then, do you imagine that this other one, henry baker, had anything to do with the mat', '" "well, then, do you imagine that this other one, henry baker, had anything to do with the matter?"', 'll, then, do you imagine that this other one, henry baker, had anything to do with the matter?" "it ', 'hen, do you imagine that this other one, henry baker, had anything to do with the matter?" "it is, i', 'do you imagine that this other one, henry baker, had anything to do with the matter?" "it is, i thin', 'u imagine that this other one, henry baker, had anything to do with the matter?" "it is, i think, mu', 'gine that this other one, henry baker, had anything to do with the matter?" "it is, i think, much mo', 'that this other one, henry baker, had anything to do with the matter?" "it is, i think, much more li', 'this other one, henry baker, had anything to do with the matter?" "it is, i think, much more likely ', 'other one, henry baker, had anything to do with the matter?" "it is, i think, much more likely that ', ' one, henry baker, had anything to do with the matter?" "it is, i think, much more likely that henry', ' henry baker, had anything to do with the matter?" "it is, i think, much more likely that henry bake', 'y baker, had anything to do with the matter?" "it is, i think, much more likely that henry baker is ', 'er, had anything to do with the matter?" "it is, i think, much more likely that henry baker is an ab', 'ad anything to do with the matter?" "it is, i think, much more likely that henry baker is an absolut', 'ything to do with the matter?" "it is, i think, much more likely that henry baker is an absolutely i', 'g to do with the matter?" "it is, i think, much more likely that henry baker is an absolutely innoce', 'do with the matter?" "it is, i think, much more likely that henry baker is an absolutely innocent ma', 'th the matter?" "it is, i think, much more likely that henry baker is an absolutely innocent man, wh', 'e matter?" "it is, i think, much more likely that henry baker is an absolutely innocent man, who had', 'ter?" "it is, i think, much more likely that henry baker is an absolutely innocent man, who had no i', ' "it is, i think, much more likely that henry baker is an absolutely innocent man, who had no idea t', 'is, i think, much more likely that henry baker is an absolutely innocent man, who had no idea that t', ' think, much more likely that henry baker is an absolutely innocent man, who had no idea that the bi', 'k, much more likely that henry baker is an absolutely innocent man, who had no idea that the bird wh', 'ch more likely that henry baker is an absolutely innocent man, who had no idea that the bird which h', 're likely that henry baker is an absolutely innocent man, who had no idea that the bird which he was', 'kely that henry baker is an absolutely innocent man, who had no idea that the bird which he was carr', 'that henry baker is an absolutely innocent man, who had no idea that the bird which he was carrying ', 'henry baker is an absolutely innocent man, who had no idea that the bird which he was carrying was o', ' baker is an absolutely innocent man, who had no idea that the bird which he was carrying was of con', 'r is an absolutely innocent man, who had no idea that the bird which he was carrying was of consider', 'an absolutely innocent man, who had no idea that the bird which he was carrying was of considerably ', 'solutely innocent man, who had no idea that the bird which he was carrying was of considerably more ', 'ely innocent man, who had no idea that the bird which he was carrying was of considerably more value', 'nnocent man, who had no idea that the bird which he was carrying was of considerably more value than', 'nt man, who had no idea that the bird which he was carrying was of considerably more value than if i', 'n, who had no idea that the bird which he was carrying was of considerably more value than if it wer', 'o had no idea that the bird which he was carrying was of considerably more value than if it were mad', ' no idea that the bird which he was carrying was of considerably more value than if it were made of ', 'dea that the bird which he was carrying was of considerably more value than if it were made of solid', 'hat the bird which he was carrying was of considerably more value than if it were made of solid gold', 'he bird which he was carrying was of considerably more value than if it were made of solid gold. tha', 'rd which he was carrying was of considerably more value than if it were made of solid gold. that, ho', 'ich he was carrying was of considerably more value than if it were made of solid gold. that, however', 'e was carrying was of considerably more value than if it were made of solid gold. that, however, i s', ' carrying was of considerably more value than if it were made of solid gold. that, however, i shall ', 'ying was of considerably more value than if it were made of solid gold. that, however, i shall deter', 'was of considerably more value than if it were made of solid gold. that, however, i shall determine ', 'f considerably more value than if it were made of solid gold. that, however, i shall determine by a ', 'siderably more value than if it were made of solid gold. that, however, i shall determine by a very ', 'ably more value than if it were made of solid gold. that, however, i shall determine by a very simpl', 'more value than if it were made of solid gold. that, however, i shall determine by a very simple tes', 'value than if it were made of solid gold. that, however, i shall determine by a very simple test if ', ' than if it were made of solid gold. that, however, i shall determine by a very simple test if we ha', ' if it were made of solid gold. that, however, i shall determine by a very simple test if we have an', 't were made of solid gold. that, however, i shall determine by a very simple test if we have an answ', 'e made of solid gold. that, however, i shall determine by a very simple test if we have an answer to', 'e of solid gold. that, however, i shall determine by a very simple test if we have an answer to our ', 'solid gold. that, however, i shall determine by a very simple test if we have an answer to our adver', ' gold. that, however, i shall determine by a very simple test if we have an answer to our advertisem', '. that, however, i shall determine by a very simple test if we have an answer to our advertisement."', 't, however, i shall determine by a very simple test if we have an answer to our advertisement." "and', 'wever, i shall determine by a very simple test if we have an answer to our advertisement." "and you ', ', i shall determine by a very simple test if we have an answer to our advertisement." "and you can d', 'hall determine by a very simple test if we have an answer to our advertisement." "and you can do not', 'determine by a very simple test if we have an answer to our advertisement." "and you can do nothing ', 'mine by a very simple test if we have an answer to our advertisement." "and you can do nothing until', 'by a very simple test if we have an answer to our advertisement." "and you can do nothing until then', 'very simple test if we have an answer to our advertisement." "and you can do nothing until then?" "n', 'simple test if we have an answer to our advertisement." "and you can do nothing until then?" "nothin', 'e test if we have an answer to our advertisement." "and you can do nothing until then?" "nothing." "', 't if we have an answer to our advertisement." "and you can do nothing until then?" "nothing." "in th', 'we have an answer to our advertisement." "and you can do nothing until then?" "nothing." "in that ca', 've an answer to our advertisement." "and you can do nothing until then?" "nothing." "in that case i ', ' answer to our advertisement." "and you can do nothing until then?" "nothing." "in that case i shall', 'er to our advertisement." "and you can do nothing until then?" "nothing." "in that case i shall cont', ' our advertisement." "and you can do nothing until then?" "nothing." "in that case i shall continue ', 'advertisement." "and you can do nothing until then?" "nothing." "in that case i shall continue my pr', 'tisement." "and you can do nothing until then?" "nothing." "in that case i shall continue my profess', 'ent." "and you can do nothing until then?" "nothing." "in that case i shall continue my professional', ' "and you can do nothing until then?" "nothing." "in that case i shall continue my professional roun', ' you can do nothing until then?" "nothing." "in that case i shall continue my professional round. bu', 'can do nothing until then?" "nothing." "in that case i shall continue my professional round. but i s', 'o nothing until then?" "nothing." "in that case i shall continue my professional round. but i shall ', 'hing until then?" "nothing." "in that case i shall continue my professional round. but i shall come ', 'until then?" "nothing." "in that case i shall continue my professional round. but i shall come back ', ' then?" "nothing." "in that case i shall continue my professional round. but i shall come back in th', '?" "nothing." "in that case i shall continue my professional round. but i shall come back in the eve', 'othing." "in that case i shall continue my professional round. but i shall come back in the evening ', 'g." "in that case i shall continue my professional round. but i shall come back in the evening at th', 'in that case i shall continue my professional round. but i shall come back in the evening at the hou', 'at case i shall continue my professional round. but i shall come back in the evening at the hour you', 'se i shall continue my professional round. but i shall come back in the evening at the hour you have', 'shall continue my professional round. but i shall come back in the evening at the hour you have ment', ' continue my professional round. but i shall come back in the evening at the hour you have mentioned', 'inue my professional round. but i shall come back in the evening at the hour you have mentioned, for', 'my professional round. but i shall come back in the evening at the hour you have mentioned, for i sh', 'ofessional round. but i shall come back in the evening at the hour you have mentioned, for i should ', 'ional round. but i shall come back in the evening at the hour you have mentioned, for i should like ', ' round. but i shall come back in the evening at the hour you have mentioned, for i should like to se', 'd. but i shall come back in the evening at the hour you have mentioned, for i should like to see the', 't i shall come back in the evening at the hour you have mentioned, for i should like to see the solu', 'hall come back in the evening at the hour you have mentioned, for i should like to see the solution ', 'come back in the evening at the hour you have mentioned, for i should like to see the solution of so', 'back in the evening at the hour you have mentioned, for i should like to see the solution of so tang', 'in the evening at the hour you have mentioned, for i should like to see the solution of so tangled a', 'e evening at the hour you have mentioned, for i should like to see the solution of so tangled a busi', 'ning at the hour you have mentioned, for i should like to see the solution of so tangled a business.', 'at the hour you have mentioned, for i should like to see the solution of so tangled a business." "ve', 'e hour you have mentioned, for i should like to see the solution of so tangled a business." "very gl', 'r you have mentioned, for i should like to see the solution of so tangled a business." "very glad to', ' have mentioned, for i should like to see the solution of so tangled a business." "very glad to see ', ' mentioned, for i should like to see the solution of so tangled a business." "very glad to see you. ', 'ioned, for i should like to see the solution of so tangled a business." "very glad to see you. i din', ', for i should like to see the solution of so tangled a business." "very glad to see you. i dine at ', ' i should like to see the solution of so tangled a business." "very glad to see you. i dine at seven', 'ould like to see the solution of so tangled a business." "very glad to see you. i dine at seven. the', 'like to see the solution of so tangled a business." "very glad to see you. i dine at seven. there is', 'to see the solution of so tangled a business." "very glad to see you. i dine at seven. there is a wo', 'e the solution of so tangled a business." "very glad to see you. i dine at seven. there is a woodcoc', ' solution of so tangled a business." "very glad to see you. i dine at seven. there is a woodcock, i ', 'tion of so tangled a business." "very glad to see you. i dine at seven. there is a woodcock, i belie', 'of so tangled a business." "very glad to see you. i dine at seven. there is a woodcock, i believe. b', ' tangled a business." "very glad to see you. i dine at seven. there is a woodcock, i believe. by the', 'led a business." "very glad to see you. i dine at seven. there is a woodcock, i believe. by the way,', ' business." "very glad to see you. i dine at seven. there is a woodcock, i believe. by the way, in v', 'ness." "very glad to see you. i dine at seven. there is a woodcock, i believe. by the way, in view o', '" "very glad to see you. i dine at seven. there is a woodcock, i believe. by the way, in view of rec', 'ry glad to see you. i dine at seven. there is a woodcock, i believe. by the way, in view of recent o', 'ad to see you. i dine at seven. there is a woodcock, i believe. by the way, in view of recent occurr', ' see you. i dine at seven. there is a woodcock, i believe. by the way, in view of recent occurrences', 'you. i dine at seven. there is a woodcock, i believe. by the way, in view of recent occurrences, per', 'i dine at seven. there is a woodcock, i believe. by the way, in view of recent occurrences, perhaps ', 'e at seven. there is a woodcock, i believe. by the way, in view of recent occurrences, perhaps i oug', 'seven. there is a woodcock, i believe. by the way, in view of recent occurrences, perhaps i ought to', '. there is a woodcock, i believe. by the way, in view of recent occurrences, perhaps i ought to ask ', 're is a woodcock, i believe. by the way, in view of recent occurrences, perhaps i ought to ask mrs. ', ' a woodcock, i believe. by the way, in view of recent occurrences, perhaps i ought to ask mrs. hudso', 'odcock, i believe. by the way, in view of recent occurrences, perhaps i ought to ask mrs. hudson to ', 'k, i believe. by the way, in view of recent occurrences, perhaps i ought to ask mrs. hudson to exami', 'believe. by the way, in view of recent occurrences, perhaps i ought to ask mrs. hudson to examine it', 've. by the way, in view of recent occurrences, perhaps i ought to ask mrs. hudson to examine its cro', 'y the way, in view of recent occurrences, perhaps i ought to ask mrs. hudson to examine its crop." i', ' way, in view of recent occurrences, perhaps i ought to ask mrs. hudson to examine its crop." i had ', ' in view of recent occurrences, perhaps i ought to ask mrs. hudson to examine its crop." i had been ', 'iew of recent occurrences, perhaps i ought to ask mrs. hudson to examine its crop." i had been delay', 'f recent occurrences, perhaps i ought to ask mrs. hudson to examine its crop." i had been delayed at', 'ent occurrences, perhaps i ought to ask mrs. hudson to examine its crop." i had been delayed at a ca', 'ccurrences, perhaps i ought to ask mrs. hudson to examine its crop." i had been delayed at a case, a', 'ences, perhaps i ought to ask mrs. hudson to examine its crop." i had been delayed at a case, and it', ', perhaps i ought to ask mrs. hudson to examine its crop." i had been delayed at a case, and it was ', 'haps i ought to ask mrs. hudson to examine its crop." i had been delayed at a case, and it was a lit', 'i ought to ask mrs. hudson to examine its crop." i had been delayed at a case, and it was a little a', 'ht to ask mrs. hudson to examine its crop." i had been delayed at a case, and it was a little after ', ' ask mrs. hudson to examine its crop." i had been delayed at a case, and it was a little after half-', 'mrs. hudson to examine its crop." i had been delayed at a case, and it was a little after half-past ', 'hudson to examine its crop." i had been delayed at a case, and it was a little after half-past six w', 'n to examine its crop." i had been delayed at a case, and it was a little after half-past six when i', 'examine its crop." i had been delayed at a case, and it was a little after half-past six when i foun', 'ne its crop." i had been delayed at a case, and it was a little after half-past six when i found mys', 's crop." i had been delayed at a case, and it was a little after half-past six when i found myself i', 'p." i had been delayed at a case, and it was a little after half-past six when i found myself in bak', ' had been delayed at a case, and it was a little after half-past six when i found myself in baker st', 'been delayed at a case, and it was a little after half-past six when i found myself in baker street ', 'delayed at a case, and it was a little after half-past six when i found myself in baker street once ', 'ed at a case, and it was a little after half-past six when i found myself in baker street once more.', ' a case, and it was a little after half-past six when i found myself in baker street once more. as i', 'se, and it was a little after half-past six when i found myself in baker street once more. as i appr', 'nd it was a little after half-past six when i found myself in baker street once more. as i approache', ' was a little after half-past six when i found myself in baker street once more. as i approached the', 'a little after half-past six when i found myself in baker street once more. as i approached the hous', 'tle after half-past six when i found myself in baker street once more. as i approached the house i s', 'fter half-past six when i found myself in baker street once more. as i approached the house i saw a ', 'half-past six when i found myself in baker street once more. as i approached the house i saw a tall ', 'past six when i found myself in baker street once more. as i approached the house i saw a tall man i', 'six when i found myself in baker street once more. as i approached the house i saw a tall man in a s', 'hen i found myself in baker street once more. as i approached the house i saw a tall man in a scotch', ' found myself in baker street once more. as i approached the house i saw a tall man in a scotch bonn', 'd myself in baker street once more. as i approached the house i saw a tall man in a scotch bonnet wi', 'elf in baker street once more. as i approached the house i saw a tall man in a scotch bonnet with a ', 'n baker street once more. as i approached the house i saw a tall man in a scotch bonnet with a coat ', 'er street once more. as i approached the house i saw a tall man in a scotch bonnet with a coat which', 'reet once more. as i approached the house i saw a tall man in a scotch bonnet with a coat which was ', 'once more. as i approached the house i saw a tall man in a scotch bonnet with a coat which was butto', 'more. as i approached the house i saw a tall man in a scotch bonnet with a coat which was buttoned u', ' as i approached the house i saw a tall man in a scotch bonnet with a coat which was buttoned up to ', ' approached the house i saw a tall man in a scotch bonnet with a coat which was buttoned up to his c', 'oached the house i saw a tall man in a scotch bonnet with a coat which was buttoned up to his chin w', 'd the house i saw a tall man in a scotch bonnet with a coat which was buttoned up to his chin waitin', ' house i saw a tall man in a scotch bonnet with a coat which was buttoned up to his chin waiting out', 'e i saw a tall man in a scotch bonnet with a coat which was buttoned up to his chin waiting outside ', 'aw a tall man in a scotch bonnet with a coat which was buttoned up to his chin waiting outside in th', 'tall man in a scotch bonnet with a coat which was buttoned up to his chin waiting outside in the bri', 'man in a scotch bonnet with a coat which was buttoned up to his chin waiting outside in the bright s', 'n a scotch bonnet with a coat which was buttoned up to his chin waiting outside in the bright semici', 'cotch bonnet with a coat which was buttoned up to his chin waiting outside in the bright semicircle ', ' bonnet with a coat which was buttoned up to his chin waiting outside in the bright semicircle which', 'et with a coat which was buttoned up to his chin waiting outside in the bright semicircle which was ', 'th a coat which was buttoned up to his chin waiting outside in the bright semicircle which was throw', 'coat which was buttoned up to his chin waiting outside in the bright semicircle which was thrown fro', 'which was buttoned up to his chin waiting outside in the bright semicircle which was thrown from the', ' was buttoned up to his chin waiting outside in the bright semicircle which was thrown from the fanl', 'buttoned up to his chin waiting outside in the bright semicircle which was thrown from the fanlight.', 'ned up to his chin waiting outside in the bright semicircle which was thrown from the fanlight. just', 'p to his chin waiting outside in the bright semicircle which was thrown from the fanlight. just as i', 'his chin waiting outside in the bright semicircle which was thrown from the fanlight. just as i arri', 'hin waiting outside in the bright semicircle which was thrown from the fanlight. just as i arrived t', 'aiting outside in the bright semicircle which was thrown from the fanlight. just as i arrived the do', 'g outside in the bright semicircle which was thrown from the fanlight. just as i arrived the door wa', 'side in the bright semicircle which was thrown from the fanlight. just as i arrived the door was ope', 'in the bright semicircle which was thrown from the fanlight. just as i arrived the door was opened, ', 'e bright semicircle which was thrown from the fanlight. just as i arrived the door was opened, and w', 'ght semicircle which was thrown from the fanlight. just as i arrived the door was opened, and we wer', 'emicircle which was thrown from the fanlight. just as i arrived the door was opened, and we were sho', 'rcle which was thrown from the fanlight. just as i arrived the door was opened, and we were shown up', 'which was thrown from the fanlight. just as i arrived the door was opened, and we were shown up toge', ' was thrown from the fanlight. just as i arrived the door was opened, and we were shown up together ', 'thrown from the fanlight. just as i arrived the door was opened, and we were shown up together to ho', "n from the fanlight. just as i arrived the door was opened, and we were shown up together to holmes'", "m the fanlight. just as i arrived the door was opened, and we were shown up together to holmes' room", ' fanlight. just as i arrived the door was opened, and we were shown up together to holmes\' room. "mr', 'ight. just as i arrived the door was opened, and we were shown up together to holmes\' room. "mr. hen', ' just as i arrived the door was opened, and we were shown up together to holmes\' room. "mr. henry ba', ' as i arrived the door was opened, and we were shown up together to holmes\' room. "mr. henry baker, ', ' arrived the door was opened, and we were shown up together to holmes\' room. "mr. henry baker, i bel', 'ved the door was opened, and we were shown up together to holmes\' room. "mr. henry baker, i believe,', 'he door was opened, and we were shown up together to holmes\' room. "mr. henry baker, i believe," sai', 'or was opened, and we were shown up together to holmes\' room. "mr. henry baker, i believe," said he,', 's opened, and we were shown up together to holmes\' room. "mr. henry baker, i believe," said he, risi', 'ned, and we were shown up together to holmes\' room. "mr. henry baker, i believe," said he, rising fr', 'and we were shown up together to holmes\' room. "mr. henry baker, i believe," said he, rising from hi', 'e were shown up together to holmes\' room. "mr. henry baker, i believe," said he, rising from his arm', 'e shown up together to holmes\' room. "mr. henry baker, i believe," said he, rising from his armchair', 'wn up together to holmes\' room. "mr. henry baker, i believe," said he, rising from his armchair and ', ' together to holmes\' room. "mr. henry baker, i believe," said he, rising from his armchair and greet', 'ther to holmes\' room. "mr. henry baker, i believe," said he, rising from his armchair and greeting h', 'to holmes\' room. "mr. henry baker, i believe," said he, rising from his armchair and greeting his vi', 'lmes\' room. "mr. henry baker, i believe," said he, rising from his armchair and greeting his visitor', ' room. "mr. henry baker, i believe," said he, rising from his armchair and greeting his visitor with', '. "mr. henry baker, i believe," said he, rising from his armchair and greeting his visitor with the ', '. henry baker, i believe," said he, rising from his armchair and greeting his visitor with the easy ', 'ry baker, i believe," said he, rising from his armchair and greeting his visitor with the easy air o', 'ker, i believe," said he, rising from his armchair and greeting his visitor with the easy air of gen', 'i believe," said he, rising from his armchair and greeting his visitor with the easy air of genialit', 'ieve," said he, rising from his armchair and greeting his visitor with the easy air of geniality whi', '" said he, rising from his armchair and greeting his visitor with the easy air of geniality which he', 'd he, rising from his armchair and greeting his visitor with the easy air of geniality which he coul', ' rising from his armchair and greeting his visitor with the easy air of geniality which he could so ', 'ng from his armchair and greeting his visitor with the easy air of geniality which he could so readi', 'om his armchair and greeting his visitor with the easy air of geniality which he could so readily as', 's armchair and greeting his visitor with the easy air of geniality which he could so readily assume.', 'chair and greeting his visitor with the easy air of geniality which he could so readily assume. "pra', ' and greeting his visitor with the easy air of geniality which he could so readily assume. "pray tak', 'greeting his visitor with the easy air of geniality which he could so readily assume. "pray take thi', 'ing his visitor with the easy air of geniality which he could so readily assume. "pray take this cha', 'is visitor with the easy air of geniality which he could so readily assume. "pray take this chair by', 'sitor with the easy air of geniality which he could so readily assume. "pray take this chair by the ', ' with the easy air of geniality which he could so readily assume. "pray take this chair by the fire,', ' the easy air of geniality which he could so readily assume. "pray take this chair by the fire, mr. ', 'easy air of geniality which he could so readily assume. "pray take this chair by the fire, mr. baker', 'air of geniality which he could so readily assume. "pray take this chair by the fire, mr. baker. it ', 'f geniality which he could so readily assume. "pray take this chair by the fire, mr. baker. it is a ', 'iality which he could so readily assume. "pray take this chair by the fire, mr. baker. it is a cold ', 'y which he could so readily assume. "pray take this chair by the fire, mr. baker. it is a cold night', 'ch he could so readily assume. "pray take this chair by the fire, mr. baker. it is a cold night, and', ' could so readily assume. "pray take this chair by the fire, mr. baker. it is a cold night, and i ob', 'd so readily assume. "pray take this chair by the fire, mr. baker. it is a cold night, and i observe', 'readily assume. "pray take this chair by the fire, mr. baker. it is a cold night, and i observe that', 'ly assume. "pray take this chair by the fire, mr. baker. it is a cold night, and i observe that your', 'sume. "pray take this chair by the fire, mr. baker. it is a cold night, and i observe that your circ', ' "pray take this chair by the fire, mr. baker. it is a cold night, and i observe that your circulati', 'y take this chair by the fire, mr. baker. it is a cold night, and i observe that your circulation is', 'e this chair by the fire, mr. baker. it is a cold night, and i observe that your circulation is more', 's chair by the fire, mr. baker. it is a cold night, and i observe that your circulation is more adap', 'ir by the fire, mr. baker. it is a cold night, and i observe that your circulation is more adapted f', ' the fire, mr. baker. it is a cold night, and i observe that your circulation is more adapted for su', 'fire, mr. baker. it is a cold night, and i observe that your circulation is more adapted for summer ', ' mr. baker. it is a cold night, and i observe that your circulation is more adapted for summer than ', 'baker. it is a cold night, and i observe that your circulation is more adapted for summer than for w', '. it is a cold night, and i observe that your circulation is more adapted for summer than for winter', 'is a cold night, and i observe that your circulation is more adapted for summer than for winter. ah,', 'cold night, and i observe that your circulation is more adapted for summer than for winter. ah, wats', 'night, and i observe that your circulation is more adapted for summer than for winter. ah, watson, y', ', and i observe that your circulation is more adapted for summer than for winter. ah, watson, you ha', ' i observe that your circulation is more adapted for summer than for winter. ah, watson, you have ju', 'serve that your circulation is more adapted for summer than for winter. ah, watson, you have just co', ' that your circulation is more adapted for summer than for winter. ah, watson, you have just come at', ' your circulation is more adapted for summer than for winter. ah, watson, you have just come at the ', ' circulation is more adapted for summer than for winter. ah, watson, you have just come at the right', 'ulation is more adapted for summer than for winter. ah, watson, you have just come at the right time', 'on is more adapted for summer than for winter. ah, watson, you have just come at the right time. is ', ' more adapted for summer than for winter. ah, watson, you have just come at the right time. is that ', ' adapted for summer than for winter. ah, watson, you have just come at the right time. is that your ', 'ted for summer than for winter. ah, watson, you have just come at the right time. is that your hat, ', 'or summer than for winter. ah, watson, you have just come at the right time. is that your hat, mr. b', 'mmer than for winter. ah, watson, you have just come at the right time. is that your hat, mr. baker?', 'than for winter. ah, watson, you have just come at the right time. is that your hat, mr. baker?" "ye', 'for winter. ah, watson, you have just come at the right time. is that your hat, mr. baker?" "yes, si', 'inter. ah, watson, you have just come at the right time. is that your hat, mr. baker?" "yes, sir, th', '. ah, watson, you have just come at the right time. is that your hat, mr. baker?" "yes, sir, that is', ' watson, you have just come at the right time. is that your hat, mr. baker?" "yes, sir, that is undo', 'on, you have just come at the right time. is that your hat, mr. baker?" "yes, sir, that is undoubted', 'ou have just come at the right time. is that your hat, mr. baker?" "yes, sir, that is undoubtedly my', 've just come at the right time. is that your hat, mr. baker?" "yes, sir, that is undoubtedly my hat.', 'st come at the right time. is that your hat, mr. baker?" "yes, sir, that is undoubtedly my hat." he ', 'me at the right time. is that your hat, mr. baker?" "yes, sir, that is undoubtedly my hat." he was a', ' the right time. is that your hat, mr. baker?" "yes, sir, that is undoubtedly my hat." he was a larg', 'right time. is that your hat, mr. baker?" "yes, sir, that is undoubtedly my hat." he was a large man', ' time. is that your hat, mr. baker?" "yes, sir, that is undoubtedly my hat." he was a large man with', '. is that your hat, mr. baker?" "yes, sir, that is undoubtedly my hat." he was a large man with roun', 'that your hat, mr. baker?" "yes, sir, that is undoubtedly my hat." he was a large man with rounded s', 'your hat, mr. baker?" "yes, sir, that is undoubtedly my hat." he was a large man with rounded should', 'hat, mr. baker?" "yes, sir, that is undoubtedly my hat." he was a large man with rounded shoulders, ', 'mr. baker?" "yes, sir, that is undoubtedly my hat." he was a large man with rounded shoulders, a mas', 'aker?" "yes, sir, that is undoubtedly my hat." he was a large man with rounded shoulders, a massive ', '" "yes, sir, that is undoubtedly my hat." he was a large man with rounded shoulders, a massive head,', 's, sir, that is undoubtedly my hat." he was a large man with rounded shoulders, a massive head, and ', 'r, that is undoubtedly my hat." he was a large man with rounded shoulders, a massive head, and a bro', 'at is undoubtedly my hat." he was a large man with rounded shoulders, a massive head, and a broad, i', ' undoubtedly my hat." he was a large man with rounded shoulders, a massive head, and a broad, intell', 'ubtedly my hat." he was a large man with rounded shoulders, a massive head, and a broad, intelligent', 'ly my hat." he was a large man with rounded shoulders, a massive head, and a broad, intelligent face', ' hat." he was a large man with rounded shoulders, a massive head, and a broad, intelligent face, slo', '" he was a large man with rounded shoulders, a massive head, and a broad, intelligent face, sloping ', 'was a large man with rounded shoulders, a massive head, and a broad, intelligent face, sloping down ', ' large man with rounded shoulders, a massive head, and a broad, intelligent face, sloping down to a ', 'e man with rounded shoulders, a massive head, and a broad, intelligent face, sloping down to a point', ' with rounded shoulders, a massive head, and a broad, intelligent face, sloping down to a pointed be', ' rounded shoulders, a massive head, and a broad, intelligent face, sloping down to a pointed beard o', 'ded shoulders, a massive head, and a broad, intelligent face, sloping down to a pointed beard of gri', 'houlders, a massive head, and a broad, intelligent face, sloping down to a pointed beard of grizzled', 'ers, a massive head, and a broad, intelligent face, sloping down to a pointed beard of grizzled brow', 'a massive head, and a broad, intelligent face, sloping down to a pointed beard of grizzled brown. a ', 'sive head, and a broad, intelligent face, sloping down to a pointed beard of grizzled brown. a touch', 'head, and a broad, intelligent face, sloping down to a pointed beard of grizzled brown. a touch of r', ' and a broad, intelligent face, sloping down to a pointed beard of grizzled brown. a touch of red in', 'a broad, intelligent face, sloping down to a pointed beard of grizzled brown. a touch of red in nose', 'ad, intelligent face, sloping down to a pointed beard of grizzled brown. a touch of red in nose and ', 'ntelligent face, sloping down to a pointed beard of grizzled brown. a touch of red in nose and cheek', 'igent face, sloping down to a pointed beard of grizzled brown. a touch of red in nose and cheeks, wi', ' face, sloping down to a pointed beard of grizzled brown. a touch of red in nose and cheeks, with a ', ', sloping down to a pointed beard of grizzled brown. a touch of red in nose and cheeks, with a sligh', 'ping down to a pointed beard of grizzled brown. a touch of red in nose and cheeks, with a slight tre', 'down to a pointed beard of grizzled brown. a touch of red in nose and cheeks, with a slight tremor o', 'to a pointed beard of grizzled brown. a touch of red in nose and cheeks, with a slight tremor of his', 'pointed beard of grizzled brown. a touch of red in nose and cheeks, with a slight tremor of his exte', 'ed beard of grizzled brown. a touch of red in nose and cheeks, with a slight tremor of his extended ', 'ard of grizzled brown. a touch of red in nose and cheeks, with a slight tremor of his extended hand,', 'f grizzled brown. a touch of red in nose and cheeks, with a slight tremor of his extended hand, reca', 'zzled brown. a touch of red in nose and cheeks, with a slight tremor of his extended hand, recalled ', ' brown. a touch of red in nose and cheeks, with a slight tremor of his extended hand, recalled holme', "n. a touch of red in nose and cheeks, with a slight tremor of his extended hand, recalled holmes' su", "touch of red in nose and cheeks, with a slight tremor of his extended hand, recalled holmes' surmise", " of red in nose and cheeks, with a slight tremor of his extended hand, recalled holmes' surmise as t", "ed in nose and cheeks, with a slight tremor of his extended hand, recalled holmes' surmise as to his", " nose and cheeks, with a slight tremor of his extended hand, recalled holmes' surmise as to his habi", " and cheeks, with a slight tremor of his extended hand, recalled holmes' surmise as to his habits. h", "cheeks, with a slight tremor of his extended hand, recalled holmes' surmise as to his habits. his ru", "s, with a slight tremor of his extended hand, recalled holmes' surmise as to his habits. his rusty b", "th a slight tremor of his extended hand, recalled holmes' surmise as to his habits. his rusty black ", "slight tremor of his extended hand, recalled holmes' surmise as to his habits. his rusty black frock", "t tremor of his extended hand, recalled holmes' surmise as to his habits. his rusty black frock-coat", "mor of his extended hand, recalled holmes' surmise as to his habits. his rusty black frock-coat was ", "f his extended hand, recalled holmes' surmise as to his habits. his rusty black frock-coat was butto", " extended hand, recalled holmes' surmise as to his habits. his rusty black frock-coat was buttoned r", "nded hand, recalled holmes' surmise as to his habits. his rusty black frock-coat was buttoned right ", "hand, recalled holmes' surmise as to his habits. his rusty black frock-coat was buttoned right up in", " recalled holmes' surmise as to his habits. his rusty black frock-coat was buttoned right up in fron", "lled holmes' surmise as to his habits. his rusty black frock-coat was buttoned right up in front, wi", "holmes' surmise as to his habits. his rusty black frock-coat was buttoned right up in front, with th", "s' surmise as to his habits. his rusty black frock-coat was buttoned right up in front, with the col", 'rmise as to his habits. his rusty black frock-coat was buttoned right up in front, with the collar t', ' as to his habits. his rusty black frock-coat was buttoned right up in front, with the collar turned', 'o his habits. his rusty black frock-coat was buttoned right up in front, with the collar turned up, ', ' habits. his rusty black frock-coat was buttoned right up in front, with the collar turned up, and h', 'ts. his rusty black frock-coat was buttoned right up in front, with the collar turned up, and his la', 'is rusty black frock-coat was buttoned right up in front, with the collar turned up, and his lank wr', 'sty black frock-coat was buttoned right up in front, with the collar turned up, and his lank wrists ', 'lack frock-coat was buttoned right up in front, with the collar turned up, and his lank wrists protr', 'frock-coat was buttoned right up in front, with the collar turned up, and his lank wrists protruded ', '-coat was buttoned right up in front, with the collar turned up, and his lank wrists protruded from ', ' was buttoned right up in front, with the collar turned up, and his lank wrists protruded from his s', 'buttoned right up in front, with the collar turned up, and his lank wrists protruded from his sleeve', 'ned right up in front, with the collar turned up, and his lank wrists protruded from his sleeves wit', 'ight up in front, with the collar turned up, and his lank wrists protruded from his sleeves without ', 'up in front, with the collar turned up, and his lank wrists protruded from his sleeves without a sig', ' front, with the collar turned up, and his lank wrists protruded from his sleeves without a sign of ', 't, with the collar turned up, and his lank wrists protruded from his sleeves without a sign of cuff ', 'th the collar turned up, and his lank wrists protruded from his sleeves without a sign of cuff or sh', 'e collar turned up, and his lank wrists protruded from his sleeves without a sign of cuff or shirt. ', 'lar turned up, and his lank wrists protruded from his sleeves without a sign of cuff or shirt. he sp', 'urned up, and his lank wrists protruded from his sleeves without a sign of cuff or shirt. he spoke i', ' up, and his lank wrists protruded from his sleeves without a sign of cuff or shirt. he spoke in a s', 'and his lank wrists protruded from his sleeves without a sign of cuff or shirt. he spoke in a slow s', 'is lank wrists protruded from his sleeves without a sign of cuff or shirt. he spoke in a slow stacca', 'nk wrists protruded from his sleeves without a sign of cuff or shirt. he spoke in a slow staccato fa', 'ists protruded from his sleeves without a sign of cuff or shirt. he spoke in a slow staccato fashion', 'protruded from his sleeves without a sign of cuff or shirt. he spoke in a slow staccato fashion, cho', 'uded from his sleeves without a sign of cuff or shirt. he spoke in a slow staccato fashion, choosing', 'from his sleeves without a sign of cuff or shirt. he spoke in a slow staccato fashion, choosing his ', 'his sleeves without a sign of cuff or shirt. he spoke in a slow staccato fashion, choosing his words', 'leeves without a sign of cuff or shirt. he spoke in a slow staccato fashion, choosing his words with', 's without a sign of cuff or shirt. he spoke in a slow staccato fashion, choosing his words with care', 'hout a sign of cuff or shirt. he spoke in a slow staccato fashion, choosing his words with care, and', 'a sign of cuff or shirt. he spoke in a slow staccato fashion, choosing his words with care, and gave', 'n of cuff or shirt. he spoke in a slow staccato fashion, choosing his words with care, and gave the ', 'cuff or shirt. he spoke in a slow staccato fashion, choosing his words with care, and gave the impre', 'or shirt. he spoke in a slow staccato fashion, choosing his words with care, and gave the impression', 'irt. he spoke in a slow staccato fashion, choosing his words with care, and gave the impression gene', 'he spoke in a slow staccato fashion, choosing his words with care, and gave the impression generally', 'oke in a slow staccato fashion, choosing his words with care, and gave the impression generally of a', 'n a slow staccato fashion, choosing his words with care, and gave the impression generally of a man ', 'low staccato fashion, choosing his words with care, and gave the impression generally of a man of le', 'taccato fashion, choosing his words with care, and gave the impression generally of a man of learnin', 'to fashion, choosing his words with care, and gave the impression generally of a man of learning and', 'shion, choosing his words with care, and gave the impression generally of a man of learning and lett', ', choosing his words with care, and gave the impression generally of a man of learning and letters w', 'osing his words with care, and gave the impression generally of a man of learning and letters who ha', ' his words with care, and gave the impression generally of a man of learning and letters who had had', 'words with care, and gave the impression generally of a man of learning and letters who had had ill-', ' with care, and gave the impression generally of a man of learning and letters who had had ill-usage', ' care, and gave the impression generally of a man of learning and letters who had had ill-usage at t', ', and gave the impression generally of a man of learning and letters who had had ill-usage at the ha', ' gave the impression generally of a man of learning and letters who had had ill-usage at the hands o', ' the impression generally of a man of learning and letters who had had ill-usage at the hands of for', 'impression generally of a man of learning and letters who had had ill-usage at the hands of fortune.', 'ssion generally of a man of learning and letters who had had ill-usage at the hands of fortune. "we ', ' generally of a man of learning and letters who had had ill-usage at the hands of fortune. "we have ', 'rally of a man of learning and letters who had had ill-usage at the hands of fortune. "we have retai', ' of a man of learning and letters who had had ill-usage at the hands of fortune. "we have retained t', ' man of learning and letters who had had ill-usage at the hands of fortune. "we have retained these ', 'of learning and letters who had had ill-usage at the hands of fortune. "we have retained these thing', 'arning and letters who had had ill-usage at the hands of fortune. "we have retained these things for', 'g and letters who had had ill-usage at the hands of fortune. "we have retained these things for some', ' letters who had had ill-usage at the hands of fortune. "we have retained these things for some days', 'ers who had had ill-usage at the hands of fortune. "we have retained these things for some days," sa', 'ho had had ill-usage at the hands of fortune. "we have retained these things for some days," said ho', 'd had ill-usage at the hands of fortune. "we have retained these things for some days," said holmes,', ' ill-usage at the hands of fortune. "we have retained these things for some days," said holmes, "bec', 'usage at the hands of fortune. "we have retained these things for some days," said holmes, "because ', ' at the hands of fortune. "we have retained these things for some days," said holmes, "because we ex', 'he hands of fortune. "we have retained these things for some days," said holmes, "because we expecte', 'nds of fortune. "we have retained these things for some days," said holmes, "because we expected to ', 'f fortune. "we have retained these things for some days," said holmes, "because we expected to see a', 'tune. "we have retained these things for some days," said holmes, "because we expected to see an adv', ' "we have retained these things for some days," said holmes, "because we expected to see an advertis', 'have retained these things for some days," said holmes, "because we expected to see an advertisement', 'retained these things for some days," said holmes, "because we expected to see an advertisement from', 'ned these things for some days," said holmes, "because we expected to see an advertisement from you ', 'hese things for some days," said holmes, "because we expected to see an advertisement from you givin', 'things for some days," said holmes, "because we expected to see an advertisement from you giving you', 's for some days," said holmes, "because we expected to see an advertisement from you giving your add', ' some days," said holmes, "because we expected to see an advertisement from you giving your address.', ' days," said holmes, "because we expected to see an advertisement from you giving your address. i am', '," said holmes, "because we expected to see an advertisement from you giving your address. i am at a', 'id holmes, "because we expected to see an advertisement from you giving your address. i am at a loss', 'lmes, "because we expected to see an advertisement from you giving your address. i am at a loss to k', ' "because we expected to see an advertisement from you giving your address. i am at a loss to know n', 'ause we expected to see an advertisement from you giving your address. i am at a loss to know now wh', 'we expected to see an advertisement from you giving your address. i am at a loss to know now why you', 'pected to see an advertisement from you giving your address. i am at a loss to know now why you did ', 'd to see an advertisement from you giving your address. i am at a loss to know now why you did not a', 'see an advertisement from you giving your address. i am at a loss to know now why you did not advert', 'n advertisement from you giving your address. i am at a loss to know now why you did not advertise."', 'ertisement from you giving your address. i am at a loss to know now why you did not advertise." our ', 'ement from you giving your address. i am at a loss to know now why you did not advertise." our visit', ' from you giving your address. i am at a loss to know now why you did not advertise." our visitor ga', ' you giving your address. i am at a loss to know now why you did not advertise." our visitor gave a ', 'giving your address. i am at a loss to know now why you did not advertise." our visitor gave a rathe', 'g your address. i am at a loss to know now why you did not advertise." our visitor gave a rather sha', 'r address. i am at a loss to know now why you did not advertise." our visitor gave a rather shamefac', 'ress. i am at a loss to know now why you did not advertise." our visitor gave a rather shamefaced la', ' i am at a loss to know now why you did not advertise." our visitor gave a rather shamefaced laugh. ', ' at a loss to know now why you did not advertise." our visitor gave a rather shamefaced laugh. "shil', ' loss to know now why you did not advertise." our visitor gave a rather shamefaced laugh. "shillings', ' to know now why you did not advertise." our visitor gave a rather shamefaced laugh. "shillings have', 'now now why you did not advertise." our visitor gave a rather shamefaced laugh. "shillings have not ', 'ow why you did not advertise." our visitor gave a rather shamefaced laugh. "shillings have not been ', 'y you did not advertise." our visitor gave a rather shamefaced laugh. "shillings have not been so pl', ' did not advertise." our visitor gave a rather shamefaced laugh. "shillings have not been so plentif', 'not advertise." our visitor gave a rather shamefaced laugh. "shillings have not been so plentiful wi', 'dvertise." our visitor gave a rather shamefaced laugh. "shillings have not been so plentiful with me', 'ise." our visitor gave a rather shamefaced laugh. "shillings have not been so plentiful with me as t', ' our visitor gave a rather shamefaced laugh. "shillings have not been so plentiful with me as they o', 'visitor gave a rather shamefaced laugh. "shillings have not been so plentiful with me as they once w', 'or gave a rather shamefaced laugh. "shillings have not been so plentiful with me as they once were,"', 've a rather shamefaced laugh. "shillings have not been so plentiful with me as they once were," he r', 'rather shamefaced laugh. "shillings have not been so plentiful with me as they once were," he remark', 'r shamefaced laugh. "shillings have not been so plentiful with me as they once were," he remarked. "', 'mefaced laugh. "shillings have not been so plentiful with me as they once were," he remarked. "i had', 'ed laugh. "shillings have not been so plentiful with me as they once were," he remarked. "i had no d', 'ugh. "shillings have not been so plentiful with me as they once were," he remarked. "i had no doubt ', '"shillings have not been so plentiful with me as they once were," he remarked. "i had no doubt that ', 'lings have not been so plentiful with me as they once were," he remarked. "i had no doubt that the g', ' have not been so plentiful with me as they once were," he remarked. "i had no doubt that the gang o', ' not been so plentiful with me as they once were," he remarked. "i had no doubt that the gang of rou', 'been so plentiful with me as they once were," he remarked. "i had no doubt that the gang of roughs w', 'so plentiful with me as they once were," he remarked. "i had no doubt that the gang of roughs who as', 'entiful with me as they once were," he remarked. "i had no doubt that the gang of roughs who assault', 'ul with me as they once were," he remarked. "i had no doubt that the gang of roughs who assaulted me', 'th me as they once were," he remarked. "i had no doubt that the gang of roughs who assaulted me had ', ' as they once were," he remarked. "i had no doubt that the gang of roughs who assaulted me had carri', 'hey once were," he remarked. "i had no doubt that the gang of roughs who assaulted me had carried of', 'nce were," he remarked. "i had no doubt that the gang of roughs who assaulted me had carried off bot', 'ere," he remarked. "i had no doubt that the gang of roughs who assaulted me had carried off both my ', ' he remarked. "i had no doubt that the gang of roughs who assaulted me had carried off both my hat a', 'emarked. "i had no doubt that the gang of roughs who assaulted me had carried off both my hat and th', 'ed. "i had no doubt that the gang of roughs who assaulted me had carried off both my hat and the bir', 'i had no doubt that the gang of roughs who assaulted me had carried off both my hat and the bird. i ', ' no doubt that the gang of roughs who assaulted me had carried off both my hat and the bird. i did n', 'oubt that the gang of roughs who assaulted me had carried off both my hat and the bird. i did not ca', 'that the gang of roughs who assaulted me had carried off both my hat and the bird. i did not care to', 'the gang of roughs who assaulted me had carried off both my hat and the bird. i did not care to spen', 'ang of roughs who assaulted me had carried off both my hat and the bird. i did not care to spend mor', 'f roughs who assaulted me had carried off both my hat and the bird. i did not care to spend more mon', 'ghs who assaulted me had carried off both my hat and the bird. i did not care to spend more money in', 'ho assaulted me had carried off both my hat and the bird. i did not care to spend more money in a ho', 'saulted me had carried off both my hat and the bird. i did not care to spend more money in a hopeles', 'ed me had carried off both my hat and the bird. i did not care to spend more money in a hopeless att', ' had carried off both my hat and the bird. i did not care to spend more money in a hopeless attempt ', 'carried off both my hat and the bird. i did not care to spend more money in a hopeless attempt at re', 'ed off both my hat and the bird. i did not care to spend more money in a hopeless attempt at recover', 'f both my hat and the bird. i did not care to spend more money in a hopeless attempt at recovering t', 'h my hat and the bird. i did not care to spend more money in a hopeless attempt at recovering them."', 'hat and the bird. i did not care to spend more money in a hopeless attempt at recovering them." "ver', 'nd the bird. i did not care to spend more money in a hopeless attempt at recovering them." "very nat', 'e bird. i did not care to spend more money in a hopeless attempt at recovering them." "very naturall', 'd. i did not care to spend more money in a hopeless attempt at recovering them." "very naturally. by', 'did not care to spend more money in a hopeless attempt at recovering them." "very naturally. by the ', 'ot care to spend more money in a hopeless attempt at recovering them." "very naturally. by the way, ', 're to spend more money in a hopeless attempt at recovering them." "very naturally. by the way, about', ' spend more money in a hopeless attempt at recovering them." "very naturally. by the way, about the ', 'd more money in a hopeless attempt at recovering them." "very naturally. by the way, about the bird,', 'e money in a hopeless attempt at recovering them." "very naturally. by the way, about the bird, we w', 'ey in a hopeless attempt at recovering them." "very naturally. by the way, about the bird, we were c', ' a hopeless attempt at recovering them." "very naturally. by the way, about the bird, we were compel', 'peless attempt at recovering them." "very naturally. by the way, about the bird, we were compelled t', 's attempt at recovering them." "very naturally. by the way, about the bird, we were compelled to eat', 'empt at recovering them." "very naturally. by the way, about the bird, we were compelled to eat it."', 'at recovering them." "very naturally. by the way, about the bird, we were compelled to eat it." "to ', 'covering them." "very naturally. by the way, about the bird, we were compelled to eat it." "to eat i', 'ing them." "very naturally. by the way, about the bird, we were compelled to eat it." "to eat it our', 'hem." "very naturally. by the way, about the bird, we were compelled to eat it." "to eat it our visi', ' "very naturally. by the way, about the bird, we were compelled to eat it." "to eat it our visitor h', 'y naturally. by the way, about the bird, we were compelled to eat it." "to eat it our visitor half r', 'urally. by the way, about the bird, we were compelled to eat it." "to eat it our visitor half rose f', 'y. by the way, about the bird, we were compelled to eat it." "to eat it our visitor half rose from h', ' the way, about the bird, we were compelled to eat it." "to eat it our visitor half rose from his ch', 'way, about the bird, we were compelled to eat it." "to eat it our visitor half rose from his chair i', 'about the bird, we were compelled to eat it." "to eat it our visitor half rose from his chair in his', ' the bird, we were compelled to eat it." "to eat it our visitor half rose from his chair in his exci', 'bird, we were compelled to eat it." "to eat it our visitor half rose from his chair in his excitemen', ' we were compelled to eat it." "to eat it our visitor half rose from his chair in his excitement. "y', 'ere compelled to eat it." "to eat it our visitor half rose from his chair in his excitement. "yes, i', 'ompelled to eat it." "to eat it our visitor half rose from his chair in his excitement. "yes, it wou', 'led to eat it." "to eat it our visitor half rose from his chair in his excitement. "yes, it would ha', 'o eat it." "to eat it our visitor half rose from his chair in his excitement. "yes, it would have be', ' it." "to eat it our visitor half rose from his chair in his excitement. "yes, it would have been of', ' "to eat it our visitor half rose from his chair in his excitement. "yes, it would have been of no u', 'eat it our visitor half rose from his chair in his excitement. "yes, it would have been of no use to', 't our visitor half rose from his chair in his excitement. "yes, it would have been of no use to anyo', ' visitor half rose from his chair in his excitement. "yes, it would have been of no use to anyone ha', 'tor half rose from his chair in his excitement. "yes, it would have been of no use to anyone had we ', 'alf rose from his chair in his excitement. "yes, it would have been of no use to anyone had we not d', 'ose from his chair in his excitement. "yes, it would have been of no use to anyone had we not done s', 'rom his chair in his excitement. "yes, it would have been of no use to anyone had we not done so. bu', 'is chair in his excitement. "yes, it would have been of no use to anyone had we not done so. but i p', 'air in his excitement. "yes, it would have been of no use to anyone had we not done so. but i presum', 'n his excitement. "yes, it would have been of no use to anyone had we not done so. but i presume tha', ' excitement. "yes, it would have been of no use to anyone had we not done so. but i presume that thi', 'tement. "yes, it would have been of no use to anyone had we not done so. but i presume that this oth', 't. "yes, it would have been of no use to anyone had we not done so. but i presume that this other go', 'es, it would have been of no use to anyone had we not done so. but i presume that this other goose u', 't would have been of no use to anyone had we not done so. but i presume that this other goose upon t', 'ld have been of no use to anyone had we not done so. but i presume that this other goose upon the si', 've been of no use to anyone had we not done so. but i presume that this other goose upon the sideboa', 'en of no use to anyone had we not done so. but i presume that this other goose upon the sideboard, w', ' no use to anyone had we not done so. but i presume that this other goose upon the sideboard, which ', 'se to anyone had we not done so. but i presume that this other goose upon the sideboard, which is ab', ' anyone had we not done so. but i presume that this other goose upon the sideboard, which is about t', 'ne had we not done so. but i presume that this other goose upon the sideboard, which is about the sa', 'd we not done so. but i presume that this other goose upon the sideboard, which is about the same we', 'not done so. but i presume that this other goose upon the sideboard, which is about the same weight ', 'one so. but i presume that this other goose upon the sideboard, which is about the same weight and p', 'o. but i presume that this other goose upon the sideboard, which is about the same weight and perfec', 't i presume that this other goose upon the sideboard, which is about the same weight and perfectly f', 'resume that this other goose upon the sideboard, which is about the same weight and perfectly fresh,', 'e that this other goose upon the sideboard, which is about the same weight and perfectly fresh, will', 't this other goose upon the sideboard, which is about the same weight and perfectly fresh, will answ', 's other goose upon the sideboard, which is about the same weight and perfectly fresh, will answer yo', 'er goose upon the sideboard, which is about the same weight and perfectly fresh, will answer your pu', 'ose upon the sideboard, which is about the same weight and perfectly fresh, will answer your purpose', 'pon the sideboard, which is about the same weight and perfectly fresh, will answer your purpose equa', 'he sideboard, which is about the same weight and perfectly fresh, will answer your purpose equally w', 'deboard, which is about the same weight and perfectly fresh, will answer your purpose equally well?"', 'rd, which is about the same weight and perfectly fresh, will answer your purpose equally well?" "oh,', 'hich is about the same weight and perfectly fresh, will answer your purpose equally well?" "oh, cert', 'is about the same weight and perfectly fresh, will answer your purpose equally well?" "oh, certainly', 'out the same weight and perfectly fresh, will answer your purpose equally well?" "oh, certainly, cer', 'he same weight and perfectly fresh, will answer your purpose equally well?" "oh, certainly, certainl', 'me weight and perfectly fresh, will answer your purpose equally well?" "oh, certainly, certainly," a', 'ight and perfectly fresh, will answer your purpose equally well?" "oh, certainly, certainly," answer', 'and perfectly fresh, will answer your purpose equally well?" "oh, certainly, certainly," answered mr', 'erfectly fresh, will answer your purpose equally well?" "oh, certainly, certainly," answered mr. bak', 'tly fresh, will answer your purpose equally well?" "oh, certainly, certainly," answered mr. baker wi', 'resh, will answer your purpose equally well?" "oh, certainly, certainly," answered mr. baker with a ', ' will answer your purpose equally well?" "oh, certainly, certainly," answered mr. baker with a sigh ', ' answer your purpose equally well?" "oh, certainly, certainly," answered mr. baker with a sigh of re', 'er your purpose equally well?" "oh, certainly, certainly," answered mr. baker with a sigh of relief.', 'ur purpose equally well?" "oh, certainly, certainly," answered mr. baker with a sigh of relief. "of ', 'rpose equally well?" "oh, certainly, certainly," answered mr. baker with a sigh of relief. "of cours', ' equally well?" "oh, certainly, certainly," answered mr. baker with a sigh of relief. "of course, we', 'lly well?" "oh, certainly, certainly," answered mr. baker with a sigh of relief. "of course, we stil', 'ell?" "oh, certainly, certainly," answered mr. baker with a sigh of relief. "of course, we still hav', ' "oh, certainly, certainly," answered mr. baker with a sigh of relief. "of course, we still have the', ' certainly, certainly," answered mr. baker with a sigh of relief. "of course, we still have the feat', 'ainly, certainly," answered mr. baker with a sigh of relief. "of course, we still have the feathers,', ', certainly," answered mr. baker with a sigh of relief. "of course, we still have the feathers, legs', 'tainly," answered mr. baker with a sigh of relief. "of course, we still have the feathers, legs, cro', 'y," answered mr. baker with a sigh of relief. "of course, we still have the feathers, legs, crop, an', 'nswered mr. baker with a sigh of relief. "of course, we still have the feathers, legs, crop, and so ', 'ed mr. baker with a sigh of relief. "of course, we still have the feathers, legs, crop, and so on of', '. baker with a sigh of relief. "of course, we still have the feathers, legs, crop, and so on of your', 'er with a sigh of relief. "of course, we still have the feathers, legs, crop, and so on of your own ', 'th a sigh of relief. "of course, we still have the feathers, legs, crop, and so on of your own bird,', 'sigh of relief. "of course, we still have the feathers, legs, crop, and so on of your own bird, so i', 'of relief. "of course, we still have the feathers, legs, crop, and so on of your own bird, so if you', 'lief. "of course, we still have the feathers, legs, crop, and so on of your own bird, so if you wish', ' "of course, we still have the feathers, legs, crop, and so on of your own bird, so if you wish" the', 'course, we still have the feathers, legs, crop, and so on of your own bird, so if you wish" the man ', 'e, we still have the feathers, legs, crop, and so on of your own bird, so if you wish" the man burst', ' still have the feathers, legs, crop, and so on of your own bird, so if you wish" the man burst into', 'l have the feathers, legs, crop, and so on of your own bird, so if you wish" the man burst into a he', 'e the feathers, legs, crop, and so on of your own bird, so if you wish" the man burst into a hearty ', ' feathers, legs, crop, and so on of your own bird, so if you wish" the man burst into a hearty laugh', 'hers, legs, crop, and so on of your own bird, so if you wish" the man burst into a hearty laugh. "th', ' legs, crop, and so on of your own bird, so if you wish" the man burst into a hearty laugh. "they mi', ', crop, and so on of your own bird, so if you wish" the man burst into a hearty laugh. "they might b', 'p, and so on of your own bird, so if you wish" the man burst into a hearty laugh. "they might be use', 'd so on of your own bird, so if you wish" the man burst into a hearty laugh. "they might be useful t', 'on of your own bird, so if you wish" the man burst into a hearty laugh. "they might be useful to me ', ' your own bird, so if you wish" the man burst into a hearty laugh. "they might be useful to me as re', ' own bird, so if you wish" the man burst into a hearty laugh. "they might be useful to me as relics ', 'bird, so if you wish" the man burst into a hearty laugh. "they might be useful to me as relics of my', ' so if you wish" the man burst into a hearty laugh. "they might be useful to me as relics of my adve', 'f you wish" the man burst into a hearty laugh. "they might be useful to me as relics of my adventure', ' wish" the man burst into a hearty laugh. "they might be useful to me as relics of my adventure," sa', '" the man burst into a hearty laugh. "they might be useful to me as relics of my adventure," said he', ' man burst into a hearty laugh. "they might be useful to me as relics of my adventure," said he, "bu', 'burst into a hearty laugh. "they might be useful to me as relics of my adventure," said he, "but bey', ' into a hearty laugh. "they might be useful to me as relics of my adventure," said he, "but beyond t', ' a hearty laugh. "they might be useful to me as relics of my adventure," said he, "but beyond that i', 'arty laugh. "they might be useful to me as relics of my adventure," said he, "but beyond that i can ', 'laugh. "they might be useful to me as relics of my adventure," said he, "but beyond that i can hardl', '. "they might be useful to me as relics of my adventure," said he, "but beyond that i can hardly see', 'ey might be useful to me as relics of my adventure," said he, "but beyond that i can hardly see what', 'ght be useful to me as relics of my adventure," said he, "but beyond that i can hardly see what use ', 'e useful to me as relics of my adventure," said he, "but beyond that i can hardly see what use the d', 'ful to me as relics of my adventure," said he, "but beyond that i can hardly see what use the disjec', 'o me as relics of my adventure," said he, "but beyond that i can hardly see what use the disjecta me', 'as relics of my adventure," said he, "but beyond that i can hardly see what use the disjecta membra ', 'lics of my adventure," said he, "but beyond that i can hardly see what use the disjecta membra of my', 'of my adventure," said he, "but beyond that i can hardly see what use the disjecta membra of my late', ' adventure," said he, "but beyond that i can hardly see what use the disjecta membra of my late acqu', 'nture," said he, "but beyond that i can hardly see what use the disjecta membra of my late acquainta', '," said he, "but beyond that i can hardly see what use the disjecta membra of my late acquaintance a', 'id he, "but beyond that i can hardly see what use the disjecta membra of my late acquaintance are go', ', "but beyond that i can hardly see what use the disjecta membra of my late acquaintance are going t', 't beyond that i can hardly see what use the disjecta membra of my late acquaintance are going to be ', 'ond that i can hardly see what use the disjecta membra of my late acquaintance are going to be to me', 'hat i can hardly see what use the disjecta membra of my late acquaintance are going to be to me. no,', ' can hardly see what use the disjecta membra of my late acquaintance are going to be to me. no, sir,', 'hardly see what use the disjecta membra of my late acquaintance are going to be to me. no, sir, i th', 'y see what use the disjecta membra of my late acquaintance are going to be to me. no, sir, i think t', ' what use the disjecta membra of my late acquaintance are going to be to me. no, sir, i think that, ', ' use the disjecta membra of my late acquaintance are going to be to me. no, sir, i think that, with ', 'the disjecta membra of my late acquaintance are going to be to me. no, sir, i think that, with your ', 'isjecta membra of my late acquaintance are going to be to me. no, sir, i think that, with your permi', 'ta membra of my late acquaintance are going to be to me. no, sir, i think that, with your permission', 'mbra of my late acquaintance are going to be to me. no, sir, i think that, with your permission, i w', 'of my late acquaintance are going to be to me. no, sir, i think that, with your permission, i will c', ' late acquaintance are going to be to me. no, sir, i think that, with your permission, i will confin', ' acquaintance are going to be to me. no, sir, i think that, with your permission, i will confine my ', 'aintance are going to be to me. no, sir, i think that, with your permission, i will confine my atten', 'nce are going to be to me. no, sir, i think that, with your permission, i will confine my attentions', 're going to be to me. no, sir, i think that, with your permission, i will confine my attentions to t', 'ing to be to me. no, sir, i think that, with your permission, i will confine my attentions to the ex', 'o be to me. no, sir, i think that, with your permission, i will confine my attentions to the excelle', 'to me. no, sir, i think that, with your permission, i will confine my attentions to the excellent bi', '. no, sir, i think that, with your permission, i will confine my attentions to the excellent bird wh', ' sir, i think that, with your permission, i will confine my attentions to the excellent bird which i', ' i think that, with your permission, i will confine my attentions to the excellent bird which i perc', 'ink that, with your permission, i will confine my attentions to the excellent bird which i perceive ', 'hat, with your permission, i will confine my attentions to the excellent bird which i perceive upon ', 'with your permission, i will confine my attentions to the excellent bird which i perceive upon the s', 'your permission, i will confine my attentions to the excellent bird which i perceive upon the sidebo', 'permission, i will confine my attentions to the excellent bird which i perceive upon the sideboard."', 'ssion, i will confine my attentions to the excellent bird which i perceive upon the sideboard." sher', ', i will confine my attentions to the excellent bird which i perceive upon the sideboard." sherlock ', 'ill confine my attentions to the excellent bird which i perceive upon the sideboard." sherlock holme', 'onfine my attentions to the excellent bird which i perceive upon the sideboard." sherlock holmes gla', 'e my attentions to the excellent bird which i perceive upon the sideboard." sherlock holmes glanced ', 'attentions to the excellent bird which i perceive upon the sideboard." sherlock holmes glanced sharp', 'tions to the excellent bird which i perceive upon the sideboard." sherlock holmes glanced sharply ac', ' to the excellent bird which i perceive upon the sideboard." sherlock holmes glanced sharply across ', 'he excellent bird which i perceive upon the sideboard." sherlock holmes glanced sharply across at me', 'cellent bird which i perceive upon the sideboard." sherlock holmes glanced sharply across at me with', 'nt bird which i perceive upon the sideboard." sherlock holmes glanced sharply across at me with a sl', 'rd which i perceive upon the sideboard." sherlock holmes glanced sharply across at me with a slight ', 'ich i perceive upon the sideboard." sherlock holmes glanced sharply across at me with a slight shrug', ' perceive upon the sideboard." sherlock holmes glanced sharply across at me with a slight shrug of h', 'eive upon the sideboard." sherlock holmes glanced sharply across at me with a slight shrug of his sh', 'upon the sideboard." sherlock holmes glanced sharply across at me with a slight shrug of his shoulde', 'the sideboard." sherlock holmes glanced sharply across at me with a slight shrug of his shoulders. "', 'ideboard." sherlock holmes glanced sharply across at me with a slight shrug of his shoulders. "there', 'ard." sherlock holmes glanced sharply across at me with a slight shrug of his shoulders. "there is y', ' sherlock holmes glanced sharply across at me with a slight shrug of his shoulders. "there is your h', 'lock holmes glanced sharply across at me with a slight shrug of his shoulders. "there is your hat, t', 'holmes glanced sharply across at me with a slight shrug of his shoulders. "there is your hat, then, ', 's glanced sharply across at me with a slight shrug of his shoulders. "there is your hat, then, and t', 'nced sharply across at me with a slight shrug of his shoulders. "there is your hat, then, and there ', 'sharply across at me with a slight shrug of his shoulders. "there is your hat, then, and there your ', 'ly across at me with a slight shrug of his shoulders. "there is your hat, then, and there your bird,', 'ross at me with a slight shrug of his shoulders. "there is your hat, then, and there your bird," sai', 'at me with a slight shrug of his shoulders. "there is your hat, then, and there your bird," said he.', ' with a slight shrug of his shoulders. "there is your hat, then, and there your bird," said he. "by ', ' a slight shrug of his shoulders. "there is your hat, then, and there your bird," said he. "by the w', 'ight shrug of his shoulders. "there is your hat, then, and there your bird," said he. "by the way, w', 'shrug of his shoulders. "there is your hat, then, and there your bird," said he. "by the way, would ', ' of his shoulders. "there is your hat, then, and there your bird," said he. "by the way, would it bo', 'is shoulders. "there is your hat, then, and there your bird," said he. "by the way, would it bore yo', 'oulders. "there is your hat, then, and there your bird," said he. "by the way, would it bore you to ', 'rs. "there is your hat, then, and there your bird," said he. "by the way, would it bore you to tell ', 'there is your hat, then, and there your bird," said he. "by the way, would it bore you to tell me wh', ' is your hat, then, and there your bird," said he. "by the way, would it bore you to tell me where y', 'our hat, then, and there your bird," said he. "by the way, would it bore you to tell me where you go', 'at, then, and there your bird," said he. "by the way, would it bore you to tell me where you got the', 'hen, and there your bird," said he. "by the way, would it bore you to tell me where you got the othe', 'and there your bird," said he. "by the way, would it bore you to tell me where you got the other one', 'here your bird," said he. "by the way, would it bore you to tell me where you got the other one from', 'your bird," said he. "by the way, would it bore you to tell me where you got the other one from? i a', 'bird," said he. "by the way, would it bore you to tell me where you got the other one from? i am som', '" said he. "by the way, would it bore you to tell me where you got the other one from? i am somewhat', 'd he. "by the way, would it bore you to tell me where you got the other one from? i am somewhat of a', ' "by the way, would it bore you to tell me where you got the other one from? i am somewhat of a fowl', 'the way, would it bore you to tell me where you got the other one from? i am somewhat of a fowl fanc', 'ay, would it bore you to tell me where you got the other one from? i am somewhat of a fowl fancier, ', 'ould it bore you to tell me where you got the other one from? i am somewhat of a fowl fancier, and i', 'it bore you to tell me where you got the other one from? i am somewhat of a fowl fancier, and i have', 're you to tell me where you got the other one from? i am somewhat of a fowl fancier, and i have seld', 'u to tell me where you got the other one from? i am somewhat of a fowl fancier, and i have seldom se', 'tell me where you got the other one from? i am somewhat of a fowl fancier, and i have seldom seen a ', 'me where you got the other one from? i am somewhat of a fowl fancier, and i have seldom seen a bette', 'ere you got the other one from? i am somewhat of a fowl fancier, and i have seldom seen a better gro', 'ou got the other one from? i am somewhat of a fowl fancier, and i have seldom seen a better grown go', 't the other one from? i am somewhat of a fowl fancier, and i have seldom seen a better grown goose."', ' other one from? i am somewhat of a fowl fancier, and i have seldom seen a better grown goose." "cer', 'r one from? i am somewhat of a fowl fancier, and i have seldom seen a better grown goose." "certainl', ' from? i am somewhat of a fowl fancier, and i have seldom seen a better grown goose." "certainly, si', '? i am somewhat of a fowl fancier, and i have seldom seen a better grown goose." "certainly, sir," s', 'm somewhat of a fowl fancier, and i have seldom seen a better grown goose." "certainly, sir," said b', 'ewhat of a fowl fancier, and i have seldom seen a better grown goose." "certainly, sir," said baker,', ' of a fowl fancier, and i have seldom seen a better grown goose." "certainly, sir," said baker, who ', ' fowl fancier, and i have seldom seen a better grown goose." "certainly, sir," said baker, who had r', ' fancier, and i have seldom seen a better grown goose." "certainly, sir," said baker, who had risen ', 'ier, and i have seldom seen a better grown goose." "certainly, sir," said baker, who had risen and t', 'and i have seldom seen a better grown goose." "certainly, sir," said baker, who had risen and tucked', ' have seldom seen a better grown goose." "certainly, sir," said baker, who had risen and tucked his ', ' seldom seen a better grown goose." "certainly, sir," said baker, who had risen and tucked his newly', 'om seen a better grown goose." "certainly, sir," said baker, who had risen and tucked his newly gain', 'en a better grown goose." "certainly, sir," said baker, who had risen and tucked his newly gained pr', 'better grown goose." "certainly, sir," said baker, who had risen and tucked his newly gained propert', 'r grown goose." "certainly, sir," said baker, who had risen and tucked his newly gained property und', 'wn goose." "certainly, sir," said baker, who had risen and tucked his newly gained property under hi', 'ose." "certainly, sir," said baker, who had risen and tucked his newly gained property under his arm', ' "certainly, sir," said baker, who had risen and tucked his newly gained property under his arm. "th', 'tainly, sir," said baker, who had risen and tucked his newly gained property under his arm. "there a', 'y, sir," said baker, who had risen and tucked his newly gained property under his arm. "there are a ', 'r," said baker, who had risen and tucked his newly gained property under his arm. "there are a few o', 'aid baker, who had risen and tucked his newly gained property under his arm. "there are a few of us ', 'aker, who had risen and tucked his newly gained property under his arm. "there are a few of us who f', ' who had risen and tucked his newly gained property under his arm. "there are a few of us who freque', 'had risen and tucked his newly gained property under his arm. "there are a few of us who frequent th', 'isen and tucked his newly gained property under his arm. "there are a few of us who frequent the alp', 'and tucked his newly gained property under his arm. "there are a few of us who frequent the alpha in', 'ucked his newly gained property under his arm. "there are a few of us who frequent the alpha inn, ne', ' his newly gained property under his arm. "there are a few of us who frequent the alpha inn, near th', 'newly gained property under his arm. "there are a few of us who frequent the alpha inn, near the mus', ' gained property under his arm. "there are a few of us who frequent the alpha inn, near the museumwe', 'ed property under his arm. "there are a few of us who frequent the alpha inn, near the museumwe are ', 'operty under his arm. "there are a few of us who frequent the alpha inn, near the museumwe are to be', 'y under his arm. "there are a few of us who frequent the alpha inn, near the museumwe are to be foun', 'er his arm. "there are a few of us who frequent the alpha inn, near the museumwe are to be found in ', 's arm. "there are a few of us who frequent the alpha inn, near the museumwe are to be found in the m', '. "there are a few of us who frequent the alpha inn, near the museumwe are to be found in the museum', 'ere are a few of us who frequent the alpha inn, near the museumwe are to be found in the museum itse', 're a few of us who frequent the alpha inn, near the museumwe are to be found in the museum itself du', 'few of us who frequent the alpha inn, near the museumwe are to be found in the museum itself during ', 'f us who frequent the alpha inn, near the museumwe are to be found in the museum itself during the d', 'who frequent the alpha inn, near the museumwe are to be found in the museum itself during the day, y', 'requent the alpha inn, near the museumwe are to be found in the museum itself during the day, you un', 'nt the alpha inn, near the museumwe are to be found in the museum itself during the day, you underst', 'e alpha inn, near the museumwe are to be found in the museum itself during the day, you understand. ', 'ha inn, near the museumwe are to be found in the museum itself during the day, you understand. this ', 'n, near the museumwe are to be found in the museum itself during the day, you understand. this year ', 'ar the museumwe are to be found in the museum itself during the day, you understand. this year our g', 'e museumwe are to be found in the museum itself during the day, you understand. this year our good h', 'eumwe are to be found in the museum itself during the day, you understand. this year our good host, ', ' are to be found in the museum itself during the day, you understand. this year our good host, windi', 'to be found in the museum itself during the day, you understand. this year our good host, windigate ', ' found in the museum itself during the day, you understand. this year our good host, windigate by na', 'd in the museum itself during the day, you understand. this year our good host, windigate by name, i', 'the museum itself during the day, you understand. this year our good host, windigate by name, instit', 'useum itself during the day, you understand. this year our good host, windigate by name, instituted ', ' itself during the day, you understand. this year our good host, windigate by name, instituted a goo', 'lf during the day, you understand. this year our good host, windigate by name, instituted a goose cl', 'ring the day, you understand. this year our good host, windigate by name, instituted a goose club, b', 'the day, you understand. this year our good host, windigate by name, instituted a goose club, by whi', 'ay, you understand. this year our good host, windigate by name, instituted a goose club, by which, o', 'ou understand. this year our good host, windigate by name, instituted a goose club, by which, on con', 'derstand. this year our good host, windigate by name, instituted a goose club, by which, on consider', 'and. this year our good host, windigate by name, instituted a goose club, by which, on consideration', 'this year our good host, windigate by name, instituted a goose club, by which, on consideration of s', 'year our good host, windigate by name, instituted a goose club, by which, on consideration of some f', 'our good host, windigate by name, instituted a goose club, by which, on consideration of some few pe', 'ood host, windigate by name, instituted a goose club, by which, on consideration of some few pence e', 'ost, windigate by name, instituted a goose club, by which, on consideration of some few pence every ', 'windigate by name, instituted a goose club, by which, on consideration of some few pence every week,', 'gate by name, instituted a goose club, by which, on consideration of some few pence every week, we w', 'by name, instituted a goose club, by which, on consideration of some few pence every week, we were e', 'me, instituted a goose club, by which, on consideration of some few pence every week, we were each t', 'nstituted a goose club, by which, on consideration of some few pence every week, we were each to rec', 'uted a goose club, by which, on consideration of some few pence every week, we were each to receive ', 'a goose club, by which, on consideration of some few pence every week, we were each to receive a bir', 'se club, by which, on consideration of some few pence every week, we were each to receive a bird at ', 'ub, by which, on consideration of some few pence every week, we were each to receive a bird at chris', 'y which, on consideration of some few pence every week, we were each to receive a bird at christmas.', 'ch, on consideration of some few pence every week, we were each to receive a bird at christmas. my p', 'n consideration of some few pence every week, we were each to receive a bird at christmas. my pence ', 'sideration of some few pence every week, we were each to receive a bird at christmas. my pence were ', 'ation of some few pence every week, we were each to receive a bird at christmas. my pence were duly ', ' of some few pence every week, we were each to receive a bird at christmas. my pence were duly paid,', 'ome few pence every week, we were each to receive a bird at christmas. my pence were duly paid, and ', 'ew pence every week, we were each to receive a bird at christmas. my pence were duly paid, and the r', 'nce every week, we were each to receive a bird at christmas. my pence were duly paid, and the rest i', 'very week, we were each to receive a bird at christmas. my pence were duly paid, and the rest is fam', 'week, we were each to receive a bird at christmas. my pence were duly paid, and the rest is familiar', ' we were each to receive a bird at christmas. my pence were duly paid, and the rest is familiar to y', 'ere each to receive a bird at christmas. my pence were duly paid, and the rest is familiar to you. i', 'ach to receive a bird at christmas. my pence were duly paid, and the rest is familiar to you. i am m', 'o receive a bird at christmas. my pence were duly paid, and the rest is familiar to you. i am much i', 'eive a bird at christmas. my pence were duly paid, and the rest is familiar to you. i am much indebt', 'a bird at christmas. my pence were duly paid, and the rest is familiar to you. i am much indebted to', 'd at christmas. my pence were duly paid, and the rest is familiar to you. i am much indebted to you,', 'christmas. my pence were duly paid, and the rest is familiar to you. i am much indebted to you, sir,', 'tmas. my pence were duly paid, and the rest is familiar to you. i am much indebted to you, sir, for ', ' my pence were duly paid, and the rest is familiar to you. i am much indebted to you, sir, for a sco', 'ence were duly paid, and the rest is familiar to you. i am much indebted to you, sir, for a scotch b', 'were duly paid, and the rest is familiar to you. i am much indebted to you, sir, for a scotch bonnet', 'duly paid, and the rest is familiar to you. i am much indebted to you, sir, for a scotch bonnet is f', 'paid, and the rest is familiar to you. i am much indebted to you, sir, for a scotch bonnet is fitted', ' and the rest is familiar to you. i am much indebted to you, sir, for a scotch bonnet is fitted neit', 'the rest is familiar to you. i am much indebted to you, sir, for a scotch bonnet is fitted neither t', 'est is familiar to you. i am much indebted to you, sir, for a scotch bonnet is fitted neither to my ', 's familiar to you. i am much indebted to you, sir, for a scotch bonnet is fitted neither to my years', 'iliar to you. i am much indebted to you, sir, for a scotch bonnet is fitted neither to my years nor ', ' to you. i am much indebted to you, sir, for a scotch bonnet is fitted neither to my years nor my gr', 'ou. i am much indebted to you, sir, for a scotch bonnet is fitted neither to my years nor my gravity', ' am much indebted to you, sir, for a scotch bonnet is fitted neither to my years nor my gravity." wi', 'uch indebted to you, sir, for a scotch bonnet is fitted neither to my years nor my gravity." with a ', 'ndebted to you, sir, for a scotch bonnet is fitted neither to my years nor my gravity." with a comic', 'ed to you, sir, for a scotch bonnet is fitted neither to my years nor my gravity." with a comical po', ' you, sir, for a scotch bonnet is fitted neither to my years nor my gravity." with a comical pomposi', ' sir, for a scotch bonnet is fitted neither to my years nor my gravity." with a comical pomposity of', ' for a scotch bonnet is fitted neither to my years nor my gravity." with a comical pomposity of mann', 'a scotch bonnet is fitted neither to my years nor my gravity." with a comical pomposity of manner he', 'tch bonnet is fitted neither to my years nor my gravity." with a comical pomposity of manner he bowe', 'onnet is fitted neither to my years nor my gravity." with a comical pomposity of manner he bowed sol', ' is fitted neither to my years nor my gravity." with a comical pomposity of manner he bowed solemnly', 'itted neither to my years nor my gravity." with a comical pomposity of manner he bowed solemnly to b', ' neither to my years nor my gravity." with a comical pomposity of manner he bowed solemnly to both o', 'her to my years nor my gravity." with a comical pomposity of manner he bowed solemnly to both of us ', 'o my years nor my gravity." with a comical pomposity of manner he bowed solemnly to both of us and s', 'years nor my gravity." with a comical pomposity of manner he bowed solemnly to both of us and strode', ' nor my gravity." with a comical pomposity of manner he bowed solemnly to both of us and strode off ', 'my gravity." with a comical pomposity of manner he bowed solemnly to both of us and strode off upon ', 'avity." with a comical pomposity of manner he bowed solemnly to both of us and strode off upon his w', '." with a comical pomposity of manner he bowed solemnly to both of us and strode off upon his way. "', 'th a comical pomposity of manner he bowed solemnly to both of us and strode off upon his way. "so mu', 'comical pomposity of manner he bowed solemnly to both of us and strode off upon his way. "so much fo', 'al pomposity of manner he bowed solemnly to both of us and strode off upon his way. "so much for mr.', 'mposity of manner he bowed solemnly to both of us and strode off upon his way. "so much for mr. henr', 'ty of manner he bowed solemnly to both of us and strode off upon his way. "so much for mr. henry bak', ' manner he bowed solemnly to both of us and strode off upon his way. "so much for mr. henry baker," ', 'er he bowed solemnly to both of us and strode off upon his way. "so much for mr. henry baker," said ', ' bowed solemnly to both of us and strode off upon his way. "so much for mr. henry baker," said holme', 'd solemnly to both of us and strode off upon his way. "so much for mr. henry baker," said holmes whe', 'emnly to both of us and strode off upon his way. "so much for mr. henry baker," said holmes when he ', ' to both of us and strode off upon his way. "so much for mr. henry baker," said holmes when he had c', 'oth of us and strode off upon his way. "so much for mr. henry baker," said holmes when he had closed', 'f us and strode off upon his way. "so much for mr. henry baker," said holmes when he had closed the ', 'and strode off upon his way. "so much for mr. henry baker," said holmes when he had closed the door ', 'trode off upon his way. "so much for mr. henry baker," said holmes when he had closed the door behin', ' off upon his way. "so much for mr. henry baker," said holmes when he had closed the door behind him', 'upon his way. "so much for mr. henry baker," said holmes when he had closed the door behind him. "it', 'his way. "so much for mr. henry baker," said holmes when he had closed the door behind him. "it is q', 'ay. "so much for mr. henry baker," said holmes when he had closed the door behind him. "it is quite ', 'so much for mr. henry baker," said holmes when he had closed the door behind him. "it is quite certa', 'ch for mr. henry baker," said holmes when he had closed the door behind him. "it is quite certain th', 'r mr. henry baker," said holmes when he had closed the door behind him. "it is quite certain that he', ' henry baker," said holmes when he had closed the door behind him. "it is quite certain that he know', 'y baker," said holmes when he had closed the door behind him. "it is quite certain that he knows not', 'er," said holmes when he had closed the door behind him. "it is quite certain that he knows nothing ', 'said holmes when he had closed the door behind him. "it is quite certain that he knows nothing whate', 'holmes when he had closed the door behind him. "it is quite certain that he knows nothing whatever a', 's when he had closed the door behind him. "it is quite certain that he knows nothing whatever about ', 'n he had closed the door behind him. "it is quite certain that he knows nothing whatever about the m', 'had closed the door behind him. "it is quite certain that he knows nothing whatever about the matter', 'losed the door behind him. "it is quite certain that he knows nothing whatever about the matter. are', ' the door behind him. "it is quite certain that he knows nothing whatever about the matter. are you ', 'door behind him. "it is quite certain that he knows nothing whatever about the matter. are you hungr', 'behind him. "it is quite certain that he knows nothing whatever about the matter. are you hungry, wa', 'd him. "it is quite certain that he knows nothing whatever about the matter. are you hungry, watson?', '. "it is quite certain that he knows nothing whatever about the matter. are you hungry, watson?" "no', ' is quite certain that he knows nothing whatever about the matter. are you hungry, watson?" "not par', 'uite certain that he knows nothing whatever about the matter. are you hungry, watson?" "not particul', 'certain that he knows nothing whatever about the matter. are you hungry, watson?" "not particularly.', 'in that he knows nothing whatever about the matter. are you hungry, watson?" "not particularly." "th', 'at he knows nothing whatever about the matter. are you hungry, watson?" "not particularly." "then i ', ' knows nothing whatever about the matter. are you hungry, watson?" "not particularly." "then i sugge', 's nothing whatever about the matter. are you hungry, watson?" "not particularly." "then i suggest th', 'hing whatever about the matter. are you hungry, watson?" "not particularly." "then i suggest that we', 'whatever about the matter. are you hungry, watson?" "not particularly." "then i suggest that we turn', 'ver about the matter. are you hungry, watson?" "not particularly." "then i suggest that we turn our ', 'bout the matter. are you hungry, watson?" "not particularly." "then i suggest that we turn our dinne', 'the matter. are you hungry, watson?" "not particularly." "then i suggest that we turn our dinner int', 'atter. are you hungry, watson?" "not particularly." "then i suggest that we turn our dinner into a s', '. are you hungry, watson?" "not particularly." "then i suggest that we turn our dinner into a supper', ' you hungry, watson?" "not particularly." "then i suggest that we turn our dinner into a supper and ', 'hungry, watson?" "not particularly." "then i suggest that we turn our dinner into a supper and follo', 'y, watson?" "not particularly." "then i suggest that we turn our dinner into a supper and follow up ', 'tson?" "not particularly." "then i suggest that we turn our dinner into a supper and follow up this ', '" "not particularly." "then i suggest that we turn our dinner into a supper and follow up this clue ', 't particularly." "then i suggest that we turn our dinner into a supper and follow up this clue while', 'ticularly." "then i suggest that we turn our dinner into a supper and follow up this clue while it i', 'arly." "then i suggest that we turn our dinner into a supper and follow up this clue while it is sti', '" "then i suggest that we turn our dinner into a supper and follow up this clue while it is still ho', 'en i suggest that we turn our dinner into a supper and follow up this clue while it is still hot." "', 'suggest that we turn our dinner into a supper and follow up this clue while it is still hot." "by al', 'st that we turn our dinner into a supper and follow up this clue while it is still hot." "by all mea', 'at we turn our dinner into a supper and follow up this clue while it is still hot." "by all means." ', ' turn our dinner into a supper and follow up this clue while it is still hot." "by all means." it wa', ' our dinner into a supper and follow up this clue while it is still hot." "by all means." it was a b', 'dinner into a supper and follow up this clue while it is still hot." "by all means." it was a bitter', 'r into a supper and follow up this clue while it is still hot." "by all means." it was a bitter nigh', 'o a supper and follow up this clue while it is still hot." "by all means." it was a bitter night, so', 'upper and follow up this clue while it is still hot." "by all means." it was a bitter night, so we d', ' and follow up this clue while it is still hot." "by all means." it was a bitter night, so we drew o', 'follow up this clue while it is still hot." "by all means." it was a bitter night, so we drew on our', 'w up this clue while it is still hot." "by all means." it was a bitter night, so we drew on our ulst', 'this clue while it is still hot." "by all means." it was a bitter night, so we drew on our ulsters a', 'clue while it is still hot." "by all means." it was a bitter night, so we drew on our ulsters and wr', 'while it is still hot." "by all means." it was a bitter night, so we drew on our ulsters and wrapped', ' it is still hot." "by all means." it was a bitter night, so we drew on our ulsters and wrapped crav', 's still hot." "by all means." it was a bitter night, so we drew on our ulsters and wrapped cravats a', 'll hot." "by all means." it was a bitter night, so we drew on our ulsters and wrapped cravats about ', 't." "by all means." it was a bitter night, so we drew on our ulsters and wrapped cravats about our t', 'by all means." it was a bitter night, so we drew on our ulsters and wrapped cravats about our throat', 'l means." it was a bitter night, so we drew on our ulsters and wrapped cravats about our throats. ou', 'ns." it was a bitter night, so we drew on our ulsters and wrapped cravats about our throats. outside', 'it was a bitter night, so we drew on our ulsters and wrapped cravats about our throats. outside, the', 's a bitter night, so we drew on our ulsters and wrapped cravats about our throats. outside, the star', 'itter night, so we drew on our ulsters and wrapped cravats about our throats. outside, the stars wer', ' night, so we drew on our ulsters and wrapped cravats about our throats. outside, the stars were shi', 't, so we drew on our ulsters and wrapped cravats about our throats. outside, the stars were shining ', ' we drew on our ulsters and wrapped cravats about our throats. outside, the stars were shining coldl', 'rew on our ulsters and wrapped cravats about our throats. outside, the stars were shining coldly in ', 'n our ulsters and wrapped cravats about our throats. outside, the stars were shining coldly in a clo', ' ulsters and wrapped cravats about our throats. outside, the stars were shining coldly in a cloudles', 'ers and wrapped cravats about our throats. outside, the stars were shining coldly in a cloudless sky', 'nd wrapped cravats about our throats. outside, the stars were shining coldly in a cloudless sky, and', 'apped cravats about our throats. outside, the stars were shining coldly in a cloudless sky, and the ', ' cravats about our throats. outside, the stars were shining coldly in a cloudless sky, and the breat', 'ats about our throats. outside, the stars were shining coldly in a cloudless sky, and the breath of ', 'bout our throats. outside, the stars were shining coldly in a cloudless sky, and the breath of the p', 'our throats. outside, the stars were shining coldly in a cloudless sky, and the breath of the passer', 'hroats. outside, the stars were shining coldly in a cloudless sky, and the breath of the passers-by ', 's. outside, the stars were shining coldly in a cloudless sky, and the breath of the passers-by blew ', 'tside, the stars were shining coldly in a cloudless sky, and the breath of the passers-by blew out i', ', the stars were shining coldly in a cloudless sky, and the breath of the passers-by blew out into s', ' stars were shining coldly in a cloudless sky, and the breath of the passers-by blew out into smoke ', 's were shining coldly in a cloudless sky, and the breath of the passers-by blew out into smoke like ', 'e shining coldly in a cloudless sky, and the breath of the passers-by blew out into smoke like so ma', 'ning coldly in a cloudless sky, and the breath of the passers-by blew out into smoke like so many pi', 'coldly in a cloudless sky, and the breath of the passers-by blew out into smoke like so many pistol ', 'y in a cloudless sky, and the breath of the passers-by blew out into smoke like so many pistol shots', 'a cloudless sky, and the breath of the passers-by blew out into smoke like so many pistol shots. our', 'udless sky, and the breath of the passers-by blew out into smoke like so many pistol shots. our foot', 's sky, and the breath of the passers-by blew out into smoke like so many pistol shots. our footfalls', ', and the breath of the passers-by blew out into smoke like so many pistol shots. our footfalls rang', ' the breath of the passers-by blew out into smoke like so many pistol shots. our footfalls rang out ', 'breath of the passers-by blew out into smoke like so many pistol shots. our footfalls rang out crisp', 'h of the passers-by blew out into smoke like so many pistol shots. our footfalls rang out crisply an', 'the passers-by blew out into smoke like so many pistol shots. our footfalls rang out crisply and lou', 'assers-by blew out into smoke like so many pistol shots. our footfalls rang out crisply and loudly a', 's-by blew out into smoke like so many pistol shots. our footfalls rang out crisply and loudly as we ', 'blew out into smoke like so many pistol shots. our footfalls rang out crisply and loudly as we swung', 'out into smoke like so many pistol shots. our footfalls rang out crisply and loudly as we swung thro', 'nto smoke like so many pistol shots. our footfalls rang out crisply and loudly as we swung through t', 'moke like so many pistol shots. our footfalls rang out crisply and loudly as we swung through the do', 'like so many pistol shots. our footfalls rang out crisply and loudly as we swung through the doctors', "so many pistol shots. our footfalls rang out crisply and loudly as we swung through the doctors' qua", "ny pistol shots. our footfalls rang out crisply and loudly as we swung through the doctors' quarter,", "stol shots. our footfalls rang out crisply and loudly as we swung through the doctors' quarter, wimp", "shots. our footfalls rang out crisply and loudly as we swung through the doctors' quarter, wimpole s", ". our footfalls rang out crisply and loudly as we swung through the doctors' quarter, wimpole street", " footfalls rang out crisply and loudly as we swung through the doctors' quarter, wimpole street, har", "falls rang out crisply and loudly as we swung through the doctors' quarter, wimpole street, harley s", " rang out crisply and loudly as we swung through the doctors' quarter, wimpole street, harley street", " out crisply and loudly as we swung through the doctors' quarter, wimpole street, harley street, and", "crisply and loudly as we swung through the doctors' quarter, wimpole street, harley street, and so t", "ly and loudly as we swung through the doctors' quarter, wimpole street, harley street, and so throug", "d loudly as we swung through the doctors' quarter, wimpole street, harley street, and so through wig", "dly as we swung through the doctors' quarter, wimpole street, harley street, and so through wigmore ", "s we swung through the doctors' quarter, wimpole street, harley street, and so through wigmore stree", "swung through the doctors' quarter, wimpole street, harley street, and so through wigmore street int", " through the doctors' quarter, wimpole street, harley street, and so through wigmore street into oxf", "ugh the doctors' quarter, wimpole street, harley street, and so through wigmore street into oxford s", "he doctors' quarter, wimpole street, harley street, and so through wigmore street into oxford street", "ctors' quarter, wimpole street, harley street, and so through wigmore street into oxford street. in ", "' quarter, wimpole street, harley street, and so through wigmore street into oxford street. in a qua", 'rter, wimpole street, harley street, and so through wigmore street into oxford street. in a quarter ', ' wimpole street, harley street, and so through wigmore street into oxford street. in a quarter of an', 'ole street, harley street, and so through wigmore street into oxford street. in a quarter of an hour', 'treet, harley street, and so through wigmore street into oxford street. in a quarter of an hour we w', ', harley street, and so through wigmore street into oxford street. in a quarter of an hour we were i', 'ley street, and so through wigmore street into oxford street. in a quarter of an hour we were in blo', 'treet, and so through wigmore street into oxford street. in a quarter of an hour we were in bloomsbu', ', and so through wigmore street into oxford street. in a quarter of an hour we were in bloomsbury at', ' so through wigmore street into oxford street. in a quarter of an hour we were in bloomsbury at the ', 'hrough wigmore street into oxford street. in a quarter of an hour we were in bloomsbury at the alpha', 'h wigmore street into oxford street. in a quarter of an hour we were in bloomsbury at the alpha inn,', 'more street into oxford street. in a quarter of an hour we were in bloomsbury at the alpha inn, whic', 'street into oxford street. in a quarter of an hour we were in bloomsbury at the alpha inn, which is ', 't into oxford street. in a quarter of an hour we were in bloomsbury at the alpha inn, which is a sma', 'o oxford street. in a quarter of an hour we were in bloomsbury at the alpha inn, which is a small pu', 'ord street. in a quarter of an hour we were in bloomsbury at the alpha inn, which is a small public-', 'treet. in a quarter of an hour we were in bloomsbury at the alpha inn, which is a small public-house', '. in a quarter of an hour we were in bloomsbury at the alpha inn, which is a small public-house at t', 'a quarter of an hour we were in bloomsbury at the alpha inn, which is a small public-house at the co', 'rter of an hour we were in bloomsbury at the alpha inn, which is a small public-house at the corner ', 'of an hour we were in bloomsbury at the alpha inn, which is a small public-house at the corner of on', ' hour we were in bloomsbury at the alpha inn, which is a small public-house at the corner of one of ', ' we were in bloomsbury at the alpha inn, which is a small public-house at the corner of one of the s', 'ere in bloomsbury at the alpha inn, which is a small public-house at the corner of one of the street', 'n bloomsbury at the alpha inn, which is a small public-house at the corner of one of the streets whi', 'omsbury at the alpha inn, which is a small public-house at the corner of one of the streets which ru', 'ry at the alpha inn, which is a small public-house at the corner of one of the streets which runs do', ' the alpha inn, which is a small public-house at the corner of one of the streets which runs down in', 'alpha inn, which is a small public-house at the corner of one of the streets which runs down into ho', ' inn, which is a small public-house at the corner of one of the streets which runs down into holborn', ' which is a small public-house at the corner of one of the streets which runs down into holborn. hol', 'h is a small public-house at the corner of one of the streets which runs down into holborn. holmes p', 'a small public-house at the corner of one of the streets which runs down into holborn. holmes pushed', 'll public-house at the corner of one of the streets which runs down into holborn. holmes pushed open', 'blic-house at the corner of one of the streets which runs down into holborn. holmes pushed open the ', 'house at the corner of one of the streets which runs down into holborn. holmes pushed open the door ', ' at the corner of one of the streets which runs down into holborn. holmes pushed open the door of th', 'he corner of one of the streets which runs down into holborn. holmes pushed open the door of the pri', 'rner of one of the streets which runs down into holborn. holmes pushed open the door of the private ', 'of one of the streets which runs down into holborn. holmes pushed open the door of the private bar a', 'e of the streets which runs down into holborn. holmes pushed open the door of the private bar and or', 'the streets which runs down into holborn. holmes pushed open the door of the private bar and ordered', 'treets which runs down into holborn. holmes pushed open the door of the private bar and ordered two ', 's which runs down into holborn. holmes pushed open the door of the private bar and ordered two glass', 'ch runs down into holborn. holmes pushed open the door of the private bar and ordered two glasses of', 'ns down into holborn. holmes pushed open the door of the private bar and ordered two glasses of beer', 'wn into holborn. holmes pushed open the door of the private bar and ordered two glasses of beer from', 'to holborn. holmes pushed open the door of the private bar and ordered two glasses of beer from the ', 'lborn. holmes pushed open the door of the private bar and ordered two glasses of beer from the ruddy', '. holmes pushed open the door of the private bar and ordered two glasses of beer from the ruddy-face', 'mes pushed open the door of the private bar and ordered two glasses of beer from the ruddy-faced, wh', 'ushed open the door of the private bar and ordered two glasses of beer from the ruddy-faced, white-a', ' open the door of the private bar and ordered two glasses of beer from the ruddy-faced, white-aprone', ' the door of the private bar and ordered two glasses of beer from the ruddy-faced, white-aproned lan', 'door of the private bar and ordered two glasses of beer from the ruddy-faced, white-aproned landlord', 'of the private bar and ordered two glasses of beer from the ruddy-faced, white-aproned landlord. "yo', 'e private bar and ordered two glasses of beer from the ruddy-faced, white-aproned landlord. "your be', 'vate bar and ordered two glasses of beer from the ruddy-faced, white-aproned landlord. "your beer sh', 'bar and ordered two glasses of beer from the ruddy-faced, white-aproned landlord. "your beer should ', 'nd ordered two glasses of beer from the ruddy-faced, white-aproned landlord. "your beer should be ex', 'dered two glasses of beer from the ruddy-faced, white-aproned landlord. "your beer should be excelle', ' two glasses of beer from the ruddy-faced, white-aproned landlord. "your beer should be excellent if', 'glasses of beer from the ruddy-faced, white-aproned landlord. "your beer should be excellent if it i', 'es of beer from the ruddy-faced, white-aproned landlord. "your beer should be excellent if it is as ', ' beer from the ruddy-faced, white-aproned landlord. "your beer should be excellent if it is as good ', ' from the ruddy-faced, white-aproned landlord. "your beer should be excellent if it is as good as yo', ' the ruddy-faced, white-aproned landlord. "your beer should be excellent if it is as good as your ge', 'ruddy-faced, white-aproned landlord. "your beer should be excellent if it is as good as your geese,"', '-faced, white-aproned landlord. "your beer should be excellent if it is as good as your geese," said', 'd, white-aproned landlord. "your beer should be excellent if it is as good as your geese," said he. ', 'ite-aproned landlord. "your beer should be excellent if it is as good as your geese," said he. "my g', 'proned landlord. "your beer should be excellent if it is as good as your geese," said he. "my geese ', 'd landlord. "your beer should be excellent if it is as good as your geese," said he. "my geese the m', 'dlord. "your beer should be excellent if it is as good as your geese," said he. "my geese the man se', '. "your beer should be excellent if it is as good as your geese," said he. "my geese the man seemed ', 'ur beer should be excellent if it is as good as your geese," said he. "my geese the man seemed surpr', 'er should be excellent if it is as good as your geese," said he. "my geese the man seemed surprised.', 'ould be excellent if it is as good as your geese," said he. "my geese the man seemed surprised. "yes', 'be excellent if it is as good as your geese," said he. "my geese the man seemed surprised. "yes. i w', 'cellent if it is as good as your geese," said he. "my geese the man seemed surprised. "yes. i was sp', 'nt if it is as good as your geese," said he. "my geese the man seemed surprised. "yes. i was speakin', ' it is as good as your geese," said he. "my geese the man seemed surprised. "yes. i was speaking onl', 's as good as your geese," said he. "my geese the man seemed surprised. "yes. i was speaking only hal', 'good as your geese," said he. "my geese the man seemed surprised. "yes. i was speaking only half an ', 'as your geese," said he. "my geese the man seemed surprised. "yes. i was speaking only half an hour ', 'ur geese," said he. "my geese the man seemed surprised. "yes. i was speaking only half an hour ago t', 'ese," said he. "my geese the man seemed surprised. "yes. i was speaking only half an hour ago to mr.', ' said he. "my geese the man seemed surprised. "yes. i was speaking only half an hour ago to mr. henr', ' he. "my geese the man seemed surprised. "yes. i was speaking only half an hour ago to mr. henry bak', '"my geese the man seemed surprised. "yes. i was speaking only half an hour ago to mr. henry baker, w', 'eese the man seemed surprised. "yes. i was speaking only half an hour ago to mr. henry baker, who wa', 'the man seemed surprised. "yes. i was speaking only half an hour ago to mr. henry baker, who was a m', 'an seemed surprised. "yes. i was speaking only half an hour ago to mr. henry baker, who was a member', 'emed surprised. "yes. i was speaking only half an hour ago to mr. henry baker, who was a member of y', 'surprised. "yes. i was speaking only half an hour ago to mr. henry baker, who was a member of your g', 'ised. "yes. i was speaking only half an hour ago to mr. henry baker, who was a member of your goose ', ' "yes. i was speaking only half an hour ago to mr. henry baker, who was a member of your goose club.', '. i was speaking only half an hour ago to mr. henry baker, who was a member of your goose club." "ah', 'as speaking only half an hour ago to mr. henry baker, who was a member of your goose club." "ah! yes', 'eaking only half an hour ago to mr. henry baker, who was a member of your goose club." "ah! yes, i s', 'g only half an hour ago to mr. henry baker, who was a member of your goose club." "ah! yes, i see. b', 'y half an hour ago to mr. henry baker, who was a member of your goose club." "ah! yes, i see. but yo', 'f an hour ago to mr. henry baker, who was a member of your goose club." "ah! yes, i see. but you see', 'hour ago to mr. henry baker, who was a member of your goose club." "ah! yes, i see. but you see, sir', 'ago to mr. henry baker, who was a member of your goose club." "ah! yes, i see. but you see, sir, the', 'o mr. henry baker, who was a member of your goose club." "ah! yes, i see. but you see, sir, them\'s n', ' henry baker, who was a member of your goose club." "ah! yes, i see. but you see, sir, them\'s not ou', 'y baker, who was a member of your goose club." "ah! yes, i see. but you see, sir, them\'s not our gee', 'er, who was a member of your goose club." "ah! yes, i see. but you see, sir, them\'s not our geese." ', 'ho was a member of your goose club." "ah! yes, i see. but you see, sir, them\'s not our geese." "inde', 's a member of your goose club." "ah! yes, i see. but you see, sir, them\'s not our geese." "indeed! w', 'ember of your goose club." "ah! yes, i see. but you see, sir, them\'s not our geese." "indeed! whose,', ' of your goose club." "ah! yes, i see. but you see, sir, them\'s not our geese." "indeed! whose, then', 'our goose club." "ah! yes, i see. but you see, sir, them\'s not our geese." "indeed! whose, then?" "w', 'oose club." "ah! yes, i see. but you see, sir, them\'s not our geese." "indeed! whose, then?" "well, ', 'club." "ah! yes, i see. but you see, sir, them\'s not our geese." "indeed! whose, then?" "well, i got', '" "ah! yes, i see. but you see, sir, them\'s not our geese." "indeed! whose, then?" "well, i got the ', '! yes, i see. but you see, sir, them\'s not our geese." "indeed! whose, then?" "well, i got the two d', ', i see. but you see, sir, them\'s not our geese." "indeed! whose, then?" "well, i got the two dozen ', 'ee. but you see, sir, them\'s not our geese." "indeed! whose, then?" "well, i got the two dozen from ', 'ut you see, sir, them\'s not our geese." "indeed! whose, then?" "well, i got the two dozen from a sal', 'u see, sir, them\'s not our geese." "indeed! whose, then?" "well, i got the two dozen from a salesman', ', sir, them\'s not our geese." "indeed! whose, then?" "well, i got the two dozen from a salesman in c', ', them\'s not our geese." "indeed! whose, then?" "well, i got the two dozen from a salesman in covent', 'm\'s not our geese." "indeed! whose, then?" "well, i got the two dozen from a salesman in covent gard', 'ot our geese." "indeed! whose, then?" "well, i got the two dozen from a salesman in covent garden." ', 'r geese." "indeed! whose, then?" "well, i got the two dozen from a salesman in covent garden." "inde', 'se." "indeed! whose, then?" "well, i got the two dozen from a salesman in covent garden." "indeed? i', '"indeed! whose, then?" "well, i got the two dozen from a salesman in covent garden." "indeed? i know', 'ed! whose, then?" "well, i got the two dozen from a salesman in covent garden." "indeed? i know some', 'hose, then?" "well, i got the two dozen from a salesman in covent garden." "indeed? i know some of t', ' then?" "well, i got the two dozen from a salesman in covent garden." "indeed? i know some of them. ', '?" "well, i got the two dozen from a salesman in covent garden." "indeed? i know some of them. which', 'ell, i got the two dozen from a salesman in covent garden." "indeed? i know some of them. which was ', 'i got the two dozen from a salesman in covent garden." "indeed? i know some of them. which was it?" ', ' the two dozen from a salesman in covent garden." "indeed? i know some of them. which was it?" "brec', 'two dozen from a salesman in covent garden." "indeed? i know some of them. which was it?" "breckinri', 'ozen from a salesman in covent garden." "indeed? i know some of them. which was it?" "breckinridge i', 'from a salesman in covent garden." "indeed? i know some of them. which was it?" "breckinridge is his', 'a salesman in covent garden." "indeed? i know some of them. which was it?" "breckinridge is his name', 'esman in covent garden." "indeed? i know some of them. which was it?" "breckinridge is his name." "a', ' in covent garden." "indeed? i know some of them. which was it?" "breckinridge is his name." "ah! i ', 'ovent garden." "indeed? i know some of them. which was it?" "breckinridge is his name." "ah! i don\'t', ' garden." "indeed? i know some of them. which was it?" "breckinridge is his name." "ah! i don\'t know', 'en." "indeed? i know some of them. which was it?" "breckinridge is his name." "ah! i don\'t know him.', '"indeed? i know some of them. which was it?" "breckinridge is his name." "ah! i don\'t know him. well', 'ed? i know some of them. which was it?" "breckinridge is his name." "ah! i don\'t know him. well, her', ' know some of them. which was it?" "breckinridge is his name." "ah! i don\'t know him. well, here\'s y', ' some of them. which was it?" "breckinridge is his name." "ah! i don\'t know him. well, here\'s your g', ' of them. which was it?" "breckinridge is his name." "ah! i don\'t know him. well, here\'s your good h', 'hem. which was it?" "breckinridge is his name." "ah! i don\'t know him. well, here\'s your good health', 'which was it?" "breckinridge is his name." "ah! i don\'t know him. well, here\'s your good health land', ' was it?" "breckinridge is his name." "ah! i don\'t know him. well, here\'s your good health landlord,', 'it?" "breckinridge is his name." "ah! i don\'t know him. well, here\'s your good health landlord, and ', '"breckinridge is his name." "ah! i don\'t know him. well, here\'s your good health landlord, and prosp', 'kinridge is his name." "ah! i don\'t know him. well, here\'s your good health landlord, and prosperity', 'dge is his name." "ah! i don\'t know him. well, here\'s your good health landlord, and prosperity to y', 's his name." "ah! i don\'t know him. well, here\'s your good health landlord, and prosperity to your h', ' name." "ah! i don\'t know him. well, here\'s your good health landlord, and prosperity to your house.', '." "ah! i don\'t know him. well, here\'s your good health landlord, and prosperity to your house. good', "h! i don't know him. well, here's your good health landlord, and prosperity to your house. good-nigh", 'don\'t know him. well, here\'s your good health landlord, and prosperity to your house. good-night." "', ' know him. well, here\'s your good health landlord, and prosperity to your house. good-night." "now f', ' him. well, here\'s your good health landlord, and prosperity to your house. good-night." "now for mr', ' well, here\'s your good health landlord, and prosperity to your house. good-night." "now for mr. bre', ', here\'s your good health landlord, and prosperity to your house. good-night." "now for mr. breckinr', 'e\'s your good health landlord, and prosperity to your house. good-night." "now for mr. breckinridge,', 'our good health landlord, and prosperity to your house. good-night." "now for mr. breckinridge," he ', 'ood health landlord, and prosperity to your house. good-night." "now for mr. breckinridge," he conti', 'ealth landlord, and prosperity to your house. good-night." "now for mr. breckinridge," he continued,', ' landlord, and prosperity to your house. good-night." "now for mr. breckinridge," he continued, butt', 'lord, and prosperity to your house. good-night." "now for mr. breckinridge," he continued, buttoning', ' and prosperity to your house. good-night." "now for mr. breckinridge," he continued, buttoning up h', 'prosperity to your house. good-night." "now for mr. breckinridge," he continued, buttoning up his co', 'erity to your house. good-night." "now for mr. breckinridge," he continued, buttoning up his coat as', ' to your house. good-night." "now for mr. breckinridge," he continued, buttoning up his coat as we c', 'our house. good-night." "now for mr. breckinridge," he continued, buttoning up his coat as we came o', 'ouse. good-night." "now for mr. breckinridge," he continued, buttoning up his coat as we came out in', ' good-night." "now for mr. breckinridge," he continued, buttoning up his coat as we came out into th', '-night." "now for mr. breckinridge," he continued, buttoning up his coat as we came out into the fro', 't." "now for mr. breckinridge," he continued, buttoning up his coat as we came out into the frosty a', 'now for mr. breckinridge," he continued, buttoning up his coat as we came out into the frosty air. "', 'or mr. breckinridge," he continued, buttoning up his coat as we came out into the frosty air. "remem', '. breckinridge," he continued, buttoning up his coat as we came out into the frosty air. "remember, ', 'ckinridge," he continued, buttoning up his coat as we came out into the frosty air. "remember, watso', 'idge," he continued, buttoning up his coat as we came out into the frosty air. "remember, watson tha', '" he continued, buttoning up his coat as we came out into the frosty air. "remember, watson that tho', 'continued, buttoning up his coat as we came out into the frosty air. "remember, watson that though w', 'nued, buttoning up his coat as we came out into the frosty air. "remember, watson that though we hav', ' buttoning up his coat as we came out into the frosty air. "remember, watson that though we have so ', 'oning up his coat as we came out into the frosty air. "remember, watson that though we have so homel', ' up his coat as we came out into the frosty air. "remember, watson that though we have so homely a t', 'is coat as we came out into the frosty air. "remember, watson that though we have so homely a thing ', 'at as we came out into the frosty air. "remember, watson that though we have so homely a thing as a ', ' we came out into the frosty air. "remember, watson that though we have so homely a thing as a goose', 'ame out into the frosty air. "remember, watson that though we have so homely a thing as a goose at o', 'ut into the frosty air. "remember, watson that though we have so homely a thing as a goose at one en', 'to the frosty air. "remember, watson that though we have so homely a thing as a goose at one end of ', 'e frosty air. "remember, watson that though we have so homely a thing as a goose at one end of this ', 'sty air. "remember, watson that though we have so homely a thing as a goose at one end of this chain', 'ir. "remember, watson that though we have so homely a thing as a goose at one end of this chain, we ', 'remember, watson that though we have so homely a thing as a goose at one end of this chain, we have ', 'ber, watson that though we have so homely a thing as a goose at one end of this chain, we have at th', 'watson that though we have so homely a thing as a goose at one end of this chain, we have at the oth', 'n that though we have so homely a thing as a goose at one end of this chain, we have at the other a ', 't though we have so homely a thing as a goose at one end of this chain, we have at the other a man w', 'ugh we have so homely a thing as a goose at one end of this chain, we have at the other a man who wi', 'e have so homely a thing as a goose at one end of this chain, we have at the other a man who will ce', 'e so homely a thing as a goose at one end of this chain, we have at the other a man who will certain', 'homely a thing as a goose at one end of this chain, we have at the other a man who will certainly ge', 'y a thing as a goose at one end of this chain, we have at the other a man who will certainly get sev', 'hing as a goose at one end of this chain, we have at the other a man who will certainly get seven ye', "as a goose at one end of this chain, we have at the other a man who will certainly get seven years' ", "goose at one end of this chain, we have at the other a man who will certainly get seven years' penal", " at one end of this chain, we have at the other a man who will certainly get seven years' penal serv", "ne end of this chain, we have at the other a man who will certainly get seven years' penal servitude", "d of this chain, we have at the other a man who will certainly get seven years' penal servitude unle", "this chain, we have at the other a man who will certainly get seven years' penal servitude unless we", "chain, we have at the other a man who will certainly get seven years' penal servitude unless we can ", ", we have at the other a man who will certainly get seven years' penal servitude unless we can estab", "have at the other a man who will certainly get seven years' penal servitude unless we can establish ", "at the other a man who will certainly get seven years' penal servitude unless we can establish his i", "e other a man who will certainly get seven years' penal servitude unless we can establish his innoce", "er a man who will certainly get seven years' penal servitude unless we can establish his innocence. ", "man who will certainly get seven years' penal servitude unless we can establish his innocence. it is", "ho will certainly get seven years' penal servitude unless we can establish his innocence. it is poss", "ll certainly get seven years' penal servitude unless we can establish his innocence. it is possible ", "rtainly get seven years' penal servitude unless we can establish his innocence. it is possible that ", "ly get seven years' penal servitude unless we can establish his innocence. it is possible that our i", "t seven years' penal servitude unless we can establish his innocence. it is possible that our inquir", "en years' penal servitude unless we can establish his innocence. it is possible that our inquiry may", "ars' penal servitude unless we can establish his innocence. it is possible that our inquiry may but ", 'penal servitude unless we can establish his innocence. it is possible that our inquiry may but confi', ' servitude unless we can establish his innocence. it is possible that our inquiry may but confirm hi', 'itude unless we can establish his innocence. it is possible that our inquiry may but confirm his gui', ' unless we can establish his innocence. it is possible that our inquiry may but confirm his guilt; b', 'ss we can establish his innocence. it is possible that our inquiry may but confirm his guilt; but, i', ' can establish his innocence. it is possible that our inquiry may but confirm his guilt; but, in any', 'establish his innocence. it is possible that our inquiry may but confirm his guilt; but, in any case', 'lish his innocence. it is possible that our inquiry may but confirm his guilt; but, in any case, we ', 'his innocence. it is possible that our inquiry may but confirm his guilt; but, in any case, we have ', 'nnocence. it is possible that our inquiry may but confirm his guilt; but, in any case, we have a lin', 'nce. it is possible that our inquiry may but confirm his guilt; but, in any case, we have a line of ', 'it is possible that our inquiry may but confirm his guilt; but, in any case, we have a line of inves', ' possible that our inquiry may but confirm his guilt; but, in any case, we have a line of investigat', 'ible that our inquiry may but confirm his guilt; but, in any case, we have a line of investigation w', 'that our inquiry may but confirm his guilt; but, in any case, we have a line of investigation which ', 'our inquiry may but confirm his guilt; but, in any case, we have a line of investigation which has b', 'nquiry may but confirm his guilt; but, in any case, we have a line of investigation which has been m', 'y may but confirm his guilt; but, in any case, we have a line of investigation which has been missed', ' but confirm his guilt; but, in any case, we have a line of investigation which has been missed by t', 'confirm his guilt; but, in any case, we have a line of investigation which has been missed by the po', 'rm his guilt; but, in any case, we have a line of investigation which has been missed by the police,', 's guilt; but, in any case, we have a line of investigation which has been missed by the police, and ', 'lt; but, in any case, we have a line of investigation which has been missed by the police, and which', 'ut, in any case, we have a line of investigation which has been missed by the police, and which a si', 'n any case, we have a line of investigation which has been missed by the police, and which a singula', ' case, we have a line of investigation which has been missed by the police, and which a singular cha', ', we have a line of investigation which has been missed by the police, and which a singular chance h', 'have a line of investigation which has been missed by the police, and which a singular chance has pl', 'a line of investigation which has been missed by the police, and which a singular chance has placed ', 'e of investigation which has been missed by the police, and which a singular chance has placed in ou', 'investigation which has been missed by the police, and which a singular chance has placed in our han', 'tigation which has been missed by the police, and which a singular chance has placed in our hands. l', 'ion which has been missed by the police, and which a singular chance has placed in our hands. let us', 'hich has been missed by the police, and which a singular chance has placed in our hands. let us foll', 'has been missed by the police, and which a singular chance has placed in our hands. let us follow it', 'een missed by the police, and which a singular chance has placed in our hands. let us follow it out ', 'issed by the police, and which a singular chance has placed in our hands. let us follow it out to th', ' by the police, and which a singular chance has placed in our hands. let us follow it out to the bit', 'he police, and which a singular chance has placed in our hands. let us follow it out to the bitter e', 'lice, and which a singular chance has placed in our hands. let us follow it out to the bitter end. f', ' and which a singular chance has placed in our hands. let us follow it out to the bitter end. faces ', 'which a singular chance has placed in our hands. let us follow it out to the bitter end. faces to th', ' a singular chance has placed in our hands. let us follow it out to the bitter end. faces to the sou', 'ngular chance has placed in our hands. let us follow it out to the bitter end. faces to the south, t', 'r chance has placed in our hands. let us follow it out to the bitter end. faces to the south, then, ', 'nce has placed in our hands. let us follow it out to the bitter end. faces to the south, then, and q', 'as placed in our hands. let us follow it out to the bitter end. faces to the south, then, and quick ', 'aced in our hands. let us follow it out to the bitter end. faces to the south, then, and quick march', 'in our hands. let us follow it out to the bitter end. faces to the south, then, and quick march we ', 'r hands. let us follow it out to the bitter end. faces to the south, then, and quick march we passe', 'ds. let us follow it out to the bitter end. faces to the south, then, and quick march we passed acr', 'et us follow it out to the bitter end. faces to the south, then, and quick march we passed across h', ' follow it out to the bitter end. faces to the south, then, and quick march we passed across holbor', 'ow it out to the bitter end. faces to the south, then, and quick march we passed across holborn, do', ' out to the bitter end. faces to the south, then, and quick march we passed across holborn, down en', 'to the bitter end. faces to the south, then, and quick march we passed across holborn, down endell ', 'e bitter end. faces to the south, then, and quick march we passed across holborn, down endell stree', 'ter end. faces to the south, then, and quick march we passed across holborn, down endell street, an', 'nd. faces to the south, then, and quick march we passed across holborn, down endell street, and so ', 'aces to the south, then, and quick march we passed across holborn, down endell street, and so throu', 'to the south, then, and quick march we passed across holborn, down endell street, and so through a ', 'e south, then, and quick march we passed across holborn, down endell street, and so through a zigza', 'th, then, and quick march we passed across holborn, down endell street, and so through a zigzag of ', 'hen, and quick march we passed across holborn, down endell street, and so through a zigzag of slums', 'and quick march we passed across holborn, down endell street, and so through a zigzag of slums to c', 'uick march we passed across holborn, down endell street, and so through a zigzag of slums to covent', 'march we passed across holborn, down endell street, and so through a zigzag of slums to covent gard', ' we passed across holborn, down endell street, and so through a zigzag of slums to covent garden ma', 'passed across holborn, down endell street, and so through a zigzag of slums to covent garden market.', 'd across holborn, down endell street, and so through a zigzag of slums to covent garden market. one ', 'oss holborn, down endell street, and so through a zigzag of slums to covent garden market. one of th', 'olborn, down endell street, and so through a zigzag of slums to covent garden market. one of the lar', 'n, down endell street, and so through a zigzag of slums to covent garden market. one of the largest ', 'wn endell street, and so through a zigzag of slums to covent garden market. one of the largest stall', 'dell street, and so through a zigzag of slums to covent garden market. one of the largest stalls bor', 'street, and so through a zigzag of slums to covent garden market. one of the largest stalls bore the', 't, and so through a zigzag of slums to covent garden market. one of the largest stalls bore the name', 'd so through a zigzag of slums to covent garden market. one of the largest stalls bore the name of b', 'through a zigzag of slums to covent garden market. one of the largest stalls bore the name of brecki', 'gh a zigzag of slums to covent garden market. one of the largest stalls bore the name of breckinridg', 'zigzag of slums to covent garden market. one of the largest stalls bore the name of breckinridge upo', 'g of slums to covent garden market. one of the largest stalls bore the name of breckinridge upon it,', 'slums to covent garden market. one of the largest stalls bore the name of breckinridge upon it, and ', ' to covent garden market. one of the largest stalls bore the name of breckinridge upon it, and the p', 'ovent garden market. one of the largest stalls bore the name of breckinridge upon it, and the propri', ' garden market. one of the largest stalls bore the name of breckinridge upon it, and the proprietor ', 'en market. one of the largest stalls bore the name of breckinridge upon it, and the proprietor a hor', 'rket. one of the largest stalls bore the name of breckinridge upon it, and the proprietor a horsey-l', ' one of the largest stalls bore the name of breckinridge upon it, and the proprietor a horsey-lookin', 'of the largest stalls bore the name of breckinridge upon it, and the proprietor a horsey-looking man', 'e largest stalls bore the name of breckinridge upon it, and the proprietor a horsey-looking man, wit', 'gest stalls bore the name of breckinridge upon it, and the proprietor a horsey-looking man, with a s', 'stalls bore the name of breckinridge upon it, and the proprietor a horsey-looking man, with a sharp ', 's bore the name of breckinridge upon it, and the proprietor a horsey-looking man, with a sharp face ', 'e the name of breckinridge upon it, and the proprietor a horsey-looking man, with a sharp face and t', ' name of breckinridge upon it, and the proprietor a horsey-looking man, with a sharp face and trim s', ' of breckinridge upon it, and the proprietor a horsey-looking man, with a sharp face and trim side-w', 'reckinridge upon it, and the proprietor a horsey-looking man, with a sharp face and trim side-whiske', 'nridge upon it, and the proprietor a horsey-looking man, with a sharp face and trim side-whiskers wa', 'e upon it, and the proprietor a horsey-looking man, with a sharp face and trim side-whiskers was hel', 'n it, and the proprietor a horsey-looking man, with a sharp face and trim side-whiskers was helping ', ' and the proprietor a horsey-looking man, with a sharp face and trim side-whiskers was helping a boy', 'the proprietor a horsey-looking man, with a sharp face and trim side-whiskers was helping a boy to p', 'roprietor a horsey-looking man, with a sharp face and trim side-whiskers was helping a boy to put up', 'etor a horsey-looking man, with a sharp face and trim side-whiskers was helping a boy to put up the ', 'a horsey-looking man, with a sharp face and trim side-whiskers was helping a boy to put up the shutt', 'sey-looking man, with a sharp face and trim side-whiskers was helping a boy to put up the shutters. ', 'ooking man, with a sharp face and trim side-whiskers was helping a boy to put up the shutters. "good', 'g man, with a sharp face and trim side-whiskers was helping a boy to put up the shutters. "good-even', ', with a sharp face and trim side-whiskers was helping a boy to put up the shutters. "good-evening. ', 'h a sharp face and trim side-whiskers was helping a boy to put up the shutters. "good-evening. it\'s ', 'harp face and trim side-whiskers was helping a boy to put up the shutters. "good-evening. it\'s a col', 'face and trim side-whiskers was helping a boy to put up the shutters. "good-evening. it\'s a cold nig', 'and trim side-whiskers was helping a boy to put up the shutters. "good-evening. it\'s a cold night," ', 'rim side-whiskers was helping a boy to put up the shutters. "good-evening. it\'s a cold night," said ', 'ide-whiskers was helping a boy to put up the shutters. "good-evening. it\'s a cold night," said holme', 'hiskers was helping a boy to put up the shutters. "good-evening. it\'s a cold night," said holmes. th', 'rs was helping a boy to put up the shutters. "good-evening. it\'s a cold night," said holmes. the sal', 's helping a boy to put up the shutters. "good-evening. it\'s a cold night," said holmes. the salesman', 'ping a boy to put up the shutters. "good-evening. it\'s a cold night," said holmes. the salesman nodd', 'a boy to put up the shutters. "good-evening. it\'s a cold night," said holmes. the salesman nodded an', ' to put up the shutters. "good-evening. it\'s a cold night," said holmes. the salesman nodded and sho', 'ut up the shutters. "good-evening. it\'s a cold night," said holmes. the salesman nodded and shot a q', ' the shutters. "good-evening. it\'s a cold night," said holmes. the salesman nodded and shot a questi', 'shutters. "good-evening. it\'s a cold night," said holmes. the salesman nodded and shot a questioning', 'ers. "good-evening. it\'s a cold night," said holmes. the salesman nodded and shot a questioning glan', '"good-evening. it\'s a cold night," said holmes. the salesman nodded and shot a questioning glance at', '-evening. it\'s a cold night," said holmes. the salesman nodded and shot a questioning glance at my c', 'ing. it\'s a cold night," said holmes. the salesman nodded and shot a questioning glance at my compan', 'it\'s a cold night," said holmes. the salesman nodded and shot a questioning glance at my companion. ', 'a cold night," said holmes. the salesman nodded and shot a questioning glance at my companion. "sold', 'd night," said holmes. the salesman nodded and shot a questioning glance at my companion. "sold out ', 'ht," said holmes. the salesman nodded and shot a questioning glance at my companion. "sold out of ge', 'said holmes. the salesman nodded and shot a questioning glance at my companion. "sold out of geese, ', 'holmes. the salesman nodded and shot a questioning glance at my companion. "sold out of geese, i see', 's. the salesman nodded and shot a questioning glance at my companion. "sold out of geese, i see," co', 'e salesman nodded and shot a questioning glance at my companion. "sold out of geese, i see," continu', 'esman nodded and shot a questioning glance at my companion. "sold out of geese, i see," continued ho', ' nodded and shot a questioning glance at my companion. "sold out of geese, i see," continued holmes,', 'ed and shot a questioning glance at my companion. "sold out of geese, i see," continued holmes, poin', 'd shot a questioning glance at my companion. "sold out of geese, i see," continued holmes, pointing ', 't a questioning glance at my companion. "sold out of geese, i see," continued holmes, pointing at th', 'uestioning glance at my companion. "sold out of geese, i see," continued holmes, pointing at the bar', 'oning glance at my companion. "sold out of geese, i see," continued holmes, pointing at the bare sla', ' glance at my companion. "sold out of geese, i see," continued holmes, pointing at the bare slabs of', 'ce at my companion. "sold out of geese, i see," continued holmes, pointing at the bare slabs of marb', ' my companion. "sold out of geese, i see," continued holmes, pointing at the bare slabs of marble. "', 'ompanion. "sold out of geese, i see," continued holmes, pointing at the bare slabs of marble. "let y', 'ion. "sold out of geese, i see," continued holmes, pointing at the bare slabs of marble. "let you ha', '"sold out of geese, i see," continued holmes, pointing at the bare slabs of marble. "let you have fi', ' out of geese, i see," continued holmes, pointing at the bare slabs of marble. "let you have five hu', 'of geese, i see," continued holmes, pointing at the bare slabs of marble. "let you have five hundred', 'ese, i see," continued holmes, pointing at the bare slabs of marble. "let you have five hundred to-m', 'i see," continued holmes, pointing at the bare slabs of marble. "let you have five hundred to-morrow', '," continued holmes, pointing at the bare slabs of marble. "let you have five hundred to-morrow morn', 'ntinued holmes, pointing at the bare slabs of marble. "let you have five hundred to-morrow morning."', 'ed holmes, pointing at the bare slabs of marble. "let you have five hundred to-morrow morning." "tha', 'lmes, pointing at the bare slabs of marble. "let you have five hundred to-morrow morning." "that\'s n', ' pointing at the bare slabs of marble. "let you have five hundred to-morrow morning." "that\'s no goo', 'ting at the bare slabs of marble. "let you have five hundred to-morrow morning." "that\'s no good." "', 'at the bare slabs of marble. "let you have five hundred to-morrow morning." "that\'s no good." "well,', 'e bare slabs of marble. "let you have five hundred to-morrow morning." "that\'s no good." "well, ther', 'e slabs of marble. "let you have five hundred to-morrow morning." "that\'s no good." "well, there are', 'bs of marble. "let you have five hundred to-morrow morning." "that\'s no good." "well, there are some', ' marble. "let you have five hundred to-morrow morning." "that\'s no good." "well, there are some on t', 'le. "let you have five hundred to-morrow morning." "that\'s no good." "well, there are some on the st', 'let you have five hundred to-morrow morning." "that\'s no good." "well, there are some on the stall w', 'ou have five hundred to-morrow morning." "that\'s no good." "well, there are some on the stall with t', 've five hundred to-morrow morning." "that\'s no good." "well, there are some on the stall with the ga', 've hundred to-morrow morning." "that\'s no good." "well, there are some on the stall with the gas-fla', 'ndred to-morrow morning." "that\'s no good." "well, there are some on the stall with the gas-flare." ', ' to-morrow morning." "that\'s no good." "well, there are some on the stall with the gas-flare." "ah, ', 'orrow morning." "that\'s no good." "well, there are some on the stall with the gas-flare." "ah, but i', ' morning." "that\'s no good." "well, there are some on the stall with the gas-flare." "ah, but i was ', 'ing." "that\'s no good." "well, there are some on the stall with the gas-flare." "ah, but i was recom', ' "that\'s no good." "well, there are some on the stall with the gas-flare." "ah, but i was recommende', 't\'s no good." "well, there are some on the stall with the gas-flare." "ah, but i was recommended to ', 'o good." "well, there are some on the stall with the gas-flare." "ah, but i was recommended to you."', 'd." "well, there are some on the stall with the gas-flare." "ah, but i was recommended to you." "who', 'well, there are some on the stall with the gas-flare." "ah, but i was recommended to you." "who by?"', ' there are some on the stall with the gas-flare." "ah, but i was recommended to you." "who by?" "the', 'e are some on the stall with the gas-flare." "ah, but i was recommended to you." "who by?" "the land', ' some on the stall with the gas-flare." "ah, but i was recommended to you." "who by?" "the landlord ', ' on the stall with the gas-flare." "ah, but i was recommended to you." "who by?" "the landlord of th', 'he stall with the gas-flare." "ah, but i was recommended to you." "who by?" "the landlord of the alp', 'all with the gas-flare." "ah, but i was recommended to you." "who by?" "the landlord of the alpha." ', 'ith the gas-flare." "ah, but i was recommended to you." "who by?" "the landlord of the alpha." "oh, ', 'he gas-flare." "ah, but i was recommended to you." "who by?" "the landlord of the alpha." "oh, yes; ', 's-flare." "ah, but i was recommended to you." "who by?" "the landlord of the alpha." "oh, yes; i sen', 're." "ah, but i was recommended to you." "who by?" "the landlord of the alpha." "oh, yes; i sent him', '"ah, but i was recommended to you." "who by?" "the landlord of the alpha." "oh, yes; i sent him a co', 'but i was recommended to you." "who by?" "the landlord of the alpha." "oh, yes; i sent him a couple ', ' was recommended to you." "who by?" "the landlord of the alpha." "oh, yes; i sent him a couple of do', 'recommended to you." "who by?" "the landlord of the alpha." "oh, yes; i sent him a couple of dozen."', 'mended to you." "who by?" "the landlord of the alpha." "oh, yes; i sent him a couple of dozen." "fin', 'd to you." "who by?" "the landlord of the alpha." "oh, yes; i sent him a couple of dozen." "fine bir', 'you." "who by?" "the landlord of the alpha." "oh, yes; i sent him a couple of dozen." "fine birds th', ' "who by?" "the landlord of the alpha." "oh, yes; i sent him a couple of dozen." "fine birds they we', ' by?" "the landlord of the alpha." "oh, yes; i sent him a couple of dozen." "fine birds they were, t', ' "the landlord of the alpha." "oh, yes; i sent him a couple of dozen." "fine birds they were, too. n', ' landlord of the alpha." "oh, yes; i sent him a couple of dozen." "fine birds they were, too. now wh', 'lord of the alpha." "oh, yes; i sent him a couple of dozen." "fine birds they were, too. now where d', 'of the alpha." "oh, yes; i sent him a couple of dozen." "fine birds they were, too. now where did yo', 'e alpha." "oh, yes; i sent him a couple of dozen." "fine birds they were, too. now where did you get', 'ha." "oh, yes; i sent him a couple of dozen." "fine birds they were, too. now where did you get them', '"oh, yes; i sent him a couple of dozen." "fine birds they were, too. now where did you get them from', 'yes; i sent him a couple of dozen." "fine birds they were, too. now where did you get them from?" to', 'i sent him a couple of dozen." "fine birds they were, too. now where did you get them from?" to my s', 't him a couple of dozen." "fine birds they were, too. now where did you get them from?" to my surpri', ' a couple of dozen." "fine birds they were, too. now where did you get them from?" to my surprise th', 'uple of dozen." "fine birds they were, too. now where did you get them from?" to my surprise the que', 'of dozen." "fine birds they were, too. now where did you get them from?" to my surprise the question', 'zen." "fine birds they were, too. now where did you get them from?" to my surprise the question prov', ' "fine birds they were, too. now where did you get them from?" to my surprise the question provoked ', 'e birds they were, too. now where did you get them from?" to my surprise the question provoked a bur', 'ds they were, too. now where did you get them from?" to my surprise the question provoked a burst of', 'ey were, too. now where did you get them from?" to my surprise the question provoked a burst of ange', 're, too. now where did you get them from?" to my surprise the question provoked a burst of anger fro', 'oo. now where did you get them from?" to my surprise the question provoked a burst of anger from the', 'ow where did you get them from?" to my surprise the question provoked a burst of anger from the sale', 'ere did you get them from?" to my surprise the question provoked a burst of anger from the salesman.', 'id you get them from?" to my surprise the question provoked a burst of anger from the salesman. "now', 'u get them from?" to my surprise the question provoked a burst of anger from the salesman. "now, the', ' them from?" to my surprise the question provoked a burst of anger from the salesman. "now, then, mi', ' from?" to my surprise the question provoked a burst of anger from the salesman. "now, then, mister,', '?" to my surprise the question provoked a burst of anger from the salesman. "now, then, mister," sai', ' my surprise the question provoked a burst of anger from the salesman. "now, then, mister," said he,', 'urprise the question provoked a burst of anger from the salesman. "now, then, mister," said he, with', 'se the question provoked a burst of anger from the salesman. "now, then, mister," said he, with his ', 'e question provoked a burst of anger from the salesman. "now, then, mister," said he, with his head ', 'stion provoked a burst of anger from the salesman. "now, then, mister," said he, with his head cocke', ' provoked a burst of anger from the salesman. "now, then, mister," said he, with his head cocked and', 'oked a burst of anger from the salesman. "now, then, mister," said he, with his head cocked and his ', 'a burst of anger from the salesman. "now, then, mister," said he, with his head cocked and his arms ', 'st of anger from the salesman. "now, then, mister," said he, with his head cocked and his arms akimb', ' anger from the salesman. "now, then, mister," said he, with his head cocked and his arms akimbo, "w', 'r from the salesman. "now, then, mister," said he, with his head cocked and his arms akimbo, "what a', 'm the salesman. "now, then, mister," said he, with his head cocked and his arms akimbo, "what are yo', ' salesman. "now, then, mister," said he, with his head cocked and his arms akimbo, "what are you dri', 'sman. "now, then, mister," said he, with his head cocked and his arms akimbo, "what are you driving ', ' "now, then, mister," said he, with his head cocked and his arms akimbo, "what are you driving at? l', ', then, mister," said he, with his head cocked and his arms akimbo, "what are you driving at? let\'s ', 'n, mister," said he, with his head cocked and his arms akimbo, "what are you driving at? let\'s have ', 'ster," said he, with his head cocked and his arms akimbo, "what are you driving at? let\'s have it st', '" said he, with his head cocked and his arms akimbo, "what are you driving at? let\'s have it straigh', 'd he, with his head cocked and his arms akimbo, "what are you driving at? let\'s have it straight, no', ' with his head cocked and his arms akimbo, "what are you driving at? let\'s have it straight, now." "', ' his head cocked and his arms akimbo, "what are you driving at? let\'s have it straight, now." "it is', 'head cocked and his arms akimbo, "what are you driving at? let\'s have it straight, now." "it is stra', 'cocked and his arms akimbo, "what are you driving at? let\'s have it straight, now." "it is straight ', 'd and his arms akimbo, "what are you driving at? let\'s have it straight, now." "it is straight enoug', ' his arms akimbo, "what are you driving at? let\'s have it straight, now." "it is straight enough. i ', 'arms akimbo, "what are you driving at? let\'s have it straight, now." "it is straight enough. i shoul', 'akimbo, "what are you driving at? let\'s have it straight, now." "it is straight enough. i should lik', 'o, "what are you driving at? let\'s have it straight, now." "it is straight enough. i should like to ', 'hat are you driving at? let\'s have it straight, now." "it is straight enough. i should like to know ', 're you driving at? let\'s have it straight, now." "it is straight enough. i should like to know who s', 'u driving at? let\'s have it straight, now." "it is straight enough. i should like to know who sold y', 'ving at? let\'s have it straight, now." "it is straight enough. i should like to know who sold you th', 'at? let\'s have it straight, now." "it is straight enough. i should like to know who sold you the gee', 'et\'s have it straight, now." "it is straight enough. i should like to know who sold you the geese wh', 'have it straight, now." "it is straight enough. i should like to know who sold you the geese which y', 'it straight, now." "it is straight enough. i should like to know who sold you the geese which you su', 'raight, now." "it is straight enough. i should like to know who sold you the geese which you supplie', 't, now." "it is straight enough. i should like to know who sold you the geese which you supplied to ', 'w." "it is straight enough. i should like to know who sold you the geese which you supplied to the a', 'it is straight enough. i should like to know who sold you the geese which you supplied to the alpha.', ' straight enough. i should like to know who sold you the geese which you supplied to the alpha." "we', 'ight enough. i should like to know who sold you the geese which you supplied to the alpha." "well th', 'enough. i should like to know who sold you the geese which you supplied to the alpha." "well then, i', 'h. i should like to know who sold you the geese which you supplied to the alpha." "well then, i shan', 'should like to know who sold you the geese which you supplied to the alpha." "well then, i shan\'t te', 'd like to know who sold you the geese which you supplied to the alpha." "well then, i shan\'t tell yo', 'e to know who sold you the geese which you supplied to the alpha." "well then, i shan\'t tell you. so', 'know who sold you the geese which you supplied to the alpha." "well then, i shan\'t tell you. so now ', 'who sold you the geese which you supplied to the alpha." "well then, i shan\'t tell you. so now "oh,', 'old you the geese which you supplied to the alpha." "well then, i shan\'t tell you. so now "oh, it i', 'ou the geese which you supplied to the alpha." "well then, i shan\'t tell you. so now "oh, it is a m', 'e geese which you supplied to the alpha." "well then, i shan\'t tell you. so now "oh, it is a matter', 'se which you supplied to the alpha." "well then, i shan\'t tell you. so now "oh, it is a matter of n', 'ich you supplied to the alpha." "well then, i shan\'t tell you. so now "oh, it is a matter of no imp', 'ou supplied to the alpha." "well then, i shan\'t tell you. so now "oh, it is a matter of no importan', 'pplied to the alpha." "well then, i shan\'t tell you. so now "oh, it is a matter of no importance; b', 'd to the alpha." "well then, i shan\'t tell you. so now "oh, it is a matter of no importance; but i ', 'the alpha." "well then, i shan\'t tell you. so now "oh, it is a matter of no importance; but i don\'t', 'lpha." "well then, i shan\'t tell you. so now "oh, it is a matter of no importance; but i don\'t know', '" "well then, i shan\'t tell you. so now "oh, it is a matter of no importance; but i don\'t know why ', 'll then, i shan\'t tell you. so now "oh, it is a matter of no importance; but i don\'t know why you s', 'en, i shan\'t tell you. so now "oh, it is a matter of no importance; but i don\'t know why you should', ' shan\'t tell you. so now "oh, it is a matter of no importance; but i don\'t know why you should be s', '\'t tell you. so now "oh, it is a matter of no importance; but i don\'t know why you should be so war', 'll you. so now "oh, it is a matter of no importance; but i don\'t know why you should be so warm ove', 'u. so now "oh, it is a matter of no importance; but i don\'t know why you should be so warm over suc', ' now "oh, it is a matter of no importance; but i don\'t know why you should be so warm over such a t', ' "oh, it is a matter of no importance; but i don\'t know why you should be so warm over such a trifle', ' it is a matter of no importance; but i don\'t know why you should be so warm over such a trifle." "w', 's a matter of no importance; but i don\'t know why you should be so warm over such a trifle." "warm! ', 'atter of no importance; but i don\'t know why you should be so warm over such a trifle." "warm! you\'d', ' of no importance; but i don\'t know why you should be so warm over such a trifle." "warm! you\'d be a', 'o importance; but i don\'t know why you should be so warm over such a trifle." "warm! you\'d be as war', 'ortance; but i don\'t know why you should be so warm over such a trifle." "warm! you\'d be as warm, ma', 'ce; but i don\'t know why you should be so warm over such a trifle." "warm! you\'d be as warm, maybe, ', 'ut i don\'t know why you should be so warm over such a trifle." "warm! you\'d be as warm, maybe, if yo', 'don\'t know why you should be so warm over such a trifle." "warm! you\'d be as warm, maybe, if you wer', ' know why you should be so warm over such a trifle." "warm! you\'d be as warm, maybe, if you were as ', ' why you should be so warm over such a trifle." "warm! you\'d be as warm, maybe, if you were as peste', 'you should be so warm over such a trifle." "warm! you\'d be as warm, maybe, if you were as pestered a', 'hould be so warm over such a trifle." "warm! you\'d be as warm, maybe, if you were as pestered as i a', ' be so warm over such a trifle." "warm! you\'d be as warm, maybe, if you were as pestered as i am. wh', 'o warm over such a trifle." "warm! you\'d be as warm, maybe, if you were as pestered as i am. when i ', 'm over such a trifle." "warm! you\'d be as warm, maybe, if you were as pestered as i am. when i pay g', 'r such a trifle." "warm! you\'d be as warm, maybe, if you were as pestered as i am. when i pay good m', 'h a trifle." "warm! you\'d be as warm, maybe, if you were as pestered as i am. when i pay good money ', 'rifle." "warm! you\'d be as warm, maybe, if you were as pestered as i am. when i pay good money for a', '." "warm! you\'d be as warm, maybe, if you were as pestered as i am. when i pay good money for a good', "arm! you'd be as warm, maybe, if you were as pestered as i am. when i pay good money for a good arti", "you'd be as warm, maybe, if you were as pestered as i am. when i pay good money for a good article t", ' be as warm, maybe, if you were as pestered as i am. when i pay good money for a good article there ', 's warm, maybe, if you were as pestered as i am. when i pay good money for a good article there shoul', 'm, maybe, if you were as pestered as i am. when i pay good money for a good article there should be ', 'ybe, if you were as pestered as i am. when i pay good money for a good article there should be an en', 'if you were as pestered as i am. when i pay good money for a good article there should be an end of ', 'u were as pestered as i am. when i pay good money for a good article there should be an end of the b', 'e as pestered as i am. when i pay good money for a good article there should be an end of the busine', 'pestered as i am. when i pay good money for a good article there should be an end of the business; b', 'red as i am. when i pay good money for a good article there should be an end of the business; but it', "s i am. when i pay good money for a good article there should be an end of the business; but it's 'w", "m. when i pay good money for a good article there should be an end of the business; but it's 'where ", "en i pay good money for a good article there should be an end of the business; but it's 'where are t", "pay good money for a good article there should be an end of the business; but it's 'where are the ge", "ood money for a good article there should be an end of the business; but it's 'where are the geese?'", "oney for a good article there should be an end of the business; but it's 'where are the geese?' and ", "for a good article there should be an end of the business; but it's 'where are the geese?' and 'who ", " good article there should be an end of the business; but it's 'where are the geese?' and 'who did y", " article there should be an end of the business; but it's 'where are the geese?' and 'who did you se", "cle there should be an end of the business; but it's 'where are the geese?' and 'who did you sell th", "here should be an end of the business; but it's 'where are the geese?' and 'who did you sell the gee", "should be an end of the business; but it's 'where are the geese?' and 'who did you sell the geese to", "d be an end of the business; but it's 'where are the geese?' and 'who did you sell the geese to?' an", "an end of the business; but it's 'where are the geese?' and 'who did you sell the geese to?' and 'wh", "d of the business; but it's 'where are the geese?' and 'who did you sell the geese to?' and 'what wi", "the business; but it's 'where are the geese?' and 'who did you sell the geese to?' and 'what will yo", "usiness; but it's 'where are the geese?' and 'who did you sell the geese to?' and 'what will you tak", "ss; but it's 'where are the geese?' and 'who did you sell the geese to?' and 'what will you take for", "ut it's 'where are the geese?' and 'who did you sell the geese to?' and 'what will you take for the ", "'s 'where are the geese?' and 'who did you sell the geese to?' and 'what will you take for the geese", "here are the geese?' and 'who did you sell the geese to?' and 'what will you take for the geese?' on", "are the geese?' and 'who did you sell the geese to?' and 'what will you take for the geese?' one wou", "he geese?' and 'who did you sell the geese to?' and 'what will you take for the geese?' one would th", "ese?' and 'who did you sell the geese to?' and 'what will you take for the geese?' one would think t", " and 'who did you sell the geese to?' and 'what will you take for the geese?' one would think they w", "'who did you sell the geese to?' and 'what will you take for the geese?' one would think they were t", "did you sell the geese to?' and 'what will you take for the geese?' one would think they were the on", "ou sell the geese to?' and 'what will you take for the geese?' one would think they were the only ge", "ll the geese to?' and 'what will you take for the geese?' one would think they were the only geese i", "e geese to?' and 'what will you take for the geese?' one would think they were the only geese in the", "se to?' and 'what will you take for the geese?' one would think they were the only geese in the worl", "?' and 'what will you take for the geese?' one would think they were the only geese in the world, to", "d 'what will you take for the geese?' one would think they were the only geese in the world, to hear", "at will you take for the geese?' one would think they were the only geese in the world, to hear the ", "ll you take for the geese?' one would think they were the only geese in the world, to hear the fuss ", "u take for the geese?' one would think they were the only geese in the world, to hear the fuss that ", "e for the geese?' one would think they were the only geese in the world, to hear the fuss that is ma", " the geese?' one would think they were the only geese in the world, to hear the fuss that is made ov", "geese?' one would think they were the only geese in the world, to hear the fuss that is made over th", '?\' one would think they were the only geese in the world, to hear the fuss that is made over them." ', 'e would think they were the only geese in the world, to hear the fuss that is made over them." "well', 'ld think they were the only geese in the world, to hear the fuss that is made over them." "well, i h', 'ink they were the only geese in the world, to hear the fuss that is made over them." "well, i have n', 'hey were the only geese in the world, to hear the fuss that is made over them." "well, i have no con', 'ere the only geese in the world, to hear the fuss that is made over them." "well, i have no connecti', 'he only geese in the world, to hear the fuss that is made over them." "well, i have no connection wi', 'ly geese in the world, to hear the fuss that is made over them." "well, i have no connection with an', 'ese in the world, to hear the fuss that is made over them." "well, i have no connection with any oth', 'n the world, to hear the fuss that is made over them." "well, i have no connection with any other pe', ' world, to hear the fuss that is made over them." "well, i have no connection with any other people ', 'd, to hear the fuss that is made over them." "well, i have no connection with any other people who h', ' hear the fuss that is made over them." "well, i have no connection with any other people who have b', ' the fuss that is made over them." "well, i have no connection with any other people who have been m', 'fuss that is made over them." "well, i have no connection with any other people who have been making', 'that is made over them." "well, i have no connection with any other people who have been making inqu', 'is made over them." "well, i have no connection with any other people who have been making inquiries', 'de over them." "well, i have no connection with any other people who have been making inquiries," sa', 'er them." "well, i have no connection with any other people who have been making inquiries," said ho', 'em." "well, i have no connection with any other people who have been making inquiries," said holmes ', '"well, i have no connection with any other people who have been making inquiries," said holmes carel', ', i have no connection with any other people who have been making inquiries," said holmes carelessly', 'ave no connection with any other people who have been making inquiries," said holmes carelessly. "if', 'o connection with any other people who have been making inquiries," said holmes carelessly. "if you ', 'nection with any other people who have been making inquiries," said holmes carelessly. "if you won\'t', 'on with any other people who have been making inquiries," said holmes carelessly. "if you won\'t tell', 'th any other people who have been making inquiries," said holmes carelessly. "if you won\'t tell us t', 'y other people who have been making inquiries," said holmes carelessly. "if you won\'t tell us the be', 'er people who have been making inquiries," said holmes carelessly. "if you won\'t tell us the bet is ', 'ople who have been making inquiries," said holmes carelessly. "if you won\'t tell us the bet is off, ', 'who have been making inquiries," said holmes carelessly. "if you won\'t tell us the bet is off, that ', 'ave been making inquiries," said holmes carelessly. "if you won\'t tell us the bet is off, that is al', 'een making inquiries," said holmes carelessly. "if you won\'t tell us the bet is off, that is all. bu', 'aking inquiries," said holmes carelessly. "if you won\'t tell us the bet is off, that is all. but i\'m', ' inquiries," said holmes carelessly. "if you won\'t tell us the bet is off, that is all. but i\'m alwa', 'iries," said holmes carelessly. "if you won\'t tell us the bet is off, that is all. but i\'m always re', '," said holmes carelessly. "if you won\'t tell us the bet is off, that is all. but i\'m always ready t', 'id holmes carelessly. "if you won\'t tell us the bet is off, that is all. but i\'m always ready to bac', 'lmes carelessly. "if you won\'t tell us the bet is off, that is all. but i\'m always ready to back my ', 'carelessly. "if you won\'t tell us the bet is off, that is all. but i\'m always ready to back my opini', 'essly. "if you won\'t tell us the bet is off, that is all. but i\'m always ready to back my opinion on', '. "if you won\'t tell us the bet is off, that is all. but i\'m always ready to back my opinion on a ma', " you won't tell us the bet is off, that is all. but i'm always ready to back my opinion on a matter ", "won't tell us the bet is off, that is all. but i'm always ready to back my opinion on a matter of fo", " tell us the bet is off, that is all. but i'm always ready to back my opinion on a matter of fowls, ", " us the bet is off, that is all. but i'm always ready to back my opinion on a matter of fowls, and i", "he bet is off, that is all. but i'm always ready to back my opinion on a matter of fowls, and i have", "t is off, that is all. but i'm always ready to back my opinion on a matter of fowls, and i have a fi", "off, that is all. but i'm always ready to back my opinion on a matter of fowls, and i have a fiver o", "that is all. but i'm always ready to back my opinion on a matter of fowls, and i have a fiver on it ", "is all. but i'm always ready to back my opinion on a matter of fowls, and i have a fiver on it that ", "l. but i'm always ready to back my opinion on a matter of fowls, and i have a fiver on it that the b", "t i'm always ready to back my opinion on a matter of fowls, and i have a fiver on it that the bird i", ' always ready to back my opinion on a matter of fowls, and i have a fiver on it that the bird i ate ', 'ys ready to back my opinion on a matter of fowls, and i have a fiver on it that the bird i ate is co', 'ady to back my opinion on a matter of fowls, and i have a fiver on it that the bird i ate is country', 'o back my opinion on a matter of fowls, and i have a fiver on it that the bird i ate is country bred', 'k my opinion on a matter of fowls, and i have a fiver on it that the bird i ate is country bred." "w', 'opinion on a matter of fowls, and i have a fiver on it that the bird i ate is country bred." "well, ', 'on on a matter of fowls, and i have a fiver on it that the bird i ate is country bred." "well, then,', ' a matter of fowls, and i have a fiver on it that the bird i ate is country bred." "well, then, you\'', 'tter of fowls, and i have a fiver on it that the bird i ate is country bred." "well, then, you\'ve lo', 'of fowls, and i have a fiver on it that the bird i ate is country bred." "well, then, you\'ve lost yo', 'wls, and i have a fiver on it that the bird i ate is country bred." "well, then, you\'ve lost your fi', 'and i have a fiver on it that the bird i ate is country bred." "well, then, you\'ve lost your fiver, ', ' have a fiver on it that the bird i ate is country bred." "well, then, you\'ve lost your fiver, for i', ' a fiver on it that the bird i ate is country bred." "well, then, you\'ve lost your fiver, for it\'s t', 'ver on it that the bird i ate is country bred." "well, then, you\'ve lost your fiver, for it\'s town b', 'n it that the bird i ate is country bred." "well, then, you\'ve lost your fiver, for it\'s town bred,"', 'that the bird i ate is country bred." "well, then, you\'ve lost your fiver, for it\'s town bred," snap', 'the bird i ate is country bred." "well, then, you\'ve lost your fiver, for it\'s town bred," snapped t', 'ird i ate is country bred." "well, then, you\'ve lost your fiver, for it\'s town bred," snapped the sa', ' ate is country bred." "well, then, you\'ve lost your fiver, for it\'s town bred," snapped the salesma', 'is country bred." "well, then, you\'ve lost your fiver, for it\'s town bred," snapped the salesman. "i', 'untry bred." "well, then, you\'ve lost your fiver, for it\'s town bred," snapped the salesman. "it\'s n', ' bred." "well, then, you\'ve lost your fiver, for it\'s town bred," snapped the salesman. "it\'s nothin', '." "well, then, you\'ve lost your fiver, for it\'s town bred," snapped the salesman. "it\'s nothing of ', 'ell, then, you\'ve lost your fiver, for it\'s town bred," snapped the salesman. "it\'s nothing of the k', 'then, you\'ve lost your fiver, for it\'s town bred," snapped the salesman. "it\'s nothing of the kind."', ' you\'ve lost your fiver, for it\'s town bred," snapped the salesman. "it\'s nothing of the kind." "i s', 've lost your fiver, for it\'s town bred," snapped the salesman. "it\'s nothing of the kind." "i say it', 'st your fiver, for it\'s town bred," snapped the salesman. "it\'s nothing of the kind." "i say it is."', 'ur fiver, for it\'s town bred," snapped the salesman. "it\'s nothing of the kind." "i say it is." "i d', 'ver, for it\'s town bred," snapped the salesman. "it\'s nothing of the kind." "i say it is." "i don\'t ', 'for it\'s town bred," snapped the salesman. "it\'s nothing of the kind." "i say it is." "i don\'t belie', 't\'s town bred," snapped the salesman. "it\'s nothing of the kind." "i say it is." "i don\'t believe it', 'own bred," snapped the salesman. "it\'s nothing of the kind." "i say it is." "i don\'t believe it." "d', 'red," snapped the salesman. "it\'s nothing of the kind." "i say it is." "i don\'t believe it." "d\'you ', ' snapped the salesman. "it\'s nothing of the kind." "i say it is." "i don\'t believe it." "d\'you think', 'ped the salesman. "it\'s nothing of the kind." "i say it is." "i don\'t believe it." "d\'you think you ', 'he salesman. "it\'s nothing of the kind." "i say it is." "i don\'t believe it." "d\'you think you know ', 'lesman. "it\'s nothing of the kind." "i say it is." "i don\'t believe it." "d\'you think you know more ', 'n. "it\'s nothing of the kind." "i say it is." "i don\'t believe it." "d\'you think you know more about', 't\'s nothing of the kind." "i say it is." "i don\'t believe it." "d\'you think you know more about fowl', 'othing of the kind." "i say it is." "i don\'t believe it." "d\'you think you know more about fowls tha', 'g of the kind." "i say it is." "i don\'t believe it." "d\'you think you know more about fowls than i, ', 'the kind." "i say it is." "i don\'t believe it." "d\'you think you know more about fowls than i, who h', 'ind." "i say it is." "i don\'t believe it." "d\'you think you know more about fowls than i, who have h', ' "i say it is." "i don\'t believe it." "d\'you think you know more about fowls than i, who have handle', 'ay it is." "i don\'t believe it." "d\'you think you know more about fowls than i, who have handled the', ' is." "i don\'t believe it." "d\'you think you know more about fowls than i, who have handled them eve', ' "i don\'t believe it." "d\'you think you know more about fowls than i, who have handled them ever sin', 'on\'t believe it." "d\'you think you know more about fowls than i, who have handled them ever since i ', 'believe it." "d\'you think you know more about fowls than i, who have handled them ever since i was a', 've it." "d\'you think you know more about fowls than i, who have handled them ever since i was a nipp', '." "d\'you think you know more about fowls than i, who have handled them ever since i was a nipper? i', "'you think you know more about fowls than i, who have handled them ever since i was a nipper? i tell", 'think you know more about fowls than i, who have handled them ever since i was a nipper? i tell you,', ' you know more about fowls than i, who have handled them ever since i was a nipper? i tell you, all ', 'know more about fowls than i, who have handled them ever since i was a nipper? i tell you, all those', 'more about fowls than i, who have handled them ever since i was a nipper? i tell you, all those bird', 'about fowls than i, who have handled them ever since i was a nipper? i tell you, all those birds tha', ' fowls than i, who have handled them ever since i was a nipper? i tell you, all those birds that wen', 's than i, who have handled them ever since i was a nipper? i tell you, all those birds that went to ', 'n i, who have handled them ever since i was a nipper? i tell you, all those birds that went to the a', 'who have handled them ever since i was a nipper? i tell you, all those birds that went to the alpha ', 'ave handled them ever since i was a nipper? i tell you, all those birds that went to the alpha were ', 'andled them ever since i was a nipper? i tell you, all those birds that went to the alpha were town ', 'd them ever since i was a nipper? i tell you, all those birds that went to the alpha were town bred.', 'm ever since i was a nipper? i tell you, all those birds that went to the alpha were town bred." "yo', 'r since i was a nipper? i tell you, all those birds that went to the alpha were town bred." "you\'ll ', 'ce i was a nipper? i tell you, all those birds that went to the alpha were town bred." "you\'ll never', 'was a nipper? i tell you, all those birds that went to the alpha were town bred." "you\'ll never pers', ' nipper? i tell you, all those birds that went to the alpha were town bred." "you\'ll never persuade ', 'er? i tell you, all those birds that went to the alpha were town bred." "you\'ll never persuade me to', ' tell you, all those birds that went to the alpha were town bred." "you\'ll never persuade me to beli', ' you, all those birds that went to the alpha were town bred." "you\'ll never persuade me to believe t', ' all those birds that went to the alpha were town bred." "you\'ll never persuade me to believe that."', 'those birds that went to the alpha were town bred." "you\'ll never persuade me to believe that." "wil', ' birds that went to the alpha were town bred." "you\'ll never persuade me to believe that." "will you', 's that went to the alpha were town bred." "you\'ll never persuade me to believe that." "will you bet,', 't went to the alpha were town bred." "you\'ll never persuade me to believe that." "will you bet, then', 't to the alpha were town bred." "you\'ll never persuade me to believe that." "will you bet, then?" "i', 'the alpha were town bred." "you\'ll never persuade me to believe that." "will you bet, then?" "it\'s m', 'lpha were town bred." "you\'ll never persuade me to believe that." "will you bet, then?" "it\'s merely', 'were town bred." "you\'ll never persuade me to believe that." "will you bet, then?" "it\'s merely taki', 'town bred." "you\'ll never persuade me to believe that." "will you bet, then?" "it\'s merely taking yo', 'bred." "you\'ll never persuade me to believe that." "will you bet, then?" "it\'s merely taking your mo', '" "you\'ll never persuade me to believe that." "will you bet, then?" "it\'s merely taking your money, ', 'u\'ll never persuade me to believe that." "will you bet, then?" "it\'s merely taking your money, for i', 'never persuade me to believe that." "will you bet, then?" "it\'s merely taking your money, for i know', ' persuade me to believe that." "will you bet, then?" "it\'s merely taking your money, for i know that', 'uade me to believe that." "will you bet, then?" "it\'s merely taking your money, for i know that i am', 'me to believe that." "will you bet, then?" "it\'s merely taking your money, for i know that i am righ', ' believe that." "will you bet, then?" "it\'s merely taking your money, for i know that i am right. bu', 'eve that." "will you bet, then?" "it\'s merely taking your money, for i know that i am right. but i\'l', 'hat." "will you bet, then?" "it\'s merely taking your money, for i know that i am right. but i\'ll hav', ' "will you bet, then?" "it\'s merely taking your money, for i know that i am right. but i\'ll have a s', 'l you bet, then?" "it\'s merely taking your money, for i know that i am right. but i\'ll have a sovere', ' bet, then?" "it\'s merely taking your money, for i know that i am right. but i\'ll have a sovereign o', ' then?" "it\'s merely taking your money, for i know that i am right. but i\'ll have a sovereign on wit', '?" "it\'s merely taking your money, for i know that i am right. but i\'ll have a sovereign on with you', "t's merely taking your money, for i know that i am right. but i'll have a sovereign on with you, jus", "erely taking your money, for i know that i am right. but i'll have a sovereign on with you, just to ", " taking your money, for i know that i am right. but i'll have a sovereign on with you, just to teach", "ng your money, for i know that i am right. but i'll have a sovereign on with you, just to teach you ", "ur money, for i know that i am right. but i'll have a sovereign on with you, just to teach you not t", "ney, for i know that i am right. but i'll have a sovereign on with you, just to teach you not to be ", "for i know that i am right. but i'll have a sovereign on with you, just to teach you not to be obsti", " know that i am right. but i'll have a sovereign on with you, just to teach you not to be obstinate.", ' that i am right. but i\'ll have a sovereign on with you, just to teach you not to be obstinate." the', ' i am right. but i\'ll have a sovereign on with you, just to teach you not to be obstinate." the sale', ' right. but i\'ll have a sovereign on with you, just to teach you not to be obstinate." the salesman ', 't. but i\'ll have a sovereign on with you, just to teach you not to be obstinate." the salesman chuck', 't i\'ll have a sovereign on with you, just to teach you not to be obstinate." the salesman chuckled g', 'l have a sovereign on with you, just to teach you not to be obstinate." the salesman chuckled grimly', 'e a sovereign on with you, just to teach you not to be obstinate." the salesman chuckled grimly. "br', 'overeign on with you, just to teach you not to be obstinate." the salesman chuckled grimly. "bring m', 'ign on with you, just to teach you not to be obstinate." the salesman chuckled grimly. "bring me the', 'n with you, just to teach you not to be obstinate." the salesman chuckled grimly. "bring me the book', 'h you, just to teach you not to be obstinate." the salesman chuckled grimly. "bring me the books, bi', ', just to teach you not to be obstinate." the salesman chuckled grimly. "bring me the books, bill," ', 't to teach you not to be obstinate." the salesman chuckled grimly. "bring me the books, bill," said ', 'teach you not to be obstinate." the salesman chuckled grimly. "bring me the books, bill," said he. t', ' you not to be obstinate." the salesman chuckled grimly. "bring me the books, bill," said he. the sm', 'not to be obstinate." the salesman chuckled grimly. "bring me the books, bill," said he. the small b', 'o be obstinate." the salesman chuckled grimly. "bring me the books, bill," said he. the small boy br', 'obstinate." the salesman chuckled grimly. "bring me the books, bill," said he. the small boy brought', 'nate." the salesman chuckled grimly. "bring me the books, bill," said he. the small boy brought roun', '" the salesman chuckled grimly. "bring me the books, bill," said he. the small boy brought round a s', ' salesman chuckled grimly. "bring me the books, bill," said he. the small boy brought round a small ', 'sman chuckled grimly. "bring me the books, bill," said he. the small boy brought round a small thin ', 'chuckled grimly. "bring me the books, bill," said he. the small boy brought round a small thin volum', 'led grimly. "bring me the books, bill," said he. the small boy brought round a small thin volume and', 'rimly. "bring me the books, bill," said he. the small boy brought round a small thin volume and a gr', '. "bring me the books, bill," said he. the small boy brought round a small thin volume and a great g', 'ing me the books, bill," said he. the small boy brought round a small thin volume and a great greasy', 'e the books, bill," said he. the small boy brought round a small thin volume and a great greasy-back', ' books, bill," said he. the small boy brought round a small thin volume and a great greasy-backed on', 's, bill," said he. the small boy brought round a small thin volume and a great greasy-backed one, la', 'll," said he. the small boy brought round a small thin volume and a great greasy-backed one, laying ', 'said he. the small boy brought round a small thin volume and a great greasy-backed one, laying them ', 'he. the small boy brought round a small thin volume and a great greasy-backed one, laying them out t', 'he small boy brought round a small thin volume and a great greasy-backed one, laying them out togeth', 'all boy brought round a small thin volume and a great greasy-backed one, laying them out together be', 'oy brought round a small thin volume and a great greasy-backed one, laying them out together beneath', 'ought round a small thin volume and a great greasy-backed one, laying them out together beneath the ', ' round a small thin volume and a great greasy-backed one, laying them out together beneath the hangi', 'd a small thin volume and a great greasy-backed one, laying them out together beneath the hanging la', 'mall thin volume and a great greasy-backed one, laying them out together beneath the hanging lamp. "', 'thin volume and a great greasy-backed one, laying them out together beneath the hanging lamp. "now t', 'volume and a great greasy-backed one, laying them out together beneath the hanging lamp. "now then, ', 'e and a great greasy-backed one, laying them out together beneath the hanging lamp. "now then, mr. c', ' a great greasy-backed one, laying them out together beneath the hanging lamp. "now then, mr. cocksu', 'eat greasy-backed one, laying them out together beneath the hanging lamp. "now then, mr. cocksure," ', 'reasy-backed one, laying them out together beneath the hanging lamp. "now then, mr. cocksure," said ', '-backed one, laying them out together beneath the hanging lamp. "now then, mr. cocksure," said the s', 'ed one, laying them out together beneath the hanging lamp. "now then, mr. cocksure," said the salesm', 'e, laying them out together beneath the hanging lamp. "now then, mr. cocksure," said the salesman, "', 'ying them out together beneath the hanging lamp. "now then, mr. cocksure," said the salesman, "i tho', 'them out together beneath the hanging lamp. "now then, mr. cocksure," said the salesman, "i thought ', 'out together beneath the hanging lamp. "now then, mr. cocksure," said the salesman, "i thought that ', 'ogether beneath the hanging lamp. "now then, mr. cocksure," said the salesman, "i thought that i was', 'er beneath the hanging lamp. "now then, mr. cocksure," said the salesman, "i thought that i was out ', 'neath the hanging lamp. "now then, mr. cocksure," said the salesman, "i thought that i was out of ge', ' the hanging lamp. "now then, mr. cocksure," said the salesman, "i thought that i was out of geese, ', 'hanging lamp. "now then, mr. cocksure," said the salesman, "i thought that i was out of geese, but b', 'ng lamp. "now then, mr. cocksure," said the salesman, "i thought that i was out of geese, but before', 'mp. "now then, mr. cocksure," said the salesman, "i thought that i was out of geese, but before i fi', 'now then, mr. cocksure," said the salesman, "i thought that i was out of geese, but before i finish ', 'hen, mr. cocksure," said the salesman, "i thought that i was out of geese, but before i finish you\'l', 'mr. cocksure," said the salesman, "i thought that i was out of geese, but before i finish you\'ll fin', 'ocksure," said the salesman, "i thought that i was out of geese, but before i finish you\'ll find tha', 're," said the salesman, "i thought that i was out of geese, but before i finish you\'ll find that the', 'said the salesman, "i thought that i was out of geese, but before i finish you\'ll find that there is', 'the salesman, "i thought that i was out of geese, but before i finish you\'ll find that there is stil', 'alesman, "i thought that i was out of geese, but before i finish you\'ll find that there is still one', 'an, "i thought that i was out of geese, but before i finish you\'ll find that there is still one left', "i thought that i was out of geese, but before i finish you'll find that there is still one left in m", "ught that i was out of geese, but before i finish you'll find that there is still one left in my sho", "that i was out of geese, but before i finish you'll find that there is still one left in my shop. yo", "i was out of geese, but before i finish you'll find that there is still one left in my shop. you see", " out of geese, but before i finish you'll find that there is still one left in my shop. you see this", "of geese, but before i finish you'll find that there is still one left in my shop. you see this litt", "ese, but before i finish you'll find that there is still one left in my shop. you see this little bo", 'but before i finish you\'ll find that there is still one left in my shop. you see this little book?" ', 'efore i finish you\'ll find that there is still one left in my shop. you see this little book?" "well', ' i finish you\'ll find that there is still one left in my shop. you see this little book?" "well?" "t', 'nish you\'ll find that there is still one left in my shop. you see this little book?" "well?" "that\'s', 'you\'ll find that there is still one left in my shop. you see this little book?" "well?" "that\'s the ', 'l find that there is still one left in my shop. you see this little book?" "well?" "that\'s the list ', 'd that there is still one left in my shop. you see this little book?" "well?" "that\'s the list of th', 't there is still one left in my shop. you see this little book?" "well?" "that\'s the list of the fol', 're is still one left in my shop. you see this little book?" "well?" "that\'s the list of the folk fro', ' still one left in my shop. you see this little book?" "well?" "that\'s the list of the folk from who', 'l one left in my shop. you see this little book?" "well?" "that\'s the list of the folk from whom i b', ' left in my shop. you see this little book?" "well?" "that\'s the list of the folk from whom i buy. d', ' in my shop. you see this little book?" "well?" "that\'s the list of the folk from whom i buy. d\'you ', 'y shop. you see this little book?" "well?" "that\'s the list of the folk from whom i buy. d\'you see? ', 'p. you see this little book?" "well?" "that\'s the list of the folk from whom i buy. d\'you see? well,', 'u see this little book?" "well?" "that\'s the list of the folk from whom i buy. d\'you see? well, then', ' this little book?" "well?" "that\'s the list of the folk from whom i buy. d\'you see? well, then, her', ' little book?" "well?" "that\'s the list of the folk from whom i buy. d\'you see? well, then, here on ', 'le book?" "well?" "that\'s the list of the folk from whom i buy. d\'you see? well, then, here on this ', 'ok?" "well?" "that\'s the list of the folk from whom i buy. d\'you see? well, then, here on this page ', '"well?" "that\'s the list of the folk from whom i buy. d\'you see? well, then, here on this page are t', '?" "that\'s the list of the folk from whom i buy. d\'you see? well, then, here on this page are the co', "hat's the list of the folk from whom i buy. d'you see? well, then, here on this page are the country", " the list of the folk from whom i buy. d'you see? well, then, here on this page are the country folk", "list of the folk from whom i buy. d'you see? well, then, here on this page are the country folk, and", "of the folk from whom i buy. d'you see? well, then, here on this page are the country folk, and the ", "e folk from whom i buy. d'you see? well, then, here on this page are the country folk, and the numbe", "k from whom i buy. d'you see? well, then, here on this page are the country folk, and the numbers af", "m whom i buy. d'you see? well, then, here on this page are the country folk, and the numbers after t", "m i buy. d'you see? well, then, here on this page are the country folk, and the numbers after their ", "uy. d'you see? well, then, here on this page are the country folk, and the numbers after their names", "'you see? well, then, here on this page are the country folk, and the numbers after their names are ", 'see? well, then, here on this page are the country folk, and the numbers after their names are where', 'well, then, here on this page are the country folk, and the numbers after their names are where thei', ' then, here on this page are the country folk, and the numbers after their names are where their acc', ', here on this page are the country folk, and the numbers after their names are where their accounts', 'e on this page are the country folk, and the numbers after their names are where their accounts are ', 'this page are the country folk, and the numbers after their names are where their accounts are in th', 'page are the country folk, and the numbers after their names are where their accounts are in the big', 'are the country folk, and the numbers after their names are where their accounts are in the big ledg', 'he country folk, and the numbers after their names are where their accounts are in the big ledger. n', 'untry folk, and the numbers after their names are where their accounts are in the big ledger. now, t', ' folk, and the numbers after their names are where their accounts are in the big ledger. now, then! ', ', and the numbers after their names are where their accounts are in the big ledger. now, then! you s', ' the numbers after their names are where their accounts are in the big ledger. now, then! you see th', 'numbers after their names are where their accounts are in the big ledger. now, then! you see this ot', 'rs after their names are where their accounts are in the big ledger. now, then! you see this other p', 'ter their names are where their accounts are in the big ledger. now, then! you see this other page i', 'heir names are where their accounts are in the big ledger. now, then! you see this other page in red', 'names are where their accounts are in the big ledger. now, then! you see this other page in red ink?', ' are where their accounts are in the big ledger. now, then! you see this other page in red ink? well', 'where their accounts are in the big ledger. now, then! you see this other page in red ink? well, tha', ' their accounts are in the big ledger. now, then! you see this other page in red ink? well, that is ', 'r accounts are in the big ledger. now, then! you see this other page in red ink? well, that is a lis', 'ounts are in the big ledger. now, then! you see this other page in red ink? well, that is a list of ', ' are in the big ledger. now, then! you see this other page in red ink? well, that is a list of my to', 'in the big ledger. now, then! you see this other page in red ink? well, that is a list of my town su', 'e big ledger. now, then! you see this other page in red ink? well, that is a list of my town supplie', ' ledger. now, then! you see this other page in red ink? well, that is a list of my town suppliers. n', 'er. now, then! you see this other page in red ink? well, that is a list of my town suppliers. now, l', 'ow, then! you see this other page in red ink? well, that is a list of my town suppliers. now, look a', 'hen! you see this other page in red ink? well, that is a list of my town suppliers. now, look at tha', 'you see this other page in red ink? well, that is a list of my town suppliers. now, look at that thi', 'ee this other page in red ink? well, that is a list of my town suppliers. now, look at that third na', 'is other page in red ink? well, that is a list of my town suppliers. now, look at that third name. j', 'her page in red ink? well, that is a list of my town suppliers. now, look at that third name. just r', 'age in red ink? well, that is a list of my town suppliers. now, look at that third name. just read i', 'n red ink? well, that is a list of my town suppliers. now, look at that third name. just read it out', ' ink? well, that is a list of my town suppliers. now, look at that third name. just read it out to m', ' well, that is a list of my town suppliers. now, look at that third name. just read it out to me." "', ', that is a list of my town suppliers. now, look at that third name. just read it out to me." "mrs. ', 't is a list of my town suppliers. now, look at that third name. just read it out to me." "mrs. oaksh', 'a list of my town suppliers. now, look at that third name. just read it out to me." "mrs. oakshott, ', 't of my town suppliers. now, look at that third name. just read it out to me." "mrs. oakshott, , br', 'my town suppliers. now, look at that third name. just read it out to me." "mrs. oakshott, , brixton', 'wn suppliers. now, look at that third name. just read it out to me." "mrs. oakshott, , brixton road', 'ppliers. now, look at that third name. just read it out to me." "mrs. oakshott, , brixton road ," ', 'rs. now, look at that third name. just read it out to me." "mrs. oakshott, , brixton road ," read ', 'ow, look at that third name. just read it out to me." "mrs. oakshott, , brixton road ," read holme', 'ook at that third name. just read it out to me." "mrs. oakshott, , brixton road ," read holmes. "q', 't that third name. just read it out to me." "mrs. oakshott, , brixton road ," read holmes. "quite ', 't third name. just read it out to me." "mrs. oakshott, , brixton road ," read holmes. "quite so. n', 'rd name. just read it out to me." "mrs. oakshott, , brixton road ," read holmes. "quite so. now tu', 'me. just read it out to me." "mrs. oakshott, , brixton road ," read holmes. "quite so. now turn th', 'ust read it out to me." "mrs. oakshott, , brixton road ," read holmes. "quite so. now turn that up', 'ead it out to me." "mrs. oakshott, , brixton road ," read holmes. "quite so. now turn that up in t', 't out to me." "mrs. oakshott, , brixton road ," read holmes. "quite so. now turn that up in the le', ' to me." "mrs. oakshott, , brixton road ," read holmes. "quite so. now turn that up in the ledger.', 'e." "mrs. oakshott, , brixton road ," read holmes. "quite so. now turn that up in the ledger." hol', 'mrs. oakshott, , brixton road ," read holmes. "quite so. now turn that up in the ledger." holmes t', 'oakshott, , brixton road ," read holmes. "quite so. now turn that up in the ledger." holmes turned', 'ott, , brixton road ," read holmes. "quite so. now turn that up in the ledger." holmes turned to t', ' , brixton road ," read holmes. "quite so. now turn that up in the ledger." holmes turned to the pa', 'ixton road ," read holmes. "quite so. now turn that up in the ledger." holmes turned to the page in', ' road ," read holmes. "quite so. now turn that up in the ledger." holmes turned to the page indicat', ' ," read holmes. "quite so. now turn that up in the ledger." holmes turned to the page indicated. "', 'read holmes. "quite so. now turn that up in the ledger." holmes turned to the page indicated. "here ', 'holmes. "quite so. now turn that up in the ledger." holmes turned to the page indicated. "here you a', 's. "quite so. now turn that up in the ledger." holmes turned to the page indicated. "here you are, \'', 'uite so. now turn that up in the ledger." holmes turned to the page indicated. "here you are, \'mrs. ', 'so. now turn that up in the ledger." holmes turned to the page indicated. "here you are, \'mrs. oaksh', 'ow turn that up in the ledger." holmes turned to the page indicated. "here you are, \'mrs. oakshott, ', 'rn that up in the ledger." holmes turned to the page indicated. "here you are, \'mrs. oakshott, , br', 'at up in the ledger." holmes turned to the page indicated. "here you are, \'mrs. oakshott, , brixton', ' in the ledger." holmes turned to the page indicated. "here you are, \'mrs. oakshott, , brixton road', 'he ledger." holmes turned to the page indicated. "here you are, \'mrs. oakshott, , brixton road, egg', 'dger." holmes turned to the page indicated. "here you are, \'mrs. oakshott, , brixton road, egg and ', '" holmes turned to the page indicated. "here you are, \'mrs. oakshott, , brixton road, egg and poult', 'mes turned to the page indicated. "here you are, \'mrs. oakshott, , brixton road, egg and poultry su', 'urned to the page indicated. "here you are, \'mrs. oakshott, , brixton road, egg and poultry supplie', ' to the page indicated. "here you are, \'mrs. oakshott, , brixton road, egg and poultry supplier.\'" ', 'he page indicated. "here you are, \'mrs. oakshott, , brixton road, egg and poultry supplier.\'" "now,', 'ge indicated. "here you are, \'mrs. oakshott, , brixton road, egg and poultry supplier.\'" "now, then', 'dicated. "here you are, \'mrs. oakshott, , brixton road, egg and poultry supplier.\'" "now, then, wha', 'ed. "here you are, \'mrs. oakshott, , brixton road, egg and poultry supplier.\'" "now, then, what\'s t', 'here you are, \'mrs. oakshott, , brixton road, egg and poultry supplier.\'" "now, then, what\'s the la', 'you are, \'mrs. oakshott, , brixton road, egg and poultry supplier.\'" "now, then, what\'s the last en', 're, \'mrs. oakshott, , brixton road, egg and poultry supplier.\'" "now, then, what\'s the last entry?"', 'mrs. oakshott, , brixton road, egg and poultry supplier.\'" "now, then, what\'s the last entry?" "\'de', 'oakshott, , brixton road, egg and poultry supplier.\'" "now, then, what\'s the last entry?" "\'decembe', 'ott, , brixton road, egg and poultry supplier.\'" "now, then, what\'s the last entry?" "\'december nd', ' , brixton road, egg and poultry supplier.\'" "now, then, what\'s the last entry?" "\'december nd. twe', 'ixton road, egg and poultry supplier.\'" "now, then, what\'s the last entry?" "\'december nd. twenty-f', ' road, egg and poultry supplier.\'" "now, then, what\'s the last entry?" "\'december nd. twenty-four g', ', egg and poultry supplier.\'" "now, then, what\'s the last entry?" "\'december nd. twenty-four geese ', ' and poultry supplier.\'" "now, then, what\'s the last entry?" "\'december nd. twenty-four geese at s.', 'poultry supplier.\'" "now, then, what\'s the last entry?" "\'december nd. twenty-four geese at s. d.\'"', 'ry supplier.\'" "now, then, what\'s the last entry?" "\'december nd. twenty-four geese at s. d.\'" "qui', 'pplier.\'" "now, then, what\'s the last entry?" "\'december nd. twenty-four geese at s. d.\'" "quite so', 'r.\'" "now, then, what\'s the last entry?" "\'december nd. twenty-four geese at s. d.\'" "quite so. the', '"now, then, what\'s the last entry?" "\'december nd. twenty-four geese at s. d.\'" "quite so. there yo', ' then, what\'s the last entry?" "\'december nd. twenty-four geese at s. d.\'" "quite so. there you are', ', what\'s the last entry?" "\'december nd. twenty-four geese at s. d.\'" "quite so. there you are. and', 't\'s the last entry?" "\'december nd. twenty-four geese at s. d.\'" "quite so. there you are. and unde', 'he last entry?" "\'december nd. twenty-four geese at s. d.\'" "quite so. there you are. and underneat', 'st entry?" "\'december nd. twenty-four geese at s. d.\'" "quite so. there you are. and underneath?" "', 'try?" "\'december nd. twenty-four geese at s. d.\'" "quite so. there you are. and underneath?" "\'sold', ' "\'december nd. twenty-four geese at s. d.\'" "quite so. there you are. and underneath?" "\'sold to m', 'cember nd. twenty-four geese at s. d.\'" "quite so. there you are. and underneath?" "\'sold to mr. wi', 'r nd. twenty-four geese at s. d.\'" "quite so. there you are. and underneath?" "\'sold to mr. windiga', '. twenty-four geese at s. d.\'" "quite so. there you are. and underneath?" "\'sold to mr. windigate of', 'nty-four geese at s. d.\'" "quite so. there you are. and underneath?" "\'sold to mr. windigate of the ', 'our geese at s. d.\'" "quite so. there you are. and underneath?" "\'sold to mr. windigate of the alpha', 'eese at s. d.\'" "quite so. there you are. and underneath?" "\'sold to mr. windigate of the alpha, at ', 'at s. d.\'" "quite so. there you are. and underneath?" "\'sold to mr. windigate of the alpha, at s.\'"', ' d.\'" "quite so. there you are. and underneath?" "\'sold to mr. windigate of the alpha, at s.\'" "wha', ' "quite so. there you are. and underneath?" "\'sold to mr. windigate of the alpha, at s.\'" "what hav', 'te so. there you are. and underneath?" "\'sold to mr. windigate of the alpha, at s.\'" "what have you', '. there you are. and underneath?" "\'sold to mr. windigate of the alpha, at s.\'" "what have you to s', 're you are. and underneath?" "\'sold to mr. windigate of the alpha, at s.\'" "what have you to say no', 'u are. and underneath?" "\'sold to mr. windigate of the alpha, at s.\'" "what have you to say now?" s', '. and underneath?" "\'sold to mr. windigate of the alpha, at s.\'" "what have you to say now?" sherlo', ' underneath?" "\'sold to mr. windigate of the alpha, at s.\'" "what have you to say now?" sherlock ho', 'rneath?" "\'sold to mr. windigate of the alpha, at s.\'" "what have you to say now?" sherlock holmes ', 'h?" "\'sold to mr. windigate of the alpha, at s.\'" "what have you to say now?" sherlock holmes looke', '\'sold to mr. windigate of the alpha, at s.\'" "what have you to say now?" sherlock holmes looked dee', ' to mr. windigate of the alpha, at s.\'" "what have you to say now?" sherlock holmes looked deeply c', 'r. windigate of the alpha, at s.\'" "what have you to say now?" sherlock holmes looked deeply chagri', 'ndigate of the alpha, at s.\'" "what have you to say now?" sherlock holmes looked deeply chagrined. ', 'te of the alpha, at s.\'" "what have you to say now?" sherlock holmes looked deeply chagrined. he dr', ' the alpha, at s.\'" "what have you to say now?" sherlock holmes looked deeply chagrined. he drew a ', 'alpha, at s.\'" "what have you to say now?" sherlock holmes looked deeply chagrined. he drew a sover', ', at s.\'" "what have you to say now?" sherlock holmes looked deeply chagrined. he drew a sovereign ', ' s.\'" "what have you to say now?" sherlock holmes looked deeply chagrined. he drew a sovereign from ', ' "what have you to say now?" sherlock holmes looked deeply chagrined. he drew a sovereign from his p', 't have you to say now?" sherlock holmes looked deeply chagrined. he drew a sovereign from his pocket', 'e you to say now?" sherlock holmes looked deeply chagrined. he drew a sovereign from his pocket and ', ' to say now?" sherlock holmes looked deeply chagrined. he drew a sovereign from his pocket and threw', 'ay now?" sherlock holmes looked deeply chagrined. he drew a sovereign from his pocket and threw it d', 'w?" sherlock holmes looked deeply chagrined. he drew a sovereign from his pocket and threw it down u', 'herlock holmes looked deeply chagrined. he drew a sovereign from his pocket and threw it down upon t', 'ck holmes looked deeply chagrined. he drew a sovereign from his pocket and threw it down upon the sl', 'lmes looked deeply chagrined. he drew a sovereign from his pocket and threw it down upon the slab, t', 'looked deeply chagrined. he drew a sovereign from his pocket and threw it down upon the slab, turnin', 'd deeply chagrined. he drew a sovereign from his pocket and threw it down upon the slab, turning awa', 'ply chagrined. he drew a sovereign from his pocket and threw it down upon the slab, turning away wit', 'hagrined. he drew a sovereign from his pocket and threw it down upon the slab, turning away with the', 'ned. he drew a sovereign from his pocket and threw it down upon the slab, turning away with the air ', 'he drew a sovereign from his pocket and threw it down upon the slab, turning away with the air of a ', 'ew a sovereign from his pocket and threw it down upon the slab, turning away with the air of a man w', 'sovereign from his pocket and threw it down upon the slab, turning away with the air of a man whose ', 'eign from his pocket and threw it down upon the slab, turning away with the air of a man whose disgu', 'from his pocket and threw it down upon the slab, turning away with the air of a man whose disgust is', 'his pocket and threw it down upon the slab, turning away with the air of a man whose disgust is too ', 'ocket and threw it down upon the slab, turning away with the air of a man whose disgust is too deep ', ' and threw it down upon the slab, turning away with the air of a man whose disgust is too deep for w', 'threw it down upon the slab, turning away with the air of a man whose disgust is too deep for words.', ' it down upon the slab, turning away with the air of a man whose disgust is too deep for words. a fe', 'own upon the slab, turning away with the air of a man whose disgust is too deep for words. a few yar', 'pon the slab, turning away with the air of a man whose disgust is too deep for words. a few yards of', 'he slab, turning away with the air of a man whose disgust is too deep for words. a few yards off he ', 'ab, turning away with the air of a man whose disgust is too deep for words. a few yards off he stopp', 'urning away with the air of a man whose disgust is too deep for words. a few yards off he stopped un', 'g away with the air of a man whose disgust is too deep for words. a few yards off he stopped under a', 'y with the air of a man whose disgust is too deep for words. a few yards off he stopped under a lamp', 'h the air of a man whose disgust is too deep for words. a few yards off he stopped under a lamp-post', ' air of a man whose disgust is too deep for words. a few yards off he stopped under a lamp-post and ', 'of a man whose disgust is too deep for words. a few yards off he stopped under a lamp-post and laugh', 'man whose disgust is too deep for words. a few yards off he stopped under a lamp-post and laughed in', 'hose disgust is too deep for words. a few yards off he stopped under a lamp-post and laughed in the ', 'disgust is too deep for words. a few yards off he stopped under a lamp-post and laughed in the heart', 'st is too deep for words. a few yards off he stopped under a lamp-post and laughed in the hearty, no', ' too deep for words. a few yards off he stopped under a lamp-post and laughed in the hearty, noisele', 'deep for words. a few yards off he stopped under a lamp-post and laughed in the hearty, noiseless fa', 'for words. a few yards off he stopped under a lamp-post and laughed in the hearty, noiseless fashion', 'ords. a few yards off he stopped under a lamp-post and laughed in the hearty, noiseless fashion whic', ' a few yards off he stopped under a lamp-post and laughed in the hearty, noiseless fashion which was', 'w yards off he stopped under a lamp-post and laughed in the hearty, noiseless fashion which was pecu', 'ds off he stopped under a lamp-post and laughed in the hearty, noiseless fashion which was peculiar ', 'f he stopped under a lamp-post and laughed in the hearty, noiseless fashion which was peculiar to hi', 'stopped under a lamp-post and laughed in the hearty, noiseless fashion which was peculiar to him. "w', 'ed under a lamp-post and laughed in the hearty, noiseless fashion which was peculiar to him. "when y', 'der a lamp-post and laughed in the hearty, noiseless fashion which was peculiar to him. "when you se', ' lamp-post and laughed in the hearty, noiseless fashion which was peculiar to him. "when you see a m', '-post and laughed in the hearty, noiseless fashion which was peculiar to him. "when you see a man wi', ' and laughed in the hearty, noiseless fashion which was peculiar to him. "when you see a man with wh', 'laughed in the hearty, noiseless fashion which was peculiar to him. "when you see a man with whisker', 'ed in the hearty, noiseless fashion which was peculiar to him. "when you see a man with whiskers of ', ' the hearty, noiseless fashion which was peculiar to him. "when you see a man with whiskers of that ', 'hearty, noiseless fashion which was peculiar to him. "when you see a man with whiskers of that cut a', 'y, noiseless fashion which was peculiar to him. "when you see a man with whiskers of that cut and th', 'iseless fashion which was peculiar to him. "when you see a man with whiskers of that cut and the \'pi', 'ss fashion which was peculiar to him. "when you see a man with whiskers of that cut and the \'pink \'u', 'shion which was peculiar to him. "when you see a man with whiskers of that cut and the \'pink \'un\' pr', ' which was peculiar to him. "when you see a man with whiskers of that cut and the \'pink \'un\' protrud', 'h was peculiar to him. "when you see a man with whiskers of that cut and the \'pink \'un\' protruding o', ' peculiar to him. "when you see a man with whiskers of that cut and the \'pink \'un\' protruding out of', 'liar to him. "when you see a man with whiskers of that cut and the \'pink \'un\' protruding out of his ', 'to him. "when you see a man with whiskers of that cut and the \'pink \'un\' protruding out of his pocke', 'm. "when you see a man with whiskers of that cut and the \'pink \'un\' protruding out of his pocket, yo', "hen you see a man with whiskers of that cut and the 'pink 'un' protruding out of his pocket, you can", "ou see a man with whiskers of that cut and the 'pink 'un' protruding out of his pocket, you can alwa", "e a man with whiskers of that cut and the 'pink 'un' protruding out of his pocket, you can always dr", "an with whiskers of that cut and the 'pink 'un' protruding out of his pocket, you can always draw hi", "th whiskers of that cut and the 'pink 'un' protruding out of his pocket, you can always draw him by ", "iskers of that cut and the 'pink 'un' protruding out of his pocket, you can always draw him by a bet", 's of that cut and the \'pink \'un\' protruding out of his pocket, you can always draw him by a bet," sa', 'that cut and the \'pink \'un\' protruding out of his pocket, you can always draw him by a bet," said he', 'cut and the \'pink \'un\' protruding out of his pocket, you can always draw him by a bet," said he. "i ', 'nd the \'pink \'un\' protruding out of his pocket, you can always draw him by a bet," said he. "i dares', 'e \'pink \'un\' protruding out of his pocket, you can always draw him by a bet," said he. "i daresay th', 'nk \'un\' protruding out of his pocket, you can always draw him by a bet," said he. "i daresay that if', 'n\' protruding out of his pocket, you can always draw him by a bet," said he. "i daresay that if i ha', 'otruding out of his pocket, you can always draw him by a bet," said he. "i daresay that if i had put', 'ing out of his pocket, you can always draw him by a bet," said he. "i daresay that if i had put po', 'ut of his pocket, you can always draw him by a bet," said he. "i daresay that if i had put pounds ', ' his pocket, you can always draw him by a bet," said he. "i daresay that if i had put pounds down ', 'pocket, you can always draw him by a bet," said he. "i daresay that if i had put pounds down in fr', 't, you can always draw him by a bet," said he. "i daresay that if i had put pounds down in front o', 'u can always draw him by a bet," said he. "i daresay that if i had put pounds down in front of him', ' always draw him by a bet," said he. "i daresay that if i had put pounds down in front of him, tha', 'ys draw him by a bet," said he. "i daresay that if i had put pounds down in front of him, that man', 'aw him by a bet," said he. "i daresay that if i had put pounds down in front of him, that man woul', 'm by a bet," said he. "i daresay that if i had put pounds down in front of him, that man would not', 'a bet," said he. "i daresay that if i had put pounds down in front of him, that man would not have', '," said he. "i daresay that if i had put pounds down in front of him, that man would not have give', 'id he. "i daresay that if i had put pounds down in front of him, that man would not have given me ', '. "i daresay that if i had put pounds down in front of him, that man would not have given me such ', 'daresay that if i had put pounds down in front of him, that man would not have given me such compl', 'ay that if i had put pounds down in front of him, that man would not have given me such complete i', 'at if i had put pounds down in front of him, that man would not have given me such complete inform', ' i had put pounds down in front of him, that man would not have given me such complete information', 'd put pounds down in front of him, that man would not have given me such complete information as w', ' pounds down in front of him, that man would not have given me such complete information as was dr', 'unds down in front of him, that man would not have given me such complete information as was drawn f', 'down in front of him, that man would not have given me such complete information as was drawn from h', 'in front of him, that man would not have given me such complete information as was drawn from him by', 'ont of him, that man would not have given me such complete information as was drawn from him by the ', 'f him, that man would not have given me such complete information as was drawn from him by the idea ', ', that man would not have given me such complete information as was drawn from him by the idea that ', 't man would not have given me such complete information as was drawn from him by the idea that he wa', ' would not have given me such complete information as was drawn from him by the idea that he was doi', 'd not have given me such complete information as was drawn from him by the idea that he was doing me', ' have given me such complete information as was drawn from him by the idea that he was doing me on a', ' given me such complete information as was drawn from him by the idea that he was doing me on a wage', 'n me such complete information as was drawn from him by the idea that he was doing me on a wager. we', 'such complete information as was drawn from him by the idea that he was doing me on a wager. well, w', 'complete information as was drawn from him by the idea that he was doing me on a wager. well, watson', 'ete information as was drawn from him by the idea that he was doing me on a wager. well, watson, we ', 'nformation as was drawn from him by the idea that he was doing me on a wager. well, watson, we are, ', 'ation as was drawn from him by the idea that he was doing me on a wager. well, watson, we are, i fan', ' as was drawn from him by the idea that he was doing me on a wager. well, watson, we are, i fancy, n', 'as drawn from him by the idea that he was doing me on a wager. well, watson, we are, i fancy, nearin', 'awn from him by the idea that he was doing me on a wager. well, watson, we are, i fancy, nearing the', 'rom him by the idea that he was doing me on a wager. well, watson, we are, i fancy, nearing the end ', 'im by the idea that he was doing me on a wager. well, watson, we are, i fancy, nearing the end of ou', ' the idea that he was doing me on a wager. well, watson, we are, i fancy, nearing the end of our que', 'idea that he was doing me on a wager. well, watson, we are, i fancy, nearing the end of our quest, a', 'that he was doing me on a wager. well, watson, we are, i fancy, nearing the end of our quest, and th', 'he was doing me on a wager. well, watson, we are, i fancy, nearing the end of our quest, and the onl', 's doing me on a wager. well, watson, we are, i fancy, nearing the end of our quest, and the only poi', 'ng me on a wager. well, watson, we are, i fancy, nearing the end of our quest, and the only point wh', ' on a wager. well, watson, we are, i fancy, nearing the end of our quest, and the only point which r', ' wager. well, watson, we are, i fancy, nearing the end of our quest, and the only point which remain', 'r. well, watson, we are, i fancy, nearing the end of our quest, and the only point which remains to ', 'll, watson, we are, i fancy, nearing the end of our quest, and the only point which remains to be de', 'atson, we are, i fancy, nearing the end of our quest, and the only point which remains to be determi', ', we are, i fancy, nearing the end of our quest, and the only point which remains to be determined i', 'are, i fancy, nearing the end of our quest, and the only point which remains to be determined is whe', 'i fancy, nearing the end of our quest, and the only point which remains to be determined is whether ', 'cy, nearing the end of our quest, and the only point which remains to be determined is whether we sh', 'earing the end of our quest, and the only point which remains to be determined is whether we should ', 'g the end of our quest, and the only point which remains to be determined is whether we should go on', ' end of our quest, and the only point which remains to be determined is whether we should go on to t', 'of our quest, and the only point which remains to be determined is whether we should go on to this m', 'r quest, and the only point which remains to be determined is whether we should go on to this mrs. o', 'st, and the only point which remains to be determined is whether we should go on to this mrs. oaksho', 'nd the only point which remains to be determined is whether we should go on to this mrs. oakshott to', 'e only point which remains to be determined is whether we should go on to this mrs. oakshott to-nigh', 'y point which remains to be determined is whether we should go on to this mrs. oakshott to-night, or', 'nt which remains to be determined is whether we should go on to this mrs. oakshott to-night, or whet', 'ich remains to be determined is whether we should go on to this mrs. oakshott to-night, or whether w', 'emains to be determined is whether we should go on to this mrs. oakshott to-night, or whether we sho', 's to be determined is whether we should go on to this mrs. oakshott to-night, or whether we should r', 'be determined is whether we should go on to this mrs. oakshott to-night, or whether we should reserv', 'termined is whether we should go on to this mrs. oakshott to-night, or whether we should reserve it ', 'ned is whether we should go on to this mrs. oakshott to-night, or whether we should reserve it for t', 's whether we should go on to this mrs. oakshott to-night, or whether we should reserve it for to-mor', 'ther we should go on to this mrs. oakshott to-night, or whether we should reserve it for to-morrow. ', 'we should go on to this mrs. oakshott to-night, or whether we should reserve it for to-morrow. it is', 'ould go on to this mrs. oakshott to-night, or whether we should reserve it for to-morrow. it is clea', 'go on to this mrs. oakshott to-night, or whether we should reserve it for to-morrow. it is clear fro', ' to this mrs. oakshott to-night, or whether we should reserve it for to-morrow. it is clear from wha', 'his mrs. oakshott to-night, or whether we should reserve it for to-morrow. it is clear from what tha', 'rs. oakshott to-night, or whether we should reserve it for to-morrow. it is clear from what that sur', 'akshott to-night, or whether we should reserve it for to-morrow. it is clear from what that surly fe', 'tt to-night, or whether we should reserve it for to-morrow. it is clear from what that surly fellow ', '-night, or whether we should reserve it for to-morrow. it is clear from what that surly fellow said ', 't, or whether we should reserve it for to-morrow. it is clear from what that surly fellow said that ', ' whether we should reserve it for to-morrow. it is clear from what that surly fellow said that there', 'her we should reserve it for to-morrow. it is clear from what that surly fellow said that there are ', 'e should reserve it for to-morrow. it is clear from what that surly fellow said that there are other', 'uld reserve it for to-morrow. it is clear from what that surly fellow said that there are others bes', 'eserve it for to-morrow. it is clear from what that surly fellow said that there are others besides ', 'e it for to-morrow. it is clear from what that surly fellow said that there are others besides ourse', 'for to-morrow. it is clear from what that surly fellow said that there are others besides ourselves ', 'o-morrow. it is clear from what that surly fellow said that there are others besides ourselves who a', 'row. it is clear from what that surly fellow said that there are others besides ourselves who are an', 'it is clear from what that surly fellow said that there are others besides ourselves who are anxious', ' clear from what that surly fellow said that there are others besides ourselves who are anxious abou', 'r from what that surly fellow said that there are others besides ourselves who are anxious about the', 'm what that surly fellow said that there are others besides ourselves who are anxious about the matt', 't that surly fellow said that there are others besides ourselves who are anxious about the matter, a', 't surly fellow said that there are others besides ourselves who are anxious about the matter, and i ', 'ly fellow said that there are others besides ourselves who are anxious about the matter, and i shoul', 'llow said that there are others besides ourselves who are anxious about the matter, and i should" hi', 'said that there are others besides ourselves who are anxious about the matter, and i should" his rem', 'that there are others besides ourselves who are anxious about the matter, and i should" his remarks ', 'there are others besides ourselves who are anxious about the matter, and i should" his remarks were ', ' are others besides ourselves who are anxious about the matter, and i should" his remarks were sudde', 'others besides ourselves who are anxious about the matter, and i should" his remarks were suddenly c', 's besides ourselves who are anxious about the matter, and i should" his remarks were suddenly cut sh', 'ides ourselves who are anxious about the matter, and i should" his remarks were suddenly cut short b', 'ourselves who are anxious about the matter, and i should" his remarks were suddenly cut short by a l', 'lves who are anxious about the matter, and i should" his remarks were suddenly cut short by a loud h', 'who are anxious about the matter, and i should" his remarks were suddenly cut short by a loud hubbub', 're anxious about the matter, and i should" his remarks were suddenly cut short by a loud hubbub whic', 'xious about the matter, and i should" his remarks were suddenly cut short by a loud hubbub which bro', ' about the matter, and i should" his remarks were suddenly cut short by a loud hubbub which broke ou', 't the matter, and i should" his remarks were suddenly cut short by a loud hubbub which broke out fro', ' matter, and i should" his remarks were suddenly cut short by a loud hubbub which broke out from the', 'er, and i should" his remarks were suddenly cut short by a loud hubbub which broke out from the stal', 'nd i should" his remarks were suddenly cut short by a loud hubbub which broke out from the stall whi', 'should" his remarks were suddenly cut short by a loud hubbub which broke out from the stall which we', 'd" his remarks were suddenly cut short by a loud hubbub which broke out from the stall which we had ', 's remarks were suddenly cut short by a loud hubbub which broke out from the stall which we had just ', 'arks were suddenly cut short by a loud hubbub which broke out from the stall which we had just left.', 'were suddenly cut short by a loud hubbub which broke out from the stall which we had just left. turn', 'suddenly cut short by a loud hubbub which broke out from the stall which we had just left. turning r', 'nly cut short by a loud hubbub which broke out from the stall which we had just left. turning round ', 'ut short by a loud hubbub which broke out from the stall which we had just left. turning round we sa', 'ort by a loud hubbub which broke out from the stall which we had just left. turning round we saw a l', 'y a loud hubbub which broke out from the stall which we had just left. turning round we saw a little', 'oud hubbub which broke out from the stall which we had just left. turning round we saw a little rat-', 'ubbub which broke out from the stall which we had just left. turning round we saw a little rat-faced', ' which broke out from the stall which we had just left. turning round we saw a little rat-faced fell', 'h broke out from the stall which we had just left. turning round we saw a little rat-faced fellow st', 'ke out from the stall which we had just left. turning round we saw a little rat-faced fellow standin', 't from the stall which we had just left. turning round we saw a little rat-faced fellow standing in ', 'm the stall which we had just left. turning round we saw a little rat-faced fellow standing in the c', ' stall which we had just left. turning round we saw a little rat-faced fellow standing in the centre', 'l which we had just left. turning round we saw a little rat-faced fellow standing in the centre of t', 'ch we had just left. turning round we saw a little rat-faced fellow standing in the centre of the ci', ' had just left. turning round we saw a little rat-faced fellow standing in the centre of the circle ', 'just left. turning round we saw a little rat-faced fellow standing in the centre of the circle of ye', 'left. turning round we saw a little rat-faced fellow standing in the centre of the circle of yellow ', ' turning round we saw a little rat-faced fellow standing in the centre of the circle of yellow light', 'ing round we saw a little rat-faced fellow standing in the centre of the circle of yellow light whic', 'ound we saw a little rat-faced fellow standing in the centre of the circle of yellow light which was', 'we saw a little rat-faced fellow standing in the centre of the circle of yellow light which was thro', 'w a little rat-faced fellow standing in the centre of the circle of yellow light which was thrown by', 'ittle rat-faced fellow standing in the centre of the circle of yellow light which was thrown by the ', ' rat-faced fellow standing in the centre of the circle of yellow light which was thrown by the swing', 'faced fellow standing in the centre of the circle of yellow light which was thrown by the swinging l', ' fellow standing in the centre of the circle of yellow light which was thrown by the swinging lamp, ', 'ow standing in the centre of the circle of yellow light which was thrown by the swinging lamp, while', 'anding in the centre of the circle of yellow light which was thrown by the swinging lamp, while brec', 'g in the centre of the circle of yellow light which was thrown by the swinging lamp, while breckinri', 'the centre of the circle of yellow light which was thrown by the swinging lamp, while breckinridge, ', 'entre of the circle of yellow light which was thrown by the swinging lamp, while breckinridge, the s', ' of the circle of yellow light which was thrown by the swinging lamp, while breckinridge, the salesm', 'he circle of yellow light which was thrown by the swinging lamp, while breckinridge, the salesman, f', 'rcle of yellow light which was thrown by the swinging lamp, while breckinridge, the salesman, framed', 'of yellow light which was thrown by the swinging lamp, while breckinridge, the salesman, framed in t', 'llow light which was thrown by the swinging lamp, while breckinridge, the salesman, framed in the do', 'light which was thrown by the swinging lamp, while breckinridge, the salesman, framed in the door of', ' which was thrown by the swinging lamp, while breckinridge, the salesman, framed in the door of his ', 'h was thrown by the swinging lamp, while breckinridge, the salesman, framed in the door of his stall', ' thrown by the swinging lamp, while breckinridge, the salesman, framed in the door of his stall, was', 'wn by the swinging lamp, while breckinridge, the salesman, framed in the door of his stall, was shak', ' the swinging lamp, while breckinridge, the salesman, framed in the door of his stall, was shaking h', 'swinging lamp, while breckinridge, the salesman, framed in the door of his stall, was shaking his fi', 'ing lamp, while breckinridge, the salesman, framed in the door of his stall, was shaking his fists f', 'amp, while breckinridge, the salesman, framed in the door of his stall, was shaking his fists fierce', 'while breckinridge, the salesman, framed in the door of his stall, was shaking his fists fiercely at', ' breckinridge, the salesman, framed in the door of his stall, was shaking his fists fiercely at the ', 'kinridge, the salesman, framed in the door of his stall, was shaking his fists fiercely at the cring', 'dge, the salesman, framed in the door of his stall, was shaking his fists fiercely at the cringing f', 'the salesman, framed in the door of his stall, was shaking his fists fiercely at the cringing figure', 'alesman, framed in the door of his stall, was shaking his fists fiercely at the cringing figure. "i\'', 'an, framed in the door of his stall, was shaking his fists fiercely at the cringing figure. "i\'ve ha', 'ramed in the door of his stall, was shaking his fists fiercely at the cringing figure. "i\'ve had eno', ' in the door of his stall, was shaking his fists fiercely at the cringing figure. "i\'ve had enough o', 'he door of his stall, was shaking his fists fiercely at the cringing figure. "i\'ve had enough of you', 'or of his stall, was shaking his fists fiercely at the cringing figure. "i\'ve had enough of you and ', ' his stall, was shaking his fists fiercely at the cringing figure. "i\'ve had enough of you and your ', 'stall, was shaking his fists fiercely at the cringing figure. "i\'ve had enough of you and your geese', ', was shaking his fists fiercely at the cringing figure. "i\'ve had enough of you and your geese," he', ' shaking his fists fiercely at the cringing figure. "i\'ve had enough of you and your geese," he shou', 'ing his fists fiercely at the cringing figure. "i\'ve had enough of you and your geese," he shouted. ', 'is fists fiercely at the cringing figure. "i\'ve had enough of you and your geese," he shouted. "i wi', 'sts fiercely at the cringing figure. "i\'ve had enough of you and your geese," he shouted. "i wish yo', 'iercely at the cringing figure. "i\'ve had enough of you and your geese," he shouted. "i wish you wer', 'ly at the cringing figure. "i\'ve had enough of you and your geese," he shouted. "i wish you were all', ' the cringing figure. "i\'ve had enough of you and your geese," he shouted. "i wish you were all at t', 'cringing figure. "i\'ve had enough of you and your geese," he shouted. "i wish you were all at the de', 'ing figure. "i\'ve had enough of you and your geese," he shouted. "i wish you were all at the devil t', 'igure. "i\'ve had enough of you and your geese," he shouted. "i wish you were all at the devil togeth', '. "i\'ve had enough of you and your geese," he shouted. "i wish you were all at the devil together. i', 've had enough of you and your geese," he shouted. "i wish you were all at the devil together. if you', 'd enough of you and your geese," he shouted. "i wish you were all at the devil together. if you come', 'ugh of you and your geese," he shouted. "i wish you were all at the devil together. if you come pest', 'f you and your geese," he shouted. "i wish you were all at the devil together. if you come pestering', ' and your geese," he shouted. "i wish you were all at the devil together. if you come pestering me a', 'your geese," he shouted. "i wish you were all at the devil together. if you come pestering me any mo', 'geese," he shouted. "i wish you were all at the devil together. if you come pestering me any more wi', '," he shouted. "i wish you were all at the devil together. if you come pestering me any more with yo', ' shouted. "i wish you were all at the devil together. if you come pestering me any more with your si', 'ted. "i wish you were all at the devil together. if you come pestering me any more with your silly t', '"i wish you were all at the devil together. if you come pestering me any more with your silly talk i', "sh you were all at the devil together. if you come pestering me any more with your silly talk i'll s", "u were all at the devil together. if you come pestering me any more with your silly talk i'll set th", "e all at the devil together. if you come pestering me any more with your silly talk i'll set the dog", " at the devil together. if you come pestering me any more with your silly talk i'll set the dog at y", "he devil together. if you come pestering me any more with your silly talk i'll set the dog at you. y", "vil together. if you come pestering me any more with your silly talk i'll set the dog at you. you br", "ogether. if you come pestering me any more with your silly talk i'll set the dog at you. you bring m", "er. if you come pestering me any more with your silly talk i'll set the dog at you. you bring mrs. o", "f you come pestering me any more with your silly talk i'll set the dog at you. you bring mrs. oaksho", " come pestering me any more with your silly talk i'll set the dog at you. you bring mrs. oakshott he", " pestering me any more with your silly talk i'll set the dog at you. you bring mrs. oakshott here an", "ering me any more with your silly talk i'll set the dog at you. you bring mrs. oakshott here and i'l", " me any more with your silly talk i'll set the dog at you. you bring mrs. oakshott here and i'll ans", "ny more with your silly talk i'll set the dog at you. you bring mrs. oakshott here and i'll answer h", "re with your silly talk i'll set the dog at you. you bring mrs. oakshott here and i'll answer her, b", "th your silly talk i'll set the dog at you. you bring mrs. oakshott here and i'll answer her, but wh", "ur silly talk i'll set the dog at you. you bring mrs. oakshott here and i'll answer her, but what ha", "lly talk i'll set the dog at you. you bring mrs. oakshott here and i'll answer her, but what have yo", "alk i'll set the dog at you. you bring mrs. oakshott here and i'll answer her, but what have you to ", "'ll set the dog at you. you bring mrs. oakshott here and i'll answer her, but what have you to do wi", "et the dog at you. you bring mrs. oakshott here and i'll answer her, but what have you to do with it", "e dog at you. you bring mrs. oakshott here and i'll answer her, but what have you to do with it? did", " at you. you bring mrs. oakshott here and i'll answer her, but what have you to do with it? did i bu", "ou. you bring mrs. oakshott here and i'll answer her, but what have you to do with it? did i buy the", "ou bring mrs. oakshott here and i'll answer her, but what have you to do with it? did i buy the gees", "ing mrs. oakshott here and i'll answer her, but what have you to do with it? did i buy the geese off", "rs. oakshott here and i'll answer her, but what have you to do with it? did i buy the geese off you?", 'akshott here and i\'ll answer her, but what have you to do with it? did i buy the geese off you?" "no', 'tt here and i\'ll answer her, but what have you to do with it? did i buy the geese off you?" "no; but', 're and i\'ll answer her, but what have you to do with it? did i buy the geese off you?" "no; but one ', 'd i\'ll answer her, but what have you to do with it? did i buy the geese off you?" "no; but one of th', 'l answer her, but what have you to do with it? did i buy the geese off you?" "no; but one of them wa', 'wer her, but what have you to do with it? did i buy the geese off you?" "no; but one of them was min', 'er, but what have you to do with it? did i buy the geese off you?" "no; but one of them was mine all', 'ut what have you to do with it? did i buy the geese off you?" "no; but one of them was mine all the ', 'at have you to do with it? did i buy the geese off you?" "no; but one of them was mine all the same,', 've you to do with it? did i buy the geese off you?" "no; but one of them was mine all the same," whi', 'u to do with it? did i buy the geese off you?" "no; but one of them was mine all the same," whined t', 'do with it? did i buy the geese off you?" "no; but one of them was mine all the same," whined the li', 'th it? did i buy the geese off you?" "no; but one of them was mine all the same," whined the little ', '? did i buy the geese off you?" "no; but one of them was mine all the same," whined the little man. ', ' i buy the geese off you?" "no; but one of them was mine all the same," whined the little man. "well', 'y the geese off you?" "no; but one of them was mine all the same," whined the little man. "well, the', ' geese off you?" "no; but one of them was mine all the same," whined the little man. "well, then, as', 'e off you?" "no; but one of them was mine all the same," whined the little man. "well, then, ask mrs', ' you?" "no; but one of them was mine all the same," whined the little man. "well, then, ask mrs. oak', '" "no; but one of them was mine all the same," whined the little man. "well, then, ask mrs. oakshott', '; but one of them was mine all the same," whined the little man. "well, then, ask mrs. oakshott for ', ' one of them was mine all the same," whined the little man. "well, then, ask mrs. oakshott for it." ', 'of them was mine all the same," whined the little man. "well, then, ask mrs. oakshott for it." "she ', 'em was mine all the same," whined the little man. "well, then, ask mrs. oakshott for it." "she told ', 's mine all the same," whined the little man. "well, then, ask mrs. oakshott for it." "she told me to', 'e all the same," whined the little man. "well, then, ask mrs. oakshott for it." "she told me to ask ', ' the same," whined the little man. "well, then, ask mrs. oakshott for it." "she told me to ask you."', 'same," whined the little man. "well, then, ask mrs. oakshott for it." "she told me to ask you." "wel', '" whined the little man. "well, then, ask mrs. oakshott for it." "she told me to ask you." "well, yo', 'ned the little man. "well, then, ask mrs. oakshott for it." "she told me to ask you." "well, you can', 'he little man. "well, then, ask mrs. oakshott for it." "she told me to ask you." "well, you can ask ', 'ttle man. "well, then, ask mrs. oakshott for it." "she told me to ask you." "well, you can ask the k', 'man. "well, then, ask mrs. oakshott for it." "she told me to ask you." "well, you can ask the king o', '"well, then, ask mrs. oakshott for it." "she told me to ask you." "well, you can ask the king of pro', ', then, ask mrs. oakshott for it." "she told me to ask you." "well, you can ask the king of proosia,', 'n, ask mrs. oakshott for it." "she told me to ask you." "well, you can ask the king of proosia, for ', 'k mrs. oakshott for it." "she told me to ask you." "well, you can ask the king of proosia, for all i', '. oakshott for it." "she told me to ask you." "well, you can ask the king of proosia, for all i care', 'shott for it." "she told me to ask you." "well, you can ask the king of proosia, for all i care. i\'v', ' for it." "she told me to ask you." "well, you can ask the king of proosia, for all i care. i\'ve had', 'it." "she told me to ask you." "well, you can ask the king of proosia, for all i care. i\'ve had enou', '"she told me to ask you." "well, you can ask the king of proosia, for all i care. i\'ve had enough of', 'told me to ask you." "well, you can ask the king of proosia, for all i care. i\'ve had enough of it. ', 'me to ask you." "well, you can ask the king of proosia, for all i care. i\'ve had enough of it. get o', ' ask you." "well, you can ask the king of proosia, for all i care. i\'ve had enough of it. get out of', 'you." "well, you can ask the king of proosia, for all i care. i\'ve had enough of it. get out of this', ' "well, you can ask the king of proosia, for all i care. i\'ve had enough of it. get out of this he r', "l, you can ask the king of proosia, for all i care. i've had enough of it. get out of this he rushed", "u can ask the king of proosia, for all i care. i've had enough of it. get out of this he rushed fier", " ask the king of proosia, for all i care. i've had enough of it. get out of this he rushed fiercely ", "the king of proosia, for all i care. i've had enough of it. get out of this he rushed fiercely forwa", "ing of proosia, for all i care. i've had enough of it. get out of this he rushed fiercely forward, a", "f proosia, for all i care. i've had enough of it. get out of this he rushed fiercely forward, and th", "osia, for all i care. i've had enough of it. get out of this he rushed fiercely forward, and the inq", " for all i care. i've had enough of it. get out of this he rushed fiercely forward, and the inquirer", "all i care. i've had enough of it. get out of this he rushed fiercely forward, and the inquirer flit", " care. i've had enough of it. get out of this he rushed fiercely forward, and the inquirer flitted a", ". i've had enough of it. get out of this he rushed fiercely forward, and the inquirer flitted away i", 'e had enough of it. get out of this he rushed fiercely forward, and the inquirer flitted away into t', ' enough of it. get out of this he rushed fiercely forward, and the inquirer flitted away into the da', 'gh of it. get out of this he rushed fiercely forward, and the inquirer flitted away into the darknes', ' it. get out of this he rushed fiercely forward, and the inquirer flitted away into the darkness. "h', 'get out of this he rushed fiercely forward, and the inquirer flitted away into the darkness. "ha! th', 'ut of this he rushed fiercely forward, and the inquirer flitted away into the darkness. "ha! this ma', ' this he rushed fiercely forward, and the inquirer flitted away into the darkness. "ha! this may sav', ' he rushed fiercely forward, and the inquirer flitted away into the darkness. "ha! this may save us ', 'ushed fiercely forward, and the inquirer flitted away into the darkness. "ha! this may save us a vis', ' fiercely forward, and the inquirer flitted away into the darkness. "ha! this may save us a visit to', 'cely forward, and the inquirer flitted away into the darkness. "ha! this may save us a visit to brix', 'forward, and the inquirer flitted away into the darkness. "ha! this may save us a visit to brixton r', 'rd, and the inquirer flitted away into the darkness. "ha! this may save us a visit to brixton road,"', 'nd the inquirer flitted away into the darkness. "ha! this may save us a visit to brixton road," whis', 'e inquirer flitted away into the darkness. "ha! this may save us a visit to brixton road," whispered', 'uirer flitted away into the darkness. "ha! this may save us a visit to brixton road," whispered holm', ' flitted away into the darkness. "ha! this may save us a visit to brixton road," whispered holmes. "', 'ted away into the darkness. "ha! this may save us a visit to brixton road," whispered holmes. "come ', 'way into the darkness. "ha! this may save us a visit to brixton road," whispered holmes. "come with ', 'nto the darkness. "ha! this may save us a visit to brixton road," whispered holmes. "come with me, a', 'he darkness. "ha! this may save us a visit to brixton road," whispered holmes. "come with me, and we', 'rkness. "ha! this may save us a visit to brixton road," whispered holmes. "come with me, and we will', 's. "ha! this may save us a visit to brixton road," whispered holmes. "come with me, and we will see ', 'a! this may save us a visit to brixton road," whispered holmes. "come with me, and we will see what ', 'is may save us a visit to brixton road," whispered holmes. "come with me, and we will see what is to', 'y save us a visit to brixton road," whispered holmes. "come with me, and we will see what is to be m', 'e us a visit to brixton road," whispered holmes. "come with me, and we will see what is to be made o', 'a visit to brixton road," whispered holmes. "come with me, and we will see what is to be made of thi', 'it to brixton road," whispered holmes. "come with me, and we will see what is to be made of this fel', ' brixton road," whispered holmes. "come with me, and we will see what is to be made of this fellow."', 'ton road," whispered holmes. "come with me, and we will see what is to be made of this fellow." stri', 'oad," whispered holmes. "come with me, and we will see what is to be made of this fellow." striding ', ' whispered holmes. "come with me, and we will see what is to be made of this fellow." striding throu', 'pered holmes. "come with me, and we will see what is to be made of this fellow." striding through th', ' holmes. "come with me, and we will see what is to be made of this fellow." striding through the sca', 'es. "come with me, and we will see what is to be made of this fellow." striding through the scattere', 'come with me, and we will see what is to be made of this fellow." striding through the scattered kno', 'with me, and we will see what is to be made of this fellow." striding through the scattered knots of', 'me, and we will see what is to be made of this fellow." striding through the scattered knots of peop', 'nd we will see what is to be made of this fellow." striding through the scattered knots of people wh', ' will see what is to be made of this fellow." striding through the scattered knots of people who lou', ' see what is to be made of this fellow." striding through the scattered knots of people who lounged ', 'what is to be made of this fellow." striding through the scattered knots of people who lounged round', 'is to be made of this fellow." striding through the scattered knots of people who lounged round the ', ' be made of this fellow." striding through the scattered knots of people who lounged round the flari', 'ade of this fellow." striding through the scattered knots of people who lounged round the flaring st', 'f this fellow." striding through the scattered knots of people who lounged round the flaring stalls,', 's fellow." striding through the scattered knots of people who lounged round the flaring stalls, my c', 'low." striding through the scattered knots of people who lounged round the flaring stalls, my compan', ' striding through the scattered knots of people who lounged round the flaring stalls, my companion s', 'ding through the scattered knots of people who lounged round the flaring stalls, my companion speedi', 'through the scattered knots of people who lounged round the flaring stalls, my companion speedily ov', 'gh the scattered knots of people who lounged round the flaring stalls, my companion speedily overtoo', 'e scattered knots of people who lounged round the flaring stalls, my companion speedily overtook the', 'ttered knots of people who lounged round the flaring stalls, my companion speedily overtook the litt', 'd knots of people who lounged round the flaring stalls, my companion speedily overtook the little ma', 'ts of people who lounged round the flaring stalls, my companion speedily overtook the little man and', ' people who lounged round the flaring stalls, my companion speedily overtook the little man and touc', 'le who lounged round the flaring stalls, my companion speedily overtook the little man and touched h', 'o lounged round the flaring stalls, my companion speedily overtook the little man and touched him up', 'nged round the flaring stalls, my companion speedily overtook the little man and touched him upon th', 'round the flaring stalls, my companion speedily overtook the little man and touched him upon the sho', ' the flaring stalls, my companion speedily overtook the little man and touched him upon the shoulder', 'flaring stalls, my companion speedily overtook the little man and touched him upon the shoulder. he ', 'ng stalls, my companion speedily overtook the little man and touched him upon the shoulder. he spran', 'alls, my companion speedily overtook the little man and touched him upon the shoulder. he sprang rou', ' my companion speedily overtook the little man and touched him upon the shoulder. he sprang round, a', 'ompanion speedily overtook the little man and touched him upon the shoulder. he sprang round, and i ', 'ion speedily overtook the little man and touched him upon the shoulder. he sprang round, and i could', 'peedily overtook the little man and touched him upon the shoulder. he sprang round, and i could see ', 'ly overtook the little man and touched him upon the shoulder. he sprang round, and i could see in th', 'ertook the little man and touched him upon the shoulder. he sprang round, and i could see in the gas', 'k the little man and touched him upon the shoulder. he sprang round, and i could see in the gas-ligh', ' little man and touched him upon the shoulder. he sprang round, and i could see in the gas-light tha', 'le man and touched him upon the shoulder. he sprang round, and i could see in the gas-light that eve', 'n and touched him upon the shoulder. he sprang round, and i could see in the gas-light that every ve', ' touched him upon the shoulder. he sprang round, and i could see in the gas-light that every vestige', 'hed him upon the shoulder. he sprang round, and i could see in the gas-light that every vestige of c', 'im upon the shoulder. he sprang round, and i could see in the gas-light that every vestige of colour', 'on the shoulder. he sprang round, and i could see in the gas-light that every vestige of colour had ', 'e shoulder. he sprang round, and i could see in the gas-light that every vestige of colour had been ', 'ulder. he sprang round, and i could see in the gas-light that every vestige of colour had been drive', '. he sprang round, and i could see in the gas-light that every vestige of colour had been driven fro', 'sprang round, and i could see in the gas-light that every vestige of colour had been driven from his', 'g round, and i could see in the gas-light that every vestige of colour had been driven from his face', 'nd, and i could see in the gas-light that every vestige of colour had been driven from his face. "wh', 'nd i could see in the gas-light that every vestige of colour had been driven from his face. "who are', 'could see in the gas-light that every vestige of colour had been driven from his face. "who are you,', ' see in the gas-light that every vestige of colour had been driven from his face. "who are you, then', 'in the gas-light that every vestige of colour had been driven from his face. "who are you, then? wha', 'e gas-light that every vestige of colour had been driven from his face. "who are you, then? what do ', '-light that every vestige of colour had been driven from his face. "who are you, then? what do you w', 't that every vestige of colour had been driven from his face. "who are you, then? what do you want?"', 't every vestige of colour had been driven from his face. "who are you, then? what do you want?" he a', 'ry vestige of colour had been driven from his face. "who are you, then? what do you want?" he asked ', 'stige of colour had been driven from his face. "who are you, then? what do you want?" he asked in a ', ' of colour had been driven from his face. "who are you, then? what do you want?" he asked in a quave', 'olour had been driven from his face. "who are you, then? what do you want?" he asked in a quavering ', ' had been driven from his face. "who are you, then? what do you want?" he asked in a quavering voice', 'been driven from his face. "who are you, then? what do you want?" he asked in a quavering voice. "yo', 'driven from his face. "who are you, then? what do you want?" he asked in a quavering voice. "you wil', 'n from his face. "who are you, then? what do you want?" he asked in a quavering voice. "you will exc', 'm his face. "who are you, then? what do you want?" he asked in a quavering voice. "you will excuse m', ' face. "who are you, then? what do you want?" he asked in a quavering voice. "you will excuse me," s', '. "who are you, then? what do you want?" he asked in a quavering voice. "you will excuse me," said h', 'o are you, then? what do you want?" he asked in a quavering voice. "you will excuse me," said holmes', ' you, then? what do you want?" he asked in a quavering voice. "you will excuse me," said holmes blan', ' then? what do you want?" he asked in a quavering voice. "you will excuse me," said holmes blandly, ', '? what do you want?" he asked in a quavering voice. "you will excuse me," said holmes blandly, "but ', 't do you want?" he asked in a quavering voice. "you will excuse me," said holmes blandly, "but i cou', 'you want?" he asked in a quavering voice. "you will excuse me," said holmes blandly, "but i could no', 'ant?" he asked in a quavering voice. "you will excuse me," said holmes blandly, "but i could not hel', ' he asked in a quavering voice. "you will excuse me," said holmes blandly, "but i could not help ove', 'sked in a quavering voice. "you will excuse me," said holmes blandly, "but i could not help overhear', 'in a quavering voice. "you will excuse me," said holmes blandly, "but i could not help overhearing t', 'quavering voice. "you will excuse me," said holmes blandly, "but i could not help overhearing the qu', 'ring voice. "you will excuse me," said holmes blandly, "but i could not help overhearing the questio', 'voice. "you will excuse me," said holmes blandly, "but i could not help overhearing the questions wh', '. "you will excuse me," said holmes blandly, "but i could not help overhearing the questions which y', 'u will excuse me," said holmes blandly, "but i could not help overhearing the questions which you pu', 'l excuse me," said holmes blandly, "but i could not help overhearing the questions which you put to ', 'use me," said holmes blandly, "but i could not help overhearing the questions which you put to the s', 'e," said holmes blandly, "but i could not help overhearing the questions which you put to the salesm', 'aid holmes blandly, "but i could not help overhearing the questions which you put to the salesman ju', 'olmes blandly, "but i could not help overhearing the questions which you put to the salesman just no', ' blandly, "but i could not help overhearing the questions which you put to the salesman just now. i ', 'dly, "but i could not help overhearing the questions which you put to the salesman just now. i think', '"but i could not help overhearing the questions which you put to the salesman just now. i think that', 'i could not help overhearing the questions which you put to the salesman just now. i think that i co', 'ld not help overhearing the questions which you put to the salesman just now. i think that i could b', 't help overhearing the questions which you put to the salesman just now. i think that i could be of ', 'p overhearing the questions which you put to the salesman just now. i think that i could be of assis', 'rhearing the questions which you put to the salesman just now. i think that i could be of assistance', 'ing the questions which you put to the salesman just now. i think that i could be of assistance to y', 'he questions which you put to the salesman just now. i think that i could be of assistance to you." ', 'estions which you put to the salesman just now. i think that i could be of assistance to you." "you?', 'ns which you put to the salesman just now. i think that i could be of assistance to you." "you? who ', 'ich you put to the salesman just now. i think that i could be of assistance to you." "you? who are y', 'ou put to the salesman just now. i think that i could be of assistance to you." "you? who are you? h', 't to the salesman just now. i think that i could be of assistance to you." "you? who are you? how co', 'the salesman just now. i think that i could be of assistance to you." "you? who are you? how could y', 'alesman just now. i think that i could be of assistance to you." "you? who are you? how could you kn', 'an just now. i think that i could be of assistance to you." "you? who are you? how could you know an', 'st now. i think that i could be of assistance to you." "you? who are you? how could you know anythin', 'w. i think that i could be of assistance to you." "you? who are you? how could you know anything of ', 'think that i could be of assistance to you." "you? who are you? how could you know anything of the m', ' that i could be of assistance to you." "you? who are you? how could you know anything of the matter', ' i could be of assistance to you." "you? who are you? how could you know anything of the matter?" "m', 'uld be of assistance to you." "you? who are you? how could you know anything of the matter?" "my nam', 'e of assistance to you." "you? who are you? how could you know anything of the matter?" "my name is ', 'assistance to you." "you? who are you? how could you know anything of the matter?" "my name is sherl', 'tance to you." "you? who are you? how could you know anything of the matter?" "my name is sherlock h', ' to you." "you? who are you? how could you know anything of the matter?" "my name is sherlock holmes', 'ou." "you? who are you? how could you know anything of the matter?" "my name is sherlock holmes. it ', '"you? who are you? how could you know anything of the matter?" "my name is sherlock holmes. it is my', ' who are you? how could you know anything of the matter?" "my name is sherlock holmes. it is my busi', 'are you? how could you know anything of the matter?" "my name is sherlock holmes. it is my business ', 'ou? how could you know anything of the matter?" "my name is sherlock holmes. it is my business to kn', 'ow could you know anything of the matter?" "my name is sherlock holmes. it is my business to know wh', 'uld you know anything of the matter?" "my name is sherlock holmes. it is my business to know what ot', 'ou know anything of the matter?" "my name is sherlock holmes. it is my business to know what other p', 'ow anything of the matter?" "my name is sherlock holmes. it is my business to know what other people', 'ything of the matter?" "my name is sherlock holmes. it is my business to know what other people don\'', 'g of the matter?" "my name is sherlock holmes. it is my business to know what other people don\'t kno', 'the matter?" "my name is sherlock holmes. it is my business to know what other people don\'t know." "', 'atter?" "my name is sherlock holmes. it is my business to know what other people don\'t know." "but y', '?" "my name is sherlock holmes. it is my business to know what other people don\'t know." "but you ca', 'y name is sherlock holmes. it is my business to know what other people don\'t know." "but you can kno', 'e is sherlock holmes. it is my business to know what other people don\'t know." "but you can know not', 'sherlock holmes. it is my business to know what other people don\'t know." "but you can know nothing ', 'ock holmes. it is my business to know what other people don\'t know." "but you can know nothing of th', 'olmes. it is my business to know what other people don\'t know." "but you can know nothing of this?" ', '. it is my business to know what other people don\'t know." "but you can know nothing of this?" "excu', 'is my business to know what other people don\'t know." "but you can know nothing of this?" "excuse me', ' business to know what other people don\'t know." "but you can know nothing of this?" "excuse me, i k', 'ness to know what other people don\'t know." "but you can know nothing of this?" "excuse me, i know e', 'to know what other people don\'t know." "but you can know nothing of this?" "excuse me, i know everyt', 'ow what other people don\'t know." "but you can know nothing of this?" "excuse me, i know everything ', 'at other people don\'t know." "but you can know nothing of this?" "excuse me, i know everything of it', 'her people don\'t know." "but you can know nothing of this?" "excuse me, i know everything of it. you', 'eople don\'t know." "but you can know nothing of this?" "excuse me, i know everything of it. you are ', ' don\'t know." "but you can know nothing of this?" "excuse me, i know everything of it. you are endea', 't know." "but you can know nothing of this?" "excuse me, i know everything of it. you are endeavouri', 'w." "but you can know nothing of this?" "excuse me, i know everything of it. you are endeavouring to', 'but you can know nothing of this?" "excuse me, i know everything of it. you are endeavouring to trac', 'ou can know nothing of this?" "excuse me, i know everything of it. you are endeavouring to trace som', 'n know nothing of this?" "excuse me, i know everything of it. you are endeavouring to trace some gee', 'w nothing of this?" "excuse me, i know everything of it. you are endeavouring to trace some geese wh', 'hing of this?" "excuse me, i know everything of it. you are endeavouring to trace some geese which w', 'of this?" "excuse me, i know everything of it. you are endeavouring to trace some geese which were s', 'is?" "excuse me, i know everything of it. you are endeavouring to trace some geese which were sold b', '"excuse me, i know everything of it. you are endeavouring to trace some geese which were sold by mrs', 'se me, i know everything of it. you are endeavouring to trace some geese which were sold by mrs. oak', ', i know everything of it. you are endeavouring to trace some geese which were sold by mrs. oakshott', 'now everything of it. you are endeavouring to trace some geese which were sold by mrs. oakshott, of ', 'verything of it. you are endeavouring to trace some geese which were sold by mrs. oakshott, of brixt', 'hing of it. you are endeavouring to trace some geese which were sold by mrs. oakshott, of brixton ro', 'of it. you are endeavouring to trace some geese which were sold by mrs. oakshott, of brixton road, t', '. you are endeavouring to trace some geese which were sold by mrs. oakshott, of brixton road, to a s', ' are endeavouring to trace some geese which were sold by mrs. oakshott, of brixton road, to a salesm', 'endeavouring to trace some geese which were sold by mrs. oakshott, of brixton road, to a salesman na', 'vouring to trace some geese which were sold by mrs. oakshott, of brixton road, to a salesman named b', 'ng to trace some geese which were sold by mrs. oakshott, of brixton road, to a salesman named brecki', ' trace some geese which were sold by mrs. oakshott, of brixton road, to a salesman named breckinridg', 'e some geese which were sold by mrs. oakshott, of brixton road, to a salesman named breckinridge, by', 'e geese which were sold by mrs. oakshott, of brixton road, to a salesman named breckinridge, by him ', 'se which were sold by mrs. oakshott, of brixton road, to a salesman named breckinridge, by him in tu', 'ich were sold by mrs. oakshott, of brixton road, to a salesman named breckinridge, by him in turn to', 'ere sold by mrs. oakshott, of brixton road, to a salesman named breckinridge, by him in turn to mr. ', 'old by mrs. oakshott, of brixton road, to a salesman named breckinridge, by him in turn to mr. windi', 'y mrs. oakshott, of brixton road, to a salesman named breckinridge, by him in turn to mr. windigate,', '. oakshott, of brixton road, to a salesman named breckinridge, by him in turn to mr. windigate, of t', 'shott, of brixton road, to a salesman named breckinridge, by him in turn to mr. windigate, of the al', ', of brixton road, to a salesman named breckinridge, by him in turn to mr. windigate, of the alpha, ', 'brixton road, to a salesman named breckinridge, by him in turn to mr. windigate, of the alpha, and b', 'on road, to a salesman named breckinridge, by him in turn to mr. windigate, of the alpha, and by him', 'ad, to a salesman named breckinridge, by him in turn to mr. windigate, of the alpha, and by him to h', 'o a salesman named breckinridge, by him in turn to mr. windigate, of the alpha, and by him to his cl', 'alesman named breckinridge, by him in turn to mr. windigate, of the alpha, and by him to his club, o', 'an named breckinridge, by him in turn to mr. windigate, of the alpha, and by him to his club, of whi', 'med breckinridge, by him in turn to mr. windigate, of the alpha, and by him to his club, of which mr', 'reckinridge, by him in turn to mr. windigate, of the alpha, and by him to his club, of which mr. hen', 'nridge, by him in turn to mr. windigate, of the alpha, and by him to his club, of which mr. henry ba', 'e, by him in turn to mr. windigate, of the alpha, and by him to his club, of which mr. henry baker i', ' him in turn to mr. windigate, of the alpha, and by him to his club, of which mr. henry baker is a m', 'in turn to mr. windigate, of the alpha, and by him to his club, of which mr. henry baker is a member', 'rn to mr. windigate, of the alpha, and by him to his club, of which mr. henry baker is a member." "o', ' mr. windigate, of the alpha, and by him to his club, of which mr. henry baker is a member." "oh, si', 'windigate, of the alpha, and by him to his club, of which mr. henry baker is a member." "oh, sir, yo', 'gate, of the alpha, and by him to his club, of which mr. henry baker is a member." "oh, sir, you are', ' of the alpha, and by him to his club, of which mr. henry baker is a member." "oh, sir, you are the ', 'he alpha, and by him to his club, of which mr. henry baker is a member." "oh, sir, you are the very ', 'pha, and by him to his club, of which mr. henry baker is a member." "oh, sir, you are the very man w', 'and by him to his club, of which mr. henry baker is a member." "oh, sir, you are the very man whom i', 'y him to his club, of which mr. henry baker is a member." "oh, sir, you are the very man whom i have', ' to his club, of which mr. henry baker is a member." "oh, sir, you are the very man whom i have long', 'is club, of which mr. henry baker is a member." "oh, sir, you are the very man whom i have longed to', 'ub, of which mr. henry baker is a member." "oh, sir, you are the very man whom i have longed to meet', 'f which mr. henry baker is a member." "oh, sir, you are the very man whom i have longed to meet," cr', 'ch mr. henry baker is a member." "oh, sir, you are the very man whom i have longed to meet," cried t', '. henry baker is a member." "oh, sir, you are the very man whom i have longed to meet," cried the li', 'ry baker is a member." "oh, sir, you are the very man whom i have longed to meet," cried the little ', 'ker is a member." "oh, sir, you are the very man whom i have longed to meet," cried the little fello', 's a member." "oh, sir, you are the very man whom i have longed to meet," cried the little fellow wit', 'ember." "oh, sir, you are the very man whom i have longed to meet," cried the little fellow with out', '." "oh, sir, you are the very man whom i have longed to meet," cried the little fellow with outstret', 'h, sir, you are the very man whom i have longed to meet," cried the little fellow with outstretched ', 'r, you are the very man whom i have longed to meet," cried the little fellow with outstretched hands', 'u are the very man whom i have longed to meet," cried the little fellow with outstretched hands and ', ' the very man whom i have longed to meet," cried the little fellow with outstretched hands and quive', 'very man whom i have longed to meet," cried the little fellow with outstretched hands and quivering ', 'man whom i have longed to meet," cried the little fellow with outstretched hands and quivering finge', 'hom i have longed to meet," cried the little fellow with outstretched hands and quivering fingers. "', ' have longed to meet," cried the little fellow with outstretched hands and quivering fingers. "i can', ' longed to meet," cried the little fellow with outstretched hands and quivering fingers. "i can hard', 'ed to meet," cried the little fellow with outstretched hands and quivering fingers. "i can hardly ex', ' meet," cried the little fellow with outstretched hands and quivering fingers. "i can hardly explain', '," cried the little fellow with outstretched hands and quivering fingers. "i can hardly explain to y', 'ied the little fellow with outstretched hands and quivering fingers. "i can hardly explain to you ho', 'he little fellow with outstretched hands and quivering fingers. "i can hardly explain to you how int', 'ttle fellow with outstretched hands and quivering fingers. "i can hardly explain to you how interest', 'fellow with outstretched hands and quivering fingers. "i can hardly explain to you how interested i ', 'w with outstretched hands and quivering fingers. "i can hardly explain to you how interested i am in', 'h outstretched hands and quivering fingers. "i can hardly explain to you how interested i am in this', 'stretched hands and quivering fingers. "i can hardly explain to you how interested i am in this matt', 'ched hands and quivering fingers. "i can hardly explain to you how interested i am in this matter." ', 'hands and quivering fingers. "i can hardly explain to you how interested i am in this matter." sherl', ' and quivering fingers. "i can hardly explain to you how interested i am in this matter." sherlock h', 'quivering fingers. "i can hardly explain to you how interested i am in this matter." sherlock holmes', 'ring fingers. "i can hardly explain to you how interested i am in this matter." sherlock holmes hail', 'fingers. "i can hardly explain to you how interested i am in this matter." sherlock holmes hailed a ', 'rs. "i can hardly explain to you how interested i am in this matter." sherlock holmes hailed a four-', 'i can hardly explain to you how interested i am in this matter." sherlock holmes hailed a four-wheel', ' hardly explain to you how interested i am in this matter." sherlock holmes hailed a four-wheeler wh', 'ly explain to you how interested i am in this matter." sherlock holmes hailed a four-wheeler which w', 'plain to you how interested i am in this matter." sherlock holmes hailed a four-wheeler which was pa', ' to you how interested i am in this matter." sherlock holmes hailed a four-wheeler which was passing', 'ou how interested i am in this matter." sherlock holmes hailed a four-wheeler which was passing. "in', 'w interested i am in this matter." sherlock holmes hailed a four-wheeler which was passing. "in that', 'erested i am in this matter." sherlock holmes hailed a four-wheeler which was passing. "in that case', 'ed i am in this matter." sherlock holmes hailed a four-wheeler which was passing. "in that case we h', 'am in this matter." sherlock holmes hailed a four-wheeler which was passing. "in that case we had be', ' this matter." sherlock holmes hailed a four-wheeler which was passing. "in that case we had better ', ' matter." sherlock holmes hailed a four-wheeler which was passing. "in that case we had better discu', 'er." sherlock holmes hailed a four-wheeler which was passing. "in that case we had better discuss it', 'sherlock holmes hailed a four-wheeler which was passing. "in that case we had better discuss it in a', 'ock holmes hailed a four-wheeler which was passing. "in that case we had better discuss it in a cosy', 'olmes hailed a four-wheeler which was passing. "in that case we had better discuss it in a cosy room', ' hailed a four-wheeler which was passing. "in that case we had better discuss it in a cosy room rath', 'ed a four-wheeler which was passing. "in that case we had better discuss it in a cosy room rather th', 'four-wheeler which was passing. "in that case we had better discuss it in a cosy room rather than in', 'wheeler which was passing. "in that case we had better discuss it in a cosy room rather than in this', 'er which was passing. "in that case we had better discuss it in a cosy room rather than in this wind', 'ich was passing. "in that case we had better discuss it in a cosy room rather than in this wind-swep', 'as passing. "in that case we had better discuss it in a cosy room rather than in this wind-swept mar', 'ssing. "in that case we had better discuss it in a cosy room rather than in this wind-swept market-p', '. "in that case we had better discuss it in a cosy room rather than in this wind-swept market-place,', ' that case we had better discuss it in a cosy room rather than in this wind-swept market-place," sai', ' case we had better discuss it in a cosy room rather than in this wind-swept market-place," said he.', ' we had better discuss it in a cosy room rather than in this wind-swept market-place," said he. "but', 'ad better discuss it in a cosy room rather than in this wind-swept market-place," said he. "but pray', 'tter discuss it in a cosy room rather than in this wind-swept market-place," said he. "but pray tell', 'discuss it in a cosy room rather than in this wind-swept market-place," said he. "but pray tell me, ', 'ss it in a cosy room rather than in this wind-swept market-place," said he. "but pray tell me, befor', ' in a cosy room rather than in this wind-swept market-place," said he. "but pray tell me, before we ', ' cosy room rather than in this wind-swept market-place," said he. "but pray tell me, before we go fa', ' room rather than in this wind-swept market-place," said he. "but pray tell me, before we go farther', ' rather than in this wind-swept market-place," said he. "but pray tell me, before we go farther, who', 'er than in this wind-swept market-place," said he. "but pray tell me, before we go farther, who it i', 'an in this wind-swept market-place," said he. "but pray tell me, before we go farther, who it is tha', ' this wind-swept market-place," said he. "but pray tell me, before we go farther, who it is that i h', ' wind-swept market-place," said he. "but pray tell me, before we go farther, who it is that i have t', '-swept market-place," said he. "but pray tell me, before we go farther, who it is that i have the pl', 't market-place," said he. "but pray tell me, before we go farther, who it is that i have the pleasur', 'ket-place," said he. "but pray tell me, before we go farther, who it is that i have the pleasure of ', 'lace," said he. "but pray tell me, before we go farther, who it is that i have the pleasure of assis', '" said he. "but pray tell me, before we go farther, who it is that i have the pleasure of assisting.', 'd he. "but pray tell me, before we go farther, who it is that i have the pleasure of assisting." the', ' "but pray tell me, before we go farther, who it is that i have the pleasure of assisting." the man ', ' pray tell me, before we go farther, who it is that i have the pleasure of assisting." the man hesit', ' tell me, before we go farther, who it is that i have the pleasure of assisting." the man hesitated ', ' me, before we go farther, who it is that i have the pleasure of assisting." the man hesitated for a', 'before we go farther, who it is that i have the pleasure of assisting." the man hesitated for an ins', 'e we go farther, who it is that i have the pleasure of assisting." the man hesitated for an instant.', 'go farther, who it is that i have the pleasure of assisting." the man hesitated for an instant. "my ', 'rther, who it is that i have the pleasure of assisting." the man hesitated for an instant. "my name ', ', who it is that i have the pleasure of assisting." the man hesitated for an instant. "my name is jo', ' it is that i have the pleasure of assisting." the man hesitated for an instant. "my name is john ro', 's that i have the pleasure of assisting." the man hesitated for an instant. "my name is john robinso', 't i have the pleasure of assisting." the man hesitated for an instant. "my name is john robinson," h', 'ave the pleasure of assisting." the man hesitated for an instant. "my name is john robinson," he ans', 'he pleasure of assisting." the man hesitated for an instant. "my name is john robinson," he answered', 'easure of assisting." the man hesitated for an instant. "my name is john robinson," he answered with', 'e of assisting." the man hesitated for an instant. "my name is john robinson," he answered with a si', 'assisting." the man hesitated for an instant. "my name is john robinson," he answered with a sidelon', 'ting." the man hesitated for an instant. "my name is john robinson," he answered with a sidelong gla', '" the man hesitated for an instant. "my name is john robinson," he answered with a sidelong glance. ', ' man hesitated for an instant. "my name is john robinson," he answered with a sidelong glance. "no, ', 'hesitated for an instant. "my name is john robinson," he answered with a sidelong glance. "no, no; t', 'ated for an instant. "my name is john robinson," he answered with a sidelong glance. "no, no; the re', 'for an instant. "my name is john robinson," he answered with a sidelong glance. "no, no; the real na', 'n instant. "my name is john robinson," he answered with a sidelong glance. "no, no; the real name," ', 'tant. "my name is john robinson," he answered with a sidelong glance. "no, no; the real name," said ', ' "my name is john robinson," he answered with a sidelong glance. "no, no; the real name," said holme', 'name is john robinson," he answered with a sidelong glance. "no, no; the real name," said holmes swe', 'is john robinson," he answered with a sidelong glance. "no, no; the real name," said holmes sweetly.', 'hn robinson," he answered with a sidelong glance. "no, no; the real name," said holmes sweetly. "it ', 'binson," he answered with a sidelong glance. "no, no; the real name," said holmes sweetly. "it is al', 'n," he answered with a sidelong glance. "no, no; the real name," said holmes sweetly. "it is always ', 'e answered with a sidelong glance. "no, no; the real name," said holmes sweetly. "it is always awkwa', 'wered with a sidelong glance. "no, no; the real name," said holmes sweetly. "it is always awkward do', ' with a sidelong glance. "no, no; the real name," said holmes sweetly. "it is always awkward doing b', ' a sidelong glance. "no, no; the real name," said holmes sweetly. "it is always awkward doing busine', 'delong glance. "no, no; the real name," said holmes sweetly. "it is always awkward doing business wi', 'g glance. "no, no; the real name," said holmes sweetly. "it is always awkward doing business with an', 'nce. "no, no; the real name," said holmes sweetly. "it is always awkward doing business with an alia', '"no, no; the real name," said holmes sweetly. "it is always awkward doing business with an alias." a', 'no; the real name," said holmes sweetly. "it is always awkward doing business with an alias." a flus', 'he real name," said holmes sweetly. "it is always awkward doing business with an alias." a flush spr', 'al name," said holmes sweetly. "it is always awkward doing business with an alias." a flush sprang t', 'me," said holmes sweetly. "it is always awkward doing business with an alias." a flush sprang to the', 'said holmes sweetly. "it is always awkward doing business with an alias." a flush sprang to the whit', 'holmes sweetly. "it is always awkward doing business with an alias." a flush sprang to the white che', 's sweetly. "it is always awkward doing business with an alias." a flush sprang to the white cheeks o', 'etly. "it is always awkward doing business with an alias." a flush sprang to the white cheeks of the', ' "it is always awkward doing business with an alias." a flush sprang to the white cheeks of the stra', 'is always awkward doing business with an alias." a flush sprang to the white cheeks of the stranger.', 'ways awkward doing business with an alias." a flush sprang to the white cheeks of the stranger. "wel', 'awkward doing business with an alias." a flush sprang to the white cheeks of the stranger. "well the', 'rd doing business with an alias." a flush sprang to the white cheeks of the stranger. "well then," s', 'ing business with an alias." a flush sprang to the white cheeks of the stranger. "well then," said h', 'usiness with an alias." a flush sprang to the white cheeks of the stranger. "well then," said he, "m', 'ss with an alias." a flush sprang to the white cheeks of the stranger. "well then," said he, "my rea', 'th an alias." a flush sprang to the white cheeks of the stranger. "well then," said he, "my real nam', ' alias." a flush sprang to the white cheeks of the stranger. "well then," said he, "my real name is ', 's." a flush sprang to the white cheeks of the stranger. "well then," said he, "my real name is james', ' flush sprang to the white cheeks of the stranger. "well then," said he, "my real name is james ryde', 'h sprang to the white cheeks of the stranger. "well then," said he, "my real name is james ryder." "', 'ang to the white cheeks of the stranger. "well then," said he, "my real name is james ryder." "preci', 'o the white cheeks of the stranger. "well then," said he, "my real name is james ryder." "precisely ', ' white cheeks of the stranger. "well then," said he, "my real name is james ryder." "precisely so. h', 'e cheeks of the stranger. "well then," said he, "my real name is james ryder." "precisely so. head a', 'eks of the stranger. "well then," said he, "my real name is james ryder." "precisely so. head attend', 'f the stranger. "well then," said he, "my real name is james ryder." "precisely so. head attendant a', ' stranger. "well then," said he, "my real name is james ryder." "precisely so. head attendant at the', 'nger. "well then," said he, "my real name is james ryder." "precisely so. head attendant at the hote', ' "well then," said he, "my real name is james ryder." "precisely so. head attendant at the hotel cos', 'l then," said he, "my real name is james ryder." "precisely so. head attendant at the hotel cosmopol', 'n," said he, "my real name is james ryder." "precisely so. head attendant at the hotel cosmopolitan.', 'aid he, "my real name is james ryder." "precisely so. head attendant at the hotel cosmopolitan. pray', 'e, "my real name is james ryder." "precisely so. head attendant at the hotel cosmopolitan. pray step', 'y real name is james ryder." "precisely so. head attendant at the hotel cosmopolitan. pray step into', 'l name is james ryder." "precisely so. head attendant at the hotel cosmopolitan. pray step into the ', 'e is james ryder." "precisely so. head attendant at the hotel cosmopolitan. pray step into the cab, ', 'james ryder." "precisely so. head attendant at the hotel cosmopolitan. pray step into the cab, and i', ' ryder." "precisely so. head attendant at the hotel cosmopolitan. pray step into the cab, and i shal', 'r." "precisely so. head attendant at the hotel cosmopolitan. pray step into the cab, and i shall soo', 'precisely so. head attendant at the hotel cosmopolitan. pray step into the cab, and i shall soon be ', 'sely so. head attendant at the hotel cosmopolitan. pray step into the cab, and i shall soon be able ', 'so. head attendant at the hotel cosmopolitan. pray step into the cab, and i shall soon be able to te', 'ead attendant at the hotel cosmopolitan. pray step into the cab, and i shall soon be able to tell yo', 'ttendant at the hotel cosmopolitan. pray step into the cab, and i shall soon be able to tell you eve', 'ant at the hotel cosmopolitan. pray step into the cab, and i shall soon be able to tell you everythi', 't the hotel cosmopolitan. pray step into the cab, and i shall soon be able to tell you everything wh', ' hotel cosmopolitan. pray step into the cab, and i shall soon be able to tell you everything which y', 'l cosmopolitan. pray step into the cab, and i shall soon be able to tell you everything which you wo', 'mopolitan. pray step into the cab, and i shall soon be able to tell you everything which you would w', 'itan. pray step into the cab, and i shall soon be able to tell you everything which you would wish t', ' pray step into the cab, and i shall soon be able to tell you everything which you would wish to kno', ' step into the cab, and i shall soon be able to tell you everything which you would wish to know." t', ' into the cab, and i shall soon be able to tell you everything which you would wish to know." the li', ' the cab, and i shall soon be able to tell you everything which you would wish to know." the little ', 'cab, and i shall soon be able to tell you everything which you would wish to know." the little man s', 'and i shall soon be able to tell you everything which you would wish to know." the little man stood ', ' shall soon be able to tell you everything which you would wish to know." the little man stood glanc', 'l soon be able to tell you everything which you would wish to know." the little man stood glancing f', 'n be able to tell you everything which you would wish to know." the little man stood glancing from o', 'able to tell you everything which you would wish to know." the little man stood glancing from one to', 'to tell you everything which you would wish to know." the little man stood glancing from one to the ', 'll you everything which you would wish to know." the little man stood glancing from one to the other', 'u everything which you would wish to know." the little man stood glancing from one to the other of u', 'rything which you would wish to know." the little man stood glancing from one to the other of us wit', 'ng which you would wish to know." the little man stood glancing from one to the other of us with hal', 'ich you would wish to know." the little man stood glancing from one to the other of us with half-fri', 'ou would wish to know." the little man stood glancing from one to the other of us with half-frighten', 'uld wish to know." the little man stood glancing from one to the other of us with half-frightened, h', 'ish to know." the little man stood glancing from one to the other of us with half-frightened, half-h', 'o know." the little man stood glancing from one to the other of us with half-frightened, half-hopefu', 'w." the little man stood glancing from one to the other of us with half-frightened, half-hopeful eye', 'he little man stood glancing from one to the other of us with half-frightened, half-hopeful eyes, as', 'ttle man stood glancing from one to the other of us with half-frightened, half-hopeful eyes, as one ', 'man stood glancing from one to the other of us with half-frightened, half-hopeful eyes, as one who i', 'tood glancing from one to the other of us with half-frightened, half-hopeful eyes, as one who is not', 'glancing from one to the other of us with half-frightened, half-hopeful eyes, as one who is not sure', 'ing from one to the other of us with half-frightened, half-hopeful eyes, as one who is not sure whet', 'rom one to the other of us with half-frightened, half-hopeful eyes, as one who is not sure whether h', 'ne to the other of us with half-frightened, half-hopeful eyes, as one who is not sure whether he is ', ' the other of us with half-frightened, half-hopeful eyes, as one who is not sure whether he is on th', 'other of us with half-frightened, half-hopeful eyes, as one who is not sure whether he is on the ver', ' of us with half-frightened, half-hopeful eyes, as one who is not sure whether he is on the verge of', 's with half-frightened, half-hopeful eyes, as one who is not sure whether he is on the verge of a wi', 'h half-frightened, half-hopeful eyes, as one who is not sure whether he is on the verge of a windfal', 'f-frightened, half-hopeful eyes, as one who is not sure whether he is on the verge of a windfall or ', 'ghtened, half-hopeful eyes, as one who is not sure whether he is on the verge of a windfall or of a ', 'ed, half-hopeful eyes, as one who is not sure whether he is on the verge of a windfall or of a catas', 'alf-hopeful eyes, as one who is not sure whether he is on the verge of a windfall or of a catastroph', 'opeful eyes, as one who is not sure whether he is on the verge of a windfall or of a catastrophe. th', 'l eyes, as one who is not sure whether he is on the verge of a windfall or of a catastrophe. then he', 's, as one who is not sure whether he is on the verge of a windfall or of a catastrophe. then he step', ' one who is not sure whether he is on the verge of a windfall or of a catastrophe. then he stepped i', 'who is not sure whether he is on the verge of a windfall or of a catastrophe. then he stepped into t', 's not sure whether he is on the verge of a windfall or of a catastrophe. then he stepped into the ca', ' sure whether he is on the verge of a windfall or of a catastrophe. then he stepped into the cab, an', ' whether he is on the verge of a windfall or of a catastrophe. then he stepped into the cab, and in ', 'her he is on the verge of a windfall or of a catastrophe. then he stepped into the cab, and in half ', 'e is on the verge of a windfall or of a catastrophe. then he stepped into the cab, and in half an ho', 'on the verge of a windfall or of a catastrophe. then he stepped into the cab, and in half an hour we', 'e verge of a windfall or of a catastrophe. then he stepped into the cab, and in half an hour we were', 'ge of a windfall or of a catastrophe. then he stepped into the cab, and in half an hour we were back', ' a windfall or of a catastrophe. then he stepped into the cab, and in half an hour we were back in t', 'ndfall or of a catastrophe. then he stepped into the cab, and in half an hour we were back in the si', 'l or of a catastrophe. then he stepped into the cab, and in half an hour we were back in the sitting', 'of a catastrophe. then he stepped into the cab, and in half an hour we were back in the sitting-room', 'catastrophe. then he stepped into the cab, and in half an hour we were back in the sitting-room at b', 'trophe. then he stepped into the cab, and in half an hour we were back in the sitting-room at baker ', 'e. then he stepped into the cab, and in half an hour we were back in the sitting-room at baker stree', 'en he stepped into the cab, and in half an hour we were back in the sitting-room at baker street. no', ' stepped into the cab, and in half an hour we were back in the sitting-room at baker street. nothing', 'ped into the cab, and in half an hour we were back in the sitting-room at baker street. nothing had ', 'nto the cab, and in half an hour we were back in the sitting-room at baker street. nothing had been ', 'he cab, and in half an hour we were back in the sitting-room at baker street. nothing had been said ', 'b, and in half an hour we were back in the sitting-room at baker street. nothing had been said durin', 'd in half an hour we were back in the sitting-room at baker street. nothing had been said during our', 'half an hour we were back in the sitting-room at baker street. nothing had been said during our driv', 'an hour we were back in the sitting-room at baker street. nothing had been said during our drive, bu', 'ur we were back in the sitting-room at baker street. nothing had been said during our drive, but the', ' were back in the sitting-room at baker street. nothing had been said during our drive, but the high', ' back in the sitting-room at baker street. nothing had been said during our drive, but the high, thi', ' in the sitting-room at baker street. nothing had been said during our drive, but the high, thin bre', 'he sitting-room at baker street. nothing had been said during our drive, but the high, thin breathin', 'tting-room at baker street. nothing had been said during our drive, but the high, thin breathing of ', '-room at baker street. nothing had been said during our drive, but the high, thin breathing of our n', ' at baker street. nothing had been said during our drive, but the high, thin breathing of our new co', 'aker street. nothing had been said during our drive, but the high, thin breathing of our new compani', 'street. nothing had been said during our drive, but the high, thin breathing of our new companion, a', 't. nothing had been said during our drive, but the high, thin breathing of our new companion, and th', 'thing had been said during our drive, but the high, thin breathing of our new companion, and the cla', ' had been said during our drive, but the high, thin breathing of our new companion, and the clasping', 'been said during our drive, but the high, thin breathing of our new companion, and the claspings and', 'said during our drive, but the high, thin breathing of our new companion, and the claspings and uncl', 'during our drive, but the high, thin breathing of our new companion, and the claspings and unclaspin', 'g our drive, but the high, thin breathing of our new companion, and the claspings and unclaspings of', ' drive, but the high, thin breathing of our new companion, and the claspings and unclaspings of his ', 'e, but the high, thin breathing of our new companion, and the claspings and unclaspings of his hands', 't the high, thin breathing of our new companion, and the claspings and unclaspings of his hands, spo', ' high, thin breathing of our new companion, and the claspings and unclaspings of his hands, spoke of', ', thin breathing of our new companion, and the claspings and unclaspings of his hands, spoke of the ', 'n breathing of our new companion, and the claspings and unclaspings of his hands, spoke of the nervo', 'athing of our new companion, and the claspings and unclaspings of his hands, spoke of the nervous te', 'g of our new companion, and the claspings and unclaspings of his hands, spoke of the nervous tension', 'our new companion, and the claspings and unclaspings of his hands, spoke of the nervous tension with', 'ew companion, and the claspings and unclaspings of his hands, spoke of the nervous tension within hi', 'mpanion, and the claspings and unclaspings of his hands, spoke of the nervous tension within him. "h', 'on, and the claspings and unclaspings of his hands, spoke of the nervous tension within him. "here w', 'nd the claspings and unclaspings of his hands, spoke of the nervous tension within him. "here we are', 'e claspings and unclaspings of his hands, spoke of the nervous tension within him. "here we are said', 'spings and unclaspings of his hands, spoke of the nervous tension within him. "here we are said holm', 's and unclaspings of his hands, spoke of the nervous tension within him. "here we are said holmes ch', ' unclaspings of his hands, spoke of the nervous tension within him. "here we are said holmes cheeril', 'aspings of his hands, spoke of the nervous tension within him. "here we are said holmes cheerily as ', 'gs of his hands, spoke of the nervous tension within him. "here we are said holmes cheerily as we fi', ' his hands, spoke of the nervous tension within him. "here we are said holmes cheerily as we filed i', 'hands, spoke of the nervous tension within him. "here we are said holmes cheerily as we filed into t', ', spoke of the nervous tension within him. "here we are said holmes cheerily as we filed into the ro', 'ke of the nervous tension within him. "here we are said holmes cheerily as we filed into the room. "', ' the nervous tension within him. "here we are said holmes cheerily as we filed into the room. "the f', 'nervous tension within him. "here we are said holmes cheerily as we filed into the room. "the fire l', 'us tension within him. "here we are said holmes cheerily as we filed into the room. "the fire looks ', 'nsion within him. "here we are said holmes cheerily as we filed into the room. "the fire looks very ', ' within him. "here we are said holmes cheerily as we filed into the room. "the fire looks very seaso', 'in him. "here we are said holmes cheerily as we filed into the room. "the fire looks very seasonable', 'm. "here we are said holmes cheerily as we filed into the room. "the fire looks very seasonable in t', 'ere we are said holmes cheerily as we filed into the room. "the fire looks very seasonable in this w', 'e are said holmes cheerily as we filed into the room. "the fire looks very seasonable in this weathe', ' said holmes cheerily as we filed into the room. "the fire looks very seasonable in this weather. yo', ' holmes cheerily as we filed into the room. "the fire looks very seasonable in this weather. you loo', 'es cheerily as we filed into the room. "the fire looks very seasonable in this weather. you look col', 'eerily as we filed into the room. "the fire looks very seasonable in this weather. you look cold, mr', 'y as we filed into the room. "the fire looks very seasonable in this weather. you look cold, mr. ryd', 'we filed into the room. "the fire looks very seasonable in this weather. you look cold, mr. ryder. p', 'led into the room. "the fire looks very seasonable in this weather. you look cold, mr. ryder. pray t', 'nto the room. "the fire looks very seasonable in this weather. you look cold, mr. ryder. pray take t', 'he room. "the fire looks very seasonable in this weather. you look cold, mr. ryder. pray take the ba', 'om. "the fire looks very seasonable in this weather. you look cold, mr. ryder. pray take the basket-', 'the fire looks very seasonable in this weather. you look cold, mr. ryder. pray take the basket-chair', 'ire looks very seasonable in this weather. you look cold, mr. ryder. pray take the basket-chair. i w', 'ooks very seasonable in this weather. you look cold, mr. ryder. pray take the basket-chair. i will j', 'very seasonable in this weather. you look cold, mr. ryder. pray take the basket-chair. i will just p', 'seasonable in this weather. you look cold, mr. ryder. pray take the basket-chair. i will just put on', 'nable in this weather. you look cold, mr. ryder. pray take the basket-chair. i will just put on my s', ' in this weather. you look cold, mr. ryder. pray take the basket-chair. i will just put on my slippe', 'his weather. you look cold, mr. ryder. pray take the basket-chair. i will just put on my slippers be', 'eather. you look cold, mr. ryder. pray take the basket-chair. i will just put on my slippers before ', 'r. you look cold, mr. ryder. pray take the basket-chair. i will just put on my slippers before we se', 'u look cold, mr. ryder. pray take the basket-chair. i will just put on my slippers before we settle ', 'k cold, mr. ryder. pray take the basket-chair. i will just put on my slippers before we settle this ', 'd, mr. ryder. pray take the basket-chair. i will just put on my slippers before we settle this littl', '. ryder. pray take the basket-chair. i will just put on my slippers before we settle this little mat', 'er. pray take the basket-chair. i will just put on my slippers before we settle this little matter o', 'ray take the basket-chair. i will just put on my slippers before we settle this little matter of you', 'ake the basket-chair. i will just put on my slippers before we settle this little matter of yours. n', 'he basket-chair. i will just put on my slippers before we settle this little matter of yours. now, t', 'sket-chair. i will just put on my slippers before we settle this little matter of yours. now, then! ', 'chair. i will just put on my slippers before we settle this little matter of yours. now, then! you w', '. i will just put on my slippers before we settle this little matter of yours. now, then! you want t', 'ill just put on my slippers before we settle this little matter of yours. now, then! you want to kno', 'ust put on my slippers before we settle this little matter of yours. now, then! you want to know wha', 'ut on my slippers before we settle this little matter of yours. now, then! you want to know what bec', ' my slippers before we settle this little matter of yours. now, then! you want to know what became o', 'lippers before we settle this little matter of yours. now, then! you want to know what became of tho', 'rs before we settle this little matter of yours. now, then! you want to know what became of those ge', 'fore we settle this little matter of yours. now, then! you want to know what became of those geese?"', 'we settle this little matter of yours. now, then! you want to know what became of those geese?" "yes', 'ttle this little matter of yours. now, then! you want to know what became of those geese?" "yes, sir', 'this little matter of yours. now, then! you want to know what became of those geese?" "yes, sir." "o', 'little matter of yours. now, then! you want to know what became of those geese?" "yes, sir." "or rat', 'e matter of yours. now, then! you want to know what became of those geese?" "yes, sir." "or rather, ', 'ter of yours. now, then! you want to know what became of those geese?" "yes, sir." "or rather, i fan', 'f yours. now, then! you want to know what became of those geese?" "yes, sir." "or rather, i fancy, o', 'rs. now, then! you want to know what became of those geese?" "yes, sir." "or rather, i fancy, of tha', 'ow, then! you want to know what became of those geese?" "yes, sir." "or rather, i fancy, of that goo', 'hen! you want to know what became of those geese?" "yes, sir." "or rather, i fancy, of that goose. i', 'you want to know what became of those geese?" "yes, sir." "or rather, i fancy, of that goose. it was', 'ant to know what became of those geese?" "yes, sir." "or rather, i fancy, of that goose. it was one ', 'o know what became of those geese?" "yes, sir." "or rather, i fancy, of that goose. it was one bird,', 'w what became of those geese?" "yes, sir." "or rather, i fancy, of that goose. it was one bird, i im', 't became of those geese?" "yes, sir." "or rather, i fancy, of that goose. it was one bird, i imagine', 'ame of those geese?" "yes, sir." "or rather, i fancy, of that goose. it was one bird, i imagine in w', 'f those geese?" "yes, sir." "or rather, i fancy, of that goose. it was one bird, i imagine in which ', 'se geese?" "yes, sir." "or rather, i fancy, of that goose. it was one bird, i imagine in which you w', 'ese?" "yes, sir." "or rather, i fancy, of that goose. it was one bird, i imagine in which you were i', ' "yes, sir." "or rather, i fancy, of that goose. it was one bird, i imagine in which you were intere', ', sir." "or rather, i fancy, of that goose. it was one bird, i imagine in which you were interestedw', '." "or rather, i fancy, of that goose. it was one bird, i imagine in which you were interestedwhite,', 'r rather, i fancy, of that goose. it was one bird, i imagine in which you were interestedwhite, with', 'her, i fancy, of that goose. it was one bird, i imagine in which you were interestedwhite, with a bl', 'i fancy, of that goose. it was one bird, i imagine in which you were interestedwhite, with a black b', 'cy, of that goose. it was one bird, i imagine in which you were interestedwhite, with a black bar ac', 'f that goose. it was one bird, i imagine in which you were interestedwhite, with a black bar across ', 't goose. it was one bird, i imagine in which you were interestedwhite, with a black bar across the t', 'se. it was one bird, i imagine in which you were interestedwhite, with a black bar across the tail."', 't was one bird, i imagine in which you were interestedwhite, with a black bar across the tail." ryde', ' one bird, i imagine in which you were interestedwhite, with a black bar across the tail." ryder qui', 'bird, i imagine in which you were interestedwhite, with a black bar across the tail." ryder quivered', ' i imagine in which you were interestedwhite, with a black bar across the tail." ryder quivered with', 'agine in which you were interestedwhite, with a black bar across the tail." ryder quivered with emot', ' in which you were interestedwhite, with a black bar across the tail." ryder quivered with emotion. ', 'hich you were interestedwhite, with a black bar across the tail." ryder quivered with emotion. "oh, ', 'you were interestedwhite, with a black bar across the tail." ryder quivered with emotion. "oh, sir,"', 'ere interestedwhite, with a black bar across the tail." ryder quivered with emotion. "oh, sir," he c', 'nterestedwhite, with a black bar across the tail." ryder quivered with emotion. "oh, sir," he cried,', 'stedwhite, with a black bar across the tail." ryder quivered with emotion. "oh, sir," he cried, "can', 'hite, with a black bar across the tail." ryder quivered with emotion. "oh, sir," he cried, "can you ', ' with a black bar across the tail." ryder quivered with emotion. "oh, sir," he cried, "can you tell ', ' a black bar across the tail." ryder quivered with emotion. "oh, sir," he cried, "can you tell me wh', 'ack bar across the tail." ryder quivered with emotion. "oh, sir," he cried, "can you tell me where i', 'ar across the tail." ryder quivered with emotion. "oh, sir," he cried, "can you tell me where it wen', 'ross the tail." ryder quivered with emotion. "oh, sir," he cried, "can you tell me where it went to?', 'the tail." ryder quivered with emotion. "oh, sir," he cried, "can you tell me where it went to?" "it', 'ail." ryder quivered with emotion. "oh, sir," he cried, "can you tell me where it went to?" "it came', ' ryder quivered with emotion. "oh, sir," he cried, "can you tell me where it went to?" "it came here', 'r quivered with emotion. "oh, sir," he cried, "can you tell me where it went to?" "it came here." "h', 'vered with emotion. "oh, sir," he cried, "can you tell me where it went to?" "it came here." "here?"', ' with emotion. "oh, sir," he cried, "can you tell me where it went to?" "it came here." "here?" "yes', ' emotion. "oh, sir," he cried, "can you tell me where it went to?" "it came here." "here?" "yes, and', 'ion. "oh, sir," he cried, "can you tell me where it went to?" "it came here." "here?" "yes, and a mo', '"oh, sir," he cried, "can you tell me where it went to?" "it came here." "here?" "yes, and a most re', 'sir," he cried, "can you tell me where it went to?" "it came here." "here?" "yes, and a most remarka', ' he cried, "can you tell me where it went to?" "it came here." "here?" "yes, and a most remarkable b', 'ried, "can you tell me where it went to?" "it came here." "here?" "yes, and a most remarkable bird i', ' "can you tell me where it went to?" "it came here." "here?" "yes, and a most remarkable bird it pro', ' you tell me where it went to?" "it came here." "here?" "yes, and a most remarkable bird it proved. ', 'tell me where it went to?" "it came here." "here?" "yes, and a most remarkable bird it proved. i don', 'me where it went to?" "it came here." "here?" "yes, and a most remarkable bird it proved. i don\'t wo', 'ere it went to?" "it came here." "here?" "yes, and a most remarkable bird it proved. i don\'t wonder ', 't went to?" "it came here." "here?" "yes, and a most remarkable bird it proved. i don\'t wonder that ', 't to?" "it came here." "here?" "yes, and a most remarkable bird it proved. i don\'t wonder that you s', '" "it came here." "here?" "yes, and a most remarkable bird it proved. i don\'t wonder that you should', ' came here." "here?" "yes, and a most remarkable bird it proved. i don\'t wonder that you should take', ' here." "here?" "yes, and a most remarkable bird it proved. i don\'t wonder that you should take an i', '." "here?" "yes, and a most remarkable bird it proved. i don\'t wonder that you should take an intere', 'ere?" "yes, and a most remarkable bird it proved. i don\'t wonder that you should take an interest in', ' "yes, and a most remarkable bird it proved. i don\'t wonder that you should take an interest in it. ', ", and a most remarkable bird it proved. i don't wonder that you should take an interest in it. it la", " a most remarkable bird it proved. i don't wonder that you should take an interest in it. it laid an", "st remarkable bird it proved. i don't wonder that you should take an interest in it. it laid an egg ", "markable bird it proved. i don't wonder that you should take an interest in it. it laid an egg after", "ble bird it proved. i don't wonder that you should take an interest in it. it laid an egg after it w", "ird it proved. i don't wonder that you should take an interest in it. it laid an egg after it was de", "t proved. i don't wonder that you should take an interest in it. it laid an egg after it was deadthe", "ved. i don't wonder that you should take an interest in it. it laid an egg after it was deadthe bonn", "i don't wonder that you should take an interest in it. it laid an egg after it was deadthe bonniest,", "'t wonder that you should take an interest in it. it laid an egg after it was deadthe bonniest, brig", 'nder that you should take an interest in it. it laid an egg after it was deadthe bonniest, brightest', 'that you should take an interest in it. it laid an egg after it was deadthe bonniest, brightest litt', 'you should take an interest in it. it laid an egg after it was deadthe bonniest, brightest little bl', 'hould take an interest in it. it laid an egg after it was deadthe bonniest, brightest little blue eg', ' take an interest in it. it laid an egg after it was deadthe bonniest, brightest little blue egg tha', ' an interest in it. it laid an egg after it was deadthe bonniest, brightest little blue egg that eve', 'nterest in it. it laid an egg after it was deadthe bonniest, brightest little blue egg that ever was', 'st in it. it laid an egg after it was deadthe bonniest, brightest little blue egg that ever was seen', ' it. it laid an egg after it was deadthe bonniest, brightest little blue egg that ever was seen. i h', 'it laid an egg after it was deadthe bonniest, brightest little blue egg that ever was seen. i have i', 'id an egg after it was deadthe bonniest, brightest little blue egg that ever was seen. i have it her', ' egg after it was deadthe bonniest, brightest little blue egg that ever was seen. i have it here in ', 'after it was deadthe bonniest, brightest little blue egg that ever was seen. i have it here in my mu', ' it was deadthe bonniest, brightest little blue egg that ever was seen. i have it here in my museum.', 'as deadthe bonniest, brightest little blue egg that ever was seen. i have it here in my museum." our', 'adthe bonniest, brightest little blue egg that ever was seen. i have it here in my museum." our visi', ' bonniest, brightest little blue egg that ever was seen. i have it here in my museum." our visitor s', 'iest, brightest little blue egg that ever was seen. i have it here in my museum." our visitor stagge', ' brightest little blue egg that ever was seen. i have it here in my museum." our visitor staggered t', 'htest little blue egg that ever was seen. i have it here in my museum." our visitor staggered to his', ' little blue egg that ever was seen. i have it here in my museum." our visitor staggered to his feet', 'le blue egg that ever was seen. i have it here in my museum." our visitor staggered to his feet and ', 'ue egg that ever was seen. i have it here in my museum." our visitor staggered to his feet and clutc', 'g that ever was seen. i have it here in my museum." our visitor staggered to his feet and clutched t', 't ever was seen. i have it here in my museum." our visitor staggered to his feet and clutched the ma', 'r was seen. i have it here in my museum." our visitor staggered to his feet and clutched the mantelp', ' seen. i have it here in my museum." our visitor staggered to his feet and clutched the mantelpiece ', '. i have it here in my museum." our visitor staggered to his feet and clutched the mantelpiece with ', 'ave it here in my museum." our visitor staggered to his feet and clutched the mantelpiece with his r', 't here in my museum." our visitor staggered to his feet and clutched the mantelpiece with his right ', 'e in my museum." our visitor staggered to his feet and clutched the mantelpiece with his right hand.', 'my museum." our visitor staggered to his feet and clutched the mantelpiece with his right hand. holm', 'seum." our visitor staggered to his feet and clutched the mantelpiece with his right hand. holmes un', '" our visitor staggered to his feet and clutched the mantelpiece with his right hand. holmes unlocke', ' visitor staggered to his feet and clutched the mantelpiece with his right hand. holmes unlocked his', 'tor staggered to his feet and clutched the mantelpiece with his right hand. holmes unlocked his stro', 'taggered to his feet and clutched the mantelpiece with his right hand. holmes unlocked his strong-bo', 'red to his feet and clutched the mantelpiece with his right hand. holmes unlocked his strong-box and', 'o his feet and clutched the mantelpiece with his right hand. holmes unlocked his strong-box and held', ' feet and clutched the mantelpiece with his right hand. holmes unlocked his strong-box and held up t', ' and clutched the mantelpiece with his right hand. holmes unlocked his strong-box and held up the bl', 'clutched the mantelpiece with his right hand. holmes unlocked his strong-box and held up the blue ca', 'hed the mantelpiece with his right hand. holmes unlocked his strong-box and held up the blue carbunc', 'he mantelpiece with his right hand. holmes unlocked his strong-box and held up the blue carbuncle, w', 'ntelpiece with his right hand. holmes unlocked his strong-box and held up the blue carbuncle, which ', 'iece with his right hand. holmes unlocked his strong-box and held up the blue carbuncle, which shone', 'with his right hand. holmes unlocked his strong-box and held up the blue carbuncle, which shone out ', 'his right hand. holmes unlocked his strong-box and held up the blue carbuncle, which shone out like ', 'ight hand. holmes unlocked his strong-box and held up the blue carbuncle, which shone out like a sta', 'hand. holmes unlocked his strong-box and held up the blue carbuncle, which shone out like a star, wi', ' holmes unlocked his strong-box and held up the blue carbuncle, which shone out like a star, with a ', 'es unlocked his strong-box and held up the blue carbuncle, which shone out like a star, with a cold,', 'locked his strong-box and held up the blue carbuncle, which shone out like a star, with a cold, bril', 'd his strong-box and held up the blue carbuncle, which shone out like a star, with a cold, brilliant', ' strong-box and held up the blue carbuncle, which shone out like a star, with a cold, brilliant, man', 'ng-box and held up the blue carbuncle, which shone out like a star, with a cold, brilliant, many-poi', 'x and held up the blue carbuncle, which shone out like a star, with a cold, brilliant, many-pointed ', ' held up the blue carbuncle, which shone out like a star, with a cold, brilliant, many-pointed radia', ' up the blue carbuncle, which shone out like a star, with a cold, brilliant, many-pointed radiance. ', 'he blue carbuncle, which shone out like a star, with a cold, brilliant, many-pointed radiance. ryder', 'ue carbuncle, which shone out like a star, with a cold, brilliant, many-pointed radiance. ryder stoo', 'rbuncle, which shone out like a star, with a cold, brilliant, many-pointed radiance. ryder stood gla', 'le, which shone out like a star, with a cold, brilliant, many-pointed radiance. ryder stood glaring ', 'hich shone out like a star, with a cold, brilliant, many-pointed radiance. ryder stood glaring with ', 'shone out like a star, with a cold, brilliant, many-pointed radiance. ryder stood glaring with a dra', ' out like a star, with a cold, brilliant, many-pointed radiance. ryder stood glaring with a drawn fa', 'like a star, with a cold, brilliant, many-pointed radiance. ryder stood glaring with a drawn face, u', 'a star, with a cold, brilliant, many-pointed radiance. ryder stood glaring with a drawn face, uncert', 'r, with a cold, brilliant, many-pointed radiance. ryder stood glaring with a drawn face, uncertain w', 'th a cold, brilliant, many-pointed radiance. ryder stood glaring with a drawn face, uncertain whethe', 'cold, brilliant, many-pointed radiance. ryder stood glaring with a drawn face, uncertain whether to ', ' brilliant, many-pointed radiance. ryder stood glaring with a drawn face, uncertain whether to claim', 'liant, many-pointed radiance. ryder stood glaring with a drawn face, uncertain whether to claim or t', ', many-pointed radiance. ryder stood glaring with a drawn face, uncertain whether to claim or to dis', 'y-pointed radiance. ryder stood glaring with a drawn face, uncertain whether to claim or to disown i', 'nted radiance. ryder stood glaring with a drawn face, uncertain whether to claim or to disown it. "t', 'radiance. ryder stood glaring with a drawn face, uncertain whether to claim or to disown it. "the ga', 'nce. ryder stood glaring with a drawn face, uncertain whether to claim or to disown it. "the game\'s ', 'ryder stood glaring with a drawn face, uncertain whether to claim or to disown it. "the game\'s up, r', ' stood glaring with a drawn face, uncertain whether to claim or to disown it. "the game\'s up, ryder,', 'd glaring with a drawn face, uncertain whether to claim or to disown it. "the game\'s up, ryder," sai', 'ring with a drawn face, uncertain whether to claim or to disown it. "the game\'s up, ryder," said hol', 'with a drawn face, uncertain whether to claim or to disown it. "the game\'s up, ryder," said holmes q', 'a drawn face, uncertain whether to claim or to disown it. "the game\'s up, ryder," said holmes quietl', 'wn face, uncertain whether to claim or to disown it. "the game\'s up, ryder," said holmes quietly. "h', 'ce, uncertain whether to claim or to disown it. "the game\'s up, ryder," said holmes quietly. "hold u', 'ncertain whether to claim or to disown it. "the game\'s up, ryder," said holmes quietly. "hold up, ma', 'ain whether to claim or to disown it. "the game\'s up, ryder," said holmes quietly. "hold up, man, or', 'hether to claim or to disown it. "the game\'s up, ryder," said holmes quietly. "hold up, man, or you\'', 'r to claim or to disown it. "the game\'s up, ryder," said holmes quietly. "hold up, man, or you\'ll be', 'claim or to disown it. "the game\'s up, ryder," said holmes quietly. "hold up, man, or you\'ll be into', ' or to disown it. "the game\'s up, ryder," said holmes quietly. "hold up, man, or you\'ll be into the ', 'o disown it. "the game\'s up, ryder," said holmes quietly. "hold up, man, or you\'ll be into the fire!', 'own it. "the game\'s up, ryder," said holmes quietly. "hold up, man, or you\'ll be into the fire! give', 't. "the game\'s up, ryder," said holmes quietly. "hold up, man, or you\'ll be into the fire! give him ', 'he game\'s up, ryder," said holmes quietly. "hold up, man, or you\'ll be into the fire! give him an ar', 'me\'s up, ryder," said holmes quietly. "hold up, man, or you\'ll be into the fire! give him an arm bac', 'up, ryder," said holmes quietly. "hold up, man, or you\'ll be into the fire! give him an arm back int', 'yder," said holmes quietly. "hold up, man, or you\'ll be into the fire! give him an arm back into his', '" said holmes quietly. "hold up, man, or you\'ll be into the fire! give him an arm back into his chai', 'd holmes quietly. "hold up, man, or you\'ll be into the fire! give him an arm back into his chair, wa', 'mes quietly. "hold up, man, or you\'ll be into the fire! give him an arm back into his chair, watson.', 'uietly. "hold up, man, or you\'ll be into the fire! give him an arm back into his chair, watson. he\'s', 'y. "hold up, man, or you\'ll be into the fire! give him an arm back into his chair, watson. he\'s not ', "old up, man, or you'll be into the fire! give him an arm back into his chair, watson. he's not got b", "p, man, or you'll be into the fire! give him an arm back into his chair, watson. he's not got blood ", "n, or you'll be into the fire! give him an arm back into his chair, watson. he's not got blood enoug", " you'll be into the fire! give him an arm back into his chair, watson. he's not got blood enough to ", "ll be into the fire! give him an arm back into his chair, watson. he's not got blood enough to go in", " into the fire! give him an arm back into his chair, watson. he's not got blood enough to go in for ", " the fire! give him an arm back into his chair, watson. he's not got blood enough to go in for felon", "fire! give him an arm back into his chair, watson. he's not got blood enough to go in for felony wit", " give him an arm back into his chair, watson. he's not got blood enough to go in for felony with imp", " him an arm back into his chair, watson. he's not got blood enough to go in for felony with impunity", "an arm back into his chair, watson. he's not got blood enough to go in for felony with impunity. giv", "m back into his chair, watson. he's not got blood enough to go in for felony with impunity. give him", "k into his chair, watson. he's not got blood enough to go in for felony with impunity. give him a da", "o his chair, watson. he's not got blood enough to go in for felony with impunity. give him a dash of", " chair, watson. he's not got blood enough to go in for felony with impunity. give him a dash of bran", "r, watson. he's not got blood enough to go in for felony with impunity. give him a dash of brandy. s", "tson. he's not got blood enough to go in for felony with impunity. give him a dash of brandy. so! no", " he's not got blood enough to go in for felony with impunity. give him a dash of brandy. so! now he ", ' not got blood enough to go in for felony with impunity. give him a dash of brandy. so! now he looks', 'got blood enough to go in for felony with impunity. give him a dash of brandy. so! now he looks a li', 'lood enough to go in for felony with impunity. give him a dash of brandy. so! now he looks a little ', 'enough to go in for felony with impunity. give him a dash of brandy. so! now he looks a little more ', 'h to go in for felony with impunity. give him a dash of brandy. so! now he looks a little more human', 'go in for felony with impunity. give him a dash of brandy. so! now he looks a little more human. wha', ' for felony with impunity. give him a dash of brandy. so! now he looks a little more human. what a s', 'felony with impunity. give him a dash of brandy. so! now he looks a little more human. what a shrimp', 'y with impunity. give him a dash of brandy. so! now he looks a little more human. what a shrimp it i', 'h impunity. give him a dash of brandy. so! now he looks a little more human. what a shrimp it is, to', 'unity. give him a dash of brandy. so! now he looks a little more human. what a shrimp it is, to be s', '. give him a dash of brandy. so! now he looks a little more human. what a shrimp it is, to be sure ', 'e him a dash of brandy. so! now he looks a little more human. what a shrimp it is, to be sure for a', ' a dash of brandy. so! now he looks a little more human. what a shrimp it is, to be sure for a mome', 'sh of brandy. so! now he looks a little more human. what a shrimp it is, to be sure for a moment he', ' brandy. so! now he looks a little more human. what a shrimp it is, to be sure for a moment he had ', 'dy. so! now he looks a little more human. what a shrimp it is, to be sure for a moment he had stagg', 'o! now he looks a little more human. what a shrimp it is, to be sure for a moment he had staggered ', 'w he looks a little more human. what a shrimp it is, to be sure for a moment he had staggered and n', 'looks a little more human. what a shrimp it is, to be sure for a moment he had staggered and nearly', ' a little more human. what a shrimp it is, to be sure for a moment he had staggered and nearly fall', 'ttle more human. what a shrimp it is, to be sure for a moment he had staggered and nearly fallen, b', 'more human. what a shrimp it is, to be sure for a moment he had staggered and nearly fallen, but th', 'human. what a shrimp it is, to be sure for a moment he had staggered and nearly fallen, but the bra', '. what a shrimp it is, to be sure for a moment he had staggered and nearly fallen, but the brandy b', 't a shrimp it is, to be sure for a moment he had staggered and nearly fallen, but the brandy brough', 'hrimp it is, to be sure for a moment he had staggered and nearly fallen, but the brandy brought a t', ' it is, to be sure for a moment he had staggered and nearly fallen, but the brandy brought a tinge ', 's, to be sure for a moment he had staggered and nearly fallen, but the brandy brought a tinge of co', ' be sure for a moment he had staggered and nearly fallen, but the brandy brought a tinge of colour ', 'ure for a moment he had staggered and nearly fallen, but the brandy brought a tinge of colour into ', 'for a moment he had staggered and nearly fallen, but the brandy brought a tinge of colour into his c', ' moment he had staggered and nearly fallen, but the brandy brought a tinge of colour into his cheeks', 'nt he had staggered and nearly fallen, but the brandy brought a tinge of colour into his cheeks, and', ' had staggered and nearly fallen, but the brandy brought a tinge of colour into his cheeks, and he s', 'staggered and nearly fallen, but the brandy brought a tinge of colour into his cheeks, and he sat st', 'ered and nearly fallen, but the brandy brought a tinge of colour into his cheeks, and he sat staring', 'and nearly fallen, but the brandy brought a tinge of colour into his cheeks, and he sat staring with', 'early fallen, but the brandy brought a tinge of colour into his cheeks, and he sat staring with frig', ' fallen, but the brandy brought a tinge of colour into his cheeks, and he sat staring with frightene', 'en, but the brandy brought a tinge of colour into his cheeks, and he sat staring with frightened eye', 'ut the brandy brought a tinge of colour into his cheeks, and he sat staring with frightened eyes at ', 'e brandy brought a tinge of colour into his cheeks, and he sat staring with frightened eyes at his a', 'ndy brought a tinge of colour into his cheeks, and he sat staring with frightened eyes at his accuse', 'rought a tinge of colour into his cheeks, and he sat staring with frightened eyes at his accuser. "i', 't a tinge of colour into his cheeks, and he sat staring with frightened eyes at his accuser. "i have', 'inge of colour into his cheeks, and he sat staring with frightened eyes at his accuser. "i have almo', 'of colour into his cheeks, and he sat staring with frightened eyes at his accuser. "i have almost ev', 'lour into his cheeks, and he sat staring with frightened eyes at his accuser. "i have almost every l', 'into his cheeks, and he sat staring with frightened eyes at his accuser. "i have almost every link i', 'his cheeks, and he sat staring with frightened eyes at his accuser. "i have almost every link in my ', 'heeks, and he sat staring with frightened eyes at his accuser. "i have almost every link in my hands', ', and he sat staring with frightened eyes at his accuser. "i have almost every link in my hands, and', ' he sat staring with frightened eyes at his accuser. "i have almost every link in my hands, and all ', 'at staring with frightened eyes at his accuser. "i have almost every link in my hands, and all the p', 'aring with frightened eyes at his accuser. "i have almost every link in my hands, and all the proofs', ' with frightened eyes at his accuser. "i have almost every link in my hands, and all the proofs whic', ' frightened eyes at his accuser. "i have almost every link in my hands, and all the proofs which i c', 'htened eyes at his accuser. "i have almost every link in my hands, and all the proofs which i could ', 'd eyes at his accuser. "i have almost every link in my hands, and all the proofs which i could possi', 's at his accuser. "i have almost every link in my hands, and all the proofs which i could possibly n', 'his accuser. "i have almost every link in my hands, and all the proofs which i could possibly need, ', 'ccuser. "i have almost every link in my hands, and all the proofs which i could possibly need, so th', 'r. "i have almost every link in my hands, and all the proofs which i could possibly need, so there i', ' have almost every link in my hands, and all the proofs which i could possibly need, so there is lit', ' almost every link in my hands, and all the proofs which i could possibly need, so there is little w', 'st every link in my hands, and all the proofs which i could possibly need, so there is little which ', 'ery link in my hands, and all the proofs which i could possibly need, so there is little which you n', 'ink in my hands, and all the proofs which i could possibly need, so there is little which you need t', 'n my hands, and all the proofs which i could possibly need, so there is little which you need tell m', 'hands, and all the proofs which i could possibly need, so there is little which you need tell me. st', ', and all the proofs which i could possibly need, so there is little which you need tell me. still, ', ' all the proofs which i could possibly need, so there is little which you need tell me. still, that ', 'the proofs which i could possibly need, so there is little which you need tell me. still, that littl', 'roofs which i could possibly need, so there is little which you need tell me. still, that little may', ' which i could possibly need, so there is little which you need tell me. still, that little may as w', 'h i could possibly need, so there is little which you need tell me. still, that little may as well b', 'ould possibly need, so there is little which you need tell me. still, that little may as well be cle', 'possibly need, so there is little which you need tell me. still, that little may as well be cleared ', 'bly need, so there is little which you need tell me. still, that little may as well be cleared up to', 'eed, so there is little which you need tell me. still, that little may as well be cleared up to make', 'so there is little which you need tell me. still, that little may as well be cleared up to make the ', 'ere is little which you need tell me. still, that little may as well be cleared up to make the case ', 's little which you need tell me. still, that little may as well be cleared up to make the case compl', 'tle which you need tell me. still, that little may as well be cleared up to make the case complete. ', 'hich you need tell me. still, that little may as well be cleared up to make the case complete. you h', 'you need tell me. still, that little may as well be cleared up to make the case complete. you had he', 'eed tell me. still, that little may as well be cleared up to make the case complete. you had heard, ', 'ell me. still, that little may as well be cleared up to make the case complete. you had heard, ryder', 'e. still, that little may as well be cleared up to make the case complete. you had heard, ryder, of ', 'ill, that little may as well be cleared up to make the case complete. you had heard, ryder, of this ', 'that little may as well be cleared up to make the case complete. you had heard, ryder, of this blue ', 'little may as well be cleared up to make the case complete. you had heard, ryder, of this blue stone', 'e may as well be cleared up to make the case complete. you had heard, ryder, of this blue stone of t', ' as well be cleared up to make the case complete. you had heard, ryder, of this blue stone of the co', 'ell be cleared up to make the case complete. you had heard, ryder, of this blue stone of the countes', 'e cleared up to make the case complete. you had heard, ryder, of this blue stone of the countess of ', 'ared up to make the case complete. you had heard, ryder, of this blue stone of the countess of morca', 'up to make the case complete. you had heard, ryder, of this blue stone of the countess of morcar\'s?"', ' make the case complete. you had heard, ryder, of this blue stone of the countess of morcar\'s?" "it ', ' the case complete. you had heard, ryder, of this blue stone of the countess of morcar\'s?" "it was c', 'case complete. you had heard, ryder, of this blue stone of the countess of morcar\'s?" "it was cather', 'complete. you had heard, ryder, of this blue stone of the countess of morcar\'s?" "it was catherine c', 'ete. you had heard, ryder, of this blue stone of the countess of morcar\'s?" "it was catherine cusack', 'you had heard, ryder, of this blue stone of the countess of morcar\'s?" "it was catherine cusack who ', 'ad heard, ryder, of this blue stone of the countess of morcar\'s?" "it was catherine cusack who told ', 'ard, ryder, of this blue stone of the countess of morcar\'s?" "it was catherine cusack who told me of', 'ryder, of this blue stone of the countess of morcar\'s?" "it was catherine cusack who told me of it,"', ', of this blue stone of the countess of morcar\'s?" "it was catherine cusack who told me of it," said', 'this blue stone of the countess of morcar\'s?" "it was catherine cusack who told me of it," said he i', 'blue stone of the countess of morcar\'s?" "it was catherine cusack who told me of it," said he in a c', 'stone of the countess of morcar\'s?" "it was catherine cusack who told me of it," said he in a crackl', ' of the countess of morcar\'s?" "it was catherine cusack who told me of it," said he in a crackling v', 'he countess of morcar\'s?" "it was catherine cusack who told me of it," said he in a crackling voice.', 'untess of morcar\'s?" "it was catherine cusack who told me of it," said he in a crackling voice. "i s', 's of morcar\'s?" "it was catherine cusack who told me of it," said he in a crackling voice. "i seeher', 'morcar\'s?" "it was catherine cusack who told me of it," said he in a crackling voice. "i seeher lady', 'r\'s?" "it was catherine cusack who told me of it," said he in a crackling voice. "i seeher ladyship\'', ' "it was catherine cusack who told me of it," said he in a crackling voice. "i seeher ladyship\'s wai', 'was catherine cusack who told me of it," said he in a crackling voice. "i seeher ladyship\'s waiting-', 'atherine cusack who told me of it," said he in a crackling voice. "i seeher ladyship\'s waiting-maid.', 'ine cusack who told me of it," said he in a crackling voice. "i seeher ladyship\'s waiting-maid. well', 'usack who told me of it," said he in a crackling voice. "i seeher ladyship\'s waiting-maid. well, the', ' who told me of it," said he in a crackling voice. "i seeher ladyship\'s waiting-maid. well, the temp', 'told me of it," said he in a crackling voice. "i seeher ladyship\'s waiting-maid. well, the temptatio', 'me of it," said he in a crackling voice. "i seeher ladyship\'s waiting-maid. well, the temptation of ', ' it," said he in a crackling voice. "i seeher ladyship\'s waiting-maid. well, the temptation of sudde', ' said he in a crackling voice. "i seeher ladyship\'s waiting-maid. well, the temptation of sudden wea', ' he in a crackling voice. "i seeher ladyship\'s waiting-maid. well, the temptation of sudden wealth s', 'n a crackling voice. "i seeher ladyship\'s waiting-maid. well, the temptation of sudden wealth so eas', 'rackling voice. "i seeher ladyship\'s waiting-maid. well, the temptation of sudden wealth so easily a', 'ing voice. "i seeher ladyship\'s waiting-maid. well, the temptation of sudden wealth so easily acquir', 'oice. "i seeher ladyship\'s waiting-maid. well, the temptation of sudden wealth so easily acquired wa', ' "i seeher ladyship\'s waiting-maid. well, the temptation of sudden wealth so easily acquired was too', "eeher ladyship's waiting-maid. well, the temptation of sudden wealth so easily acquired was too much", " ladyship's waiting-maid. well, the temptation of sudden wealth so easily acquired was too much for ", "ship's waiting-maid. well, the temptation of sudden wealth so easily acquired was too much for you, ", 's waiting-maid. well, the temptation of sudden wealth so easily acquired was too much for you, as it', 'ting-maid. well, the temptation of sudden wealth so easily acquired was too much for you, as it has ', 'maid. well, the temptation of sudden wealth so easily acquired was too much for you, as it has been ', ' well, the temptation of sudden wealth so easily acquired was too much for you, as it has been for b', ', the temptation of sudden wealth so easily acquired was too much for you, as it has been for better', ' temptation of sudden wealth so easily acquired was too much for you, as it has been for better men ', 'tation of sudden wealth so easily acquired was too much for you, as it has been for better men befor', 'n of sudden wealth so easily acquired was too much for you, as it has been for better men before you', 'sudden wealth so easily acquired was too much for you, as it has been for better men before you; but', 'n wealth so easily acquired was too much for you, as it has been for better men before you; but you ', 'lth so easily acquired was too much for you, as it has been for better men before you; but you were ', 'o easily acquired was too much for you, as it has been for better men before you; but you were not v', 'ily acquired was too much for you, as it has been for better men before you; but you were not very s', 'cquired was too much for you, as it has been for better men before you; but you were not very scrupu', 'ed was too much for you, as it has been for better men before you; but you were not very scrupulous ', 's too much for you, as it has been for better men before you; but you were not very scrupulous in th', ' much for you, as it has been for better men before you; but you were not very scrupulous in the mea', ' for you, as it has been for better men before you; but you were not very scrupulous in the means yo', 'you, as it has been for better men before you; but you were not very scrupulous in the means you use', 'as it has been for better men before you; but you were not very scrupulous in the means you used. it', ' has been for better men before you; but you were not very scrupulous in the means you used. it seem', 'been for better men before you; but you were not very scrupulous in the means you used. it seems to ', 'for better men before you; but you were not very scrupulous in the means you used. it seems to me, r', 'etter men before you; but you were not very scrupulous in the means you used. it seems to me, ryder,', ' men before you; but you were not very scrupulous in the means you used. it seems to me, ryder, that', 'before you; but you were not very scrupulous in the means you used. it seems to me, ryder, that ther', 'e you; but you were not very scrupulous in the means you used. it seems to me, ryder, that there is ', '; but you were not very scrupulous in the means you used. it seems to me, ryder, that there is the m', ' you were not very scrupulous in the means you used. it seems to me, ryder, that there is the making', 'were not very scrupulous in the means you used. it seems to me, ryder, that there is the making of a', 'not very scrupulous in the means you used. it seems to me, ryder, that there is the making of a very', 'ery scrupulous in the means you used. it seems to me, ryder, that there is the making of a very pret', 'crupulous in the means you used. it seems to me, ryder, that there is the making of a very pretty vi', 'lous in the means you used. it seems to me, ryder, that there is the making of a very pretty villain', 'in the means you used. it seems to me, ryder, that there is the making of a very pretty villain in y', 'e means you used. it seems to me, ryder, that there is the making of a very pretty villain in you. y', 'ns you used. it seems to me, ryder, that there is the making of a very pretty villain in you. you kn', 'u used. it seems to me, ryder, that there is the making of a very pretty villain in you. you knew th', 'd. it seems to me, ryder, that there is the making of a very pretty villain in you. you knew that th', ' seems to me, ryder, that there is the making of a very pretty villain in you. you knew that this ma', 's to me, ryder, that there is the making of a very pretty villain in you. you knew that this man hor', 'me, ryder, that there is the making of a very pretty villain in you. you knew that this man horner, ', 'yder, that there is the making of a very pretty villain in you. you knew that this man horner, the p', ' that there is the making of a very pretty villain in you. you knew that this man horner, the plumbe', ' there is the making of a very pretty villain in you. you knew that this man horner, the plumber, ha', 'e is the making of a very pretty villain in you. you knew that this man horner, the plumber, had bee', 'the making of a very pretty villain in you. you knew that this man horner, the plumber, had been con', 'aking of a very pretty villain in you. you knew that this man horner, the plumber, had been concerne', ' of a very pretty villain in you. you knew that this man horner, the plumber, had been concerned in ', ' very pretty villain in you. you knew that this man horner, the plumber, had been concerned in some ', ' pretty villain in you. you knew that this man horner, the plumber, had been concerned in some such ', 'ty villain in you. you knew that this man horner, the plumber, had been concerned in some such matte', 'llain in you. you knew that this man horner, the plumber, had been concerned in some such matter bef', ' in you. you knew that this man horner, the plumber, had been concerned in some such matter before, ', 'ou. you knew that this man horner, the plumber, had been concerned in some such matter before, and t', 'ou knew that this man horner, the plumber, had been concerned in some such matter before, and that s', 'ew that this man horner, the plumber, had been concerned in some such matter before, and that suspic', 'at this man horner, the plumber, had been concerned in some such matter before, and that suspicion w', 'is man horner, the plumber, had been concerned in some such matter before, and that suspicion would ', 'n horner, the plumber, had been concerned in some such matter before, and that suspicion would rest ', 'ner, the plumber, had been concerned in some such matter before, and that suspicion would rest the m', 'the plumber, had been concerned in some such matter before, and that suspicion would rest the more r', 'lumber, had been concerned in some such matter before, and that suspicion would rest the more readil', 'r, had been concerned in some such matter before, and that suspicion would rest the more readily upo', 'd been concerned in some such matter before, and that suspicion would rest the more readily upon him', 'n concerned in some such matter before, and that suspicion would rest the more readily upon him. wha', 'cerned in some such matter before, and that suspicion would rest the more readily upon him. what did', 'd in some such matter before, and that suspicion would rest the more readily upon him. what did you ', 'some such matter before, and that suspicion would rest the more readily upon him. what did you do, t', 'such matter before, and that suspicion would rest the more readily upon him. what did you do, then? ', 'matter before, and that suspicion would rest the more readily upon him. what did you do, then? you m', 'r before, and that suspicion would rest the more readily upon him. what did you do, then? you made s', 'ore, and that suspicion would rest the more readily upon him. what did you do, then? you made some s', 'and that suspicion would rest the more readily upon him. what did you do, then? you made some small ', 'hat suspicion would rest the more readily upon him. what did you do, then? you made some small job i', 'uspicion would rest the more readily upon him. what did you do, then? you made some small job in my ', "ion would rest the more readily upon him. what did you do, then? you made some small job in my lady'", "ould rest the more readily upon him. what did you do, then? you made some small job in my lady's roo", "rest the more readily upon him. what did you do, then? you made some small job in my lady's roomyou ", "the more readily upon him. what did you do, then? you made some small job in my lady's roomyou and y", "ore readily upon him. what did you do, then? you made some small job in my lady's roomyou and your c", "eadily upon him. what did you do, then? you made some small job in my lady's roomyou and your confed", "y upon him. what did you do, then? you made some small job in my lady's roomyou and your confederate", "n him. what did you do, then? you made some small job in my lady's roomyou and your confederate cusa", ". what did you do, then? you made some small job in my lady's roomyou and your confederate cusackand", "t did you do, then? you made some small job in my lady's roomyou and your confederate cusackand you ", " you do, then? you made some small job in my lady's roomyou and your confederate cusackand you manag", "do, then? you made some small job in my lady's roomyou and your confederate cusackand you managed th", "hen? you made some small job in my lady's roomyou and your confederate cusackand you managed that he", "you made some small job in my lady's roomyou and your confederate cusackand you managed that he shou", "ade some small job in my lady's roomyou and your confederate cusackand you managed that he should be", "ome small job in my lady's roomyou and your confederate cusackand you managed that he should be the ", "mall job in my lady's roomyou and your confederate cusackand you managed that he should be the man s", "job in my lady's roomyou and your confederate cusackand you managed that he should be the man sent f", "n my lady's roomyou and your confederate cusackand you managed that he should be the man sent for. t", "lady's roomyou and your confederate cusackand you managed that he should be the man sent for. then, ", 's roomyou and your confederate cusackand you managed that he should be the man sent for. then, when ', 'myou and your confederate cusackand you managed that he should be the man sent for. then, when he ha', 'and your confederate cusackand you managed that he should be the man sent for. then, when he had lef', 'our confederate cusackand you managed that he should be the man sent for. then, when he had left, yo', 'onfederate cusackand you managed that he should be the man sent for. then, when he had left, you rif', 'erate cusackand you managed that he should be the man sent for. then, when he had left, you rifled t', ' cusackand you managed that he should be the man sent for. then, when he had left, you rifled the je', 'ckand you managed that he should be the man sent for. then, when he had left, you rifled the jewel-c', ' you managed that he should be the man sent for. then, when he had left, you rifled the jewel-case, ', 'managed that he should be the man sent for. then, when he had left, you rifled the jewel-case, raise', 'ed that he should be the man sent for. then, when he had left, you rifled the jewel-case, raised the', 'at he should be the man sent for. then, when he had left, you rifled the jewel-case, raised the alar', ' should be the man sent for. then, when he had left, you rifled the jewel-case, raised the alarm, an', 'ld be the man sent for. then, when he had left, you rifled the jewel-case, raised the alarm, and had', ' the man sent for. then, when he had left, you rifled the jewel-case, raised the alarm, and had this', 'man sent for. then, when he had left, you rifled the jewel-case, raised the alarm, and had this unfo', 'ent for. then, when he had left, you rifled the jewel-case, raised the alarm, and had this unfortuna', 'or. then, when he had left, you rifled the jewel-case, raised the alarm, and had this unfortunate ma', 'hen, when he had left, you rifled the jewel-case, raised the alarm, and had this unfortunate man arr', 'when he had left, you rifled the jewel-case, raised the alarm, and had this unfortunate man arrested', 'he had left, you rifled the jewel-case, raised the alarm, and had this unfortunate man arrested. you', 'd left, you rifled the jewel-case, raised the alarm, and had this unfortunate man arrested. you then', 't, you rifled the jewel-case, raised the alarm, and had this unfortunate man arrested. you then" ryd', 'u rifled the jewel-case, raised the alarm, and had this unfortunate man arrested. you then" ryder th', 'led the jewel-case, raised the alarm, and had this unfortunate man arrested. you then" ryder threw h', 'he jewel-case, raised the alarm, and had this unfortunate man arrested. you then" ryder threw himsel', 'wel-case, raised the alarm, and had this unfortunate man arrested. you then" ryder threw himself dow', 'ase, raised the alarm, and had this unfortunate man arrested. you then" ryder threw himself down sud', 'raised the alarm, and had this unfortunate man arrested. you then" ryder threw himself down suddenly', 'd the alarm, and had this unfortunate man arrested. you then" ryder threw himself down suddenly upon', ' alarm, and had this unfortunate man arrested. you then" ryder threw himself down suddenly upon the ', 'm, and had this unfortunate man arrested. you then" ryder threw himself down suddenly upon the rug a', 'd had this unfortunate man arrested. you then" ryder threw himself down suddenly upon the rug and cl', ' this unfortunate man arrested. you then" ryder threw himself down suddenly upon the rug and clutche', ' unfortunate man arrested. you then" ryder threw himself down suddenly upon the rug and clutched at ', 'rtunate man arrested. you then" ryder threw himself down suddenly upon the rug and clutched at my co', 'te man arrested. you then" ryder threw himself down suddenly upon the rug and clutched at my compani', 'n arrested. you then" ryder threw himself down suddenly upon the rug and clutched at my companion\'s ', 'ested. you then" ryder threw himself down suddenly upon the rug and clutched at my companion\'s knees', '. you then" ryder threw himself down suddenly upon the rug and clutched at my companion\'s knees. "fo', ' then" ryder threw himself down suddenly upon the rug and clutched at my companion\'s knees. "for god', '" ryder threw himself down suddenly upon the rug and clutched at my companion\'s knees. "for god\'s sa', 'er threw himself down suddenly upon the rug and clutched at my companion\'s knees. "for god\'s sake, h', 'rew himself down suddenly upon the rug and clutched at my companion\'s knees. "for god\'s sake, have m', 'imself down suddenly upon the rug and clutched at my companion\'s knees. "for god\'s sake, have mercy ', 'f down suddenly upon the rug and clutched at my companion\'s knees. "for god\'s sake, have mercy he sh', 'n suddenly upon the rug and clutched at my companion\'s knees. "for god\'s sake, have mercy he shrieke', 'denly upon the rug and clutched at my companion\'s knees. "for god\'s sake, have mercy he shrieked. "t', ' upon the rug and clutched at my companion\'s knees. "for god\'s sake, have mercy he shrieked. "think ', ' the rug and clutched at my companion\'s knees. "for god\'s sake, have mercy he shrieked. "think of my', 'rug and clutched at my companion\'s knees. "for god\'s sake, have mercy he shrieked. "think of my fath', 'nd clutched at my companion\'s knees. "for god\'s sake, have mercy he shrieked. "think of my father! o', 'utched at my companion\'s knees. "for god\'s sake, have mercy he shrieked. "think of my father! of my ', 'd at my companion\'s knees. "for god\'s sake, have mercy he shrieked. "think of my father! of my mothe', 'my companion\'s knees. "for god\'s sake, have mercy he shrieked. "think of my father! of my mother! it', 'mpanion\'s knees. "for god\'s sake, have mercy he shrieked. "think of my father! of my mother! it woul', 'on\'s knees. "for god\'s sake, have mercy he shrieked. "think of my father! of my mother! it would bre', 'knees. "for god\'s sake, have mercy he shrieked. "think of my father! of my mother! it would break th', '. "for god\'s sake, have mercy he shrieked. "think of my father! of my mother! it would break their h', 'r god\'s sake, have mercy he shrieked. "think of my father! of my mother! it would break their hearts', '\'s sake, have mercy he shrieked. "think of my father! of my mother! it would break their hearts. i n', 'ke, have mercy he shrieked. "think of my father! of my mother! it would break their hearts. i never ', 'ave mercy he shrieked. "think of my father! of my mother! it would break their hearts. i never went ', 'ercy he shrieked. "think of my father! of my mother! it would break their hearts. i never went wrong', 'he shrieked. "think of my father! of my mother! it would break their hearts. i never went wrong befo', 'rieked. "think of my father! of my mother! it would break their hearts. i never went wrong before! i', 'd. "think of my father! of my mother! it would break their hearts. i never went wrong before! i neve', 'hink of my father! of my mother! it would break their hearts. i never went wrong before! i never wil', 'of my father! of my mother! it would break their hearts. i never went wrong before! i never will aga', ' father! of my mother! it would break their hearts. i never went wrong before! i never will again. i', 'er! of my mother! it would break their hearts. i never went wrong before! i never will again. i swea', 'f my mother! it would break their hearts. i never went wrong before! i never will again. i swear it.', "mother! it would break their hearts. i never went wrong before! i never will again. i swear it. i'll", "r! it would break their hearts. i never went wrong before! i never will again. i swear it. i'll swea", " would break their hearts. i never went wrong before! i never will again. i swear it. i'll swear it ", "d break their hearts. i never went wrong before! i never will again. i swear it. i'll swear it on a ", "ak their hearts. i never went wrong before! i never will again. i swear it. i'll swear it on a bible", "eir hearts. i never went wrong before! i never will again. i swear it. i'll swear it on a bible. oh,", "earts. i never went wrong before! i never will again. i swear it. i'll swear it on a bible. oh, don'", ". i never went wrong before! i never will again. i swear it. i'll swear it on a bible. oh, don't bri", "ever went wrong before! i never will again. i swear it. i'll swear it on a bible. oh, don't bring it", "went wrong before! i never will again. i swear it. i'll swear it on a bible. oh, don't bring it into", "wrong before! i never will again. i swear it. i'll swear it on a bible. oh, don't bring it into cour", " before! i never will again. i swear it. i'll swear it on a bible. oh, don't bring it into court! fo", "re! i never will again. i swear it. i'll swear it on a bible. oh, don't bring it into court! for chr", " never will again. i swear it. i'll swear it on a bible. oh, don't bring it into court! for christ's", "r will again. i swear it. i'll swear it on a bible. oh, don't bring it into court! for christ's sake", "l again. i swear it. i'll swear it on a bible. oh, don't bring it into court! for christ's sake, don", 'in. i swear it. i\'ll swear it on a bible. oh, don\'t bring it into court! for christ\'s sake, don\'t "', ' swear it. i\'ll swear it on a bible. oh, don\'t bring it into court! for christ\'s sake, don\'t "get b', 'r it. i\'ll swear it on a bible. oh, don\'t bring it into court! for christ\'s sake, don\'t "get back i', ' i\'ll swear it on a bible. oh, don\'t bring it into court! for christ\'s sake, don\'t "get back into y', ' swear it on a bible. oh, don\'t bring it into court! for christ\'s sake, don\'t "get back into your c', 'r it on a bible. oh, don\'t bring it into court! for christ\'s sake, don\'t "get back into your chair ', 'on a bible. oh, don\'t bring it into court! for christ\'s sake, don\'t "get back into your chair said ', 'bible. oh, don\'t bring it into court! for christ\'s sake, don\'t "get back into your chair said holme', '. oh, don\'t bring it into court! for christ\'s sake, don\'t "get back into your chair said holmes ste', ' don\'t bring it into court! for christ\'s sake, don\'t "get back into your chair said holmes sternly.', 't bring it into court! for christ\'s sake, don\'t "get back into your chair said holmes sternly. "it ', 'ng it into court! for christ\'s sake, don\'t "get back into your chair said holmes sternly. "it is ve', ' into court! for christ\'s sake, don\'t "get back into your chair said holmes sternly. "it is very we', ' court! for christ\'s sake, don\'t "get back into your chair said holmes sternly. "it is very well to', 't! for christ\'s sake, don\'t "get back into your chair said holmes sternly. "it is very well to crin', 'r christ\'s sake, don\'t "get back into your chair said holmes sternly. "it is very well to cringe an', 'ist\'s sake, don\'t "get back into your chair said holmes sternly. "it is very well to cringe and cra', ' sake, don\'t "get back into your chair said holmes sternly. "it is very well to cringe and crawl no', ', don\'t "get back into your chair said holmes sternly. "it is very well to cringe and crawl now, bu', '\'t "get back into your chair said holmes sternly. "it is very well to cringe and crawl now, but you', 'get back into your chair said holmes sternly. "it is very well to cringe and crawl now, but you thou', 'ack into your chair said holmes sternly. "it is very well to cringe and crawl now, but you thought l', 'nto your chair said holmes sternly. "it is very well to cringe and crawl now, but you thought little', 'our chair said holmes sternly. "it is very well to cringe and crawl now, but you thought little enou', 'hair said holmes sternly. "it is very well to cringe and crawl now, but you thought little enough of', 'said holmes sternly. "it is very well to cringe and crawl now, but you thought little enough of this', 'holmes sternly. "it is very well to cringe and crawl now, but you thought little enough of this poor', 's sternly. "it is very well to cringe and crawl now, but you thought little enough of this poor horn', 'rnly. "it is very well to cringe and crawl now, but you thought little enough of this poor horner in', ' "it is very well to cringe and crawl now, but you thought little enough of this poor horner in the ', 'is very well to cringe and crawl now, but you thought little enough of this poor horner in the dock ', 'ry well to cringe and crawl now, but you thought little enough of this poor horner in the dock for a', 'll to cringe and crawl now, but you thought little enough of this poor horner in the dock for a crim', ' cringe and crawl now, but you thought little enough of this poor horner in the dock for a crime of ', 'ge and crawl now, but you thought little enough of this poor horner in the dock for a crime of which', 'd crawl now, but you thought little enough of this poor horner in the dock for a crime of which he k', 'wl now, but you thought little enough of this poor horner in the dock for a crime of which he knew n', 'w, but you thought little enough of this poor horner in the dock for a crime of which he knew nothin', 't you thought little enough of this poor horner in the dock for a crime of which he knew nothing." "', ' thought little enough of this poor horner in the dock for a crime of which he knew nothing." "i wil', 'ght little enough of this poor horner in the dock for a crime of which he knew nothing." "i will fly', 'ittle enough of this poor horner in the dock for a crime of which he knew nothing." "i will fly, mr.', ' enough of this poor horner in the dock for a crime of which he knew nothing." "i will fly, mr. holm', 'gh of this poor horner in the dock for a crime of which he knew nothing." "i will fly, mr. holmes. i', ' this poor horner in the dock for a crime of which he knew nothing." "i will fly, mr. holmes. i will', ' poor horner in the dock for a crime of which he knew nothing." "i will fly, mr. holmes. i will leav', ' horner in the dock for a crime of which he knew nothing." "i will fly, mr. holmes. i will leave the', 'er in the dock for a crime of which he knew nothing." "i will fly, mr. holmes. i will leave the coun', ' the dock for a crime of which he knew nothing." "i will fly, mr. holmes. i will leave the country, ', 'dock for a crime of which he knew nothing." "i will fly, mr. holmes. i will leave the country, sir. ', 'for a crime of which he knew nothing." "i will fly, mr. holmes. i will leave the country, sir. then ', ' crime of which he knew nothing." "i will fly, mr. holmes. i will leave the country, sir. then the c', 'e of which he knew nothing." "i will fly, mr. holmes. i will leave the country, sir. then the charge', 'which he knew nothing." "i will fly, mr. holmes. i will leave the country, sir. then the charge agai', ' he knew nothing." "i will fly, mr. holmes. i will leave the country, sir. then the charge against h', 'new nothing." "i will fly, mr. holmes. i will leave the country, sir. then the charge against him wi', 'othing." "i will fly, mr. holmes. i will leave the country, sir. then the charge against him will br', 'g." "i will fly, mr. holmes. i will leave the country, sir. then the charge against him will break d', 'i will fly, mr. holmes. i will leave the country, sir. then the charge against him will break down."', 'l fly, mr. holmes. i will leave the country, sir. then the charge against him will break down." "hum', ', mr. holmes. i will leave the country, sir. then the charge against him will break down." "hum! we ', ' holmes. i will leave the country, sir. then the charge against him will break down." "hum! we will ', 'es. i will leave the country, sir. then the charge against him will break down." "hum! we will talk ', ' will leave the country, sir. then the charge against him will break down." "hum! we will talk about', ' leave the country, sir. then the charge against him will break down." "hum! we will talk about that', 'e the country, sir. then the charge against him will break down." "hum! we will talk about that. and', ' country, sir. then the charge against him will break down." "hum! we will talk about that. and now ', 'try, sir. then the charge against him will break down." "hum! we will talk about that. and now let u', 'sir. then the charge against him will break down." "hum! we will talk about that. and now let us hea', 'then the charge against him will break down." "hum! we will talk about that. and now let us hear a t', 'the charge against him will break down." "hum! we will talk about that. and now let us hear a true a', 'harge against him will break down." "hum! we will talk about that. and now let us hear a true accoun', ' against him will break down." "hum! we will talk about that. and now let us hear a true account of ', 'nst him will break down." "hum! we will talk about that. and now let us hear a true account of the n', 'im will break down." "hum! we will talk about that. and now let us hear a true account of the next a', 'll break down." "hum! we will talk about that. and now let us hear a true account of the next act. h', 'eak down." "hum! we will talk about that. and now let us hear a true account of the next act. how ca', 'own." "hum! we will talk about that. and now let us hear a true account of the next act. how came th', ' "hum! we will talk about that. and now let us hear a true account of the next act. how came the sto', '! we will talk about that. and now let us hear a true account of the next act. how came the stone in', 'will talk about that. and now let us hear a true account of the next act. how came the stone into th', 'talk about that. and now let us hear a true account of the next act. how came the stone into the goo', 'about that. and now let us hear a true account of the next act. how came the stone into the goose, a', ' that. and now let us hear a true account of the next act. how came the stone into the goose, and ho', '. and now let us hear a true account of the next act. how came the stone into the goose, and how cam', ' now let us hear a true account of the next act. how came the stone into the goose, and how came the', 'let us hear a true account of the next act. how came the stone into the goose, and how came the goos', 's hear a true account of the next act. how came the stone into the goose, and how came the goose int', 'r a true account of the next act. how came the stone into the goose, and how came the goose into the', 'rue account of the next act. how came the stone into the goose, and how came the goose into the open', 'ccount of the next act. how came the stone into the goose, and how came the goose into the open mark', 't of the next act. how came the stone into the goose, and how came the goose into the open market? t', 'the next act. how came the stone into the goose, and how came the goose into the open market? tell u', 'ext act. how came the stone into the goose, and how came the goose into the open market? tell us the', 'ct. how came the stone into the goose, and how came the goose into the open market? tell us the trut', 'ow came the stone into the goose, and how came the goose into the open market? tell us the truth, fo', 'me the stone into the goose, and how came the goose into the open market? tell us the truth, for the', 'e stone into the goose, and how came the goose into the open market? tell us the truth, for there li', 'ne into the goose, and how came the goose into the open market? tell us the truth, for there lies yo', 'to the goose, and how came the goose into the open market? tell us the truth, for there lies your on', 'e goose, and how came the goose into the open market? tell us the truth, for there lies your only ho', 'se, and how came the goose into the open market? tell us the truth, for there lies your only hope of', 'nd how came the goose into the open market? tell us the truth, for there lies your only hope of safe', 'w came the goose into the open market? tell us the truth, for there lies your only hope of safety." ', 'e the goose into the open market? tell us the truth, for there lies your only hope of safety." ryder', ' goose into the open market? tell us the truth, for there lies your only hope of safety." ryder pass', 'e into the open market? tell us the truth, for there lies your only hope of safety." ryder passed hi', 'o the open market? tell us the truth, for there lies your only hope of safety." ryder passed his ton', ' open market? tell us the truth, for there lies your only hope of safety." ryder passed his tongue o', ' market? tell us the truth, for there lies your only hope of safety." ryder passed his tongue over h', 'et? tell us the truth, for there lies your only hope of safety." ryder passed his tongue over his pa', 'ell us the truth, for there lies your only hope of safety." ryder passed his tongue over his parched', 's the truth, for there lies your only hope of safety." ryder passed his tongue over his parched lips', ' truth, for there lies your only hope of safety." ryder passed his tongue over his parched lips. "i ', 'h, for there lies your only hope of safety." ryder passed his tongue over his parched lips. "i will ', 'r there lies your only hope of safety." ryder passed his tongue over his parched lips. "i will tell ', 're lies your only hope of safety." ryder passed his tongue over his parched lips. "i will tell you i', 'es your only hope of safety." ryder passed his tongue over his parched lips. "i will tell you it jus', 'ur only hope of safety." ryder passed his tongue over his parched lips. "i will tell you it just as ', 'ly hope of safety." ryder passed his tongue over his parched lips. "i will tell you it just as it ha', 'pe of safety." ryder passed his tongue over his parched lips. "i will tell you it just as it happene', ' safety." ryder passed his tongue over his parched lips. "i will tell you it just as it happened, si', 'ty." ryder passed his tongue over his parched lips. "i will tell you it just as it happened, sir," s', 'ryder passed his tongue over his parched lips. "i will tell you it just as it happened, sir," said h', ' passed his tongue over his parched lips. "i will tell you it just as it happened, sir," said he. "w', 'ed his tongue over his parched lips. "i will tell you it just as it happened, sir," said he. "when h', 's tongue over his parched lips. "i will tell you it just as it happened, sir," said he. "when horner', 'gue over his parched lips. "i will tell you it just as it happened, sir," said he. "when horner had ', 'ver his parched lips. "i will tell you it just as it happened, sir," said he. "when horner had been ', 'is parched lips. "i will tell you it just as it happened, sir," said he. "when horner had been arres', 'rched lips. "i will tell you it just as it happened, sir," said he. "when horner had been arrested, ', ' lips. "i will tell you it just as it happened, sir," said he. "when horner had been arrested, it se', '. "i will tell you it just as it happened, sir," said he. "when horner had been arrested, it seemed ', 'will tell you it just as it happened, sir," said he. "when horner had been arrested, it seemed to me', 'tell you it just as it happened, sir," said he. "when horner had been arrested, it seemed to me that', 'you it just as it happened, sir," said he. "when horner had been arrested, it seemed to me that it w', 't just as it happened, sir," said he. "when horner had been arrested, it seemed to me that it would ', 't as it happened, sir," said he. "when horner had been arrested, it seemed to me that it would be be', 'it happened, sir," said he. "when horner had been arrested, it seemed to me that it would be best fo', 'ppened, sir," said he. "when horner had been arrested, it seemed to me that it would be best for me ', 'd, sir," said he. "when horner had been arrested, it seemed to me that it would be best for me to ge', 'r," said he. "when horner had been arrested, it seemed to me that it would be best for me to get awa', 'aid he. "when horner had been arrested, it seemed to me that it would be best for me to get away wit', 'e. "when horner had been arrested, it seemed to me that it would be best for me to get away with the', 'hen horner had been arrested, it seemed to me that it would be best for me to get away with the ston', 'orner had been arrested, it seemed to me that it would be best for me to get away with the stone at ', ' had been arrested, it seemed to me that it would be best for me to get away with the stone at once,', 'been arrested, it seemed to me that it would be best for me to get away with the stone at once, for ', 'arrested, it seemed to me that it would be best for me to get away with the stone at once, for i did', 'ted, it seemed to me that it would be best for me to get away with the stone at once, for i did not ', 'it seemed to me that it would be best for me to get away with the stone at once, for i did not know ', 'emed to me that it would be best for me to get away with the stone at once, for i did not know at wh', 'to me that it would be best for me to get away with the stone at once, for i did not know at what mo', ' that it would be best for me to get away with the stone at once, for i did not know at what moment ', ' it would be best for me to get away with the stone at once, for i did not know at what moment the p', 'ould be best for me to get away with the stone at once, for i did not know at what moment the police', 'be best for me to get away with the stone at once, for i did not know at what moment the police migh', 'st for me to get away with the stone at once, for i did not know at what moment the police might not', 'r me to get away with the stone at once, for i did not know at what moment the police might not take', 'to get away with the stone at once, for i did not know at what moment the police might not take it i', 't away with the stone at once, for i did not know at what moment the police might not take it into t', 'y with the stone at once, for i did not know at what moment the police might not take it into their ', 'h the stone at once, for i did not know at what moment the police might not take it into their heads', ' stone at once, for i did not know at what moment the police might not take it into their heads to s', 'e at once, for i did not know at what moment the police might not take it into their heads to search', 'once, for i did not know at what moment the police might not take it into their heads to search me a', ' for i did not know at what moment the police might not take it into their heads to search me and my', 'i did not know at what moment the police might not take it into their heads to search me and my room', ' not know at what moment the police might not take it into their heads to search me and my room. the', 'know at what moment the police might not take it into their heads to search me and my room. there wa', 'at what moment the police might not take it into their heads to search me and my room. there was no ', 'at moment the police might not take it into their heads to search me and my room. there was no place', 'ment the police might not take it into their heads to search me and my room. there was no place abou', 'the police might not take it into their heads to search me and my room. there was no place about the', 'olice might not take it into their heads to search me and my room. there was no place about the hote', ' might not take it into their heads to search me and my room. there was no place about the hotel whe', 't not take it into their heads to search me and my room. there was no place about the hotel where it', ' take it into their heads to search me and my room. there was no place about the hotel where it woul', ' it into their heads to search me and my room. there was no place about the hotel where it would be ', 'nto their heads to search me and my room. there was no place about the hotel where it would be safe.', 'heir heads to search me and my room. there was no place about the hotel where it would be safe. i we', 'heads to search me and my room. there was no place about the hotel where it would be safe. i went ou', ' to search me and my room. there was no place about the hotel where it would be safe. i went out, as', 'earch me and my room. there was no place about the hotel where it would be safe. i went out, as if o', ' me and my room. there was no place about the hotel where it would be safe. i went out, as if on som', 'nd my room. there was no place about the hotel where it would be safe. i went out, as if on some com', ' room. there was no place about the hotel where it would be safe. i went out, as if on some commissi', '. there was no place about the hotel where it would be safe. i went out, as if on some commission, a', 're was no place about the hotel where it would be safe. i went out, as if on some commission, and i ', 's no place about the hotel where it would be safe. i went out, as if on some commission, and i made ', 'place about the hotel where it would be safe. i went out, as if on some commission, and i made for m', ' about the hotel where it would be safe. i went out, as if on some commission, and i made for my sis', "t the hotel where it would be safe. i went out, as if on some commission, and i made for my sister's", " hotel where it would be safe. i went out, as if on some commission, and i made for my sister's hous", "l where it would be safe. i went out, as if on some commission, and i made for my sister's house. sh", "re it would be safe. i went out, as if on some commission, and i made for my sister's house. she had", " would be safe. i went out, as if on some commission, and i made for my sister's house. she had marr", "d be safe. i went out, as if on some commission, and i made for my sister's house. she had married a", "safe. i went out, as if on some commission, and i made for my sister's house. she had married a man ", " i went out, as if on some commission, and i made for my sister's house. she had married a man named", "nt out, as if on some commission, and i made for my sister's house. she had married a man named oaks", "t, as if on some commission, and i made for my sister's house. she had married a man named oakshott,", " if on some commission, and i made for my sister's house. she had married a man named oakshott, and ", "n some commission, and i made for my sister's house. she had married a man named oakshott, and lived", "e commission, and i made for my sister's house. she had married a man named oakshott, and lived in b", "mission, and i made for my sister's house. she had married a man named oakshott, and lived in brixto", "on, and i made for my sister's house. she had married a man named oakshott, and lived in brixton roa", "nd i made for my sister's house. she had married a man named oakshott, and lived in brixton road, wh", "made for my sister's house. she had married a man named oakshott, and lived in brixton road, where s", "for my sister's house. she had married a man named oakshott, and lived in brixton road, where she fa", "y sister's house. she had married a man named oakshott, and lived in brixton road, where she fattene", "ter's house. she had married a man named oakshott, and lived in brixton road, where she fattened fow", ' house. she had married a man named oakshott, and lived in brixton road, where she fattened fowls fo', 'e. she had married a man named oakshott, and lived in brixton road, where she fattened fowls for the', 'e had married a man named oakshott, and lived in brixton road, where she fattened fowls for the mark', ' married a man named oakshott, and lived in brixton road, where she fattened fowls for the market. a', 'ied a man named oakshott, and lived in brixton road, where she fattened fowls for the market. all th', ' man named oakshott, and lived in brixton road, where she fattened fowls for the market. all the way', 'named oakshott, and lived in brixton road, where she fattened fowls for the market. all the way ther', ' oakshott, and lived in brixton road, where she fattened fowls for the market. all the way there eve', 'hott, and lived in brixton road, where she fattened fowls for the market. all the way there every ma', ' and lived in brixton road, where she fattened fowls for the market. all the way there every man i m', 'lived in brixton road, where she fattened fowls for the market. all the way there every man i met se', ' in brixton road, where she fattened fowls for the market. all the way there every man i met seemed ', 'rixton road, where she fattened fowls for the market. all the way there every man i met seemed to me', 'n road, where she fattened fowls for the market. all the way there every man i met seemed to me to b', 'd, where she fattened fowls for the market. all the way there every man i met seemed to me to be a p', 'ere she fattened fowls for the market. all the way there every man i met seemed to me to be a police', 'he fattened fowls for the market. all the way there every man i met seemed to me to be a policeman o', 'ttened fowls for the market. all the way there every man i met seemed to me to be a policeman or a d', 'd fowls for the market. all the way there every man i met seemed to me to be a policeman or a detect', 'ls for the market. all the way there every man i met seemed to me to be a policeman or a detective; ', 'r the market. all the way there every man i met seemed to me to be a policeman or a detective; and, ', ' market. all the way there every man i met seemed to me to be a policeman or a detective; and, for a', 'et. all the way there every man i met seemed to me to be a policeman or a detective; and, for all th', 'll the way there every man i met seemed to me to be a policeman or a detective; and, for all that it', 'e way there every man i met seemed to me to be a policeman or a detective; and, for all that it was ', ' there every man i met seemed to me to be a policeman or a detective; and, for all that it was a col', 'e every man i met seemed to me to be a policeman or a detective; and, for all that it was a cold nig', 'ry man i met seemed to me to be a policeman or a detective; and, for all that it was a cold night, t', 'n i met seemed to me to be a policeman or a detective; and, for all that it was a cold night, the sw', 'et seemed to me to be a policeman or a detective; and, for all that it was a cold night, the sweat w', 'emed to me to be a policeman or a detective; and, for all that it was a cold night, the sweat was po', 'to me to be a policeman or a detective; and, for all that it was a cold night, the sweat was pouring', ' to be a policeman or a detective; and, for all that it was a cold night, the sweat was pouring down', 'e a policeman or a detective; and, for all that it was a cold night, the sweat was pouring down my f', 'oliceman or a detective; and, for all that it was a cold night, the sweat was pouring down my face b', 'man or a detective; and, for all that it was a cold night, the sweat was pouring down my face before', 'r a detective; and, for all that it was a cold night, the sweat was pouring down my face before i ca', 'etective; and, for all that it was a cold night, the sweat was pouring down my face before i came to', 'ive; and, for all that it was a cold night, the sweat was pouring down my face before i came to the ', 'and, for all that it was a cold night, the sweat was pouring down my face before i came to the brixt', 'for all that it was a cold night, the sweat was pouring down my face before i came to the brixton ro', 'll that it was a cold night, the sweat was pouring down my face before i came to the brixton road. m', 'at it was a cold night, the sweat was pouring down my face before i came to the brixton road. my sis', ' was a cold night, the sweat was pouring down my face before i came to the brixton road. my sister a', 'a cold night, the sweat was pouring down my face before i came to the brixton road. my sister asked ', 'd night, the sweat was pouring down my face before i came to the brixton road. my sister asked me wh', 'ht, the sweat was pouring down my face before i came to the brixton road. my sister asked me what wa', 'he sweat was pouring down my face before i came to the brixton road. my sister asked me what was the', 'eat was pouring down my face before i came to the brixton road. my sister asked me what was the matt', 'as pouring down my face before i came to the brixton road. my sister asked me what was the matter, a', 'uring down my face before i came to the brixton road. my sister asked me what was the matter, and wh', ' down my face before i came to the brixton road. my sister asked me what was the matter, and why i w', ' my face before i came to the brixton road. my sister asked me what was the matter, and why i was so', 'ace before i came to the brixton road. my sister asked me what was the matter, and why i was so pale', 'efore i came to the brixton road. my sister asked me what was the matter, and why i was so pale; but', ' i came to the brixton road. my sister asked me what was the matter, and why i was so pale; but i to', 'me to the brixton road. my sister asked me what was the matter, and why i was so pale; but i told he', ' the brixton road. my sister asked me what was the matter, and why i was so pale; but i told her tha', 'brixton road. my sister asked me what was the matter, and why i was so pale; but i told her that i h', 'on road. my sister asked me what was the matter, and why i was so pale; but i told her that i had be', 'ad. my sister asked me what was the matter, and why i was so pale; but i told her that i had been up', 'y sister asked me what was the matter, and why i was so pale; but i told her that i had been upset b', 'ter asked me what was the matter, and why i was so pale; but i told her that i had been upset by the', 'sked me what was the matter, and why i was so pale; but i told her that i had been upset by the jewe', 'me what was the matter, and why i was so pale; but i told her that i had been upset by the jewel rob', 'at was the matter, and why i was so pale; but i told her that i had been upset by the jewel robbery ', 's the matter, and why i was so pale; but i told her that i had been upset by the jewel robbery at th', ' matter, and why i was so pale; but i told her that i had been upset by the jewel robbery at the hot', 'er, and why i was so pale; but i told her that i had been upset by the jewel robbery at the hotel. t', 'nd why i was so pale; but i told her that i had been upset by the jewel robbery at the hotel. then i', 'y i was so pale; but i told her that i had been upset by the jewel robbery at the hotel. then i went', 'as so pale; but i told her that i had been upset by the jewel robbery at the hotel. then i went into', ' pale; but i told her that i had been upset by the jewel robbery at the hotel. then i went into the ', '; but i told her that i had been upset by the jewel robbery at the hotel. then i went into the back ', ' i told her that i had been upset by the jewel robbery at the hotel. then i went into the back yard ', 'ld her that i had been upset by the jewel robbery at the hotel. then i went into the back yard and s', 'r that i had been upset by the jewel robbery at the hotel. then i went into the back yard and smoked', 't i had been upset by the jewel robbery at the hotel. then i went into the back yard and smoked a pi', 'ad been upset by the jewel robbery at the hotel. then i went into the back yard and smoked a pipe an', 'en upset by the jewel robbery at the hotel. then i went into the back yard and smoked a pipe and won', 'set by the jewel robbery at the hotel. then i went into the back yard and smoked a pipe and wondered', 'y the jewel robbery at the hotel. then i went into the back yard and smoked a pipe and wondered what', ' jewel robbery at the hotel. then i went into the back yard and smoked a pipe and wondered what it w', 'l robbery at the hotel. then i went into the back yard and smoked a pipe and wondered what it would ', 'bery at the hotel. then i went into the back yard and smoked a pipe and wondered what it would be be', 'at the hotel. then i went into the back yard and smoked a pipe and wondered what it would be best to', 'e hotel. then i went into the back yard and smoked a pipe and wondered what it would be best to do. ', 'el. then i went into the back yard and smoked a pipe and wondered what it would be best to do. "i ha', 'hen i went into the back yard and smoked a pipe and wondered what it would be best to do. "i had a f', ' went into the back yard and smoked a pipe and wondered what it would be best to do. "i had a friend', ' into the back yard and smoked a pipe and wondered what it would be best to do. "i had a friend once', ' the back yard and smoked a pipe and wondered what it would be best to do. "i had a friend once call', 'back yard and smoked a pipe and wondered what it would be best to do. "i had a friend once called ma', 'yard and smoked a pipe and wondered what it would be best to do. "i had a friend once called maudsle', 'and smoked a pipe and wondered what it would be best to do. "i had a friend once called maudsley, wh', 'moked a pipe and wondered what it would be best to do. "i had a friend once called maudsley, who wen', ' a pipe and wondered what it would be best to do. "i had a friend once called maudsley, who went to ', 'pe and wondered what it would be best to do. "i had a friend once called maudsley, who went to the b', 'd wondered what it would be best to do. "i had a friend once called maudsley, who went to the bad, a', 'dered what it would be best to do. "i had a friend once called maudsley, who went to the bad, and ha', ' what it would be best to do. "i had a friend once called maudsley, who went to the bad, and has jus', ' it would be best to do. "i had a friend once called maudsley, who went to the bad, and has just bee', 'ould be best to do. "i had a friend once called maudsley, who went to the bad, and has just been ser', 'be best to do. "i had a friend once called maudsley, who went to the bad, and has just been serving ', 'st to do. "i had a friend once called maudsley, who went to the bad, and has just been serving his t', ' do. "i had a friend once called maudsley, who went to the bad, and has just been serving his time i', '"i had a friend once called maudsley, who went to the bad, and has just been serving his time in pen', 'd a friend once called maudsley, who went to the bad, and has just been serving his time in pentonvi', 'riend once called maudsley, who went to the bad, and has just been serving his time in pentonville. ', ' once called maudsley, who went to the bad, and has just been serving his time in pentonville. one d', ' called maudsley, who went to the bad, and has just been serving his time in pentonville. one day he', 'ed maudsley, who went to the bad, and has just been serving his time in pentonville. one day he had ', 'udsley, who went to the bad, and has just been serving his time in pentonville. one day he had met m', 'y, who went to the bad, and has just been serving his time in pentonville. one day he had met me, an', 'o went to the bad, and has just been serving his time in pentonville. one day he had met me, and fel', 't to the bad, and has just been serving his time in pentonville. one day he had met me, and fell int', 'the bad, and has just been serving his time in pentonville. one day he had met me, and fell into tal', 'ad, and has just been serving his time in pentonville. one day he had met me, and fell into talk abo', 'nd has just been serving his time in pentonville. one day he had met me, and fell into talk about th', 's just been serving his time in pentonville. one day he had met me, and fell into talk about the way', 't been serving his time in pentonville. one day he had met me, and fell into talk about the ways of ', 'n serving his time in pentonville. one day he had met me, and fell into talk about the ways of thiev', 'ving his time in pentonville. one day he had met me, and fell into talk about the ways of thieves, a', 'his time in pentonville. one day he had met me, and fell into talk about the ways of thieves, and ho', 'ime in pentonville. one day he had met me, and fell into talk about the ways of thieves, and how the', 'n pentonville. one day he had met me, and fell into talk about the ways of thieves, and how they cou', 'tonville. one day he had met me, and fell into talk about the ways of thieves, and how they could ge', 'lle. one day he had met me, and fell into talk about the ways of thieves, and how they could get rid', 'one day he had met me, and fell into talk about the ways of thieves, and how they could get rid of w', 'ay he had met me, and fell into talk about the ways of thieves, and how they could get rid of what t', ' had met me, and fell into talk about the ways of thieves, and how they could get rid of what they s', 'met me, and fell into talk about the ways of thieves, and how they could get rid of what they stole.', 'e, and fell into talk about the ways of thieves, and how they could get rid of what they stole. i kn', 'd fell into talk about the ways of thieves, and how they could get rid of what they stole. i knew th', 'l into talk about the ways of thieves, and how they could get rid of what they stole. i knew that he', 'o talk about the ways of thieves, and how they could get rid of what they stole. i knew that he woul', 'k about the ways of thieves, and how they could get rid of what they stole. i knew that he would be ', 'ut the ways of thieves, and how they could get rid of what they stole. i knew that he would be true ', 'e ways of thieves, and how they could get rid of what they stole. i knew that he would be true to me', 's of thieves, and how they could get rid of what they stole. i knew that he would be true to me, for', 'thieves, and how they could get rid of what they stole. i knew that he would be true to me, for i kn', 'es, and how they could get rid of what they stole. i knew that he would be true to me, for i knew on', 'nd how they could get rid of what they stole. i knew that he would be true to me, for i knew one or ', 'w they could get rid of what they stole. i knew that he would be true to me, for i knew one or two t', 'y could get rid of what they stole. i knew that he would be true to me, for i knew one or two things', 'ld get rid of what they stole. i knew that he would be true to me, for i knew one or two things abou', 't rid of what they stole. i knew that he would be true to me, for i knew one or two things about him', ' of what they stole. i knew that he would be true to me, for i knew one or two things about him; so ', 'hat they stole. i knew that he would be true to me, for i knew one or two things about him; so i mad', 'hey stole. i knew that he would be true to me, for i knew one or two things about him; so i made up ', 'tole. i knew that he would be true to me, for i knew one or two things about him; so i made up my mi', ' i knew that he would be true to me, for i knew one or two things about him; so i made up my mind to', 'ew that he would be true to me, for i knew one or two things about him; so i made up my mind to go r', 'at he would be true to me, for i knew one or two things about him; so i made up my mind to go right ', ' would be true to me, for i knew one or two things about him; so i made up my mind to go right on to', 'd be true to me, for i knew one or two things about him; so i made up my mind to go right on to kilb', 'true to me, for i knew one or two things about him; so i made up my mind to go right on to kilburn, ', 'to me, for i knew one or two things about him; so i made up my mind to go right on to kilburn, where', ', for i knew one or two things about him; so i made up my mind to go right on to kilburn, where he l', ' i knew one or two things about him; so i made up my mind to go right on to kilburn, where he lived,', 'ew one or two things about him; so i made up my mind to go right on to kilburn, where he lived, and ', 'e or two things about him; so i made up my mind to go right on to kilburn, where he lived, and take ', 'two things about him; so i made up my mind to go right on to kilburn, where he lived, and take him i', 'hings about him; so i made up my mind to go right on to kilburn, where he lived, and take him into m', ' about him; so i made up my mind to go right on to kilburn, where he lived, and take him into my con', 't him; so i made up my mind to go right on to kilburn, where he lived, and take him into my confiden', '; so i made up my mind to go right on to kilburn, where he lived, and take him into my confidence. h', 'i made up my mind to go right on to kilburn, where he lived, and take him into my confidence. he wou', 'e up my mind to go right on to kilburn, where he lived, and take him into my confidence. he would sh', 'my mind to go right on to kilburn, where he lived, and take him into my confidence. he would show me', 'nd to go right on to kilburn, where he lived, and take him into my confidence. he would show me how ', ' go right on to kilburn, where he lived, and take him into my confidence. he would show me how to tu', 'ight on to kilburn, where he lived, and take him into my confidence. he would show me how to turn th', 'on to kilburn, where he lived, and take him into my confidence. he would show me how to turn the sto', ' kilburn, where he lived, and take him into my confidence. he would show me how to turn the stone in', 'urn, where he lived, and take him into my confidence. he would show me how to turn the stone into mo', 'where he lived, and take him into my confidence. he would show me how to turn the stone into money. ', ' he lived, and take him into my confidence. he would show me how to turn the stone into money. but h', 'ived, and take him into my confidence. he would show me how to turn the stone into money. but how to', ' and take him into my confidence. he would show me how to turn the stone into money. but how to get ', 'take him into my confidence. he would show me how to turn the stone into money. but how to get to hi', 'him into my confidence. he would show me how to turn the stone into money. but how to get to him in ', 'nto my confidence. he would show me how to turn the stone into money. but how to get to him in safet', 'y confidence. he would show me how to turn the stone into money. but how to get to him in safety? i ', 'fidence. he would show me how to turn the stone into money. but how to get to him in safety? i thoug', 'ce. he would show me how to turn the stone into money. but how to get to him in safety? i thought of', 'e would show me how to turn the stone into money. but how to get to him in safety? i thought of the ', 'ld show me how to turn the stone into money. but how to get to him in safety? i thought of the agoni', 'ow me how to turn the stone into money. but how to get to him in safety? i thought of the agonies i ', ' how to turn the stone into money. but how to get to him in safety? i thought of the agonies i had g', 'to turn the stone into money. but how to get to him in safety? i thought of the agonies i had gone t', 'rn the stone into money. but how to get to him in safety? i thought of the agonies i had gone throug', 'e stone into money. but how to get to him in safety? i thought of the agonies i had gone through in ', 'ne into money. but how to get to him in safety? i thought of the agonies i had gone through in comin', 'to money. but how to get to him in safety? i thought of the agonies i had gone through in coming fro', 'ney. but how to get to him in safety? i thought of the agonies i had gone through in coming from the', 'but how to get to him in safety? i thought of the agonies i had gone through in coming from the hote', 'ow to get to him in safety? i thought of the agonies i had gone through in coming from the hotel. i ', ' get to him in safety? i thought of the agonies i had gone through in coming from the hotel. i might', 'to him in safety? i thought of the agonies i had gone through in coming from the hotel. i might at a', 'm in safety? i thought of the agonies i had gone through in coming from the hotel. i might at any mo', 'safety? i thought of the agonies i had gone through in coming from the hotel. i might at any moment ', 'y? i thought of the agonies i had gone through in coming from the hotel. i might at any moment be se', 'thought of the agonies i had gone through in coming from the hotel. i might at any moment be seized ', 'ht of the agonies i had gone through in coming from the hotel. i might at any moment be seized and s', ' the agonies i had gone through in coming from the hotel. i might at any moment be seized and search', 'agonies i had gone through in coming from the hotel. i might at any moment be seized and searched, a', 'es i had gone through in coming from the hotel. i might at any moment be seized and searched, and th', 'had gone through in coming from the hotel. i might at any moment be seized and searched, and there w', 'one through in coming from the hotel. i might at any moment be seized and searched, and there would ', 'hrough in coming from the hotel. i might at any moment be seized and searched, and there would be th', 'h in coming from the hotel. i might at any moment be seized and searched, and there would be the sto', 'coming from the hotel. i might at any moment be seized and searched, and there would be the stone in', 'g from the hotel. i might at any moment be seized and searched, and there would be the stone in my w', 'm the hotel. i might at any moment be seized and searched, and there would be the stone in my waistc', ' hotel. i might at any moment be seized and searched, and there would be the stone in my waistcoat p', 'l. i might at any moment be seized and searched, and there would be the stone in my waistcoat pocket', 'might at any moment be seized and searched, and there would be the stone in my waistcoat pocket. i w', ' at any moment be seized and searched, and there would be the stone in my waistcoat pocket. i was le', 'ny moment be seized and searched, and there would be the stone in my waistcoat pocket. i was leaning', 'ment be seized and searched, and there would be the stone in my waistcoat pocket. i was leaning agai', 'be seized and searched, and there would be the stone in my waistcoat pocket. i was leaning against t', 'ized and searched, and there would be the stone in my waistcoat pocket. i was leaning against the wa', 'and searched, and there would be the stone in my waistcoat pocket. i was leaning against the wall at', 'earched, and there would be the stone in my waistcoat pocket. i was leaning against the wall at the ', 'ed, and there would be the stone in my waistcoat pocket. i was leaning against the wall at the time ', 'nd there would be the stone in my waistcoat pocket. i was leaning against the wall at the time and l', 'ere would be the stone in my waistcoat pocket. i was leaning against the wall at the time and lookin', 'ould be the stone in my waistcoat pocket. i was leaning against the wall at the time and looking at ', 'be the stone in my waistcoat pocket. i was leaning against the wall at the time and looking at the g', 'e stone in my waistcoat pocket. i was leaning against the wall at the time and looking at the geese ', 'ne in my waistcoat pocket. i was leaning against the wall at the time and looking at the geese which', ' my waistcoat pocket. i was leaning against the wall at the time and looking at the geese which were', 'aistcoat pocket. i was leaning against the wall at the time and looking at the geese which were wadd', 'oat pocket. i was leaning against the wall at the time and looking at the geese which were waddling ', 'ocket. i was leaning against the wall at the time and looking at the geese which were waddling about', '. i was leaning against the wall at the time and looking at the geese which were waddling about roun', 'as leaning against the wall at the time and looking at the geese which were waddling about round my ', 'aning against the wall at the time and looking at the geese which were waddling about round my feet,', ' against the wall at the time and looking at the geese which were waddling about round my feet, and ', 'nst the wall at the time and looking at the geese which were waddling about round my feet, and sudde', 'he wall at the time and looking at the geese which were waddling about round my feet, and suddenly a', 'll at the time and looking at the geese which were waddling about round my feet, and suddenly an ide', ' the time and looking at the geese which were waddling about round my feet, and suddenly an idea cam', 'time and looking at the geese which were waddling about round my feet, and suddenly an idea came int', 'and looking at the geese which were waddling about round my feet, and suddenly an idea came into my ', 'ooking at the geese which were waddling about round my feet, and suddenly an idea came into my head ', 'g at the geese which were waddling about round my feet, and suddenly an idea came into my head which', 'the geese which were waddling about round my feet, and suddenly an idea came into my head which show', 'eese which were waddling about round my feet, and suddenly an idea came into my head which showed me', 'which were waddling about round my feet, and suddenly an idea came into my head which showed me how ', ' were waddling about round my feet, and suddenly an idea came into my head which showed me how i cou', ' waddling about round my feet, and suddenly an idea came into my head which showed me how i could be', 'ling about round my feet, and suddenly an idea came into my head which showed me how i could beat th', 'about round my feet, and suddenly an idea came into my head which showed me how i could beat the bes', ' round my feet, and suddenly an idea came into my head which showed me how i could beat the best det', 'd my feet, and suddenly an idea came into my head which showed me how i could beat the best detectiv', 'feet, and suddenly an idea came into my head which showed me how i could beat the best detective tha', ' and suddenly an idea came into my head which showed me how i could beat the best detective that eve', 'suddenly an idea came into my head which showed me how i could beat the best detective that ever liv', 'nly an idea came into my head which showed me how i could beat the best detective that ever lived. "', 'n idea came into my head which showed me how i could beat the best detective that ever lived. "my si', 'a came into my head which showed me how i could beat the best detective that ever lived. "my sister ', 'e into my head which showed me how i could beat the best detective that ever lived. "my sister had t', 'o my head which showed me how i could beat the best detective that ever lived. "my sister had told m', 'head which showed me how i could beat the best detective that ever lived. "my sister had told me som', 'which showed me how i could beat the best detective that ever lived. "my sister had told me some wee', ' showed me how i could beat the best detective that ever lived. "my sister had told me some weeks be', 'ed me how i could beat the best detective that ever lived. "my sister had told me some weeks before ', ' how i could beat the best detective that ever lived. "my sister had told me some weeks before that ', 'i could beat the best detective that ever lived. "my sister had told me some weeks before that i mig', 'ld beat the best detective that ever lived. "my sister had told me some weeks before that i might ha', 'at the best detective that ever lived. "my sister had told me some weeks before that i might have th', 'e best detective that ever lived. "my sister had told me some weeks before that i might have the pic', 't detective that ever lived. "my sister had told me some weeks before that i might have the pick of ', 'ective that ever lived. "my sister had told me some weeks before that i might have the pick of her g', 'e that ever lived. "my sister had told me some weeks before that i might have the pick of her geese ', 't ever lived. "my sister had told me some weeks before that i might have the pick of her geese for a', 'r lived. "my sister had told me some weeks before that i might have the pick of her geese for a chri', 'ed. "my sister had told me some weeks before that i might have the pick of her geese for a christmas', 'my sister had told me some weeks before that i might have the pick of her geese for a christmas pres', 'ster had told me some weeks before that i might have the pick of her geese for a christmas present, ', 'had told me some weeks before that i might have the pick of her geese for a christmas present, and i', 'old me some weeks before that i might have the pick of her geese for a christmas present, and i knew', 'e some weeks before that i might have the pick of her geese for a christmas present, and i knew that', 'e weeks before that i might have the pick of her geese for a christmas present, and i knew that she ', 'ks before that i might have the pick of her geese for a christmas present, and i knew that she was a', 'fore that i might have the pick of her geese for a christmas present, and i knew that she was always', 'that i might have the pick of her geese for a christmas present, and i knew that she was always as g', 'i might have the pick of her geese for a christmas present, and i knew that she was always as good a', 'ht have the pick of her geese for a christmas present, and i knew that she was always as good as her', 've the pick of her geese for a christmas present, and i knew that she was always as good as her word', 'e pick of her geese for a christmas present, and i knew that she was always as good as her word. i w', 'k of her geese for a christmas present, and i knew that she was always as good as her word. i would ', 'her geese for a christmas present, and i knew that she was always as good as her word. i would take ', 'eese for a christmas present, and i knew that she was always as good as her word. i would take my go', 'for a christmas present, and i knew that she was always as good as her word. i would take my goose n', ' christmas present, and i knew that she was always as good as her word. i would take my goose now, a', 'stmas present, and i knew that she was always as good as her word. i would take my goose now, and in', ' present, and i knew that she was always as good as her word. i would take my goose now, and in it i', 'ent, and i knew that she was always as good as her word. i would take my goose now, and in it i woul', 'and i knew that she was always as good as her word. i would take my goose now, and in it i would car', ' knew that she was always as good as her word. i would take my goose now, and in it i would carry my', ' that she was always as good as her word. i would take my goose now, and in it i would carry my ston', ' she was always as good as her word. i would take my goose now, and in it i would carry my stone to ', 'was always as good as her word. i would take my goose now, and in it i would carry my stone to kilbu', 'lways as good as her word. i would take my goose now, and in it i would carry my stone to kilburn. t', ' as good as her word. i would take my goose now, and in it i would carry my stone to kilburn. there ', 'ood as her word. i would take my goose now, and in it i would carry my stone to kilburn. there was a', 's her word. i would take my goose now, and in it i would carry my stone to kilburn. there was a litt', ' word. i would take my goose now, and in it i would carry my stone to kilburn. there was a little sh', '. i would take my goose now, and in it i would carry my stone to kilburn. there was a little shed in', 'ould take my goose now, and in it i would carry my stone to kilburn. there was a little shed in the ', 'take my goose now, and in it i would carry my stone to kilburn. there was a little shed in the yard,', 'my goose now, and in it i would carry my stone to kilburn. there was a little shed in the yard, and ', 'ose now, and in it i would carry my stone to kilburn. there was a little shed in the yard, and behin', 'ow, and in it i would carry my stone to kilburn. there was a little shed in the yard, and behind thi', 'nd in it i would carry my stone to kilburn. there was a little shed in the yard, and behind this i d', ' it i would carry my stone to kilburn. there was a little shed in the yard, and behind this i drove ', ' would carry my stone to kilburn. there was a little shed in the yard, and behind this i drove one o', 'd carry my stone to kilburn. there was a little shed in the yard, and behind this i drove one of the', 'ry my stone to kilburn. there was a little shed in the yard, and behind this i drove one of the bird', ' stone to kilburn. there was a little shed in the yard, and behind this i drove one of the birdsa fi', 'e to kilburn. there was a little shed in the yard, and behind this i drove one of the birdsa fine bi', 'kilburn. there was a little shed in the yard, and behind this i drove one of the birdsa fine big one', 'rn. there was a little shed in the yard, and behind this i drove one of the birdsa fine big one, whi', 'here was a little shed in the yard, and behind this i drove one of the birdsa fine big one, white, w', 'was a little shed in the yard, and behind this i drove one of the birdsa fine big one, white, with a', ' little shed in the yard, and behind this i drove one of the birdsa fine big one, white, with a barr', 'le shed in the yard, and behind this i drove one of the birdsa fine big one, white, with a barred ta', 'ed in the yard, and behind this i drove one of the birdsa fine big one, white, with a barred tail. i', ' the yard, and behind this i drove one of the birdsa fine big one, white, with a barred tail. i caug', 'yard, and behind this i drove one of the birdsa fine big one, white, with a barred tail. i caught it', ' and behind this i drove one of the birdsa fine big one, white, with a barred tail. i caught it, and', 'behind this i drove one of the birdsa fine big one, white, with a barred tail. i caught it, and pryi', 'd this i drove one of the birdsa fine big one, white, with a barred tail. i caught it, and prying it', 's i drove one of the birdsa fine big one, white, with a barred tail. i caught it, and prying its bil', 'rove one of the birdsa fine big one, white, with a barred tail. i caught it, and prying its bill ope', 'one of the birdsa fine big one, white, with a barred tail. i caught it, and prying its bill open, i ', 'f the birdsa fine big one, white, with a barred tail. i caught it, and prying its bill open, i thrus', ' birdsa fine big one, white, with a barred tail. i caught it, and prying its bill open, i thrust the', 'sa fine big one, white, with a barred tail. i caught it, and prying its bill open, i thrust the ston', 'ne big one, white, with a barred tail. i caught it, and prying its bill open, i thrust the stone dow', 'g one, white, with a barred tail. i caught it, and prying its bill open, i thrust the stone down its', ', white, with a barred tail. i caught it, and prying its bill open, i thrust the stone down its thro', 'te, with a barred tail. i caught it, and prying its bill open, i thrust the stone down its throat as', 'ith a barred tail. i caught it, and prying its bill open, i thrust the stone down its throat as far ', ' barred tail. i caught it, and prying its bill open, i thrust the stone down its throat as far as my', 'ed tail. i caught it, and prying its bill open, i thrust the stone down its throat as far as my fing', 'il. i caught it, and prying its bill open, i thrust the stone down its throat as far as my finger co', ' caught it, and prying its bill open, i thrust the stone down its throat as far as my finger could r', 'ht it, and prying its bill open, i thrust the stone down its throat as far as my finger could reach.', ', and prying its bill open, i thrust the stone down its throat as far as my finger could reach. the ', ' prying its bill open, i thrust the stone down its throat as far as my finger could reach. the bird ', 'ng its bill open, i thrust the stone down its throat as far as my finger could reach. the bird gave ', 's bill open, i thrust the stone down its throat as far as my finger could reach. the bird gave a gul', 'l open, i thrust the stone down its throat as far as my finger could reach. the bird gave a gulp, an', 'n, i thrust the stone down its throat as far as my finger could reach. the bird gave a gulp, and i f', 'thrust the stone down its throat as far as my finger could reach. the bird gave a gulp, and i felt t', 't the stone down its throat as far as my finger could reach. the bird gave a gulp, and i felt the st', ' stone down its throat as far as my finger could reach. the bird gave a gulp, and i felt the stone p', 'e down its throat as far as my finger could reach. the bird gave a gulp, and i felt the stone pass a', 'n its throat as far as my finger could reach. the bird gave a gulp, and i felt the stone pass along ', ' throat as far as my finger could reach. the bird gave a gulp, and i felt the stone pass along its g', 'at as far as my finger could reach. the bird gave a gulp, and i felt the stone pass along its gullet', ' far as my finger could reach. the bird gave a gulp, and i felt the stone pass along its gullet and ', 'as my finger could reach. the bird gave a gulp, and i felt the stone pass along its gullet and down ', ' finger could reach. the bird gave a gulp, and i felt the stone pass along its gullet and down into ', 'er could reach. the bird gave a gulp, and i felt the stone pass along its gullet and down into its c', 'uld reach. the bird gave a gulp, and i felt the stone pass along its gullet and down into its crop. ', 'each. the bird gave a gulp, and i felt the stone pass along its gullet and down into its crop. but t', ' the bird gave a gulp, and i felt the stone pass along its gullet and down into its crop. but the cr', 'bird gave a gulp, and i felt the stone pass along its gullet and down into its crop. but the creatur', 'gave a gulp, and i felt the stone pass along its gullet and down into its crop. but the creature fla', 'a gulp, and i felt the stone pass along its gullet and down into its crop. but the creature flapped ', 'p, and i felt the stone pass along its gullet and down into its crop. but the creature flapped and s', 'd i felt the stone pass along its gullet and down into its crop. but the creature flapped and strugg', 'elt the stone pass along its gullet and down into its crop. but the creature flapped and struggled, ', 'he stone pass along its gullet and down into its crop. but the creature flapped and struggled, and o', 'one pass along its gullet and down into its crop. but the creature flapped and struggled, and out ca', 'ass along its gullet and down into its crop. but the creature flapped and struggled, and out came my', 'long its gullet and down into its crop. but the creature flapped and struggled, and out came my sist', 'its gullet and down into its crop. but the creature flapped and struggled, and out came my sister to', 'ullet and down into its crop. but the creature flapped and struggled, and out came my sister to know', ' and down into its crop. but the creature flapped and struggled, and out came my sister to know what', 'down into its crop. but the creature flapped and struggled, and out came my sister to know what was ', 'into its crop. but the creature flapped and struggled, and out came my sister to know what was the m', 'its crop. but the creature flapped and struggled, and out came my sister to know what was the matter', 'rop. but the creature flapped and struggled, and out came my sister to know what was the matter. as ', 'but the creature flapped and struggled, and out came my sister to know what was the matter. as i tur', 'he creature flapped and struggled, and out came my sister to know what was the matter. as i turned t', 'eature flapped and struggled, and out came my sister to know what was the matter. as i turned to spe', 'e flapped and struggled, and out came my sister to know what was the matter. as i turned to speak to', 'pped and struggled, and out came my sister to know what was the matter. as i turned to speak to her ', 'and struggled, and out came my sister to know what was the matter. as i turned to speak to her the b', 'truggled, and out came my sister to know what was the matter. as i turned to speak to her the brute ', 'led, and out came my sister to know what was the matter. as i turned to speak to her the brute broke', 'and out came my sister to know what was the matter. as i turned to speak to her the brute broke loos', 'ut came my sister to know what was the matter. as i turned to speak to her the brute broke loose and', 'me my sister to know what was the matter. as i turned to speak to her the brute broke loose and flut', ' sister to know what was the matter. as i turned to speak to her the brute broke loose and fluttered', 'er to know what was the matter. as i turned to speak to her the brute broke loose and fluttered off ', ' know what was the matter. as i turned to speak to her the brute broke loose and fluttered off among', ' what was the matter. as i turned to speak to her the brute broke loose and fluttered off among the ', ' was the matter. as i turned to speak to her the brute broke loose and fluttered off among the other', 'the matter. as i turned to speak to her the brute broke loose and fluttered off among the others. "\'', 'atter. as i turned to speak to her the brute broke loose and fluttered off among the others. "\'whate', '. as i turned to speak to her the brute broke loose and fluttered off among the others. "\'whatever w', 'i turned to speak to her the brute broke loose and fluttered off among the others. "\'whatever were y', 'ned to speak to her the brute broke loose and fluttered off among the others. "\'whatever were you do', 'o speak to her the brute broke loose and fluttered off among the others. "\'whatever were you doing w', 'ak to her the brute broke loose and fluttered off among the others. "\'whatever were you doing with t', ' her the brute broke loose and fluttered off among the others. "\'whatever were you doing with that b', 'the brute broke loose and fluttered off among the others. "\'whatever were you doing with that bird, ', 'rute broke loose and fluttered off among the others. "\'whatever were you doing with that bird, jem?\'', 'broke loose and fluttered off among the others. "\'whatever were you doing with that bird, jem?\' says', ' loose and fluttered off among the others. "\'whatever were you doing with that bird, jem?\' says she.', 'e and fluttered off among the others. "\'whatever were you doing with that bird, jem?\' says she. "\'we', ' fluttered off among the others. "\'whatever were you doing with that bird, jem?\' says she. "\'well,\' ', 'tered off among the others. "\'whatever were you doing with that bird, jem?\' says she. "\'well,\' said ', ' off among the others. "\'whatever were you doing with that bird, jem?\' says she. "\'well,\' said i, \'y', 'among the others. "\'whatever were you doing with that bird, jem?\' says she. "\'well,\' said i, \'you sa', ' the others. "\'whatever were you doing with that bird, jem?\' says she. "\'well,\' said i, \'you said yo', 'others. "\'whatever were you doing with that bird, jem?\' says she. "\'well,\' said i, \'you said you\'d g', 's. "\'whatever were you doing with that bird, jem?\' says she. "\'well,\' said i, \'you said you\'d give m', 'whatever were you doing with that bird, jem?\' says she. "\'well,\' said i, \'you said you\'d give me one', 'ver were you doing with that bird, jem?\' says she. "\'well,\' said i, \'you said you\'d give me one for ', 'ere you doing with that bird, jem?\' says she. "\'well,\' said i, \'you said you\'d give me one for chris', 'ou doing with that bird, jem?\' says she. "\'well,\' said i, \'you said you\'d give me one for christmas,', 'ing with that bird, jem?\' says she. "\'well,\' said i, \'you said you\'d give me one for christmas, and ', 'ith that bird, jem?\' says she. "\'well,\' said i, \'you said you\'d give me one for christmas, and i was', 'hat bird, jem?\' says she. "\'well,\' said i, \'you said you\'d give me one for christmas, and i was feel', 'ird, jem?\' says she. "\'well,\' said i, \'you said you\'d give me one for christmas, and i was feeling w', 'jem?\' says she. "\'well,\' said i, \'you said you\'d give me one for christmas, and i was feeling which ', ' says she. "\'well,\' said i, \'you said you\'d give me one for christmas, and i was feeling which was t', ' she. "\'well,\' said i, \'you said you\'d give me one for christmas, and i was feeling which was the fa', ' "\'well,\' said i, \'you said you\'d give me one for christmas, and i was feeling which was the fattest', 'll,\' said i, \'you said you\'d give me one for christmas, and i was feeling which was the fattest.\' "\'', 'said i, \'you said you\'d give me one for christmas, and i was feeling which was the fattest.\' "\'oh,\' ', 'i, \'you said you\'d give me one for christmas, and i was feeling which was the fattest.\' "\'oh,\' says ', 'ou said you\'d give me one for christmas, and i was feeling which was the fattest.\' "\'oh,\' says she, ', 'id you\'d give me one for christmas, and i was feeling which was the fattest.\' "\'oh,\' says she, \'we\'v', 'u\'d give me one for christmas, and i was feeling which was the fattest.\' "\'oh,\' says she, \'we\'ve set', 'ive me one for christmas, and i was feeling which was the fattest.\' "\'oh,\' says she, \'we\'ve set your', 'e one for christmas, and i was feeling which was the fattest.\' "\'oh,\' says she, \'we\'ve set yours asi', ' for christmas, and i was feeling which was the fattest.\' "\'oh,\' says she, \'we\'ve set yours aside fo', 'christmas, and i was feeling which was the fattest.\' "\'oh,\' says she, \'we\'ve set yours aside for you', 'tmas, and i was feeling which was the fattest.\' "\'oh,\' says she, \'we\'ve set yours aside for youjem\'s', ' and i was feeling which was the fattest.\' "\'oh,\' says she, \'we\'ve set yours aside for youjem\'s bird', 'i was feeling which was the fattest.\' "\'oh,\' says she, \'we\'ve set yours aside for youjem\'s bird, we ', ' feeling which was the fattest.\' "\'oh,\' says she, \'we\'ve set yours aside for youjem\'s bird, we call ', 'ing which was the fattest.\' "\'oh,\' says she, \'we\'ve set yours aside for youjem\'s bird, we call it. i', 'hich was the fattest.\' "\'oh,\' says she, \'we\'ve set yours aside for youjem\'s bird, we call it. it\'s t', 'was the fattest.\' "\'oh,\' says she, \'we\'ve set yours aside for youjem\'s bird, we call it. it\'s the bi', 'he fattest.\' "\'oh,\' says she, \'we\'ve set yours aside for youjem\'s bird, we call it. it\'s the big whi', 'ttest.\' "\'oh,\' says she, \'we\'ve set yours aside for youjem\'s bird, we call it. it\'s the big white on', '.\' "\'oh,\' says she, \'we\'ve set yours aside for youjem\'s bird, we call it. it\'s the big white one ove', "oh,' says she, 'we've set yours aside for youjem's bird, we call it. it's the big white one over yon", "says she, 'we've set yours aside for youjem's bird, we call it. it's the big white one over yonder. ", "she, 'we've set yours aside for youjem's bird, we call it. it's the big white one over yonder. there", "'we've set yours aside for youjem's bird, we call it. it's the big white one over yonder. there's tw", "e set yours aside for youjem's bird, we call it. it's the big white one over yonder. there's twenty-", " yours aside for youjem's bird, we call it. it's the big white one over yonder. there's twenty-six o", "s aside for youjem's bird, we call it. it's the big white one over yonder. there's twenty-six of the", "de for youjem's bird, we call it. it's the big white one over yonder. there's twenty-six of them, wh", "r youjem's bird, we call it. it's the big white one over yonder. there's twenty-six of them, which m", "jem's bird, we call it. it's the big white one over yonder. there's twenty-six of them, which makes ", " bird, we call it. it's the big white one over yonder. there's twenty-six of them, which makes one f", ", we call it. it's the big white one over yonder. there's twenty-six of them, which makes one for yo", "call it. it's the big white one over yonder. there's twenty-six of them, which makes one for you, an", "it. it's the big white one over yonder. there's twenty-six of them, which makes one for you, and one", "t's the big white one over yonder. there's twenty-six of them, which makes one for you, and one for ", "he big white one over yonder. there's twenty-six of them, which makes one for you, and one for us, a", "g white one over yonder. there's twenty-six of them, which makes one for you, and one for us, and tw", "te one over yonder. there's twenty-six of them, which makes one for you, and one for us, and two doz", "e over yonder. there's twenty-six of them, which makes one for you, and one for us, and two dozen fo", "r yonder. there's twenty-six of them, which makes one for you, and one for us, and two dozen for the", "der. there's twenty-six of them, which makes one for you, and one for us, and two dozen for the mark", "there's twenty-six of them, which makes one for you, and one for us, and two dozen for the market.' ", '\'s twenty-six of them, which makes one for you, and one for us, and two dozen for the market.\' "\'tha', 'enty-six of them, which makes one for you, and one for us, and two dozen for the market.\' "\'thank yo', 'six of them, which makes one for you, and one for us, and two dozen for the market.\' "\'thank you, ma', 'f them, which makes one for you, and one for us, and two dozen for the market.\' "\'thank you, maggie,', 'm, which makes one for you, and one for us, and two dozen for the market.\' "\'thank you, maggie,\' say', 'ich makes one for you, and one for us, and two dozen for the market.\' "\'thank you, maggie,\' says i; ', 'akes one for you, and one for us, and two dozen for the market.\' "\'thank you, maggie,\' says i; \'but ', 'one for you, and one for us, and two dozen for the market.\' "\'thank you, maggie,\' says i; \'but if it', 'or you, and one for us, and two dozen for the market.\' "\'thank you, maggie,\' says i; \'but if it is a', 'u, and one for us, and two dozen for the market.\' "\'thank you, maggie,\' says i; \'but if it is all th', 'd one for us, and two dozen for the market.\' "\'thank you, maggie,\' says i; \'but if it is all the sam', ' for us, and two dozen for the market.\' "\'thank you, maggie,\' says i; \'but if it is all the same to ', 'us, and two dozen for the market.\' "\'thank you, maggie,\' says i; \'but if it is all the same to you, ', 'nd two dozen for the market.\' "\'thank you, maggie,\' says i; \'but if it is all the same to you, i\'d r', 'o dozen for the market.\' "\'thank you, maggie,\' says i; \'but if it is all the same to you, i\'d rather', 'en for the market.\' "\'thank you, maggie,\' says i; \'but if it is all the same to you, i\'d rather have', 'r the market.\' "\'thank you, maggie,\' says i; \'but if it is all the same to you, i\'d rather have that', ' market.\' "\'thank you, maggie,\' says i; \'but if it is all the same to you, i\'d rather have that one ', 'et.\' "\'thank you, maggie,\' says i; \'but if it is all the same to you, i\'d rather have that one i was', '"\'thank you, maggie,\' says i; \'but if it is all the same to you, i\'d rather have that one i was hand', "nk you, maggie,' says i; 'but if it is all the same to you, i'd rather have that one i was handling ", "u, maggie,' says i; 'but if it is all the same to you, i'd rather have that one i was handling just ", "ggie,' says i; 'but if it is all the same to you, i'd rather have that one i was handling just now.'", '\' says i; \'but if it is all the same to you, i\'d rather have that one i was handling just now.\' "\'th', 's i; \'but if it is all the same to you, i\'d rather have that one i was handling just now.\' "\'the oth', '\'but if it is all the same to you, i\'d rather have that one i was handling just now.\' "\'the other is', 'if it is all the same to you, i\'d rather have that one i was handling just now.\' "\'the other is a go', ' is all the same to you, i\'d rather have that one i was handling just now.\' "\'the other is a good th', 'll the same to you, i\'d rather have that one i was handling just now.\' "\'the other is a good three p', 'e same to you, i\'d rather have that one i was handling just now.\' "\'the other is a good three pound ', 'e to you, i\'d rather have that one i was handling just now.\' "\'the other is a good three pound heavi', 'you, i\'d rather have that one i was handling just now.\' "\'the other is a good three pound heavier,\' ', 'i\'d rather have that one i was handling just now.\' "\'the other is a good three pound heavier,\' said ', 'ather have that one i was handling just now.\' "\'the other is a good three pound heavier,\' said she, ', ' have that one i was handling just now.\' "\'the other is a good three pound heavier,\' said she, \'and ', ' that one i was handling just now.\' "\'the other is a good three pound heavier,\' said she, \'and we fa', ' one i was handling just now.\' "\'the other is a good three pound heavier,\' said she, \'and we fattene', 'i was handling just now.\' "\'the other is a good three pound heavier,\' said she, \'and we fattened it ', ' handling just now.\' "\'the other is a good three pound heavier,\' said she, \'and we fattened it expre', 'ling just now.\' "\'the other is a good three pound heavier,\' said she, \'and we fattened it expressly ', 'just now.\' "\'the other is a good three pound heavier,\' said she, \'and we fattened it expressly for y', 'now.\' "\'the other is a good three pound heavier,\' said she, \'and we fattened it expressly for you.\' ', ' "\'the other is a good three pound heavier,\' said she, \'and we fattened it expressly for you.\' "\'nev', 'e other is a good three pound heavier,\' said she, \'and we fattened it expressly for you.\' "\'never mi', 'er is a good three pound heavier,\' said she, \'and we fattened it expressly for you.\' "\'never mind. i', ' a good three pound heavier,\' said she, \'and we fattened it expressly for you.\' "\'never mind. i\'ll h', 'od three pound heavier,\' said she, \'and we fattened it expressly for you.\' "\'never mind. i\'ll have t', 'ree pound heavier,\' said she, \'and we fattened it expressly for you.\' "\'never mind. i\'ll have the ot', 'ound heavier,\' said she, \'and we fattened it expressly for you.\' "\'never mind. i\'ll have the other, ', 'heavier,\' said she, \'and we fattened it expressly for you.\' "\'never mind. i\'ll have the other, and i', 'er,\' said she, \'and we fattened it expressly for you.\' "\'never mind. i\'ll have the other, and i\'ll t', 'said she, \'and we fattened it expressly for you.\' "\'never mind. i\'ll have the other, and i\'ll take i', 'she, \'and we fattened it expressly for you.\' "\'never mind. i\'ll have the other, and i\'ll take it now', '\'and we fattened it expressly for you.\' "\'never mind. i\'ll have the other, and i\'ll take it now,\' sa', 'we fattened it expressly for you.\' "\'never mind. i\'ll have the other, and i\'ll take it now,\' said i.', 'ttened it expressly for you.\' "\'never mind. i\'ll have the other, and i\'ll take it now,\' said i. "\'oh', 'd it expressly for you.\' "\'never mind. i\'ll have the other, and i\'ll take it now,\' said i. "\'oh, jus', 'expressly for you.\' "\'never mind. i\'ll have the other, and i\'ll take it now,\' said i. "\'oh, just as ', 'ssly for you.\' "\'never mind. i\'ll have the other, and i\'ll take it now,\' said i. "\'oh, just as you l', 'for you.\' "\'never mind. i\'ll have the other, and i\'ll take it now,\' said i. "\'oh, just as you like,\'', 'ou.\' "\'never mind. i\'ll have the other, and i\'ll take it now,\' said i. "\'oh, just as you like,\' said', '"\'never mind. i\'ll have the other, and i\'ll take it now,\' said i. "\'oh, just as you like,\' said she,', 'er mind. i\'ll have the other, and i\'ll take it now,\' said i. "\'oh, just as you like,\' said she, a li', 'nd. i\'ll have the other, and i\'ll take it now,\' said i. "\'oh, just as you like,\' said she, a little ', '\'ll have the other, and i\'ll take it now,\' said i. "\'oh, just as you like,\' said she, a little huffe', 'ave the other, and i\'ll take it now,\' said i. "\'oh, just as you like,\' said she, a little huffed. \'w', 'he other, and i\'ll take it now,\' said i. "\'oh, just as you like,\' said she, a little huffed. \'which ', 'her, and i\'ll take it now,\' said i. "\'oh, just as you like,\' said she, a little huffed. \'which is it', 'and i\'ll take it now,\' said i. "\'oh, just as you like,\' said she, a little huffed. \'which is it you ', '\'ll take it now,\' said i. "\'oh, just as you like,\' said she, a little huffed. \'which is it you want,', 'ake it now,\' said i. "\'oh, just as you like,\' said she, a little huffed. \'which is it you want, then', 't now,\' said i. "\'oh, just as you like,\' said she, a little huffed. \'which is it you want, then?\' "\'', ',\' said i. "\'oh, just as you like,\' said she, a little huffed. \'which is it you want, then?\' "\'that ', 'id i. "\'oh, just as you like,\' said she, a little huffed. \'which is it you want, then?\' "\'that white', ' "\'oh, just as you like,\' said she, a little huffed. \'which is it you want, then?\' "\'that white one ', ', just as you like,\' said she, a little huffed. \'which is it you want, then?\' "\'that white one with ', 't as you like,\' said she, a little huffed. \'which is it you want, then?\' "\'that white one with the b', 'you like,\' said she, a little huffed. \'which is it you want, then?\' "\'that white one with the barred', 'ike,\' said she, a little huffed. \'which is it you want, then?\' "\'that white one with the barred tail', ' said she, a little huffed. \'which is it you want, then?\' "\'that white one with the barred tail, rig', ' she, a little huffed. \'which is it you want, then?\' "\'that white one with the barred tail, right in', ' a little huffed. \'which is it you want, then?\' "\'that white one with the barred tail, right in the ', 'ttle huffed. \'which is it you want, then?\' "\'that white one with the barred tail, right in the middl', 'huffed. \'which is it you want, then?\' "\'that white one with the barred tail, right in the middle of ', 'd. \'which is it you want, then?\' "\'that white one with the barred tail, right in the middle of the f', 'hich is it you want, then?\' "\'that white one with the barred tail, right in the middle of the flock.', 'is it you want, then?\' "\'that white one with the barred tail, right in the middle of the flock.\' "\'o', ' you want, then?\' "\'that white one with the barred tail, right in the middle of the flock.\' "\'oh, ve', 'want, then?\' "\'that white one with the barred tail, right in the middle of the flock.\' "\'oh, very we', ' then?\' "\'that white one with the barred tail, right in the middle of the flock.\' "\'oh, very well. k', '?\' "\'that white one with the barred tail, right in the middle of the flock.\' "\'oh, very well. kill i', 'that white one with the barred tail, right in the middle of the flock.\' "\'oh, very well. kill it and', 'white one with the barred tail, right in the middle of the flock.\' "\'oh, very well. kill it and take', ' one with the barred tail, right in the middle of the flock.\' "\'oh, very well. kill it and take it w', 'with the barred tail, right in the middle of the flock.\' "\'oh, very well. kill it and take it with y', 'the barred tail, right in the middle of the flock.\' "\'oh, very well. kill it and take it with you.\' ', 'arred tail, right in the middle of the flock.\' "\'oh, very well. kill it and take it with you.\' "well', ' tail, right in the middle of the flock.\' "\'oh, very well. kill it and take it with you.\' "well, i d', ', right in the middle of the flock.\' "\'oh, very well. kill it and take it with you.\' "well, i did wh', 'ht in the middle of the flock.\' "\'oh, very well. kill it and take it with you.\' "well, i did what sh', ' the middle of the flock.\' "\'oh, very well. kill it and take it with you.\' "well, i did what she sai', 'middle of the flock.\' "\'oh, very well. kill it and take it with you.\' "well, i did what she said, mr', 'e of the flock.\' "\'oh, very well. kill it and take it with you.\' "well, i did what she said, mr. hol', 'the flock.\' "\'oh, very well. kill it and take it with you.\' "well, i did what she said, mr. holmes, ', 'lock.\' "\'oh, very well. kill it and take it with you.\' "well, i did what she said, mr. holmes, and i', '\' "\'oh, very well. kill it and take it with you.\' "well, i did what she said, mr. holmes, and i carr', 'h, very well. kill it and take it with you.\' "well, i did what she said, mr. holmes, and i carried t', 'ry well. kill it and take it with you.\' "well, i did what she said, mr. holmes, and i carried the bi', 'll. kill it and take it with you.\' "well, i did what she said, mr. holmes, and i carried the bird al', 'ill it and take it with you.\' "well, i did what she said, mr. holmes, and i carried the bird all the', 't and take it with you.\' "well, i did what she said, mr. holmes, and i carried the bird all the way ', ' take it with you.\' "well, i did what she said, mr. holmes, and i carried the bird all the way to ki', ' it with you.\' "well, i did what she said, mr. holmes, and i carried the bird all the way to kilburn', 'ith you.\' "well, i did what she said, mr. holmes, and i carried the bird all the way to kilburn. i t', 'ou.\' "well, i did what she said, mr. holmes, and i carried the bird all the way to kilburn. i told m', '"well, i did what she said, mr. holmes, and i carried the bird all the way to kilburn. i told my pal', ', i did what she said, mr. holmes, and i carried the bird all the way to kilburn. i told my pal what', 'id what she said, mr. holmes, and i carried the bird all the way to kilburn. i told my pal what i ha', 'at she said, mr. holmes, and i carried the bird all the way to kilburn. i told my pal what i had don', 'e said, mr. holmes, and i carried the bird all the way to kilburn. i told my pal what i had done, fo', 'd, mr. holmes, and i carried the bird all the way to kilburn. i told my pal what i had done, for he ', '. holmes, and i carried the bird all the way to kilburn. i told my pal what i had done, for he was a', 'mes, and i carried the bird all the way to kilburn. i told my pal what i had done, for he was a man ', 'and i carried the bird all the way to kilburn. i told my pal what i had done, for he was a man that ', ' carried the bird all the way to kilburn. i told my pal what i had done, for he was a man that it wa', 'ied the bird all the way to kilburn. i told my pal what i had done, for he was a man that it was eas', 'he bird all the way to kilburn. i told my pal what i had done, for he was a man that it was easy to ', 'rd all the way to kilburn. i told my pal what i had done, for he was a man that it was easy to tell ', 'l the way to kilburn. i told my pal what i had done, for he was a man that it was easy to tell a thi', ' way to kilburn. i told my pal what i had done, for he was a man that it was easy to tell a thing li', 'to kilburn. i told my pal what i had done, for he was a man that it was easy to tell a thing like th', 'lburn. i told my pal what i had done, for he was a man that it was easy to tell a thing like that to', '. i told my pal what i had done, for he was a man that it was easy to tell a thing like that to. he ', 'old my pal what i had done, for he was a man that it was easy to tell a thing like that to. he laugh', 'y pal what i had done, for he was a man that it was easy to tell a thing like that to. he laughed un', ' what i had done, for he was a man that it was easy to tell a thing like that to. he laughed until h', ' i had done, for he was a man that it was easy to tell a thing like that to. he laughed until he cho', 'd done, for he was a man that it was easy to tell a thing like that to. he laughed until he choked, ', 'e, for he was a man that it was easy to tell a thing like that to. he laughed until he choked, and w', 'r he was a man that it was easy to tell a thing like that to. he laughed until he choked, and we got', 'was a man that it was easy to tell a thing like that to. he laughed until he choked, and we got a kn', ' man that it was easy to tell a thing like that to. he laughed until he choked, and we got a knife a', 'that it was easy to tell a thing like that to. he laughed until he choked, and we got a knife and op', 'it was easy to tell a thing like that to. he laughed until he choked, and we got a knife and opened ', 's easy to tell a thing like that to. he laughed until he choked, and we got a knife and opened the g', 'y to tell a thing like that to. he laughed until he choked, and we got a knife and opened the goose.', 'tell a thing like that to. he laughed until he choked, and we got a knife and opened the goose. my h', 'a thing like that to. he laughed until he choked, and we got a knife and opened the goose. my heart ', 'ng like that to. he laughed until he choked, and we got a knife and opened the goose. my heart turne', 'ke that to. he laughed until he choked, and we got a knife and opened the goose. my heart turned to ', 'at to. he laughed until he choked, and we got a knife and opened the goose. my heart turned to water', '. he laughed until he choked, and we got a knife and opened the goose. my heart turned to water, for', 'laughed until he choked, and we got a knife and opened the goose. my heart turned to water, for ther', 'ed until he choked, and we got a knife and opened the goose. my heart turned to water, for there was', 'til he choked, and we got a knife and opened the goose. my heart turned to water, for there was no s', 'e choked, and we got a knife and opened the goose. my heart turned to water, for there was no sign o', 'ked, and we got a knife and opened the goose. my heart turned to water, for there was no sign of the', 'and we got a knife and opened the goose. my heart turned to water, for there was no sign of the ston', 'e got a knife and opened the goose. my heart turned to water, for there was no sign of the stone, an', ' a knife and opened the goose. my heart turned to water, for there was no sign of the stone, and i k', 'ife and opened the goose. my heart turned to water, for there was no sign of the stone, and i knew t', 'nd opened the goose. my heart turned to water, for there was no sign of the stone, and i knew that s', 'ened the goose. my heart turned to water, for there was no sign of the stone, and i knew that some t', 'the goose. my heart turned to water, for there was no sign of the stone, and i knew that some terrib', 'oose. my heart turned to water, for there was no sign of the stone, and i knew that some terrible mi', ' my heart turned to water, for there was no sign of the stone, and i knew that some terrible mistake', 'eart turned to water, for there was no sign of the stone, and i knew that some terrible mistake had ', 'turned to water, for there was no sign of the stone, and i knew that some terrible mistake had occur', 'd to water, for there was no sign of the stone, and i knew that some terrible mistake had occurred. ', 'water, for there was no sign of the stone, and i knew that some terrible mistake had occurred. i lef', ', for there was no sign of the stone, and i knew that some terrible mistake had occurred. i left the', ' there was no sign of the stone, and i knew that some terrible mistake had occurred. i left the bird', 'e was no sign of the stone, and i knew that some terrible mistake had occurred. i left the bird, rus', ' no sign of the stone, and i knew that some terrible mistake had occurred. i left the bird, rushed b', 'ign of the stone, and i knew that some terrible mistake had occurred. i left the bird, rushed back t', 'f the stone, and i knew that some terrible mistake had occurred. i left the bird, rushed back to my ', ' stone, and i knew that some terrible mistake had occurred. i left the bird, rushed back to my siste', "e, and i knew that some terrible mistake had occurred. i left the bird, rushed back to my sister's, ", "d i knew that some terrible mistake had occurred. i left the bird, rushed back to my sister's, and h", "new that some terrible mistake had occurred. i left the bird, rushed back to my sister's, and hurrie", "hat some terrible mistake had occurred. i left the bird, rushed back to my sister's, and hurried int", "ome terrible mistake had occurred. i left the bird, rushed back to my sister's, and hurried into the", "errible mistake had occurred. i left the bird, rushed back to my sister's, and hurried into the back", "le mistake had occurred. i left the bird, rushed back to my sister's, and hurried into the back yard", "stake had occurred. i left the bird, rushed back to my sister's, and hurried into the back yard. the", " had occurred. i left the bird, rushed back to my sister's, and hurried into the back yard. there wa", "occurred. i left the bird, rushed back to my sister's, and hurried into the back yard. there was not", "red. i left the bird, rushed back to my sister's, and hurried into the back yard. there was not a bi", "i left the bird, rushed back to my sister's, and hurried into the back yard. there was not a bird to", "t the bird, rushed back to my sister's, and hurried into the back yard. there was not a bird to be s", " bird, rushed back to my sister's, and hurried into the back yard. there was not a bird to be seen t", ", rushed back to my sister's, and hurried into the back yard. there was not a bird to be seen there.", 'hed back to my sister\'s, and hurried into the back yard. there was not a bird to be seen there. "\'wh', 'ack to my sister\'s, and hurried into the back yard. there was not a bird to be seen there. "\'where a', 'o my sister\'s, and hurried into the back yard. there was not a bird to be seen there. "\'where are th', 'sister\'s, and hurried into the back yard. there was not a bird to be seen there. "\'where are they al', 'r\'s, and hurried into the back yard. there was not a bird to be seen there. "\'where are they all, ma', 'and hurried into the back yard. there was not a bird to be seen there. "\'where are they all, maggie?', 'urried into the back yard. there was not a bird to be seen there. "\'where are they all, maggie?\' i c', 'd into the back yard. there was not a bird to be seen there. "\'where are they all, maggie?\' i cried.', 'o the back yard. there was not a bird to be seen there. "\'where are they all, maggie?\' i cried. "\'go', ' back yard. there was not a bird to be seen there. "\'where are they all, maggie?\' i cried. "\'gone to', ' yard. there was not a bird to be seen there. "\'where are they all, maggie?\' i cried. "\'gone to the ', '. there was not a bird to be seen there. "\'where are they all, maggie?\' i cried. "\'gone to the deale', 're was not a bird to be seen there. "\'where are they all, maggie?\' i cried. "\'gone to the dealer\'s, ', 's not a bird to be seen there. "\'where are they all, maggie?\' i cried. "\'gone to the dealer\'s, jem.\'', ' a bird to be seen there. "\'where are they all, maggie?\' i cried. "\'gone to the dealer\'s, jem.\' "\'wh', 'rd to be seen there. "\'where are they all, maggie?\' i cried. "\'gone to the dealer\'s, jem.\' "\'which d', ' be seen there. "\'where are they all, maggie?\' i cried. "\'gone to the dealer\'s, jem.\' "\'which dealer', 'een there. "\'where are they all, maggie?\' i cried. "\'gone to the dealer\'s, jem.\' "\'which dealer\'s?\' ', 'here. "\'where are they all, maggie?\' i cried. "\'gone to the dealer\'s, jem.\' "\'which dealer\'s?\' "\'bre', ' "\'where are they all, maggie?\' i cried. "\'gone to the dealer\'s, jem.\' "\'which dealer\'s?\' "\'breckinr', 'ere are they all, maggie?\' i cried. "\'gone to the dealer\'s, jem.\' "\'which dealer\'s?\' "\'breckinridge,', 're they all, maggie?\' i cried. "\'gone to the dealer\'s, jem.\' "\'which dealer\'s?\' "\'breckinridge, of c', 'ey all, maggie?\' i cried. "\'gone to the dealer\'s, jem.\' "\'which dealer\'s?\' "\'breckinridge, of covent', 'l, maggie?\' i cried. "\'gone to the dealer\'s, jem.\' "\'which dealer\'s?\' "\'breckinridge, of covent gard', 'ggie?\' i cried. "\'gone to the dealer\'s, jem.\' "\'which dealer\'s?\' "\'breckinridge, of covent garden.\' ', '\' i cried. "\'gone to the dealer\'s, jem.\' "\'which dealer\'s?\' "\'breckinridge, of covent garden.\' "\'but', 'ried. "\'gone to the dealer\'s, jem.\' "\'which dealer\'s?\' "\'breckinridge, of covent garden.\' "\'but was ', ' "\'gone to the dealer\'s, jem.\' "\'which dealer\'s?\' "\'breckinridge, of covent garden.\' "\'but was there', 'ne to the dealer\'s, jem.\' "\'which dealer\'s?\' "\'breckinridge, of covent garden.\' "\'but was there anot', ' the dealer\'s, jem.\' "\'which dealer\'s?\' "\'breckinridge, of covent garden.\' "\'but was there another w', 'dealer\'s, jem.\' "\'which dealer\'s?\' "\'breckinridge, of covent garden.\' "\'but was there another with a', 'r\'s, jem.\' "\'which dealer\'s?\' "\'breckinridge, of covent garden.\' "\'but was there another with a barr', 'jem.\' "\'which dealer\'s?\' "\'breckinridge, of covent garden.\' "\'but was there another with a barred ta', ' "\'which dealer\'s?\' "\'breckinridge, of covent garden.\' "\'but was there another with a barred tail?\' ', 'ich dealer\'s?\' "\'breckinridge, of covent garden.\' "\'but was there another with a barred tail?\' i ask', 'ealer\'s?\' "\'breckinridge, of covent garden.\' "\'but was there another with a barred tail?\' i asked, \'', '\'s?\' "\'breckinridge, of covent garden.\' "\'but was there another with a barred tail?\' i asked, \'the s', '"\'breckinridge, of covent garden.\' "\'but was there another with a barred tail?\' i asked, \'the same a', 'ckinridge, of covent garden.\' "\'but was there another with a barred tail?\' i asked, \'the same as the', 'idge, of covent garden.\' "\'but was there another with a barred tail?\' i asked, \'the same as the one ', ' of covent garden.\' "\'but was there another with a barred tail?\' i asked, \'the same as the one i cho', 'ovent garden.\' "\'but was there another with a barred tail?\' i asked, \'the same as the one i chose?\' ', ' garden.\' "\'but was there another with a barred tail?\' i asked, \'the same as the one i chose?\' "\'yes', 'en.\' "\'but was there another with a barred tail?\' i asked, \'the same as the one i chose?\' "\'yes, jem', '"\'but was there another with a barred tail?\' i asked, \'the same as the one i chose?\' "\'yes, jem; the', ' was there another with a barred tail?\' i asked, \'the same as the one i chose?\' "\'yes, jem; there we', 'there another with a barred tail?\' i asked, \'the same as the one i chose?\' "\'yes, jem; there were tw', ' another with a barred tail?\' i asked, \'the same as the one i chose?\' "\'yes, jem; there were two bar', 'her with a barred tail?\' i asked, \'the same as the one i chose?\' "\'yes, jem; there were two barred-t', 'ith a barred tail?\' i asked, \'the same as the one i chose?\' "\'yes, jem; there were two barred-tailed', ' barred tail?\' i asked, \'the same as the one i chose?\' "\'yes, jem; there were two barred-tailed ones', 'ed tail?\' i asked, \'the same as the one i chose?\' "\'yes, jem; there were two barred-tailed ones, and', 'il?\' i asked, \'the same as the one i chose?\' "\'yes, jem; there were two barred-tailed ones, and i co', 'i asked, \'the same as the one i chose?\' "\'yes, jem; there were two barred-tailed ones, and i could n', 'ed, \'the same as the one i chose?\' "\'yes, jem; there were two barred-tailed ones, and i could never ', 'the same as the one i chose?\' "\'yes, jem; there were two barred-tailed ones, and i could never tell ', 'ame as the one i chose?\' "\'yes, jem; there were two barred-tailed ones, and i could never tell them ', 's the one i chose?\' "\'yes, jem; there were two barred-tailed ones, and i could never tell them apart', ' one i chose?\' "\'yes, jem; there were two barred-tailed ones, and i could never tell them apart.\' "w', 'i chose?\' "\'yes, jem; there were two barred-tailed ones, and i could never tell them apart.\' "well, ', 'se?\' "\'yes, jem; there were two barred-tailed ones, and i could never tell them apart.\' "well, then,', '"\'yes, jem; there were two barred-tailed ones, and i could never tell them apart.\' "well, then, of c', ', jem; there were two barred-tailed ones, and i could never tell them apart.\' "well, then, of course', '; there were two barred-tailed ones, and i could never tell them apart.\' "well, then, of course i sa', 're were two barred-tailed ones, and i could never tell them apart.\' "well, then, of course i saw it ', 're two barred-tailed ones, and i could never tell them apart.\' "well, then, of course i saw it all, ', 'o barred-tailed ones, and i could never tell them apart.\' "well, then, of course i saw it all, and i', 'red-tailed ones, and i could never tell them apart.\' "well, then, of course i saw it all, and i ran ', 'ailed ones, and i could never tell them apart.\' "well, then, of course i saw it all, and i ran off a', ' ones, and i could never tell them apart.\' "well, then, of course i saw it all, and i ran off as har', ', and i could never tell them apart.\' "well, then, of course i saw it all, and i ran off as hard as ', ' i could never tell them apart.\' "well, then, of course i saw it all, and i ran off as hard as my fe', 'uld never tell them apart.\' "well, then, of course i saw it all, and i ran off as hard as my feet wo', 'ever tell them apart.\' "well, then, of course i saw it all, and i ran off as hard as my feet would c', 'tell them apart.\' "well, then, of course i saw it all, and i ran off as hard as my feet would carry ', 'them apart.\' "well, then, of course i saw it all, and i ran off as hard as my feet would carry me to', 'apart.\' "well, then, of course i saw it all, and i ran off as hard as my feet would carry me to this', '.\' "well, then, of course i saw it all, and i ran off as hard as my feet would carry me to this man ', 'ell, then, of course i saw it all, and i ran off as hard as my feet would carry me to this man breck', 'then, of course i saw it all, and i ran off as hard as my feet would carry me to this man breckinrid', ' of course i saw it all, and i ran off as hard as my feet would carry me to this man breckinridge; b', 'ourse i saw it all, and i ran off as hard as my feet would carry me to this man breckinridge; but he', ' i saw it all, and i ran off as hard as my feet would carry me to this man breckinridge; but he had ', 'w it all, and i ran off as hard as my feet would carry me to this man breckinridge; but he had sold ', 'all, and i ran off as hard as my feet would carry me to this man breckinridge; but he had sold the l', 'and i ran off as hard as my feet would carry me to this man breckinridge; but he had sold the lot at', ' ran off as hard as my feet would carry me to this man breckinridge; but he had sold the lot at once', 'off as hard as my feet would carry me to this man breckinridge; but he had sold the lot at once, and', 's hard as my feet would carry me to this man breckinridge; but he had sold the lot at once, and not ', 'd as my feet would carry me to this man breckinridge; but he had sold the lot at once, and not one w', 'my feet would carry me to this man breckinridge; but he had sold the lot at once, and not one word w', 'et would carry me to this man breckinridge; but he had sold the lot at once, and not one word would ', 'uld carry me to this man breckinridge; but he had sold the lot at once, and not one word would he te', 'arry me to this man breckinridge; but he had sold the lot at once, and not one word would he tell me', 'me to this man breckinridge; but he had sold the lot at once, and not one word would he tell me as t', ' this man breckinridge; but he had sold the lot at once, and not one word would he tell me as to whe', ' man breckinridge; but he had sold the lot at once, and not one word would he tell me as to where th', 'breckinridge; but he had sold the lot at once, and not one word would he tell me as to where they ha', 'inridge; but he had sold the lot at once, and not one word would he tell me as to where they had gon', 'ge; but he had sold the lot at once, and not one word would he tell me as to where they had gone. yo', 'ut he had sold the lot at once, and not one word would he tell me as to where they had gone. you hea', ' had sold the lot at once, and not one word would he tell me as to where they had gone. you heard hi', 'sold the lot at once, and not one word would he tell me as to where they had gone. you heard him you', 'the lot at once, and not one word would he tell me as to where they had gone. you heard him yourselv', 'ot at once, and not one word would he tell me as to where they had gone. you heard him yourselves to', ' once, and not one word would he tell me as to where they had gone. you heard him yourselves to-nigh', ', and not one word would he tell me as to where they had gone. you heard him yourselves to-night. we', ' not one word would he tell me as to where they had gone. you heard him yourselves to-night. well, h', 'one word would he tell me as to where they had gone. you heard him yourselves to-night. well, he has', 'ord would he tell me as to where they had gone. you heard him yourselves to-night. well, he has alwa', 'ould he tell me as to where they had gone. you heard him yourselves to-night. well, he has always an', 'he tell me as to where they had gone. you heard him yourselves to-night. well, he has always answere', 'll me as to where they had gone. you heard him yourselves to-night. well, he has always answered me ', ' as to where they had gone. you heard him yourselves to-night. well, he has always answered me like ', 'o where they had gone. you heard him yourselves to-night. well, he has always answered me like that.', 're they had gone. you heard him yourselves to-night. well, he has always answered me like that. my s', 'ey had gone. you heard him yourselves to-night. well, he has always answered me like that. my sister', 'd gone. you heard him yourselves to-night. well, he has always answered me like that. my sister thin', 'e. you heard him yourselves to-night. well, he has always answered me like that. my sister thinks th', 'u heard him yourselves to-night. well, he has always answered me like that. my sister thinks that i ', 'rd him yourselves to-night. well, he has always answered me like that. my sister thinks that i am go', 'm yourselves to-night. well, he has always answered me like that. my sister thinks that i am going m', 'rselves to-night. well, he has always answered me like that. my sister thinks that i am going mad. s', 'es to-night. well, he has always answered me like that. my sister thinks that i am going mad. someti', '-night. well, he has always answered me like that. my sister thinks that i am going mad. sometimes i', 't. well, he has always answered me like that. my sister thinks that i am going mad. sometimes i thin', 'll, he has always answered me like that. my sister thinks that i am going mad. sometimes i think tha', 'e has always answered me like that. my sister thinks that i am going mad. sometimes i think that i a', ' always answered me like that. my sister thinks that i am going mad. sometimes i think that i am mys', 'ys answered me like that. my sister thinks that i am going mad. sometimes i think that i am myself. ', 'swered me like that. my sister thinks that i am going mad. sometimes i think that i am myself. and n', 'd me like that. my sister thinks that i am going mad. sometimes i think that i am myself. and nowand', 'like that. my sister thinks that i am going mad. sometimes i think that i am myself. and nowand now ', 'that. my sister thinks that i am going mad. sometimes i think that i am myself. and nowand now i am ', ' my sister thinks that i am going mad. sometimes i think that i am myself. and nowand now i am mysel', 'ister thinks that i am going mad. sometimes i think that i am myself. and nowand now i am myself a b', ' thinks that i am going mad. sometimes i think that i am myself. and nowand now i am myself a brande', 'ks that i am going mad. sometimes i think that i am myself. and nowand now i am myself a branded thi', 'at i am going mad. sometimes i think that i am myself. and nowand now i am myself a branded thief, w', 'am going mad. sometimes i think that i am myself. and nowand now i am myself a branded thief, withou', 'ing mad. sometimes i think that i am myself. and nowand now i am myself a branded thief, without eve', 'ad. sometimes i think that i am myself. and nowand now i am myself a branded thief, without ever hav', 'ometimes i think that i am myself. and nowand now i am myself a branded thief, without ever having t', 'mes i think that i am myself. and nowand now i am myself a branded thief, without ever having touche', ' think that i am myself. and nowand now i am myself a branded thief, without ever having touched the', 'k that i am myself. and nowand now i am myself a branded thief, without ever having touched the weal', 't i am myself. and nowand now i am myself a branded thief, without ever having touched the wealth fo', 'm myself. and nowand now i am myself a branded thief, without ever having touched the wealth for whi', 'elf. and nowand now i am myself a branded thief, without ever having touched the wealth for which i ', 'and nowand now i am myself a branded thief, without ever having touched the wealth for which i sold ', 'owand now i am myself a branded thief, without ever having touched the wealth for which i sold my ch', ' now i am myself a branded thief, without ever having touched the wealth for which i sold my charact', 'i am myself a branded thief, without ever having touched the wealth for which i sold my character. g', 'myself a branded thief, without ever having touched the wealth for which i sold my character. god he', 'f a branded thief, without ever having touched the wealth for which i sold my character. god help me', 'randed thief, without ever having touched the wealth for which i sold my character. god help me! god', 'd thief, without ever having touched the wealth for which i sold my character. god help me! god help', 'ef, without ever having touched the wealth for which i sold my character. god help me! god help me h', 'ithout ever having touched the wealth for which i sold my character. god help me! god help me he bur', 't ever having touched the wealth for which i sold my character. god help me! god help me he burst in', 'r having touched the wealth for which i sold my character. god help me! god help me he burst into co', 'ing touched the wealth for which i sold my character. god help me! god help me he burst into convuls', 'ouched the wealth for which i sold my character. god help me! god help me he burst into convulsive s', 'd the wealth for which i sold my character. god help me! god help me he burst into convulsive sobbin', ' wealth for which i sold my character. god help me! god help me he burst into convulsive sobbing, wi', 'th for which i sold my character. god help me! god help me he burst into convulsive sobbing, with hi', 'r which i sold my character. god help me! god help me he burst into convulsive sobbing, with his fac', 'ch i sold my character. god help me! god help me he burst into convulsive sobbing, with his face bur', 'sold my character. god help me! god help me he burst into convulsive sobbing, with his face buried i', 'my character. god help me! god help me he burst into convulsive sobbing, with his face buried in his', 'aracter. god help me! god help me he burst into convulsive sobbing, with his face buried in his hand', 'er. god help me! god help me he burst into convulsive sobbing, with his face buried in his hands. th', 'od help me! god help me he burst into convulsive sobbing, with his face buried in his hands. there w', 'lp me! god help me he burst into convulsive sobbing, with his face buried in his hands. there was a ', '! god help me he burst into convulsive sobbing, with his face buried in his hands. there was a long ', ' help me he burst into convulsive sobbing, with his face buried in his hands. there was a long silen', ' me he burst into convulsive sobbing, with his face buried in his hands. there was a long silence, b', 'e burst into convulsive sobbing, with his face buried in his hands. there was a long silence, broken', 'st into convulsive sobbing, with his face buried in his hands. there was a long silence, broken only', 'to convulsive sobbing, with his face buried in his hands. there was a long silence, broken only by h', 'nvulsive sobbing, with his face buried in his hands. there was a long silence, broken only by his he', 'ive sobbing, with his face buried in his hands. there was a long silence, broken only by his heavy b', 'obbing, with his face buried in his hands. there was a long silence, broken only by his heavy breath', 'g, with his face buried in his hands. there was a long silence, broken only by his heavy breathing a', 'th his face buried in his hands. there was a long silence, broken only by his heavy breathing and by', 's face buried in his hands. there was a long silence, broken only by his heavy breathing and by the ', 'e buried in his hands. there was a long silence, broken only by his heavy breathing and by the measu', 'ied in his hands. there was a long silence, broken only by his heavy breathing and by the measured t', 'n his hands. there was a long silence, broken only by his heavy breathing and by the measured tappin', ' hands. there was a long silence, broken only by his heavy breathing and by the measured tapping of ', 's. there was a long silence, broken only by his heavy breathing and by the measured tapping of sherl', 'ere was a long silence, broken only by his heavy breathing and by the measured tapping of sherlock h', 'as a long silence, broken only by his heavy breathing and by the measured tapping of sherlock holmes', "long silence, broken only by his heavy breathing and by the measured tapping of sherlock holmes' fin", "silence, broken only by his heavy breathing and by the measured tapping of sherlock holmes' finger-t", "ce, broken only by his heavy breathing and by the measured tapping of sherlock holmes' finger-tips u", "roken only by his heavy breathing and by the measured tapping of sherlock holmes' finger-tips upon t", " only by his heavy breathing and by the measured tapping of sherlock holmes' finger-tips upon the ed", " by his heavy breathing and by the measured tapping of sherlock holmes' finger-tips upon the edge of", "is heavy breathing and by the measured tapping of sherlock holmes' finger-tips upon the edge of the ", "avy breathing and by the measured tapping of sherlock holmes' finger-tips upon the edge of the table", "reathing and by the measured tapping of sherlock holmes' finger-tips upon the edge of the table. the", "ing and by the measured tapping of sherlock holmes' finger-tips upon the edge of the table. then my ", "nd by the measured tapping of sherlock holmes' finger-tips upon the edge of the table. then my frien", " the measured tapping of sherlock holmes' finger-tips upon the edge of the table. then my friend ros", "measured tapping of sherlock holmes' finger-tips upon the edge of the table. then my friend rose and", "red tapping of sherlock holmes' finger-tips upon the edge of the table. then my friend rose and thre", "apping of sherlock holmes' finger-tips upon the edge of the table. then my friend rose and threw ope", "g of sherlock holmes' finger-tips upon the edge of the table. then my friend rose and threw open the", "sherlock holmes' finger-tips upon the edge of the table. then my friend rose and threw open the door", 'ock holmes\' finger-tips upon the edge of the table. then my friend rose and threw open the door. "ge', 'olmes\' finger-tips upon the edge of the table. then my friend rose and threw open the door. "get out', '\' finger-tips upon the edge of the table. then my friend rose and threw open the door. "get out said', 'ger-tips upon the edge of the table. then my friend rose and threw open the door. "get out said he. ', 'ips upon the edge of the table. then my friend rose and threw open the door. "get out said he. "what', 'pon the edge of the table. then my friend rose and threw open the door. "get out said he. "what, sir', 'he edge of the table. then my friend rose and threw open the door. "get out said he. "what, sir! oh,', 'ge of the table. then my friend rose and threw open the door. "get out said he. "what, sir! oh, heav', ' the table. then my friend rose and threw open the door. "get out said he. "what, sir! oh, heaven bl', 'table. then my friend rose and threw open the door. "get out said he. "what, sir! oh, heaven bless y', '. then my friend rose and threw open the door. "get out said he. "what, sir! oh, heaven bless you "', 'n my friend rose and threw open the door. "get out said he. "what, sir! oh, heaven bless you "no mo', 'friend rose and threw open the door. "get out said he. "what, sir! oh, heaven bless you "no more wo', 'd rose and threw open the door. "get out said he. "what, sir! oh, heaven bless you "no more words. ', 'e and threw open the door. "get out said he. "what, sir! oh, heaven bless you "no more words. get o', ' threw open the door. "get out said he. "what, sir! oh, heaven bless you "no more words. get out a', 'w open the door. "get out said he. "what, sir! oh, heaven bless you "no more words. get out and no', 'n the door. "get out said he. "what, sir! oh, heaven bless you "no more words. get out and no more', ' door. "get out said he. "what, sir! oh, heaven bless you "no more words. get out and no more word', '. "get out said he. "what, sir! oh, heaven bless you "no more words. get out and no more words wer', 't out said he. "what, sir! oh, heaven bless you "no more words. get out and no more words were nee', ' said he. "what, sir! oh, heaven bless you "no more words. get out and no more words were needed. ', ' he. "what, sir! oh, heaven bless you "no more words. get out and no more words were needed. there', '"what, sir! oh, heaven bless you "no more words. get out and no more words were needed. there was ', ', sir! oh, heaven bless you "no more words. get out and no more words were needed. there was a rus', '! oh, heaven bless you "no more words. get out and no more words were needed. there was a rush, a ', ' heaven bless you "no more words. get out and no more words were needed. there was a rush, a clatt', 'en bless you "no more words. get out and no more words were needed. there was a rush, a clatter up', 'ess you "no more words. get out and no more words were needed. there was a rush, a clatter upon th', 'ou "no more words. get out and no more words were needed. there was a rush, a clatter upon the sta', 'no more words. get out and no more words were needed. there was a rush, a clatter upon the stairs, ', 're words. get out and no more words were needed. there was a rush, a clatter upon the stairs, the b', 'rds. get out and no more words were needed. there was a rush, a clatter upon the stairs, the bang o', 'get out and no more words were needed. there was a rush, a clatter upon the stairs, the bang of a d', 'ut and no more words were needed. there was a rush, a clatter upon the stairs, the bang of a door, ', 'nd no more words were needed. there was a rush, a clatter upon the stairs, the bang of a door, and t', ' more words were needed. there was a rush, a clatter upon the stairs, the bang of a door, and the cr', ' words were needed. there was a rush, a clatter upon the stairs, the bang of a door, and the crisp r', 's were needed. there was a rush, a clatter upon the stairs, the bang of a door, and the crisp rattle', 'e needed. there was a rush, a clatter upon the stairs, the bang of a door, and the crisp rattle of r', 'ded. there was a rush, a clatter upon the stairs, the bang of a door, and the crisp rattle of runnin', 'there was a rush, a clatter upon the stairs, the bang of a door, and the crisp rattle of running foo', ' was a rush, a clatter upon the stairs, the bang of a door, and the crisp rattle of running footfall', 'a rush, a clatter upon the stairs, the bang of a door, and the crisp rattle of running footfalls fro', 'h, a clatter upon the stairs, the bang of a door, and the crisp rattle of running footfalls from the', 'clatter upon the stairs, the bang of a door, and the crisp rattle of running footfalls from the stre', 'er upon the stairs, the bang of a door, and the crisp rattle of running footfalls from the street. "', 'on the stairs, the bang of a door, and the crisp rattle of running footfalls from the street. "after', 'e stairs, the bang of a door, and the crisp rattle of running footfalls from the street. "after all,', 'irs, the bang of a door, and the crisp rattle of running footfalls from the street. "after all, wats', 'the bang of a door, and the crisp rattle of running footfalls from the street. "after all, watson," ', 'ang of a door, and the crisp rattle of running footfalls from the street. "after all, watson," said ', 'f a door, and the crisp rattle of running footfalls from the street. "after all, watson," said holme', 'oor, and the crisp rattle of running footfalls from the street. "after all, watson," said holmes, re', 'and the crisp rattle of running footfalls from the street. "after all, watson," said holmes, reachin', 'he crisp rattle of running footfalls from the street. "after all, watson," said holmes, reaching up ', 'isp rattle of running footfalls from the street. "after all, watson," said holmes, reaching up his h', 'attle of running footfalls from the street. "after all, watson," said holmes, reaching up his hand f', ' of running footfalls from the street. "after all, watson," said holmes, reaching up his hand for hi', 'unning footfalls from the street. "after all, watson," said holmes, reaching up his hand for his cla', 'g footfalls from the street. "after all, watson," said holmes, reaching up his hand for his clay pip', 'tfalls from the street. "after all, watson," said holmes, reaching up his hand for his clay pipe, "i', 's from the street. "after all, watson," said holmes, reaching up his hand for his clay pipe, "i am n', 'm the street. "after all, watson," said holmes, reaching up his hand for his clay pipe, "i am not re', ' street. "after all, watson," said holmes, reaching up his hand for his clay pipe, "i am not retaine', 'et. "after all, watson," said holmes, reaching up his hand for his clay pipe, "i am not retained by ', 'after all, watson," said holmes, reaching up his hand for his clay pipe, "i am not retained by the p', ' all, watson," said holmes, reaching up his hand for his clay pipe, "i am not retained by the police', ' watson," said holmes, reaching up his hand for his clay pipe, "i am not retained by the police to s', 'on," said holmes, reaching up his hand for his clay pipe, "i am not retained by the police to supply', 'said holmes, reaching up his hand for his clay pipe, "i am not retained by the police to supply thei', 'holmes, reaching up his hand for his clay pipe, "i am not retained by the police to supply their def', 's, reaching up his hand for his clay pipe, "i am not retained by the police to supply their deficien', 'aching up his hand for his clay pipe, "i am not retained by the police to supply their deficiencies.', 'g up his hand for his clay pipe, "i am not retained by the police to supply their deficiencies. if h', 'his hand for his clay pipe, "i am not retained by the police to supply their deficiencies. if horner', 'and for his clay pipe, "i am not retained by the police to supply their deficiencies. if horner were', 'or his clay pipe, "i am not retained by the police to supply their deficiencies. if horner were in d', 's clay pipe, "i am not retained by the police to supply their deficiencies. if horner were in danger', 'y pipe, "i am not retained by the police to supply their deficiencies. if horner were in danger it w', 'e, "i am not retained by the police to supply their deficiencies. if horner were in danger it would ', ' am not retained by the police to supply their deficiencies. if horner were in danger it would be an', 'ot retained by the police to supply their deficiencies. if horner were in danger it would be another', 'tained by the police to supply their deficiencies. if horner were in danger it would be another thin', 'd by the police to supply their deficiencies. if horner were in danger it would be another thing; bu', 'the police to supply their deficiencies. if horner were in danger it would be another thing; but thi', 'olice to supply their deficiencies. if horner were in danger it would be another thing; but this fel', ' to supply their deficiencies. if horner were in danger it would be another thing; but this fellow w', 'upply their deficiencies. if horner were in danger it would be another thing; but this fellow will n', ' their deficiencies. if horner were in danger it would be another thing; but this fellow will not ap', 'r deficiencies. if horner were in danger it would be another thing; but this fellow will not appear ', 'iciencies. if horner were in danger it would be another thing; but this fellow will not appear again', 'cies. if horner were in danger it would be another thing; but this fellow will not appear against hi', ' if horner were in danger it would be another thing; but this fellow will not appear against him, an', 'orner were in danger it would be another thing; but this fellow will not appear against him, and the', ' were in danger it would be another thing; but this fellow will not appear against him, and the case', ' in danger it would be another thing; but this fellow will not appear against him, and the case must', 'anger it would be another thing; but this fellow will not appear against him, and the case must coll', ' it would be another thing; but this fellow will not appear against him, and the case must collapse.', 'ould be another thing; but this fellow will not appear against him, and the case must collapse. i su', 'be another thing; but this fellow will not appear against him, and the case must collapse. i suppose', 'other thing; but this fellow will not appear against him, and the case must collapse. i suppose that', ' thing; but this fellow will not appear against him, and the case must collapse. i suppose that i am', 'g; but this fellow will not appear against him, and the case must collapse. i suppose that i am comm', 't this fellow will not appear against him, and the case must collapse. i suppose that i am commuting', 's fellow will not appear against him, and the case must collapse. i suppose that i am commuting a fe', 'low will not appear against him, and the case must collapse. i suppose that i am commuting a felony,', 'ill not appear against him, and the case must collapse. i suppose that i am commuting a felony, but ', 'ot appear against him, and the case must collapse. i suppose that i am commuting a felony, but it is', 'pear against him, and the case must collapse. i suppose that i am commuting a felony, but it is just', 'against him, and the case must collapse. i suppose that i am commuting a felony, but it is just poss', 'st him, and the case must collapse. i suppose that i am commuting a felony, but it is just possible ', 'm, and the case must collapse. i suppose that i am commuting a felony, but it is just possible that ', 'd the case must collapse. i suppose that i am commuting a felony, but it is just possible that i am ', ' case must collapse. i suppose that i am commuting a felony, but it is just possible that i am savin', ' must collapse. i suppose that i am commuting a felony, but it is just possible that i am saving a s', ' collapse. i suppose that i am commuting a felony, but it is just possible that i am saving a soul. ', 'apse. i suppose that i am commuting a felony, but it is just possible that i am saving a soul. this ', ' i suppose that i am commuting a felony, but it is just possible that i am saving a soul. this fello', 'ppose that i am commuting a felony, but it is just possible that i am saving a soul. this fellow wil', ' that i am commuting a felony, but it is just possible that i am saving a soul. this fellow will not', ' i am commuting a felony, but it is just possible that i am saving a soul. this fellow will not go w', ' commuting a felony, but it is just possible that i am saving a soul. this fellow will not go wrong ', 'uting a felony, but it is just possible that i am saving a soul. this fellow will not go wrong again', ' a felony, but it is just possible that i am saving a soul. this fellow will not go wrong again; he ', 'lony, but it is just possible that i am saving a soul. this fellow will not go wrong again; he is to', ' but it is just possible that i am saving a soul. this fellow will not go wrong again; he is too ter', 'it is just possible that i am saving a soul. this fellow will not go wrong again; he is too terribly', ' just possible that i am saving a soul. this fellow will not go wrong again; he is too terribly frig', ' possible that i am saving a soul. this fellow will not go wrong again; he is too terribly frightene', 'ible that i am saving a soul. this fellow will not go wrong again; he is too terribly frightened. se', 'that i am saving a soul. this fellow will not go wrong again; he is too terribly frightened. send hi', 'i am saving a soul. this fellow will not go wrong again; he is too terribly frightened. send him to ', 'saving a soul. this fellow will not go wrong again; he is too terribly frightened. send him to gaol ', 'g a soul. this fellow will not go wrong again; he is too terribly frightened. send him to gaol now, ', 'oul. this fellow will not go wrong again; he is too terribly frightened. send him to gaol now, and y', 'this fellow will not go wrong again; he is too terribly frightened. send him to gaol now, and you ma', 'fellow will not go wrong again; he is too terribly frightened. send him to gaol now, and you make hi', 'w will not go wrong again; he is too terribly frightened. send him to gaol now, and you make him a g', 'l not go wrong again; he is too terribly frightened. send him to gaol now, and you make him a gaol-b', ' go wrong again; he is too terribly frightened. send him to gaol now, and you make him a gaol-bird f', 'rong again; he is too terribly frightened. send him to gaol now, and you make him a gaol-bird for li', 'again; he is too terribly frightened. send him to gaol now, and you make him a gaol-bird for life. b', '; he is too terribly frightened. send him to gaol now, and you make him a gaol-bird for life. beside', 'is too terribly frightened. send him to gaol now, and you make him a gaol-bird for life. besides, it', 'o terribly frightened. send him to gaol now, and you make him a gaol-bird for life. besides, it is t', 'ribly frightened. send him to gaol now, and you make him a gaol-bird for life. besides, it is the se', ' frightened. send him to gaol now, and you make him a gaol-bird for life. besides, it is the season ', 'htened. send him to gaol now, and you make him a gaol-bird for life. besides, it is the season of fo', 'd. send him to gaol now, and you make him a gaol-bird for life. besides, it is the season of forgive', 'nd him to gaol now, and you make him a gaol-bird for life. besides, it is the season of forgiveness.', 'm to gaol now, and you make him a gaol-bird for life. besides, it is the season of forgiveness. chan', 'gaol now, and you make him a gaol-bird for life. besides, it is the season of forgiveness. chance ha', 'now, and you make him a gaol-bird for life. besides, it is the season of forgiveness. chance has put', 'and you make him a gaol-bird for life. besides, it is the season of forgiveness. chance has put in o', 'ou make him a gaol-bird for life. besides, it is the season of forgiveness. chance has put in our wa', 'ke him a gaol-bird for life. besides, it is the season of forgiveness. chance has put in our way a m', 'm a gaol-bird for life. besides, it is the season of forgiveness. chance has put in our way a most s', 'aol-bird for life. besides, it is the season of forgiveness. chance has put in our way a most singul', 'ird for life. besides, it is the season of forgiveness. chance has put in our way a most singular an', 'or life. besides, it is the season of forgiveness. chance has put in our way a most singular and whi', 'fe. besides, it is the season of forgiveness. chance has put in our way a most singular and whimsica', 'esides, it is the season of forgiveness. chance has put in our way a most singular and whimsical pro', 's, it is the season of forgiveness. chance has put in our way a most singular and whimsical problem,', ' is the season of forgiveness. chance has put in our way a most singular and whimsical problem, and ', 'he season of forgiveness. chance has put in our way a most singular and whimsical problem, and its s', 'ason of forgiveness. chance has put in our way a most singular and whimsical problem, and its soluti', 'of forgiveness. chance has put in our way a most singular and whimsical problem, and its solution is', 'rgiveness. chance has put in our way a most singular and whimsical problem, and its solution is its ', 'ness. chance has put in our way a most singular and whimsical problem, and its solution is its own r', ' chance has put in our way a most singular and whimsical problem, and its solution is its own reward', 'ce has put in our way a most singular and whimsical problem, and its solution is its own reward. if ', 's put in our way a most singular and whimsical problem, and its solution is its own reward. if you w', ' in our way a most singular and whimsical problem, and its solution is its own reward. if you will h', 'ur way a most singular and whimsical problem, and its solution is its own reward. if you will have t', 'y a most singular and whimsical problem, and its solution is its own reward. if you will have the go', 'ost singular and whimsical problem, and its solution is its own reward. if you will have the goodnes', 'ingular and whimsical problem, and its solution is its own reward. if you will have the goodness to ', 'ar and whimsical problem, and its solution is its own reward. if you will have the goodness to touch', 'd whimsical problem, and its solution is its own reward. if you will have the goodness to touch the ', 'msical problem, and its solution is its own reward. if you will have the goodness to touch the bell,', 'l problem, and its solution is its own reward. if you will have the goodness to touch the bell, doct', 'blem, and its solution is its own reward. if you will have the goodness to touch the bell, doctor, w', ' and its solution is its own reward. if you will have the goodness to touch the bell, doctor, we wil', 'its solution is its own reward. if you will have the goodness to touch the bell, doctor, we will beg', 'olution is its own reward. if you will have the goodness to touch the bell, doctor, we will begin an', 'on is its own reward. if you will have the goodness to touch the bell, doctor, we will begin another', ' its own reward. if you will have the goodness to touch the bell, doctor, we will begin another inve', 'own reward. if you will have the goodness to touch the bell, doctor, we will begin another investiga', 'eward. if you will have the goodness to touch the bell, doctor, we will begin another investigation,', '. if you will have the goodness to touch the bell, doctor, we will begin another investigation, in w', 'you will have the goodness to touch the bell, doctor, we will begin another investigation, in which,', 'ill have the goodness to touch the bell, doctor, we will begin another investigation, in which, also', 'ave the goodness to touch the bell, doctor, we will begin another investigation, in which, also a bi', 'he goodness to touch the bell, doctor, we will begin another investigation, in which, also a bird wi', 'odness to touch the bell, doctor, we will begin another investigation, in which, also a bird will be', 's to touch the bell, doctor, we will begin another investigation, in which, also a bird will be the ', 'touch the bell, doctor, we will begin another investigation, in which, also a bird will be the chief', ' the bell, doctor, we will begin another investigation, in which, also a bird will be the chief feat', 'bell, doctor, we will begin another investigation, in which, also a bird will be the chief feature."', ' doctor, we will begin another investigation, in which, also a bird will be the chief feature." vii', 'or, we will begin another investigation, in which, also a bird will be the chief feature." viii. th', 'e will begin another investigation, in which, also a bird will be the chief feature." viii. the adv', 'l begin another investigation, in which, also a bird will be the chief feature." viii. the adventur', 'in another investigation, in which, also a bird will be the chief feature." viii. the adventure of ', 'other investigation, in which, also a bird will be the chief feature." viii. the adventure of the s', ' investigation, in which, also a bird will be the chief feature." viii. the adventure of the speckl', 'stigation, in which, also a bird will be the chief feature." viii. the adventure of the speckled ba', 'tion, in which, also a bird will be the chief feature." viii. the adventure of the speckled band on', ' in which, also a bird will be the chief feature." viii. the adventure of the speckled band on glan', 'hich, also a bird will be the chief feature." viii. the adventure of the speckled band on glancing ', ' also a bird will be the chief feature." viii. the adventure of the speckled band on glancing over ', ' a bird will be the chief feature." viii. the adventure of the speckled band on glancing over my no', 'rd will be the chief feature." viii. the adventure of the speckled band on glancing over my notes o', 'll be the chief feature." viii. the adventure of the speckled band on glancing over my notes of the', ' the chief feature." viii. the adventure of the speckled band on glancing over my notes of the seve', 'chief feature." viii. the adventure of the speckled band on glancing over my notes of the seventy o', ' feature." viii. the adventure of the speckled band on glancing over my notes of the seventy odd ca', 'ure." viii. the adventure of the speckled band on glancing over my notes of the seventy odd cases i', ' viii. the adventure of the speckled band on glancing over my notes of the seventy odd cases in whi', 'i. the adventure of the speckled band on glancing over my notes of the seventy odd cases in which i ', 'e adventure of the speckled band on glancing over my notes of the seventy odd cases in which i have ', 'enture of the speckled band on glancing over my notes of the seventy odd cases in which i have durin', 'e of the speckled band on glancing over my notes of the seventy odd cases in which i have during the', 'the speckled band on glancing over my notes of the seventy odd cases in which i have during the last', 'peckled band on glancing over my notes of the seventy odd cases in which i have during the last eigh', 'ed band on glancing over my notes of the seventy odd cases in which i have during the last eight yea', 'nd on glancing over my notes of the seventy odd cases in which i have during the last eight years st', ' glancing over my notes of the seventy odd cases in which i have during the last eight years studied', 'cing over my notes of the seventy odd cases in which i have during the last eight years studied the ', 'over my notes of the seventy odd cases in which i have during the last eight years studied the metho', 'my notes of the seventy odd cases in which i have during the last eight years studied the methods of', 'tes of the seventy odd cases in which i have during the last eight years studied the methods of my f', 'f the seventy odd cases in which i have during the last eight years studied the methods of my friend', ' seventy odd cases in which i have during the last eight years studied the methods of my friend sher', 'nty odd cases in which i have during the last eight years studied the methods of my friend sherlock ', 'dd cases in which i have during the last eight years studied the methods of my friend sherlock holme', 'ses in which i have during the last eight years studied the methods of my friend sherlock holmes, i ', 'n which i have during the last eight years studied the methods of my friend sherlock holmes, i find ', 'ch i have during the last eight years studied the methods of my friend sherlock holmes, i find many ', 'have during the last eight years studied the methods of my friend sherlock holmes, i find many tragi', 'during the last eight years studied the methods of my friend sherlock holmes, i find many tragic, so', 'g the last eight years studied the methods of my friend sherlock holmes, i find many tragic, some co', ' last eight years studied the methods of my friend sherlock holmes, i find many tragic, some comic, ', ' eight years studied the methods of my friend sherlock holmes, i find many tragic, some comic, a lar', 't years studied the methods of my friend sherlock holmes, i find many tragic, some comic, a large nu', 'rs studied the methods of my friend sherlock holmes, i find many tragic, some comic, a large number ', 'udied the methods of my friend sherlock holmes, i find many tragic, some comic, a large number merel', ' the methods of my friend sherlock holmes, i find many tragic, some comic, a large number merely str', 'methods of my friend sherlock holmes, i find many tragic, some comic, a large number merely strange,', 'ds of my friend sherlock holmes, i find many tragic, some comic, a large number merely strange, but ', ' my friend sherlock holmes, i find many tragic, some comic, a large number merely strange, but none ', 'riend sherlock holmes, i find many tragic, some comic, a large number merely strange, but none commo', ' sherlock holmes, i find many tragic, some comic, a large number merely strange, but none commonplac', 'lock holmes, i find many tragic, some comic, a large number merely strange, but none commonplace; fo', 'holmes, i find many tragic, some comic, a large number merely strange, but none commonplace; for, wo', 's, i find many tragic, some comic, a large number merely strange, but none commonplace; for, working', 'find many tragic, some comic, a large number merely strange, but none commonplace; for, working as h', 'many tragic, some comic, a large number merely strange, but none commonplace; for, working as he did', 'tragic, some comic, a large number merely strange, but none commonplace; for, working as he did rath', 'c, some comic, a large number merely strange, but none commonplace; for, working as he did rather fo', 'me comic, a large number merely strange, but none commonplace; for, working as he did rather for the', 'mic, a large number merely strange, but none commonplace; for, working as he did rather for the love', 'a large number merely strange, but none commonplace; for, working as he did rather for the love of h', 'ge number merely strange, but none commonplace; for, working as he did rather for the love of his ar', 'mber merely strange, but none commonplace; for, working as he did rather for the love of his art tha', 'merely strange, but none commonplace; for, working as he did rather for the love of his art than for', 'y strange, but none commonplace; for, working as he did rather for the love of his art than for the ', 'ange, but none commonplace; for, working as he did rather for the love of his art than for the acqui', ' but none commonplace; for, working as he did rather for the love of his art than for the acquiremen', 'none commonplace; for, working as he did rather for the love of his art than for the acquirement of ', 'commonplace; for, working as he did rather for the love of his art than for the acquirement of wealt', 'nplace; for, working as he did rather for the love of his art than for the acquirement of wealth, he', 'e; for, working as he did rather for the love of his art than for the acquirement of wealth, he refu', 'r, working as he did rather for the love of his art than for the acquirement of wealth, he refused t', 'rking as he did rather for the love of his art than for the acquirement of wealth, he refused to ass', ' as he did rather for the love of his art than for the acquirement of wealth, he refused to associat', 'e did rather for the love of his art than for the acquirement of wealth, he refused to associate him', ' rather for the love of his art than for the acquirement of wealth, he refused to associate himself ', 'er for the love of his art than for the acquirement of wealth, he refused to associate himself with ', 'r the love of his art than for the acquirement of wealth, he refused to associate himself with any i', ' love of his art than for the acquirement of wealth, he refused to associate himself with any invest', ' of his art than for the acquirement of wealth, he refused to associate himself with any investigati', 'is art than for the acquirement of wealth, he refused to associate himself with any investigation wh', 't than for the acquirement of wealth, he refused to associate himself with any investigation which d', 'n for the acquirement of wealth, he refused to associate himself with any investigation which did no', ' the acquirement of wealth, he refused to associate himself with any investigation which did not ten', 'acquirement of wealth, he refused to associate himself with any investigation which did not tend tow', 'rement of wealth, he refused to associate himself with any investigation which did not tend towards ', 't of wealth, he refused to associate himself with any investigation which did not tend towards the u', 'wealth, he refused to associate himself with any investigation which did not tend towards the unusua', 'h, he refused to associate himself with any investigation which did not tend towards the unusual, an', ' refused to associate himself with any investigation which did not tend towards the unusual, and eve', 'sed to associate himself with any investigation which did not tend towards the unusual, and even the', 'o associate himself with any investigation which did not tend towards the unusual, and even the fant', 'ociate himself with any investigation which did not tend towards the unusual, and even the fantastic', 'e himself with any investigation which did not tend towards the unusual, and even the fantastic. of ', 'self with any investigation which did not tend towards the unusual, and even the fantastic. of all t', 'with any investigation which did not tend towards the unusual, and even the fantastic. of all these ', 'any investigation which did not tend towards the unusual, and even the fantastic. of all these varie', 'nvestigation which did not tend towards the unusual, and even the fantastic. of all these varied cas', 'igation which did not tend towards the unusual, and even the fantastic. of all these varied cases, h', 'on which did not tend towards the unusual, and even the fantastic. of all these varied cases, howeve', 'ich did not tend towards the unusual, and even the fantastic. of all these varied cases, however, i ', 'id not tend towards the unusual, and even the fantastic. of all these varied cases, however, i canno', 't tend towards the unusual, and even the fantastic. of all these varied cases, however, i cannot rec', 'd towards the unusual, and even the fantastic. of all these varied cases, however, i cannot recall a', 'ards the unusual, and even the fantastic. of all these varied cases, however, i cannot recall any wh', 'the unusual, and even the fantastic. of all these varied cases, however, i cannot recall any which p', 'nusual, and even the fantastic. of all these varied cases, however, i cannot recall any which presen', 'l, and even the fantastic. of all these varied cases, however, i cannot recall any which presented m', 'd even the fantastic. of all these varied cases, however, i cannot recall any which presented more s', 'n the fantastic. of all these varied cases, however, i cannot recall any which presented more singul', ' fantastic. of all these varied cases, however, i cannot recall any which presented more singular fe', 'astic. of all these varied cases, however, i cannot recall any which presented more singular feature', '. of all these varied cases, however, i cannot recall any which presented more singular features tha', 'all these varied cases, however, i cannot recall any which presented more singular features than tha', 'hese varied cases, however, i cannot recall any which presented more singular features than that whi', 'varied cases, however, i cannot recall any which presented more singular features than that which wa', 'd cases, however, i cannot recall any which presented more singular features than that which was ass', 'es, however, i cannot recall any which presented more singular features than that which was associat', 'owever, i cannot recall any which presented more singular features than that which was associated wi', 'r, i cannot recall any which presented more singular features than that which was associated with th', 'cannot recall any which presented more singular features than that which was associated with the wel', 't recall any which presented more singular features than that which was associated with the well-kno', 'all any which presented more singular features than that which was associated with the well-known su', 'ny which presented more singular features than that which was associated with the well-known surrey ', 'ich presented more singular features than that which was associated with the well-known surrey famil', 'resented more singular features than that which was associated with the well-known surrey family of ', 'ted more singular features than that which was associated with the well-known surrey family of the r', 'ore singular features than that which was associated with the well-known surrey family of the roylot', 'ingular features than that which was associated with the well-known surrey family of the roylotts of', 'ar features than that which was associated with the well-known surrey family of the roylotts of stok', 'atures than that which was associated with the well-known surrey family of the roylotts of stoke mor', 's than that which was associated with the well-known surrey family of the roylotts of stoke moran. t', 'n that which was associated with the well-known surrey family of the roylotts of stoke moran. the ev', 't which was associated with the well-known surrey family of the roylotts of stoke moran. the events ', 'ch was associated with the well-known surrey family of the roylotts of stoke moran. the events in qu', 's associated with the well-known surrey family of the roylotts of stoke moran. the events in questio', 'ociated with the well-known surrey family of the roylotts of stoke moran. the events in question occ', 'ed with the well-known surrey family of the roylotts of stoke moran. the events in question occurred', 'th the well-known surrey family of the roylotts of stoke moran. the events in question occurred in t', 'e well-known surrey family of the roylotts of stoke moran. the events in question occurred in the ea', 'l-known surrey family of the roylotts of stoke moran. the events in question occurred in the early d', 'wn surrey family of the roylotts of stoke moran. the events in question occurred in the early days o', 'rrey family of the roylotts of stoke moran. the events in question occurred in the early days of my ', 'family of the roylotts of stoke moran. the events in question occurred in the early days of my assoc', 'y of the roylotts of stoke moran. the events in question occurred in the early days of my associatio', 'the roylotts of stoke moran. the events in question occurred in the early days of my association wit', 'oylotts of stoke moran. the events in question occurred in the early days of my association with hol', 'ts of stoke moran. the events in question occurred in the early days of my association with holmes, ', ' stoke moran. the events in question occurred in the early days of my association with holmes, when ', 'e moran. the events in question occurred in the early days of my association with holmes, when we we', 'an. the events in question occurred in the early days of my association with holmes, when we were sh', 'he events in question occurred in the early days of my association with holmes, when we were sharing', 'ents in question occurred in the early days of my association with holmes, when we were sharing room', 'in question occurred in the early days of my association with holmes, when we were sharing rooms as ', 'estion occurred in the early days of my association with holmes, when we were sharing rooms as bache', 'n occurred in the early days of my association with holmes, when we were sharing rooms as bachelors ', 'urred in the early days of my association with holmes, when we were sharing rooms as bachelors in ba', ' in the early days of my association with holmes, when we were sharing rooms as bachelors in baker s', 'he early days of my association with holmes, when we were sharing rooms as bachelors in baker street', 'rly days of my association with holmes, when we were sharing rooms as bachelors in baker street. it ', 'ays of my association with holmes, when we were sharing rooms as bachelors in baker street. it is po', 'f my association with holmes, when we were sharing rooms as bachelors in baker street. it is possibl', 'association with holmes, when we were sharing rooms as bachelors in baker street. it is possible tha', 'iation with holmes, when we were sharing rooms as bachelors in baker street. it is possible that i m', 'n with holmes, when we were sharing rooms as bachelors in baker street. it is possible that i might ', 'h holmes, when we were sharing rooms as bachelors in baker street. it is possible that i might have ', 'mes, when we were sharing rooms as bachelors in baker street. it is possible that i might have place', 'when we were sharing rooms as bachelors in baker street. it is possible that i might have placed the', 'we were sharing rooms as bachelors in baker street. it is possible that i might have placed them upo', 're sharing rooms as bachelors in baker street. it is possible that i might have placed them upon rec', 'aring rooms as bachelors in baker street. it is possible that i might have placed them upon record b', ' rooms as bachelors in baker street. it is possible that i might have placed them upon record before', 's as bachelors in baker street. it is possible that i might have placed them upon record before, but', 'bachelors in baker street. it is possible that i might have placed them upon record before, but a pr', 'lors in baker street. it is possible that i might have placed them upon record before, but a promise', 'in baker street. it is possible that i might have placed them upon record before, but a promise of s', 'ker street. it is possible that i might have placed them upon record before, but a promise of secrec', 'treet. it is possible that i might have placed them upon record before, but a promise of secrecy was', '. it is possible that i might have placed them upon record before, but a promise of secrecy was made', 'is possible that i might have placed them upon record before, but a promise of secrecy was made at t', 'ssible that i might have placed them upon record before, but a promise of secrecy was made at the ti', 'e that i might have placed them upon record before, but a promise of secrecy was made at the time, f', 't i might have placed them upon record before, but a promise of secrecy was made at the time, from w', 'ight have placed them upon record before, but a promise of secrecy was made at the time, from which ', 'have placed them upon record before, but a promise of secrecy was made at the time, from which i hav', 'placed them upon record before, but a promise of secrecy was made at the time, from which i have onl', 'd them upon record before, but a promise of secrecy was made at the time, from which i have only bee', 'm upon record before, but a promise of secrecy was made at the time, from which i have only been fre', 'n record before, but a promise of secrecy was made at the time, from which i have only been freed du', 'ord before, but a promise of secrecy was made at the time, from which i have only been freed during ', 'efore, but a promise of secrecy was made at the time, from which i have only been freed during the l', ', but a promise of secrecy was made at the time, from which i have only been freed during the last m', ' a promise of secrecy was made at the time, from which i have only been freed during the last month ', 'omise of secrecy was made at the time, from which i have only been freed during the last month by th', ' of secrecy was made at the time, from which i have only been freed during the last month by the unt', 'ecrecy was made at the time, from which i have only been freed during the last month by the untimely', 'y was made at the time, from which i have only been freed during the last month by the untimely deat', ' made at the time, from which i have only been freed during the last month by the untimely death of ', ' at the time, from which i have only been freed during the last month by the untimely death of the l', 'he time, from which i have only been freed during the last month by the untimely death of the lady t', 'me, from which i have only been freed during the last month by the untimely death of the lady to who', 'rom which i have only been freed during the last month by the untimely death of the lady to whom the', 'hich i have only been freed during the last month by the untimely death of the lady to whom the pled', 'i have only been freed during the last month by the untimely death of the lady to whom the pledge wa', 'e only been freed during the last month by the untimely death of the lady to whom the pledge was giv', 'y been freed during the last month by the untimely death of the lady to whom the pledge was given. i', 'n freed during the last month by the untimely death of the lady to whom the pledge was given. it is ', 'ed during the last month by the untimely death of the lady to whom the pledge was given. it is perha', 'ring the last month by the untimely death of the lady to whom the pledge was given. it is perhaps as', 'the last month by the untimely death of the lady to whom the pledge was given. it is perhaps as well', 'ast month by the untimely death of the lady to whom the pledge was given. it is perhaps as well that', 'onth by the untimely death of the lady to whom the pledge was given. it is perhaps as well that the ', 'by the untimely death of the lady to whom the pledge was given. it is perhaps as well that the facts', 'e untimely death of the lady to whom the pledge was given. it is perhaps as well that the facts shou', 'imely death of the lady to whom the pledge was given. it is perhaps as well that the facts should no', ' death of the lady to whom the pledge was given. it is perhaps as well that the facts should now com', 'h of the lady to whom the pledge was given. it is perhaps as well that the facts should now come to ', 'the lady to whom the pledge was given. it is perhaps as well that the facts should now come to light', 'ady to whom the pledge was given. it is perhaps as well that the facts should now come to light, for', 'o whom the pledge was given. it is perhaps as well that the facts should now come to light, for i ha', 'm the pledge was given. it is perhaps as well that the facts should now come to light, for i have re', ' pledge was given. it is perhaps as well that the facts should now come to light, for i have reasons', 'ge was given. it is perhaps as well that the facts should now come to light, for i have reasons to k', 's given. it is perhaps as well that the facts should now come to light, for i have reasons to know t', 'en. it is perhaps as well that the facts should now come to light, for i have reasons to know that t', 't is perhaps as well that the facts should now come to light, for i have reasons to know that there ', 'perhaps as well that the facts should now come to light, for i have reasons to know that there are w', 'ps as well that the facts should now come to light, for i have reasons to know that there are widesp', ' well that the facts should now come to light, for i have reasons to know that there are widespread ', ' that the facts should now come to light, for i have reasons to know that there are widespread rumou', ' the facts should now come to light, for i have reasons to know that there are widespread rumours as', 'facts should now come to light, for i have reasons to know that there are widespread rumours as to t', ' should now come to light, for i have reasons to know that there are widespread rumours as to the de', 'ld now come to light, for i have reasons to know that there are widespread rumours as to the death o', 'w come to light, for i have reasons to know that there are widespread rumours as to the death of dr.', 'e to light, for i have reasons to know that there are widespread rumours as to the death of dr. grim', 'light, for i have reasons to know that there are widespread rumours as to the death of dr. grimesby ', ', for i have reasons to know that there are widespread rumours as to the death of dr. grimesby roylo', ' i have reasons to know that there are widespread rumours as to the death of dr. grimesby roylott wh', 've reasons to know that there are widespread rumours as to the death of dr. grimesby roylott which t', 'asons to know that there are widespread rumours as to the death of dr. grimesby roylott which tend t', ' to know that there are widespread rumours as to the death of dr. grimesby roylott which tend to mak', 'now that there are widespread rumours as to the death of dr. grimesby roylott which tend to make the', 'hat there are widespread rumours as to the death of dr. grimesby roylott which tend to make the matt', 'here are widespread rumours as to the death of dr. grimesby roylott which tend to make the matter ev', 'are widespread rumours as to the death of dr. grimesby roylott which tend to make the matter even mo', 'idespread rumours as to the death of dr. grimesby roylott which tend to make the matter even more te', 'read rumours as to the death of dr. grimesby roylott which tend to make the matter even more terribl', 'rumours as to the death of dr. grimesby roylott which tend to make the matter even more terrible tha', 'rs as to the death of dr. grimesby roylott which tend to make the matter even more terrible than the', ' to the death of dr. grimesby roylott which tend to make the matter even more terrible than the trut', 'he death of dr. grimesby roylott which tend to make the matter even more terrible than the truth. it', 'ath of dr. grimesby roylott which tend to make the matter even more terrible than the truth. it was ', 'f dr. grimesby roylott which tend to make the matter even more terrible than the truth. it was early', ' grimesby roylott which tend to make the matter even more terrible than the truth. it was early in a', 'esby roylott which tend to make the matter even more terrible than the truth. it was early in april ', 'roylott which tend to make the matter even more terrible than the truth. it was early in april in th', 'tt which tend to make the matter even more terrible than the truth. it was early in april in the yea', "ich tend to make the matter even more terrible than the truth. it was early in april in the year ' ", "end to make the matter even more terrible than the truth. it was early in april in the year ' that ", "o make the matter even more terrible than the truth. it was early in april in the year ' that i wok", "e the matter even more terrible than the truth. it was early in april in the year ' that i woke one", " matter even more terrible than the truth. it was early in april in the year ' that i woke one morn", "er even more terrible than the truth. it was early in april in the year ' that i woke one morning t", "en more terrible than the truth. it was early in april in the year ' that i woke one morning to fin", "re terrible than the truth. it was early in april in the year ' that i woke one morning to find she", "rrible than the truth. it was early in april in the year ' that i woke one morning to find sherlock", "e than the truth. it was early in april in the year ' that i woke one morning to find sherlock holm", "n the truth. it was early in april in the year ' that i woke one morning to find sherlock holmes st", " truth. it was early in april in the year ' that i woke one morning to find sherlock holmes standin", "h. it was early in april in the year ' that i woke one morning to find sherlock holmes standing, fu", " was early in april in the year ' that i woke one morning to find sherlock holmes standing, fully d", "early in april in the year ' that i woke one morning to find sherlock holmes standing, fully dresse", " in april in the year ' that i woke one morning to find sherlock holmes standing, fully dressed, by", "pril in the year ' that i woke one morning to find sherlock holmes standing, fully dressed, by the ", "in the year ' that i woke one morning to find sherlock holmes standing, fully dressed, by the side ", "e year ' that i woke one morning to find sherlock holmes standing, fully dressed, by the side of my", "r ' that i woke one morning to find sherlock holmes standing, fully dressed, by the side of my bed.", 'that i woke one morning to find sherlock holmes standing, fully dressed, by the side of my bed. he w', 'i woke one morning to find sherlock holmes standing, fully dressed, by the side of my bed. he was a ', 'e one morning to find sherlock holmes standing, fully dressed, by the side of my bed. he was a late ', ' morning to find sherlock holmes standing, fully dressed, by the side of my bed. he was a late riser', 'ing to find sherlock holmes standing, fully dressed, by the side of my bed. he was a late riser, as ', 'o find sherlock holmes standing, fully dressed, by the side of my bed. he was a late riser, as a rul', 'd sherlock holmes standing, fully dressed, by the side of my bed. he was a late riser, as a rule, an', 'rlock holmes standing, fully dressed, by the side of my bed. he was a late riser, as a rule, and as ', ' holmes standing, fully dressed, by the side of my bed. he was a late riser, as a rule, and as the c', 'es standing, fully dressed, by the side of my bed. he was a late riser, as a rule, and as the clock ', 'anding, fully dressed, by the side of my bed. he was a late riser, as a rule, and as the clock on th', 'g, fully dressed, by the side of my bed. he was a late riser, as a rule, and as the clock on the man', 'lly dressed, by the side of my bed. he was a late riser, as a rule, and as the clock on the mantelpi', 'ressed, by the side of my bed. he was a late riser, as a rule, and as the clock on the mantelpiece s', 'd, by the side of my bed. he was a late riser, as a rule, and as the clock on the mantelpiece showed', ' the side of my bed. he was a late riser, as a rule, and as the clock on the mantelpiece showed me t', 'side of my bed. he was a late riser, as a rule, and as the clock on the mantelpiece showed me that i', 'of my bed. he was a late riser, as a rule, and as the clock on the mantelpiece showed me that it was', ' bed. he was a late riser, as a rule, and as the clock on the mantelpiece showed me that it was only', ' he was a late riser, as a rule, and as the clock on the mantelpiece showed me that it was only a qu', 'as a late riser, as a rule, and as the clock on the mantelpiece showed me that it was only a quarter', 'late riser, as a rule, and as the clock on the mantelpiece showed me that it was only a quarter-past', 'riser, as a rule, and as the clock on the mantelpiece showed me that it was only a quarter-past seve', ', as a rule, and as the clock on the mantelpiece showed me that it was only a quarter-past seven, i ', 'a rule, and as the clock on the mantelpiece showed me that it was only a quarter-past seven, i blink', 'e, and as the clock on the mantelpiece showed me that it was only a quarter-past seven, i blinked up', 'd as the clock on the mantelpiece showed me that it was only a quarter-past seven, i blinked up at h', 'the clock on the mantelpiece showed me that it was only a quarter-past seven, i blinked up at him in', 'lock on the mantelpiece showed me that it was only a quarter-past seven, i blinked up at him in some', 'on the mantelpiece showed me that it was only a quarter-past seven, i blinked up at him in some surp', 'e mantelpiece showed me that it was only a quarter-past seven, i blinked up at him in some surprise,', 'telpiece showed me that it was only a quarter-past seven, i blinked up at him in some surprise, and ', 'ece showed me that it was only a quarter-past seven, i blinked up at him in some surprise, and perha', 'howed me that it was only a quarter-past seven, i blinked up at him in some surprise, and perhaps ju', ' me that it was only a quarter-past seven, i blinked up at him in some surprise, and perhaps just a ', 'hat it was only a quarter-past seven, i blinked up at him in some surprise, and perhaps just a littl', 't was only a quarter-past seven, i blinked up at him in some surprise, and perhaps just a little res', ' only a quarter-past seven, i blinked up at him in some surprise, and perhaps just a little resentme', ' a quarter-past seven, i blinked up at him in some surprise, and perhaps just a little resentment, f', 'arter-past seven, i blinked up at him in some surprise, and perhaps just a little resentment, for i ', '-past seven, i blinked up at him in some surprise, and perhaps just a little resentment, for i was m', ' seven, i blinked up at him in some surprise, and perhaps just a little resentment, for i was myself', 'n, i blinked up at him in some surprise, and perhaps just a little resentment, for i was myself regu', 'blinked up at him in some surprise, and perhaps just a little resentment, for i was myself regular i', 'ed up at him in some surprise, and perhaps just a little resentment, for i was myself regular in my ', ' at him in some surprise, and perhaps just a little resentment, for i was myself regular in my habit', 'im in some surprise, and perhaps just a little resentment, for i was myself regular in my habits. "v', ' some surprise, and perhaps just a little resentment, for i was myself regular in my habits. "very s', ' surprise, and perhaps just a little resentment, for i was myself regular in my habits. "very sorry ', 'rise, and perhaps just a little resentment, for i was myself regular in my habits. "very sorry to kn', ' and perhaps just a little resentment, for i was myself regular in my habits. "very sorry to knock y', 'perhaps just a little resentment, for i was myself regular in my habits. "very sorry to knock you up', 'ps just a little resentment, for i was myself regular in my habits. "very sorry to knock you up, wat', 'st a little resentment, for i was myself regular in my habits. "very sorry to knock you up, watson,"', 'little resentment, for i was myself regular in my habits. "very sorry to knock you up, watson," said', 'e resentment, for i was myself regular in my habits. "very sorry to knock you up, watson," said he, ', 'entment, for i was myself regular in my habits. "very sorry to knock you up, watson," said he, "but ', 'nt, for i was myself regular in my habits. "very sorry to knock you up, watson," said he, "but it\'s ', 'or i was myself regular in my habits. "very sorry to knock you up, watson," said he, "but it\'s the c', 'was myself regular in my habits. "very sorry to knock you up, watson," said he, "but it\'s the common', 'yself regular in my habits. "very sorry to knock you up, watson," said he, "but it\'s the common lot ', ' regular in my habits. "very sorry to knock you up, watson," said he, "but it\'s the common lot this ', 'lar in my habits. "very sorry to knock you up, watson," said he, "but it\'s the common lot this morni', 'n my habits. "very sorry to knock you up, watson," said he, "but it\'s the common lot this morning. m', 'habits. "very sorry to knock you up, watson," said he, "but it\'s the common lot this morning. mrs. h', 's. "very sorry to knock you up, watson," said he, "but it\'s the common lot this morning. mrs. hudson', 'ery sorry to knock you up, watson," said he, "but it\'s the common lot this morning. mrs. hudson has ', 'orry to knock you up, watson," said he, "but it\'s the common lot this morning. mrs. hudson has been ', 'to knock you up, watson," said he, "but it\'s the common lot this morning. mrs. hudson has been knock', 'ock you up, watson," said he, "but it\'s the common lot this morning. mrs. hudson has been knocked up', 'ou up, watson," said he, "but it\'s the common lot this morning. mrs. hudson has been knocked up, she', ', watson," said he, "but it\'s the common lot this morning. mrs. hudson has been knocked up, she reto', 'son," said he, "but it\'s the common lot this morning. mrs. hudson has been knocked up, she retorted ', ' said he, "but it\'s the common lot this morning. mrs. hudson has been knocked up, she retorted upon ', ' he, "but it\'s the common lot this morning. mrs. hudson has been knocked up, she retorted upon me, a', '"but it\'s the common lot this morning. mrs. hudson has been knocked up, she retorted upon me, and i ', "it's the common lot this morning. mrs. hudson has been knocked up, she retorted upon me, and i on yo", 'the common lot this morning. mrs. hudson has been knocked up, she retorted upon me, and i on you." "', 'ommon lot this morning. mrs. hudson has been knocked up, she retorted upon me, and i on you." "what ', ' lot this morning. mrs. hudson has been knocked up, she retorted upon me, and i on you." "what is it', 'this morning. mrs. hudson has been knocked up, she retorted upon me, and i on you." "what is it, the', 'morning. mrs. hudson has been knocked up, she retorted upon me, and i on you." "what is it, thena fi', 'ng. mrs. hudson has been knocked up, she retorted upon me, and i on you." "what is it, thena fire?" ', 'rs. hudson has been knocked up, she retorted upon me, and i on you." "what is it, thena fire?" "no; ', 'udson has been knocked up, she retorted upon me, and i on you." "what is it, thena fire?" "no; a cli', ' has been knocked up, she retorted upon me, and i on you." "what is it, thena fire?" "no; a client. ', 'been knocked up, she retorted upon me, and i on you." "what is it, thena fire?" "no; a client. it se', 'knocked up, she retorted upon me, and i on you." "what is it, thena fire?" "no; a client. it seems t', 'ed up, she retorted upon me, and i on you." "what is it, thena fire?" "no; a client. it seems that a', ', she retorted upon me, and i on you." "what is it, thena fire?" "no; a client. it seems that a youn', ' retorted upon me, and i on you." "what is it, thena fire?" "no; a client. it seems that a young lad', 'rted upon me, and i on you." "what is it, thena fire?" "no; a client. it seems that a young lady has', 'upon me, and i on you." "what is it, thena fire?" "no; a client. it seems that a young lady has arri', 'me, and i on you." "what is it, thena fire?" "no; a client. it seems that a young lady has arrived i', 'nd i on you." "what is it, thena fire?" "no; a client. it seems that a young lady has arrived in a c', 'on you." "what is it, thena fire?" "no; a client. it seems that a young lady has arrived in a consid', 'u." "what is it, thena fire?" "no; a client. it seems that a young lady has arrived in a considerabl', 'what is it, thena fire?" "no; a client. it seems that a young lady has arrived in a considerable sta', 'is it, thena fire?" "no; a client. it seems that a young lady has arrived in a considerable state of', ', thena fire?" "no; a client. it seems that a young lady has arrived in a considerable state of exci', 'na fire?" "no; a client. it seems that a young lady has arrived in a considerable state of excitemen', 're?" "no; a client. it seems that a young lady has arrived in a considerable state of excitement, wh', '"no; a client. it seems that a young lady has arrived in a considerable state of excitement, who ins', 'a client. it seems that a young lady has arrived in a considerable state of excitement, who insists ', 'ent. it seems that a young lady has arrived in a considerable state of excitement, who insists upon ', 'it seems that a young lady has arrived in a considerable state of excitement, who insists upon seein', 'ems that a young lady has arrived in a considerable state of excitement, who insists upon seeing me.', 'hat a young lady has arrived in a considerable state of excitement, who insists upon seeing me. she ', ' young lady has arrived in a considerable state of excitement, who insists upon seeing me. she is wa', 'g lady has arrived in a considerable state of excitement, who insists upon seeing me. she is waiting', 'y has arrived in a considerable state of excitement, who insists upon seeing me. she is waiting now ', ' arrived in a considerable state of excitement, who insists upon seeing me. she is waiting now in th', 'ved in a considerable state of excitement, who insists upon seeing me. she is waiting now in the sit', 'n a considerable state of excitement, who insists upon seeing me. she is waiting now in the sitting-', 'onsiderable state of excitement, who insists upon seeing me. she is waiting now in the sitting-room.', 'erable state of excitement, who insists upon seeing me. she is waiting now in the sitting-room. now,', 'e state of excitement, who insists upon seeing me. she is waiting now in the sitting-room. now, when', 'te of excitement, who insists upon seeing me. she is waiting now in the sitting-room. now, when youn', ' excitement, who insists upon seeing me. she is waiting now in the sitting-room. now, when young lad', 'tement, who insists upon seeing me. she is waiting now in the sitting-room. now, when young ladies w', 't, who insists upon seeing me. she is waiting now in the sitting-room. now, when young ladies wander', 'o insists upon seeing me. she is waiting now in the sitting-room. now, when young ladies wander abou', 'ists upon seeing me. she is waiting now in the sitting-room. now, when young ladies wander about the', 'upon seeing me. she is waiting now in the sitting-room. now, when young ladies wander about the metr', 'seeing me. she is waiting now in the sitting-room. now, when young ladies wander about the metropoli', 'g me. she is waiting now in the sitting-room. now, when young ladies wander about the metropolis at ', ' she is waiting now in the sitting-room. now, when young ladies wander about the metropolis at this ', 'is waiting now in the sitting-room. now, when young ladies wander about the metropolis at this hour ', 'iting now in the sitting-room. now, when young ladies wander about the metropolis at this hour of th', ' now in the sitting-room. now, when young ladies wander about the metropolis at this hour of the mor', 'in the sitting-room. now, when young ladies wander about the metropolis at this hour of the morning,', 'e sitting-room. now, when young ladies wander about the metropolis at this hour of the morning, and ', 'ting-room. now, when young ladies wander about the metropolis at this hour of the morning, and knock', 'room. now, when young ladies wander about the metropolis at this hour of the morning, and knock slee', ' now, when young ladies wander about the metropolis at this hour of the morning, and knock sleepy pe', ' when young ladies wander about the metropolis at this hour of the morning, and knock sleepy people ', ' young ladies wander about the metropolis at this hour of the morning, and knock sleepy people up ou', 'g ladies wander about the metropolis at this hour of the morning, and knock sleepy people up out of ', 'ies wander about the metropolis at this hour of the morning, and knock sleepy people up out of their', 'ander about the metropolis at this hour of the morning, and knock sleepy people up out of their beds', ' about the metropolis at this hour of the morning, and knock sleepy people up out of their beds, i p', 't the metropolis at this hour of the morning, and knock sleepy people up out of their beds, i presum', ' metropolis at this hour of the morning, and knock sleepy people up out of their beds, i presume tha', 'opolis at this hour of the morning, and knock sleepy people up out of their beds, i presume that it ', 's at this hour of the morning, and knock sleepy people up out of their beds, i presume that it is so', 'this hour of the morning, and knock sleepy people up out of their beds, i presume that it is somethi', 'hour of the morning, and knock sleepy people up out of their beds, i presume that it is something ve', 'of the morning, and knock sleepy people up out of their beds, i presume that it is something very pr', 'e morning, and knock sleepy people up out of their beds, i presume that it is something very pressin', 'ning, and knock sleepy people up out of their beds, i presume that it is something very pressing whi', ' and knock sleepy people up out of their beds, i presume that it is something very pressing which th', 'knock sleepy people up out of their beds, i presume that it is something very pressing which they ha', ' sleepy people up out of their beds, i presume that it is something very pressing which they have to', 'py people up out of their beds, i presume that it is something very pressing which they have to comm', 'ople up out of their beds, i presume that it is something very pressing which they have to communica', 'up out of their beds, i presume that it is something very pressing which they have to communicate. s', 't of their beds, i presume that it is something very pressing which they have to communicate. should', 'their beds, i presume that it is something very pressing which they have to communicate. should it p', ' beds, i presume that it is something very pressing which they have to communicate. should it prove ', ', i presume that it is something very pressing which they have to communicate. should it prove to be', 'resume that it is something very pressing which they have to communicate. should it prove to be an i', 'e that it is something very pressing which they have to communicate. should it prove to be an intere', 't it is something very pressing which they have to communicate. should it prove to be an interesting', 'is something very pressing which they have to communicate. should it prove to be an interesting case', 'mething very pressing which they have to communicate. should it prove to be an interesting case, you', 'ng very pressing which they have to communicate. should it prove to be an interesting case, you woul', 'ry pressing which they have to communicate. should it prove to be an interesting case, you would, i ', 'essing which they have to communicate. should it prove to be an interesting case, you would, i am su', 'g which they have to communicate. should it prove to be an interesting case, you would, i am sure, w', 'ch they have to communicate. should it prove to be an interesting case, you would, i am sure, wish t', 'ey have to communicate. should it prove to be an interesting case, you would, i am sure, wish to fol', 've to communicate. should it prove to be an interesting case, you would, i am sure, wish to follow i', ' communicate. should it prove to be an interesting case, you would, i am sure, wish to follow it fro', 'unicate. should it prove to be an interesting case, you would, i am sure, wish to follow it from the', 'te. should it prove to be an interesting case, you would, i am sure, wish to follow it from the outs', 'hould it prove to be an interesting case, you would, i am sure, wish to follow it from the outset. i', ' it prove to be an interesting case, you would, i am sure, wish to follow it from the outset. i thou', 'rove to be an interesting case, you would, i am sure, wish to follow it from the outset. i thought, ', 'to be an interesting case, you would, i am sure, wish to follow it from the outset. i thought, at an', ' an interesting case, you would, i am sure, wish to follow it from the outset. i thought, at any rat', 'nteresting case, you would, i am sure, wish to follow it from the outset. i thought, at any rate, th', 'sting case, you would, i am sure, wish to follow it from the outset. i thought, at any rate, that i ', ' case, you would, i am sure, wish to follow it from the outset. i thought, at any rate, that i shoul', ', you would, i am sure, wish to follow it from the outset. i thought, at any rate, that i should cal', ' would, i am sure, wish to follow it from the outset. i thought, at any rate, that i should call you', 'd, i am sure, wish to follow it from the outset. i thought, at any rate, that i should call you and ', 'am sure, wish to follow it from the outset. i thought, at any rate, that i should call you and give ', 're, wish to follow it from the outset. i thought, at any rate, that i should call you and give you t', 'ish to follow it from the outset. i thought, at any rate, that i should call you and give you the ch', 'o follow it from the outset. i thought, at any rate, that i should call you and give you the chance.', 'low it from the outset. i thought, at any rate, that i should call you and give you the chance." "my', 't from the outset. i thought, at any rate, that i should call you and give you the chance." "my dear', 'm the outset. i thought, at any rate, that i should call you and give you the chance." "my dear fell', ' outset. i thought, at any rate, that i should call you and give you the chance." "my dear fellow, i', 'et. i thought, at any rate, that i should call you and give you the chance." "my dear fellow, i woul', ' thought, at any rate, that i should call you and give you the chance." "my dear fellow, i would not', 'ght, at any rate, that i should call you and give you the chance." "my dear fellow, i would not miss', 'at any rate, that i should call you and give you the chance." "my dear fellow, i would not miss it f', 'y rate, that i should call you and give you the chance." "my dear fellow, i would not miss it for an', 'e, that i should call you and give you the chance." "my dear fellow, i would not miss it for anythin', 'at i should call you and give you the chance." "my dear fellow, i would not miss it for anything." i', 'should call you and give you the chance." "my dear fellow, i would not miss it for anything." i had ', 'd call you and give you the chance." "my dear fellow, i would not miss it for anything." i had no ke', 'l you and give you the chance." "my dear fellow, i would not miss it for anything." i had no keener ', ' and give you the chance." "my dear fellow, i would not miss it for anything." i had no keener pleas', 'give you the chance." "my dear fellow, i would not miss it for anything." i had no keener pleasure t', 'you the chance." "my dear fellow, i would not miss it for anything." i had no keener pleasure than i', 'he chance." "my dear fellow, i would not miss it for anything." i had no keener pleasure than in fol', 'ance." "my dear fellow, i would not miss it for anything." i had no keener pleasure than in followin', '" "my dear fellow, i would not miss it for anything." i had no keener pleasure than in following hol', ' dear fellow, i would not miss it for anything." i had no keener pleasure than in following holmes i', ' fellow, i would not miss it for anything." i had no keener pleasure than in following holmes in his', 'ow, i would not miss it for anything." i had no keener pleasure than in following holmes in his prof', ' would not miss it for anything." i had no keener pleasure than in following holmes in his professio', 'd not miss it for anything." i had no keener pleasure than in following holmes in his professional i', ' miss it for anything." i had no keener pleasure than in following holmes in his professional invest', ' it for anything." i had no keener pleasure than in following holmes in his professional investigati', 'or anything." i had no keener pleasure than in following holmes in his professional investigations, ', 'ything." i had no keener pleasure than in following holmes in his professional investigations, and i', 'g." i had no keener pleasure than in following holmes in his professional investigations, and in adm', ' had no keener pleasure than in following holmes in his professional investigations, and in admiring', 'no keener pleasure than in following holmes in his professional investigations, and in admiring the ', 'ener pleasure than in following holmes in his professional investigations, and in admiring the rapid', 'pleasure than in following holmes in his professional investigations, and in admiring the rapid dedu', 'ure than in following holmes in his professional investigations, and in admiring the rapid deduction', 'han in following holmes in his professional investigations, and in admiring the rapid deductions, as', 'n following holmes in his professional investigations, and in admiring the rapid deductions, as swif', 'lowing holmes in his professional investigations, and in admiring the rapid deductions, as swift as ', 'g holmes in his professional investigations, and in admiring the rapid deductions, as swift as intui', 'mes in his professional investigations, and in admiring the rapid deductions, as swift as intuitions', 'n his professional investigations, and in admiring the rapid deductions, as swift as intuitions, and', ' professional investigations, and in admiring the rapid deductions, as swift as intuitions, and yet ', 'essional investigations, and in admiring the rapid deductions, as swift as intuitions, and yet alway', 'nal investigations, and in admiring the rapid deductions, as swift as intuitions, and yet always fou', 'nvestigations, and in admiring the rapid deductions, as swift as intuitions, and yet always founded ', 'igations, and in admiring the rapid deductions, as swift as intuitions, and yet always founded on a ', 'ons, and in admiring the rapid deductions, as swift as intuitions, and yet always founded on a logic', 'and in admiring the rapid deductions, as swift as intuitions, and yet always founded on a logical ba', 'n admiring the rapid deductions, as swift as intuitions, and yet always founded on a logical basis w', 'iring the rapid deductions, as swift as intuitions, and yet always founded on a logical basis with w', ' the rapid deductions, as swift as intuitions, and yet always founded on a logical basis with which ', 'rapid deductions, as swift as intuitions, and yet always founded on a logical basis with which he un', ' deductions, as swift as intuitions, and yet always founded on a logical basis with which he unravel', 'ctions, as swift as intuitions, and yet always founded on a logical basis with which he unravelled t', 's, as swift as intuitions, and yet always founded on a logical basis with which he unravelled the pr', ' swift as intuitions, and yet always founded on a logical basis with which he unravelled the problem', 't as intuitions, and yet always founded on a logical basis with which he unravelled the problems whi', 'intuitions, and yet always founded on a logical basis with which he unravelled the problems which we', 'tions, and yet always founded on a logical basis with which he unravelled the problems which were su', ', and yet always founded on a logical basis with which he unravelled the problems which were submitt', ' yet always founded on a logical basis with which he unravelled the problems which were submitted to', 'always founded on a logical basis with which he unravelled the problems which were submitted to him.', 's founded on a logical basis with which he unravelled the problems which were submitted to him. i ra', 'nded on a logical basis with which he unravelled the problems which were submitted to him. i rapidly', 'on a logical basis with which he unravelled the problems which were submitted to him. i rapidly thre', 'logical basis with which he unravelled the problems which were submitted to him. i rapidly threw on ', 'al basis with which he unravelled the problems which were submitted to him. i rapidly threw on my cl', 'sis with which he unravelled the problems which were submitted to him. i rapidly threw on my clothes', 'ith which he unravelled the problems which were submitted to him. i rapidly threw on my clothes and ', 'hich he unravelled the problems which were submitted to him. i rapidly threw on my clothes and was r', 'he unravelled the problems which were submitted to him. i rapidly threw on my clothes and was ready ', 'ravelled the problems which were submitted to him. i rapidly threw on my clothes and was ready in a ', 'led the problems which were submitted to him. i rapidly threw on my clothes and was ready in a few m', 'he problems which were submitted to him. i rapidly threw on my clothes and was ready in a few minute', 'oblems which were submitted to him. i rapidly threw on my clothes and was ready in a few minutes to ', 's which were submitted to him. i rapidly threw on my clothes and was ready in a few minutes to accom', 'ch were submitted to him. i rapidly threw on my clothes and was ready in a few minutes to accompany ', 're submitted to him. i rapidly threw on my clothes and was ready in a few minutes to accompany my fr', 'bmitted to him. i rapidly threw on my clothes and was ready in a few minutes to accompany my friend ', 'ed to him. i rapidly threw on my clothes and was ready in a few minutes to accompany my friend down ', ' him. i rapidly threw on my clothes and was ready in a few minutes to accompany my friend down to th', ' i rapidly threw on my clothes and was ready in a few minutes to accompany my friend down to the sit', 'pidly threw on my clothes and was ready in a few minutes to accompany my friend down to the sitting-', ' threw on my clothes and was ready in a few minutes to accompany my friend down to the sitting-room.', 'w on my clothes and was ready in a few minutes to accompany my friend down to the sitting-room. a la', 'my clothes and was ready in a few minutes to accompany my friend down to the sitting-room. a lady dr', 'othes and was ready in a few minutes to accompany my friend down to the sitting-room. a lady dressed', ' and was ready in a few minutes to accompany my friend down to the sitting-room. a lady dressed in b', 'was ready in a few minutes to accompany my friend down to the sitting-room. a lady dressed in black ', 'eady in a few minutes to accompany my friend down to the sitting-room. a lady dressed in black and h', 'in a few minutes to accompany my friend down to the sitting-room. a lady dressed in black and heavil', 'few minutes to accompany my friend down to the sitting-room. a lady dressed in black and heavily vei', 'inutes to accompany my friend down to the sitting-room. a lady dressed in black and heavily veiled, ', 's to accompany my friend down to the sitting-room. a lady dressed in black and heavily veiled, who h', 'accompany my friend down to the sitting-room. a lady dressed in black and heavily veiled, who had be', 'pany my friend down to the sitting-room. a lady dressed in black and heavily veiled, who had been si', 'my friend down to the sitting-room. a lady dressed in black and heavily veiled, who had been sitting', 'iend down to the sitting-room. a lady dressed in black and heavily veiled, who had been sitting in t', 'down to the sitting-room. a lady dressed in black and heavily veiled, who had been sitting in the wi', 'to the sitting-room. a lady dressed in black and heavily veiled, who had been sitting in the window,', 'e sitting-room. a lady dressed in black and heavily veiled, who had been sitting in the window, rose', 'ting-room. a lady dressed in black and heavily veiled, who had been sitting in the window, rose as w', 'room. a lady dressed in black and heavily veiled, who had been sitting in the window, rose as we ent', ' a lady dressed in black and heavily veiled, who had been sitting in the window, rose as we entered.', 'dy dressed in black and heavily veiled, who had been sitting in the window, rose as we entered. "goo', 'essed in black and heavily veiled, who had been sitting in the window, rose as we entered. "good-mor', ' in black and heavily veiled, who had been sitting in the window, rose as we entered. "good-morning,', 'lack and heavily veiled, who had been sitting in the window, rose as we entered. "good-morning, mada', 'and heavily veiled, who had been sitting in the window, rose as we entered. "good-morning, madam," s', 'eavily veiled, who had been sitting in the window, rose as we entered. "good-morning, madam," said h', 'y veiled, who had been sitting in the window, rose as we entered. "good-morning, madam," said holmes', 'led, who had been sitting in the window, rose as we entered. "good-morning, madam," said holmes chee', 'who had been sitting in the window, rose as we entered. "good-morning, madam," said holmes cheerily.', 'ad been sitting in the window, rose as we entered. "good-morning, madam," said holmes cheerily. "my ', 'en sitting in the window, rose as we entered. "good-morning, madam," said holmes cheerily. "my name ', 'tting in the window, rose as we entered. "good-morning, madam," said holmes cheerily. "my name is sh', ' in the window, rose as we entered. "good-morning, madam," said holmes cheerily. "my name is sherloc', 'he window, rose as we entered. "good-morning, madam," said holmes cheerily. "my name is sherlock hol', 'ndow, rose as we entered. "good-morning, madam," said holmes cheerily. "my name is sherlock holmes. ', ' rose as we entered. "good-morning, madam," said holmes cheerily. "my name is sherlock holmes. this ', ' as we entered. "good-morning, madam," said holmes cheerily. "my name is sherlock holmes. this is my', 'e entered. "good-morning, madam," said holmes cheerily. "my name is sherlock holmes. this is my inti', 'ered. "good-morning, madam," said holmes cheerily. "my name is sherlock holmes. this is my intimate ', ' "good-morning, madam," said holmes cheerily. "my name is sherlock holmes. this is my intimate frien', 'd-morning, madam," said holmes cheerily. "my name is sherlock holmes. this is my intimate friend and', 'ning, madam," said holmes cheerily. "my name is sherlock holmes. this is my intimate friend and asso', ' madam," said holmes cheerily. "my name is sherlock holmes. this is my intimate friend and associate', 'm," said holmes cheerily. "my name is sherlock holmes. this is my intimate friend and associate, dr.', 'aid holmes cheerily. "my name is sherlock holmes. this is my intimate friend and associate, dr. wats', 'olmes cheerily. "my name is sherlock holmes. this is my intimate friend and associate, dr. watson, b', ' cheerily. "my name is sherlock holmes. this is my intimate friend and associate, dr. watson, before', 'rily. "my name is sherlock holmes. this is my intimate friend and associate, dr. watson, before whom', ' "my name is sherlock holmes. this is my intimate friend and associate, dr. watson, before whom you ', 'name is sherlock holmes. this is my intimate friend and associate, dr. watson, before whom you can s', 'is sherlock holmes. this is my intimate friend and associate, dr. watson, before whom you can speak ', 'erlock holmes. this is my intimate friend and associate, dr. watson, before whom you can speak as fr', 'k holmes. this is my intimate friend and associate, dr. watson, before whom you can speak as freely ', 'mes. this is my intimate friend and associate, dr. watson, before whom you can speak as freely as be', 'this is my intimate friend and associate, dr. watson, before whom you can speak as freely as before ', 'is my intimate friend and associate, dr. watson, before whom you can speak as freely as before mysel', ' intimate friend and associate, dr. watson, before whom you can speak as freely as before myself. ha', 'mate friend and associate, dr. watson, before whom you can speak as freely as before myself. ha! i a', 'friend and associate, dr. watson, before whom you can speak as freely as before myself. ha! i am gla', 'd and associate, dr. watson, before whom you can speak as freely as before myself. ha! i am glad to ', ' associate, dr. watson, before whom you can speak as freely as before myself. ha! i am glad to see t', 'ciate, dr. watson, before whom you can speak as freely as before myself. ha! i am glad to see that m', ', dr. watson, before whom you can speak as freely as before myself. ha! i am glad to see that mrs. h', ' watson, before whom you can speak as freely as before myself. ha! i am glad to see that mrs. hudson', 'on, before whom you can speak as freely as before myself. ha! i am glad to see that mrs. hudson has ', 'efore whom you can speak as freely as before myself. ha! i am glad to see that mrs. hudson has had t', ' whom you can speak as freely as before myself. ha! i am glad to see that mrs. hudson has had the go', ' you can speak as freely as before myself. ha! i am glad to see that mrs. hudson has had the good se', 'can speak as freely as before myself. ha! i am glad to see that mrs. hudson has had the good sense t', 'peak as freely as before myself. ha! i am glad to see that mrs. hudson has had the good sense to lig', 'as freely as before myself. ha! i am glad to see that mrs. hudson has had the good sense to light th', 'eely as before myself. ha! i am glad to see that mrs. hudson has had the good sense to light the fir', 'as before myself. ha! i am glad to see that mrs. hudson has had the good sense to light the fire. pr', 'fore myself. ha! i am glad to see that mrs. hudson has had the good sense to light the fire. pray dr', 'myself. ha! i am glad to see that mrs. hudson has had the good sense to light the fire. pray draw up', 'f. ha! i am glad to see that mrs. hudson has had the good sense to light the fire. pray draw up to i', '! i am glad to see that mrs. hudson has had the good sense to light the fire. pray draw up to it, an', 'm glad to see that mrs. hudson has had the good sense to light the fire. pray draw up to it, and i s', 'd to see that mrs. hudson has had the good sense to light the fire. pray draw up to it, and i shall ', 'see that mrs. hudson has had the good sense to light the fire. pray draw up to it, and i shall order', 'hat mrs. hudson has had the good sense to light the fire. pray draw up to it, and i shall order you ', 'rs. hudson has had the good sense to light the fire. pray draw up to it, and i shall order you a cup', 'udson has had the good sense to light the fire. pray draw up to it, and i shall order you a cup of h', ' has had the good sense to light the fire. pray draw up to it, and i shall order you a cup of hot co', 'had the good sense to light the fire. pray draw up to it, and i shall order you a cup of hot coffee,', 'he good sense to light the fire. pray draw up to it, and i shall order you a cup of hot coffee, for ', 'od sense to light the fire. pray draw up to it, and i shall order you a cup of hot coffee, for i obs', 'nse to light the fire. pray draw up to it, and i shall order you a cup of hot coffee, for i observe ', 'o light the fire. pray draw up to it, and i shall order you a cup of hot coffee, for i observe that ', 'ht the fire. pray draw up to it, and i shall order you a cup of hot coffee, for i observe that you a', 'e fire. pray draw up to it, and i shall order you a cup of hot coffee, for i observe that you are sh', 'e. pray draw up to it, and i shall order you a cup of hot coffee, for i observe that you are shiveri', 'ay draw up to it, and i shall order you a cup of hot coffee, for i observe that you are shivering." ', 'aw up to it, and i shall order you a cup of hot coffee, for i observe that you are shivering." "it i', ' to it, and i shall order you a cup of hot coffee, for i observe that you are shivering." "it is not', 't, and i shall order you a cup of hot coffee, for i observe that you are shivering." "it is not cold', 'd i shall order you a cup of hot coffee, for i observe that you are shivering." "it is not cold whic', 'hall order you a cup of hot coffee, for i observe that you are shivering." "it is not cold which mak', 'order you a cup of hot coffee, for i observe that you are shivering." "it is not cold which makes me', ' you a cup of hot coffee, for i observe that you are shivering." "it is not cold which makes me shiv', 'a cup of hot coffee, for i observe that you are shivering." "it is not cold which makes me shiver," ', ' of hot coffee, for i observe that you are shivering." "it is not cold which makes me shiver," said ', 'ot coffee, for i observe that you are shivering." "it is not cold which makes me shiver," said the w', 'ffee, for i observe that you are shivering." "it is not cold which makes me shiver," said the woman ', ' for i observe that you are shivering." "it is not cold which makes me shiver," said the woman in a ', 'i observe that you are shivering." "it is not cold which makes me shiver," said the woman in a low v', 'erve that you are shivering." "it is not cold which makes me shiver," said the woman in a low voice,', 'that you are shivering." "it is not cold which makes me shiver," said the woman in a low voice, chan', 'you are shivering." "it is not cold which makes me shiver," said the woman in a low voice, changing ', 're shivering." "it is not cold which makes me shiver," said the woman in a low voice, changing her s', 'ivering." "it is not cold which makes me shiver," said the woman in a low voice, changing her seat a', 'ng." "it is not cold which makes me shiver," said the woman in a low voice, changing her seat as req', '"it is not cold which makes me shiver," said the woman in a low voice, changing her seat as requeste', 's not cold which makes me shiver," said the woman in a low voice, changing her seat as requested. "w', ' cold which makes me shiver," said the woman in a low voice, changing her seat as requested. "what, ', ' which makes me shiver," said the woman in a low voice, changing her seat as requested. "what, then?', 'h makes me shiver," said the woman in a low voice, changing her seat as requested. "what, then?" "it', 'es me shiver," said the woman in a low voice, changing her seat as requested. "what, then?" "it is f', ' shiver," said the woman in a low voice, changing her seat as requested. "what, then?" "it is fear, ', 'er," said the woman in a low voice, changing her seat as requested. "what, then?" "it is fear, mr. h', 'said the woman in a low voice, changing her seat as requested. "what, then?" "it is fear, mr. holmes', 'the woman in a low voice, changing her seat as requested. "what, then?" "it is fear, mr. holmes. it ', 'oman in a low voice, changing her seat as requested. "what, then?" "it is fear, mr. holmes. it is te', 'in a low voice, changing her seat as requested. "what, then?" "it is fear, mr. holmes. it is terror.', 'low voice, changing her seat as requested. "what, then?" "it is fear, mr. holmes. it is terror." she', 'oice, changing her seat as requested. "what, then?" "it is fear, mr. holmes. it is terror." she rais', ' changing her seat as requested. "what, then?" "it is fear, mr. holmes. it is terror." she raised he', 'ging her seat as requested. "what, then?" "it is fear, mr. holmes. it is terror." she raised her vei', 'her seat as requested. "what, then?" "it is fear, mr. holmes. it is terror." she raised her veil as ', 'eat as requested. "what, then?" "it is fear, mr. holmes. it is terror." she raised her veil as she s', 's requested. "what, then?" "it is fear, mr. holmes. it is terror." she raised her veil as she spoke,', 'uested. "what, then?" "it is fear, mr. holmes. it is terror." she raised her veil as she spoke, and ', 'd. "what, then?" "it is fear, mr. holmes. it is terror." she raised her veil as she spoke, and we co', 'hat, then?" "it is fear, mr. holmes. it is terror." she raised her veil as she spoke, and we could s', 'then?" "it is fear, mr. holmes. it is terror." she raised her veil as she spoke, and we could see th', '" "it is fear, mr. holmes. it is terror." she raised her veil as she spoke, and we could see that sh', ' is fear, mr. holmes. it is terror." she raised her veil as she spoke, and we could see that she was', 'ear, mr. holmes. it is terror." she raised her veil as she spoke, and we could see that she was inde', 'mr. holmes. it is terror." she raised her veil as she spoke, and we could see that she was indeed in', 'olmes. it is terror." she raised her veil as she spoke, and we could see that she was indeed in a pi', '. it is terror." she raised her veil as she spoke, and we could see that she was indeed in a pitiabl', 'is terror." she raised her veil as she spoke, and we could see that she was indeed in a pitiable sta', 'rror." she raised her veil as she spoke, and we could see that she was indeed in a pitiable state of', '" she raised her veil as she spoke, and we could see that she was indeed in a pitiable state of agit', ' raised her veil as she spoke, and we could see that she was indeed in a pitiable state of agitation', 'ed her veil as she spoke, and we could see that she was indeed in a pitiable state of agitation, her', 'r veil as she spoke, and we could see that she was indeed in a pitiable state of agitation, her face', 'l as she spoke, and we could see that she was indeed in a pitiable state of agitation, her face all ', 'she spoke, and we could see that she was indeed in a pitiable state of agitation, her face all drawn', 'poke, and we could see that she was indeed in a pitiable state of agitation, her face all drawn and ', ' and we could see that she was indeed in a pitiable state of agitation, her face all drawn and grey,', 'we could see that she was indeed in a pitiable state of agitation, her face all drawn and grey, with', 'uld see that she was indeed in a pitiable state of agitation, her face all drawn and grey, with rest', 'ee that she was indeed in a pitiable state of agitation, her face all drawn and grey, with restless ', 'at she was indeed in a pitiable state of agitation, her face all drawn and grey, with restless frigh', 'e was indeed in a pitiable state of agitation, her face all drawn and grey, with restless frightened', ' indeed in a pitiable state of agitation, her face all drawn and grey, with restless frightened eyes', 'ed in a pitiable state of agitation, her face all drawn and grey, with restless frightened eyes, lik', ' a pitiable state of agitation, her face all drawn and grey, with restless frightened eyes, like tho', 'tiable state of agitation, her face all drawn and grey, with restless frightened eyes, like those of', 'e state of agitation, her face all drawn and grey, with restless frightened eyes, like those of some', 'te of agitation, her face all drawn and grey, with restless frightened eyes, like those of some hunt', ' agitation, her face all drawn and grey, with restless frightened eyes, like those of some hunted an', 'ation, her face all drawn and grey, with restless frightened eyes, like those of some hunted animal.', ', her face all drawn and grey, with restless frightened eyes, like those of some hunted animal. her ', ' face all drawn and grey, with restless frightened eyes, like those of some hunted animal. her featu', ' all drawn and grey, with restless frightened eyes, like those of some hunted animal. her features a', 'drawn and grey, with restless frightened eyes, like those of some hunted animal. her features and fi', ' and grey, with restless frightened eyes, like those of some hunted animal. her features and figure ', 'grey, with restless frightened eyes, like those of some hunted animal. her features and figure were ', ' with restless frightened eyes, like those of some hunted animal. her features and figure were those', ' restless frightened eyes, like those of some hunted animal. her features and figure were those of a', 'less frightened eyes, like those of some hunted animal. her features and figure were those of a woma', 'frightened eyes, like those of some hunted animal. her features and figure were those of a woman of ', 'tened eyes, like those of some hunted animal. her features and figure were those of a woman of thirt', ' eyes, like those of some hunted animal. her features and figure were those of a woman of thirty, bu', ', like those of some hunted animal. her features and figure were those of a woman of thirty, but her', 'e those of some hunted animal. her features and figure were those of a woman of thirty, but her hair', 'se of some hunted animal. her features and figure were those of a woman of thirty, but her hair was ', ' some hunted animal. her features and figure were those of a woman of thirty, but her hair was shot ', ' hunted animal. her features and figure were those of a woman of thirty, but her hair was shot with ', 'ed animal. her features and figure were those of a woman of thirty, but her hair was shot with prema', 'imal. her features and figure were those of a woman of thirty, but her hair was shot with premature ', ' her features and figure were those of a woman of thirty, but her hair was shot with premature grey,', 'features and figure were those of a woman of thirty, but her hair was shot with premature grey, and ', 'res and figure were those of a woman of thirty, but her hair was shot with premature grey, and her e', 'nd figure were those of a woman of thirty, but her hair was shot with premature grey, and her expres', 'gure were those of a woman of thirty, but her hair was shot with premature grey, and her expression ', 'were those of a woman of thirty, but her hair was shot with premature grey, and her expression was w', 'those of a woman of thirty, but her hair was shot with premature grey, and her expression was weary ', ' of a woman of thirty, but her hair was shot with premature grey, and her expression was weary and h', ' woman of thirty, but her hair was shot with premature grey, and her expression was weary and haggar', 'n of thirty, but her hair was shot with premature grey, and her expression was weary and haggard. sh', 'thirty, but her hair was shot with premature grey, and her expression was weary and haggard. sherloc', 'y, but her hair was shot with premature grey, and her expression was weary and haggard. sherlock hol', 't her hair was shot with premature grey, and her expression was weary and haggard. sherlock holmes r', ' hair was shot with premature grey, and her expression was weary and haggard. sherlock holmes ran he', ' was shot with premature grey, and her expression was weary and haggard. sherlock holmes ran her ove', 'shot with premature grey, and her expression was weary and haggard. sherlock holmes ran her over wit', 'with premature grey, and her expression was weary and haggard. sherlock holmes ran her over with one', 'premature grey, and her expression was weary and haggard. sherlock holmes ran her over with one of h', 'ture grey, and her expression was weary and haggard. sherlock holmes ran her over with one of his qu', 'grey, and her expression was weary and haggard. sherlock holmes ran her over with one of his quick, ', ' and her expression was weary and haggard. sherlock holmes ran her over with one of his quick, all-c', 'her expression was weary and haggard. sherlock holmes ran her over with one of his quick, all-compre', 'xpression was weary and haggard. sherlock holmes ran her over with one of his quick, all-comprehensi', 'sion was weary and haggard. sherlock holmes ran her over with one of his quick, all-comprehensive gl', 'was weary and haggard. sherlock holmes ran her over with one of his quick, all-comprehensive glances', 'eary and haggard. sherlock holmes ran her over with one of his quick, all-comprehensive glances. "yo', 'and haggard. sherlock holmes ran her over with one of his quick, all-comprehensive glances. "you mus', 'aggard. sherlock holmes ran her over with one of his quick, all-comprehensive glances. "you must not', 'd. sherlock holmes ran her over with one of his quick, all-comprehensive glances. "you must not fear', 'erlock holmes ran her over with one of his quick, all-comprehensive glances. "you must not fear," sa', 'k holmes ran her over with one of his quick, all-comprehensive glances. "you must not fear," said he', 'mes ran her over with one of his quick, all-comprehensive glances. "you must not fear," said he soot', 'an her over with one of his quick, all-comprehensive glances. "you must not fear," said he soothingl', 'r over with one of his quick, all-comprehensive glances. "you must not fear," said he soothingly, be', 'r with one of his quick, all-comprehensive glances. "you must not fear," said he soothingly, bending', 'h one of his quick, all-comprehensive glances. "you must not fear," said he soothingly, bending forw', ' of his quick, all-comprehensive glances. "you must not fear," said he soothingly, bending forward a', 'is quick, all-comprehensive glances. "you must not fear," said he soothingly, bending forward and pa', 'ick, all-comprehensive glances. "you must not fear," said he soothingly, bending forward and patting', 'all-comprehensive glances. "you must not fear," said he soothingly, bending forward and patting her ', 'omprehensive glances. "you must not fear," said he soothingly, bending forward and patting her forea', 'hensive glances. "you must not fear," said he soothingly, bending forward and patting her forearm. "', 've glances. "you must not fear," said he soothingly, bending forward and patting her forearm. "we sh', 'ances. "you must not fear," said he soothingly, bending forward and patting her forearm. "we shall s', '. "you must not fear," said he soothingly, bending forward and patting her forearm. "we shall soon s', 'u must not fear," said he soothingly, bending forward and patting her forearm. "we shall soon set ma', 't not fear," said he soothingly, bending forward and patting her forearm. "we shall soon set matters', ' fear," said he soothingly, bending forward and patting her forearm. "we shall soon set matters righ', '," said he soothingly, bending forward and patting her forearm. "we shall soon set matters right, i ', 'id he soothingly, bending forward and patting her forearm. "we shall soon set matters right, i have ', ' soothingly, bending forward and patting her forearm. "we shall soon set matters right, i have no do', 'hingly, bending forward and patting her forearm. "we shall soon set matters right, i have no doubt. ', 'y, bending forward and patting her forearm. "we shall soon set matters right, i have no doubt. you h', 'nding forward and patting her forearm. "we shall soon set matters right, i have no doubt. you have c', ' forward and patting her forearm. "we shall soon set matters right, i have no doubt. you have come i', 'ard and patting her forearm. "we shall soon set matters right, i have no doubt. you have come in by ', 'nd patting her forearm. "we shall soon set matters right, i have no doubt. you have come in by train', 'tting her forearm. "we shall soon set matters right, i have no doubt. you have come in by train this', ' her forearm. "we shall soon set matters right, i have no doubt. you have come in by train this morn', 'forearm. "we shall soon set matters right, i have no doubt. you have come in by train this morning, ', 'rm. "we shall soon set matters right, i have no doubt. you have come in by train this morning, i see', 'we shall soon set matters right, i have no doubt. you have come in by train this morning, i see." "y', 'all soon set matters right, i have no doubt. you have come in by train this morning, i see." "you kn', 'oon set matters right, i have no doubt. you have come in by train this morning, i see." "you know me', 'et matters right, i have no doubt. you have come in by train this morning, i see." "you know me, the', 'tters right, i have no doubt. you have come in by train this morning, i see." "you know me, then?" "', ' right, i have no doubt. you have come in by train this morning, i see." "you know me, then?" "no, b', 't, i have no doubt. you have come in by train this morning, i see." "you know me, then?" "no, but i ', 'have no doubt. you have come in by train this morning, i see." "you know me, then?" "no, but i obser', 'no doubt. you have come in by train this morning, i see." "you know me, then?" "no, but i observe th', 'ubt. you have come in by train this morning, i see." "you know me, then?" "no, but i observe the sec', 'you have come in by train this morning, i see." "you know me, then?" "no, but i observe the second h', 'ave come in by train this morning, i see." "you know me, then?" "no, but i observe the second half o', 'ome in by train this morning, i see." "you know me, then?" "no, but i observe the second half of a r', 'n by train this morning, i see." "you know me, then?" "no, but i observe the second half of a return', 'train this morning, i see." "you know me, then?" "no, but i observe the second half of a return tick', ' this morning, i see." "you know me, then?" "no, but i observe the second half of a return ticket in', ' morning, i see." "you know me, then?" "no, but i observe the second half of a return ticket in the ', 'ing, i see." "you know me, then?" "no, but i observe the second half of a return ticket in the palm ', 'i see." "you know me, then?" "no, but i observe the second half of a return ticket in the palm of yo', '." "you know me, then?" "no, but i observe the second half of a return ticket in the palm of your le', 'ou know me, then?" "no, but i observe the second half of a return ticket in the palm of your left gl', 'ow me, then?" "no, but i observe the second half of a return ticket in the palm of your left glove. ', ', then?" "no, but i observe the second half of a return ticket in the palm of your left glove. you m', 'n?" "no, but i observe the second half of a return ticket in the palm of your left glove. you must h', 'no, but i observe the second half of a return ticket in the palm of your left glove. you must have s', 'ut i observe the second half of a return ticket in the palm of your left glove. you must have starte', 'observe the second half of a return ticket in the palm of your left glove. you must have started ear', 've the second half of a return ticket in the palm of your left glove. you must have started early, a', 'e second half of a return ticket in the palm of your left glove. you must have started early, and ye', 'ond half of a return ticket in the palm of your left glove. you must have started early, and yet you', 'alf of a return ticket in the palm of your left glove. you must have started early, and yet you had ', 'f a return ticket in the palm of your left glove. you must have started early, and yet you had a goo', 'eturn ticket in the palm of your left glove. you must have started early, and yet you had a good dri', ' ticket in the palm of your left glove. you must have started early, and yet you had a good drive in', 'et in the palm of your left glove. you must have started early, and yet you had a good drive in a do', ' the palm of your left glove. you must have started early, and yet you had a good drive in a dog-car', 'palm of your left glove. you must have started early, and yet you had a good drive in a dog-cart, al', 'of your left glove. you must have started early, and yet you had a good drive in a dog-cart, along h', 'ur left glove. you must have started early, and yet you had a good drive in a dog-cart, along heavy ', 'ft glove. you must have started early, and yet you had a good drive in a dog-cart, along heavy roads', 'ove. you must have started early, and yet you had a good drive in a dog-cart, along heavy roads, bef', 'you must have started early, and yet you had a good drive in a dog-cart, along heavy roads, before y', 'ust have started early, and yet you had a good drive in a dog-cart, along heavy roads, before you re', 'ave started early, and yet you had a good drive in a dog-cart, along heavy roads, before you reached', 'tarted early, and yet you had a good drive in a dog-cart, along heavy roads, before you reached the ', 'd early, and yet you had a good drive in a dog-cart, along heavy roads, before you reached the stati', 'ly, and yet you had a good drive in a dog-cart, along heavy roads, before you reached the station." ', 'nd yet you had a good drive in a dog-cart, along heavy roads, before you reached the station." the l', 't you had a good drive in a dog-cart, along heavy roads, before you reached the station." the lady g', ' had a good drive in a dog-cart, along heavy roads, before you reached the station." the lady gave a', 'a good drive in a dog-cart, along heavy roads, before you reached the station." the lady gave a viol', 'd drive in a dog-cart, along heavy roads, before you reached the station." the lady gave a violent s', 've in a dog-cart, along heavy roads, before you reached the station." the lady gave a violent start ', ' a dog-cart, along heavy roads, before you reached the station." the lady gave a violent start and s', 'g-cart, along heavy roads, before you reached the station." the lady gave a violent start and stared', 't, along heavy roads, before you reached the station." the lady gave a violent start and stared in b', 'ong heavy roads, before you reached the station." the lady gave a violent start and stared in bewild', 'eavy roads, before you reached the station." the lady gave a violent start and stared in bewildermen', 'roads, before you reached the station." the lady gave a violent start and stared in bewilderment at ', ', before you reached the station." the lady gave a violent start and stared in bewilderment at my co', 'ore you reached the station." the lady gave a violent start and stared in bewilderment at my compani', 'ou reached the station." the lady gave a violent start and stared in bewilderment at my companion. "', 'ached the station." the lady gave a violent start and stared in bewilderment at my companion. "there', ' the station." the lady gave a violent start and stared in bewilderment at my companion. "there is n', 'station." the lady gave a violent start and stared in bewilderment at my companion. "there is no mys', 'on." the lady gave a violent start and stared in bewilderment at my companion. "there is no mystery,', 'the lady gave a violent start and stared in bewilderment at my companion. "there is no mystery, my d', 'ady gave a violent start and stared in bewilderment at my companion. "there is no mystery, my dear m', 'ave a violent start and stared in bewilderment at my companion. "there is no mystery, my dear madam,', ' violent start and stared in bewilderment at my companion. "there is no mystery, my dear madam," sai', 'ent start and stared in bewilderment at my companion. "there is no mystery, my dear madam," said he,', 'tart and stared in bewilderment at my companion. "there is no mystery, my dear madam," said he, smil', 'and stared in bewilderment at my companion. "there is no mystery, my dear madam," said he, smiling. ', 'tared in bewilderment at my companion. "there is no mystery, my dear madam," said he, smiling. "the ', ' in bewilderment at my companion. "there is no mystery, my dear madam," said he, smiling. "the left ', 'ewilderment at my companion. "there is no mystery, my dear madam," said he, smiling. "the left arm o', 'erment at my companion. "there is no mystery, my dear madam," said he, smiling. "the left arm of you', 't at my companion. "there is no mystery, my dear madam," said he, smiling. "the left arm of your jac', 'my companion. "there is no mystery, my dear madam," said he, smiling. "the left arm of your jacket i', 'mpanion. "there is no mystery, my dear madam," said he, smiling. "the left arm of your jacket is spa', 'on. "there is no mystery, my dear madam," said he, smiling. "the left arm of your jacket is spattere', 'there is no mystery, my dear madam," said he, smiling. "the left arm of your jacket is spattered wit', ' is no mystery, my dear madam," said he, smiling. "the left arm of your jacket is spattered with mud', 'o mystery, my dear madam," said he, smiling. "the left arm of your jacket is spattered with mud in n', 'tery, my dear madam," said he, smiling. "the left arm of your jacket is spattered with mud in no les', ' my dear madam," said he, smiling. "the left arm of your jacket is spattered with mud in no less tha', 'ear madam," said he, smiling. "the left arm of your jacket is spattered with mud in no less than sev', 'adam," said he, smiling. "the left arm of your jacket is spattered with mud in no less than seven pl', '" said he, smiling. "the left arm of your jacket is spattered with mud in no less than seven places.', 'd he, smiling. "the left arm of your jacket is spattered with mud in no less than seven places. the ', ' smiling. "the left arm of your jacket is spattered with mud in no less than seven places. the marks', 'ing. "the left arm of your jacket is spattered with mud in no less than seven places. the marks are ', '"the left arm of your jacket is spattered with mud in no less than seven places. the marks are perfe', 'left arm of your jacket is spattered with mud in no less than seven places. the marks are perfectly ', 'arm of your jacket is spattered with mud in no less than seven places. the marks are perfectly fresh', 'f your jacket is spattered with mud in no less than seven places. the marks are perfectly fresh. the', 'r jacket is spattered with mud in no less than seven places. the marks are perfectly fresh. there is', 'ket is spattered with mud in no less than seven places. the marks are perfectly fresh. there is no v', 's spattered with mud in no less than seven places. the marks are perfectly fresh. there is no vehicl', 'ttered with mud in no less than seven places. the marks are perfectly fresh. there is no vehicle sav', 'd with mud in no less than seven places. the marks are perfectly fresh. there is no vehicle save a d', 'h mud in no less than seven places. the marks are perfectly fresh. there is no vehicle save a dog-ca', ' in no less than seven places. the marks are perfectly fresh. there is no vehicle save a dog-cart wh', 'o less than seven places. the marks are perfectly fresh. there is no vehicle save a dog-cart which t', 's than seven places. the marks are perfectly fresh. there is no vehicle save a dog-cart which throws', 'n seven places. the marks are perfectly fresh. there is no vehicle save a dog-cart which throws up m', 'en places. the marks are perfectly fresh. there is no vehicle save a dog-cart which throws up mud in', 'aces. the marks are perfectly fresh. there is no vehicle save a dog-cart which throws up mud in that', ' the marks are perfectly fresh. there is no vehicle save a dog-cart which throws up mud in that way,', 'marks are perfectly fresh. there is no vehicle save a dog-cart which throws up mud in that way, and ', ' are perfectly fresh. there is no vehicle save a dog-cart which throws up mud in that way, and then ', 'perfectly fresh. there is no vehicle save a dog-cart which throws up mud in that way, and then only ', 'ctly fresh. there is no vehicle save a dog-cart which throws up mud in that way, and then only when ', 'fresh. there is no vehicle save a dog-cart which throws up mud in that way, and then only when you s', '. there is no vehicle save a dog-cart which throws up mud in that way, and then only when you sit on', 're is no vehicle save a dog-cart which throws up mud in that way, and then only when you sit on the ', ' no vehicle save a dog-cart which throws up mud in that way, and then only when you sit on the left-', 'ehicle save a dog-cart which throws up mud in that way, and then only when you sit on the left-hand ', 'e save a dog-cart which throws up mud in that way, and then only when you sit on the left-hand side ', 'e a dog-cart which throws up mud in that way, and then only when you sit on the left-hand side of th', 'og-cart which throws up mud in that way, and then only when you sit on the left-hand side of the dri', 'rt which throws up mud in that way, and then only when you sit on the left-hand side of the driver."', 'ich throws up mud in that way, and then only when you sit on the left-hand side of the driver." "wha', 'hrows up mud in that way, and then only when you sit on the left-hand side of the driver." "whatever', ' up mud in that way, and then only when you sit on the left-hand side of the driver." "whatever your', 'ud in that way, and then only when you sit on the left-hand side of the driver." "whatever your reas', ' that way, and then only when you sit on the left-hand side of the driver." "whatever your reasons m', ' way, and then only when you sit on the left-hand side of the driver." "whatever your reasons may be', ' and then only when you sit on the left-hand side of the driver." "whatever your reasons may be, you', 'then only when you sit on the left-hand side of the driver." "whatever your reasons may be, you are ', 'only when you sit on the left-hand side of the driver." "whatever your reasons may be, you are perfe', 'when you sit on the left-hand side of the driver." "whatever your reasons may be, you are perfectly ', 'you sit on the left-hand side of the driver." "whatever your reasons may be, you are perfectly corre', 'it on the left-hand side of the driver." "whatever your reasons may be, you are perfectly correct," ', ' the left-hand side of the driver." "whatever your reasons may be, you are perfectly correct," said ', 'left-hand side of the driver." "whatever your reasons may be, you are perfectly correct," said she. ', 'hand side of the driver." "whatever your reasons may be, you are perfectly correct," said she. "i st', 'side of the driver." "whatever your reasons may be, you are perfectly correct," said she. "i started', 'of the driver." "whatever your reasons may be, you are perfectly correct," said she. "i started from', 'e driver." "whatever your reasons may be, you are perfectly correct," said she. "i started from home', 'ver." "whatever your reasons may be, you are perfectly correct," said she. "i started from home befo', ' "whatever your reasons may be, you are perfectly correct," said she. "i started from home before si', 'tever your reasons may be, you are perfectly correct," said she. "i started from home before six, re', ' your reasons may be, you are perfectly correct," said she. "i started from home before six, reached', ' reasons may be, you are perfectly correct," said she. "i started from home before six, reached leat', 'ons may be, you are perfectly correct," said she. "i started from home before six, reached leatherhe', 'ay be, you are perfectly correct," said she. "i started from home before six, reached leatherhead at', ', you are perfectly correct," said she. "i started from home before six, reached leatherhead at twen', ' are perfectly correct," said she. "i started from home before six, reached leatherhead at twenty pa', 'perfectly correct," said she. "i started from home before six, reached leatherhead at twenty past, a', 'ctly correct," said she. "i started from home before six, reached leatherhead at twenty past, and ca', 'correct," said she. "i started from home before six, reached leatherhead at twenty past, and came in', 'ct," said she. "i started from home before six, reached leatherhead at twenty past, and came in by t', 'said she. "i started from home before six, reached leatherhead at twenty past, and came in by the fi', 'she. "i started from home before six, reached leatherhead at twenty past, and came in by the first t', '"i started from home before six, reached leatherhead at twenty past, and came in by the first train ', 'arted from home before six, reached leatherhead at twenty past, and came in by the first train to wa', ' from home before six, reached leatherhead at twenty past, and came in by the first train to waterlo', ' home before six, reached leatherhead at twenty past, and came in by the first train to waterloo. si', ' before six, reached leatherhead at twenty past, and came in by the first train to waterloo. sir, i ', 're six, reached leatherhead at twenty past, and came in by the first train to waterloo. sir, i can s', 'x, reached leatherhead at twenty past, and came in by the first train to waterloo. sir, i can stand ', 'ached leatherhead at twenty past, and came in by the first train to waterloo. sir, i can stand this ', ' leatherhead at twenty past, and came in by the first train to waterloo. sir, i can stand this strai', 'herhead at twenty past, and came in by the first train to waterloo. sir, i can stand this strain no ', 'ad at twenty past, and came in by the first train to waterloo. sir, i can stand this strain no longe', ' twenty past, and came in by the first train to waterloo. sir, i can stand this strain no longer; i ', 'ty past, and came in by the first train to waterloo. sir, i can stand this strain no longer; i shall', 'st, and came in by the first train to waterloo. sir, i can stand this strain no longer; i shall go m', 'nd came in by the first train to waterloo. sir, i can stand this strain no longer; i shall go mad if', 'me in by the first train to waterloo. sir, i can stand this strain no longer; i shall go mad if it c', ' by the first train to waterloo. sir, i can stand this strain no longer; i shall go mad if it contin', 'he first train to waterloo. sir, i can stand this strain no longer; i shall go mad if it continues. ', 'rst train to waterloo. sir, i can stand this strain no longer; i shall go mad if it continues. i hav', 'rain to waterloo. sir, i can stand this strain no longer; i shall go mad if it continues. i have no ', 'to waterloo. sir, i can stand this strain no longer; i shall go mad if it continues. i have no one t', 'terloo. sir, i can stand this strain no longer; i shall go mad if it continues. i have no one to tur', 'o. sir, i can stand this strain no longer; i shall go mad if it continues. i have no one to turn ton', 'r, i can stand this strain no longer; i shall go mad if it continues. i have no one to turn tonone, ', 'can stand this strain no longer; i shall go mad if it continues. i have no one to turn tonone, save ', 'tand this strain no longer; i shall go mad if it continues. i have no one to turn tonone, save only ', 'this strain no longer; i shall go mad if it continues. i have no one to turn tonone, save only one, ', 'strain no longer; i shall go mad if it continues. i have no one to turn tonone, save only one, who c', 'n no longer; i shall go mad if it continues. i have no one to turn tonone, save only one, who cares ', 'longer; i shall go mad if it continues. i have no one to turn tonone, save only one, who cares for m', 'r; i shall go mad if it continues. i have no one to turn tonone, save only one, who cares for me, an', 'shall go mad if it continues. i have no one to turn tonone, save only one, who cares for me, and he,', ' go mad if it continues. i have no one to turn tonone, save only one, who cares for me, and he, poor', 'ad if it continues. i have no one to turn tonone, save only one, who cares for me, and he, poor fell', ' it continues. i have no one to turn tonone, save only one, who cares for me, and he, poor fellow, c', 'ontinues. i have no one to turn tonone, save only one, who cares for me, and he, poor fellow, can be', 'ues. i have no one to turn tonone, save only one, who cares for me, and he, poor fellow, can be of l', 'i have no one to turn tonone, save only one, who cares for me, and he, poor fellow, can be of little', 'e no one to turn tonone, save only one, who cares for me, and he, poor fellow, can be of little aid.', 'one to turn tonone, save only one, who cares for me, and he, poor fellow, can be of little aid. i ha', 'o turn tonone, save only one, who cares for me, and he, poor fellow, can be of little aid. i have he', 'n tonone, save only one, who cares for me, and he, poor fellow, can be of little aid. i have heard o', 'one, save only one, who cares for me, and he, poor fellow, can be of little aid. i have heard of you', 'save only one, who cares for me, and he, poor fellow, can be of little aid. i have heard of you, mr.', 'only one, who cares for me, and he, poor fellow, can be of little aid. i have heard of you, mr. holm', 'one, who cares for me, and he, poor fellow, can be of little aid. i have heard of you, mr. holmes; i', 'who cares for me, and he, poor fellow, can be of little aid. i have heard of you, mr. holmes; i have', 'ares for me, and he, poor fellow, can be of little aid. i have heard of you, mr. holmes; i have hear', 'for me, and he, poor fellow, can be of little aid. i have heard of you, mr. holmes; i have heard of ', 'e, and he, poor fellow, can be of little aid. i have heard of you, mr. holmes; i have heard of you f', 'd he, poor fellow, can be of little aid. i have heard of you, mr. holmes; i have heard of you from m', ' poor fellow, can be of little aid. i have heard of you, mr. holmes; i have heard of you from mrs. f', ' fellow, can be of little aid. i have heard of you, mr. holmes; i have heard of you from mrs. farint', 'ow, can be of little aid. i have heard of you, mr. holmes; i have heard of you from mrs. farintosh, ', 'an be of little aid. i have heard of you, mr. holmes; i have heard of you from mrs. farintosh, whom ', ' of little aid. i have heard of you, mr. holmes; i have heard of you from mrs. farintosh, whom you h', 'ittle aid. i have heard of you, mr. holmes; i have heard of you from mrs. farintosh, whom you helped', ' aid. i have heard of you, mr. holmes; i have heard of you from mrs. farintosh, whom you helped in t', ' i have heard of you, mr. holmes; i have heard of you from mrs. farintosh, whom you helped in the ho', 've heard of you, mr. holmes; i have heard of you from mrs. farintosh, whom you helped in the hour of', 'ard of you, mr. holmes; i have heard of you from mrs. farintosh, whom you helped in the hour of her ', 'f you, mr. holmes; i have heard of you from mrs. farintosh, whom you helped in the hour of her sore ', ', mr. holmes; i have heard of you from mrs. farintosh, whom you helped in the hour of her sore need.', ' holmes; i have heard of you from mrs. farintosh, whom you helped in the hour of her sore need. it w', 'es; i have heard of you from mrs. farintosh, whom you helped in the hour of her sore need. it was fr', ' have heard of you from mrs. farintosh, whom you helped in the hour of her sore need. it was from he', ' heard of you from mrs. farintosh, whom you helped in the hour of her sore need. it was from her tha', 'd of you from mrs. farintosh, whom you helped in the hour of her sore need. it was from her that i h', 'you from mrs. farintosh, whom you helped in the hour of her sore need. it was from her that i had yo', 'rom mrs. farintosh, whom you helped in the hour of her sore need. it was from her that i had your ad', 'rs. farintosh, whom you helped in the hour of her sore need. it was from her that i had your address', 'arintosh, whom you helped in the hour of her sore need. it was from her that i had your address. oh,', 'osh, whom you helped in the hour of her sore need. it was from her that i had your address. oh, sir,', 'whom you helped in the hour of her sore need. it was from her that i had your address. oh, sir, do y', 'you helped in the hour of her sore need. it was from her that i had your address. oh, sir, do you no', 'elped in the hour of her sore need. it was from her that i had your address. oh, sir, do you not thi', ' in the hour of her sore need. it was from her that i had your address. oh, sir, do you not think th', 'he hour of her sore need. it was from her that i had your address. oh, sir, do you not think that yo', 'ur of her sore need. it was from her that i had your address. oh, sir, do you not think that you cou', ' her sore need. it was from her that i had your address. oh, sir, do you not think that you could he', 'sore need. it was from her that i had your address. oh, sir, do you not think that you could help me', 'need. it was from her that i had your address. oh, sir, do you not think that you could help me, too', ' it was from her that i had your address. oh, sir, do you not think that you could help me, too, and', 'as from her that i had your address. oh, sir, do you not think that you could help me, too, and at l', 'om her that i had your address. oh, sir, do you not think that you could help me, too, and at least ', 'r that i had your address. oh, sir, do you not think that you could help me, too, and at least throw', 't i had your address. oh, sir, do you not think that you could help me, too, and at least throw a li', 'ad your address. oh, sir, do you not think that you could help me, too, and at least throw a little ', 'ur address. oh, sir, do you not think that you could help me, too, and at least throw a little light', 'dress. oh, sir, do you not think that you could help me, too, and at least throw a little light thro', '. oh, sir, do you not think that you could help me, too, and at least throw a little light through t', ' sir, do you not think that you could help me, too, and at least throw a little light through the de', ' do you not think that you could help me, too, and at least throw a little light through the dense d', 'ou not think that you could help me, too, and at least throw a little light through the dense darkne', 't think that you could help me, too, and at least throw a little light through the dense darkness wh', 'nk that you could help me, too, and at least throw a little light through the dense darkness which s', 'at you could help me, too, and at least throw a little light through the dense darkness which surrou', 'u could help me, too, and at least throw a little light through the dense darkness which surrounds m', 'ld help me, too, and at least throw a little light through the dense darkness which surrounds me? at', 'lp me, too, and at least throw a little light through the dense darkness which surrounds me? at pres', ', too, and at least throw a little light through the dense darkness which surrounds me? at present i', ', and at least throw a little light through the dense darkness which surrounds me? at present it is ', ' at least throw a little light through the dense darkness which surrounds me? at present it is out o', 'east throw a little light through the dense darkness which surrounds me? at present it is out of my ', 'throw a little light through the dense darkness which surrounds me? at present it is out of my power', ' a little light through the dense darkness which surrounds me? at present it is out of my power to r', 'ttle light through the dense darkness which surrounds me? at present it is out of my power to reward', 'light through the dense darkness which surrounds me? at present it is out of my power to reward you ', ' through the dense darkness which surrounds me? at present it is out of my power to reward you for y', 'ugh the dense darkness which surrounds me? at present it is out of my power to reward you for your s', 'he dense darkness which surrounds me? at present it is out of my power to reward you for your servic', 'nse darkness which surrounds me? at present it is out of my power to reward you for your services, b', 'arkness which surrounds me? at present it is out of my power to reward you for your services, but in', 'ss which surrounds me? at present it is out of my power to reward you for your services, but in a mo', 'ich surrounds me? at present it is out of my power to reward you for your services, but in a month o', 'urrounds me? at present it is out of my power to reward you for your services, but in a month or six', 'nds me? at present it is out of my power to reward you for your services, but in a month or six week', 'e? at present it is out of my power to reward you for your services, but in a month or six weeks i s', ' present it is out of my power to reward you for your services, but in a month or six weeks i shall ', 'ent it is out of my power to reward you for your services, but in a month or six weeks i shall be ma', 't is out of my power to reward you for your services, but in a month or six weeks i shall be married', 'out of my power to reward you for your services, but in a month or six weeks i shall be married, wit', 'f my power to reward you for your services, but in a month or six weeks i shall be married, with the', 'power to reward you for your services, but in a month or six weeks i shall be married, with the cont', ' to reward you for your services, but in a month or six weeks i shall be married, with the control o', 'eward you for your services, but in a month or six weeks i shall be married, with the control of my ', ' you for your services, but in a month or six weeks i shall be married, with the control of my own i', 'for your services, but in a month or six weeks i shall be married, with the control of my own income', 'our services, but in a month or six weeks i shall be married, with the control of my own income, and', 'ervices, but in a month or six weeks i shall be married, with the control of my own income, and then', 'es, but in a month or six weeks i shall be married, with the control of my own income, and then at l', 'ut in a month or six weeks i shall be married, with the control of my own income, and then at least ', ' a month or six weeks i shall be married, with the control of my own income, and then at least you s', 'nth or six weeks i shall be married, with the control of my own income, and then at least you shall ', 'r six weeks i shall be married, with the control of my own income, and then at least you shall not f', ' weeks i shall be married, with the control of my own income, and then at least you shall not find m', 's i shall be married, with the control of my own income, and then at least you shall not find me ung', 'hall be married, with the control of my own income, and then at least you shall not find me ungratef', 'be married, with the control of my own income, and then at least you shall not find me ungrateful." ', 'rried, with the control of my own income, and then at least you shall not find me ungrateful." holme', ', with the control of my own income, and then at least you shall not find me ungrateful." holmes tur', 'h the control of my own income, and then at least you shall not find me ungrateful." holmes turned t', ' control of my own income, and then at least you shall not find me ungrateful." holmes turned to his', 'rol of my own income, and then at least you shall not find me ungrateful." holmes turned to his desk', 'f my own income, and then at least you shall not find me ungrateful." holmes turned to his desk and,', 'own income, and then at least you shall not find me ungrateful." holmes turned to his desk and, unlo', 'ncome, and then at least you shall not find me ungrateful." holmes turned to his desk and, unlocking', ', and then at least you shall not find me ungrateful." holmes turned to his desk and, unlocking it, ', ' then at least you shall not find me ungrateful." holmes turned to his desk and, unlocking it, drew ', ' at least you shall not find me ungrateful." holmes turned to his desk and, unlocking it, drew out a', 'east you shall not find me ungrateful." holmes turned to his desk and, unlocking it, drew out a smal', 'you shall not find me ungrateful." holmes turned to his desk and, unlocking it, drew out a small cas', 'hall not find me ungrateful." holmes turned to his desk and, unlocking it, drew out a small case-boo', 'not find me ungrateful." holmes turned to his desk and, unlocking it, drew out a small case-book, wh', 'ind me ungrateful." holmes turned to his desk and, unlocking it, drew out a small case-book, which h', 'e ungrateful." holmes turned to his desk and, unlocking it, drew out a small case-book, which he con', 'rateful." holmes turned to his desk and, unlocking it, drew out a small case-book, which he consulte', 'ul." holmes turned to his desk and, unlocking it, drew out a small case-book, which he consulted. "f', 'holmes turned to his desk and, unlocking it, drew out a small case-book, which he consulted. "farint', 's turned to his desk and, unlocking it, drew out a small case-book, which he consulted. "farintosh,"', 'ned to his desk and, unlocking it, drew out a small case-book, which he consulted. "farintosh," said', 'o his desk and, unlocking it, drew out a small case-book, which he consulted. "farintosh," said he. ', ' desk and, unlocking it, drew out a small case-book, which he consulted. "farintosh," said he. "ah y', ' and, unlocking it, drew out a small case-book, which he consulted. "farintosh," said he. "ah yes, i', ' unlocking it, drew out a small case-book, which he consulted. "farintosh," said he. "ah yes, i reca', 'cking it, drew out a small case-book, which he consulted. "farintosh," said he. "ah yes, i recall th', ' it, drew out a small case-book, which he consulted. "farintosh," said he. "ah yes, i recall the cas', 'drew out a small case-book, which he consulted. "farintosh," said he. "ah yes, i recall the case; it', 'out a small case-book, which he consulted. "farintosh," said he. "ah yes, i recall the case; it was ', ' small case-book, which he consulted. "farintosh," said he. "ah yes, i recall the case; it was conce', 'l case-book, which he consulted. "farintosh," said he. "ah yes, i recall the case; it was concerned ', 'e-book, which he consulted. "farintosh," said he. "ah yes, i recall the case; it was concerned with ', 'k, which he consulted. "farintosh," said he. "ah yes, i recall the case; it was concerned with an op', 'ich he consulted. "farintosh," said he. "ah yes, i recall the case; it was concerned with an opal ti', 'e consulted. "farintosh," said he. "ah yes, i recall the case; it was concerned with an opal tiara. ', 'sulted. "farintosh," said he. "ah yes, i recall the case; it was concerned with an opal tiara. i thi', 'd. "farintosh," said he. "ah yes, i recall the case; it was concerned with an opal tiara. i think it', 'arintosh," said he. "ah yes, i recall the case; it was concerned with an opal tiara. i think it was ', 'osh," said he. "ah yes, i recall the case; it was concerned with an opal tiara. i think it was befor', ' said he. "ah yes, i recall the case; it was concerned with an opal tiara. i think it was before you', ' he. "ah yes, i recall the case; it was concerned with an opal tiara. i think it was before your tim', '"ah yes, i recall the case; it was concerned with an opal tiara. i think it was before your time, wa', 'es, i recall the case; it was concerned with an opal tiara. i think it was before your time, watson.', ' recall the case; it was concerned with an opal tiara. i think it was before your time, watson. i ca', 'll the case; it was concerned with an opal tiara. i think it was before your time, watson. i can onl', 'e case; it was concerned with an opal tiara. i think it was before your time, watson. i can only say', 'e; it was concerned with an opal tiara. i think it was before your time, watson. i can only say, mad', ' was concerned with an opal tiara. i think it was before your time, watson. i can only say, madam, t', 'concerned with an opal tiara. i think it was before your time, watson. i can only say, madam, that i', 'rned with an opal tiara. i think it was before your time, watson. i can only say, madam, that i shal', 'with an opal tiara. i think it was before your time, watson. i can only say, madam, that i shall be ', 'an opal tiara. i think it was before your time, watson. i can only say, madam, that i shall be happy', 'al tiara. i think it was before your time, watson. i can only say, madam, that i shall be happy to d', 'ara. i think it was before your time, watson. i can only say, madam, that i shall be happy to devote', 'i think it was before your time, watson. i can only say, madam, that i shall be happy to devote the ', 'nk it was before your time, watson. i can only say, madam, that i shall be happy to devote the same ', ' was before your time, watson. i can only say, madam, that i shall be happy to devote the same care ', 'before your time, watson. i can only say, madam, that i shall be happy to devote the same care to yo', 'e your time, watson. i can only say, madam, that i shall be happy to devote the same care to your ca', 'r time, watson. i can only say, madam, that i shall be happy to devote the same care to your case as', 'e, watson. i can only say, madam, that i shall be happy to devote the same care to your case as i di', 'tson. i can only say, madam, that i shall be happy to devote the same care to your case as i did to ', ' i can only say, madam, that i shall be happy to devote the same care to your case as i did to that ', 'n only say, madam, that i shall be happy to devote the same care to your case as i did to that of yo', 'y say, madam, that i shall be happy to devote the same care to your case as i did to that of your fr', ', madam, that i shall be happy to devote the same care to your case as i did to that of your friend.', 'am, that i shall be happy to devote the same care to your case as i did to that of your friend. as t', 'hat i shall be happy to devote the same care to your case as i did to that of your friend. as to rew', ' shall be happy to devote the same care to your case as i did to that of your friend. as to reward, ', 'l be happy to devote the same care to your case as i did to that of your friend. as to reward, my pr', 'happy to devote the same care to your case as i did to that of your friend. as to reward, my profess', ' to devote the same care to your case as i did to that of your friend. as to reward, my profession i', 'evote the same care to your case as i did to that of your friend. as to reward, my profession is its', ' the same care to your case as i did to that of your friend. as to reward, my profession is its own ', 'same care to your case as i did to that of your friend. as to reward, my profession is its own rewar', 'care to your case as i did to that of your friend. as to reward, my profession is its own reward; bu', 'to your case as i did to that of your friend. as to reward, my profession is its own reward; but you', 'ur case as i did to that of your friend. as to reward, my profession is its own reward; but you are ', 'se as i did to that of your friend. as to reward, my profession is its own reward; but you are at li', ' i did to that of your friend. as to reward, my profession is its own reward; but you are at liberty', 'd to that of your friend. as to reward, my profession is its own reward; but you are at liberty to d', 'that of your friend. as to reward, my profession is its own reward; but you are at liberty to defray', 'of your friend. as to reward, my profession is its own reward; but you are at liberty to defray what', 'ur friend. as to reward, my profession is its own reward; but you are at liberty to defray whatever ', 'iend. as to reward, my profession is its own reward; but you are at liberty to defray whatever expen', ' as to reward, my profession is its own reward; but you are at liberty to defray whatever expenses i', 'o reward, my profession is its own reward; but you are at liberty to defray whatever expenses i may ', 'ard, my profession is its own reward; but you are at liberty to defray whatever expenses i may be pu', 'my profession is its own reward; but you are at liberty to defray whatever expenses i may be put to,', 'ofession is its own reward; but you are at liberty to defray whatever expenses i may be put to, at t', 'ion is its own reward; but you are at liberty to defray whatever expenses i may be put to, at the ti', 's its own reward; but you are at liberty to defray whatever expenses i may be put to, at the time wh', ' own reward; but you are at liberty to defray whatever expenses i may be put to, at the time which s', 'reward; but you are at liberty to defray whatever expenses i may be put to, at the time which suits ', 'd; but you are at liberty to defray whatever expenses i may be put to, at the time which suits you b', 't you are at liberty to defray whatever expenses i may be put to, at the time which suits you best. ', ' are at liberty to defray whatever expenses i may be put to, at the time which suits you best. and n', 'at liberty to defray whatever expenses i may be put to, at the time which suits you best. and now i ', 'berty to defray whatever expenses i may be put to, at the time which suits you best. and now i beg t', ' to defray whatever expenses i may be put to, at the time which suits you best. and now i beg that y', 'efray whatever expenses i may be put to, at the time which suits you best. and now i beg that you wi', ' whatever expenses i may be put to, at the time which suits you best. and now i beg that you will la', 'ever expenses i may be put to, at the time which suits you best. and now i beg that you will lay bef', 'expenses i may be put to, at the time which suits you best. and now i beg that you will lay before u', 'ses i may be put to, at the time which suits you best. and now i beg that you will lay before us eve', ' may be put to, at the time which suits you best. and now i beg that you will lay before us everythi', 'be put to, at the time which suits you best. and now i beg that you will lay before us everything th', 't to, at the time which suits you best. and now i beg that you will lay before us everything that ma', ' at the time which suits you best. and now i beg that you will lay before us everything that may hel', 'he time which suits you best. and now i beg that you will lay before us everything that may help us ', 'me which suits you best. and now i beg that you will lay before us everything that may help us in fo', 'ich suits you best. and now i beg that you will lay before us everything that may help us in forming', 'uits you best. and now i beg that you will lay before us everything that may help us in forming an o', 'you best. and now i beg that you will lay before us everything that may help us in forming an opinio', 'est. and now i beg that you will lay before us everything that may help us in forming an opinion upo', 'and now i beg that you will lay before us everything that may help us in forming an opinion upon the', 'ow i beg that you will lay before us everything that may help us in forming an opinion upon the matt', 'beg that you will lay before us everything that may help us in forming an opinion upon the matter." ', 'hat you will lay before us everything that may help us in forming an opinion upon the matter." "alas', 'ou will lay before us everything that may help us in forming an opinion upon the matter." "alas repl', 'll lay before us everything that may help us in forming an opinion upon the matter." "alas replied o', 'y before us everything that may help us in forming an opinion upon the matter." "alas replied our vi', 'ore us everything that may help us in forming an opinion upon the matter." "alas replied our visitor', 's everything that may help us in forming an opinion upon the matter." "alas replied our visitor, "th', 'rything that may help us in forming an opinion upon the matter." "alas replied our visitor, "the ver', 'ng that may help us in forming an opinion upon the matter." "alas replied our visitor, "the very hor', 'at may help us in forming an opinion upon the matter." "alas replied our visitor, "the very horror o', 'y help us in forming an opinion upon the matter." "alas replied our visitor, "the very horror of my ', 'p us in forming an opinion upon the matter." "alas replied our visitor, "the very horror of my situa', 'in forming an opinion upon the matter." "alas replied our visitor, "the very horror of my situation ', 'rming an opinion upon the matter." "alas replied our visitor, "the very horror of my situation lies ', ' an opinion upon the matter." "alas replied our visitor, "the very horror of my situation lies in th', 'pinion upon the matter." "alas replied our visitor, "the very horror of my situation lies in the fac', 'n upon the matter." "alas replied our visitor, "the very horror of my situation lies in the fact tha', 'n the matter." "alas replied our visitor, "the very horror of my situation lies in the fact that my ', ' matter." "alas replied our visitor, "the very horror of my situation lies in the fact that my fears', 'er." "alas replied our visitor, "the very horror of my situation lies in the fact that my fears are ', '"alas replied our visitor, "the very horror of my situation lies in the fact that my fears are so va', ' replied our visitor, "the very horror of my situation lies in the fact that my fears are so vague, ', 'ied our visitor, "the very horror of my situation lies in the fact that my fears are so vague, and m', 'ur visitor, "the very horror of my situation lies in the fact that my fears are so vague, and my sus', 'sitor, "the very horror of my situation lies in the fact that my fears are so vague, and my suspicio', ', "the very horror of my situation lies in the fact that my fears are so vague, and my suspicions de', 'e very horror of my situation lies in the fact that my fears are so vague, and my suspicions depend ', 'y horror of my situation lies in the fact that my fears are so vague, and my suspicions depend so en', 'ror of my situation lies in the fact that my fears are so vague, and my suspicions depend so entirel', 'f my situation lies in the fact that my fears are so vague, and my suspicions depend so entirely upo', 'situation lies in the fact that my fears are so vague, and my suspicions depend so entirely upon sma', 'tion lies in the fact that my fears are so vague, and my suspicions depend so entirely upon small po', 'lies in the fact that my fears are so vague, and my suspicions depend so entirely upon small points,', 'in the fact that my fears are so vague, and my suspicions depend so entirely upon small points, whic', 'e fact that my fears are so vague, and my suspicions depend so entirely upon small points, which mig', 't that my fears are so vague, and my suspicions depend so entirely upon small points, which might se', 't my fears are so vague, and my suspicions depend so entirely upon small points, which might seem tr', 'fears are so vague, and my suspicions depend so entirely upon small points, which might seem trivial', ' are so vague, and my suspicions depend so entirely upon small points, which might seem trivial to a', 'so vague, and my suspicions depend so entirely upon small points, which might seem trivial to anothe', 'gue, and my suspicions depend so entirely upon small points, which might seem trivial to another, th', 'and my suspicions depend so entirely upon small points, which might seem trivial to another, that ev', 'y suspicions depend so entirely upon small points, which might seem trivial to another, that even he', 'picions depend so entirely upon small points, which might seem trivial to another, that even he to w', 'ns depend so entirely upon small points, which might seem trivial to another, that even he to whom o', 'pend so entirely upon small points, which might seem trivial to another, that even he to whom of all', 'so entirely upon small points, which might seem trivial to another, that even he to whom of all othe', 'tirely upon small points, which might seem trivial to another, that even he to whom of all others i ', 'y upon small points, which might seem trivial to another, that even he to whom of all others i have ', 'n small points, which might seem trivial to another, that even he to whom of all others i have a rig', 'll points, which might seem trivial to another, that even he to whom of all others i have a right to', 'ints, which might seem trivial to another, that even he to whom of all others i have a right to look', ' which might seem trivial to another, that even he to whom of all others i have a right to look for ', 'h might seem trivial to another, that even he to whom of all others i have a right to look for help ', 'ht seem trivial to another, that even he to whom of all others i have a right to look for help and a', 'em trivial to another, that even he to whom of all others i have a right to look for help and advice', 'ivial to another, that even he to whom of all others i have a right to look for help and advice look', ' to another, that even he to whom of all others i have a right to look for help and advice looks upo', 'nother, that even he to whom of all others i have a right to look for help and advice looks upon all', 'r, that even he to whom of all others i have a right to look for help and advice looks upon all that', 'at even he to whom of all others i have a right to look for help and advice looks upon all that i te', 'en he to whom of all others i have a right to look for help and advice looks upon all that i tell hi', ' to whom of all others i have a right to look for help and advice looks upon all that i tell him abo', 'hom of all others i have a right to look for help and advice looks upon all that i tell him about it', 'f all others i have a right to look for help and advice looks upon all that i tell him about it as t', ' others i have a right to look for help and advice looks upon all that i tell him about it as the fa', 'rs i have a right to look for help and advice looks upon all that i tell him about it as the fancies', 'have a right to look for help and advice looks upon all that i tell him about it as the fancies of a', 'a right to look for help and advice looks upon all that i tell him about it as the fancies of a nerv', 'ht to look for help and advice looks upon all that i tell him about it as the fancies of a nervous w', ' look for help and advice looks upon all that i tell him about it as the fancies of a nervous woman.', ' for help and advice looks upon all that i tell him about it as the fancies of a nervous woman. he d', 'help and advice looks upon all that i tell him about it as the fancies of a nervous woman. he does n', 'and advice looks upon all that i tell him about it as the fancies of a nervous woman. he does not sa', 'dvice looks upon all that i tell him about it as the fancies of a nervous woman. he does not say so,', ' looks upon all that i tell him about it as the fancies of a nervous woman. he does not say so, but ', 's upon all that i tell him about it as the fancies of a nervous woman. he does not say so, but i can', 'n all that i tell him about it as the fancies of a nervous woman. he does not say so, but i can read', ' that i tell him about it as the fancies of a nervous woman. he does not say so, but i can read it f', ' i tell him about it as the fancies of a nervous woman. he does not say so, but i can read it from h', 'll him about it as the fancies of a nervous woman. he does not say so, but i can read it from his so', 'm about it as the fancies of a nervous woman. he does not say so, but i can read it from his soothin', 'ut it as the fancies of a nervous woman. he does not say so, but i can read it from his soothing ans', ' as the fancies of a nervous woman. he does not say so, but i can read it from his soothing answers ', 'he fancies of a nervous woman. he does not say so, but i can read it from his soothing answers and a', 'ncies of a nervous woman. he does not say so, but i can read it from his soothing answers and averte', ' of a nervous woman. he does not say so, but i can read it from his soothing answers and averted eye', ' nervous woman. he does not say so, but i can read it from his soothing answers and averted eyes. bu', 'ous woman. he does not say so, but i can read it from his soothing answers and averted eyes. but i h', 'oman. he does not say so, but i can read it from his soothing answers and averted eyes. but i have h', ' he does not say so, but i can read it from his soothing answers and averted eyes. but i have heard,', 'oes not say so, but i can read it from his soothing answers and averted eyes. but i have heard, mr. ', 'ot say so, but i can read it from his soothing answers and averted eyes. but i have heard, mr. holme', 'y so, but i can read it from his soothing answers and averted eyes. but i have heard, mr. holmes, th', ' but i can read it from his soothing answers and averted eyes. but i have heard, mr. holmes, that yo', 'i can read it from his soothing answers and averted eyes. but i have heard, mr. holmes, that you can', ' read it from his soothing answers and averted eyes. but i have heard, mr. holmes, that you can see ', ' it from his soothing answers and averted eyes. but i have heard, mr. holmes, that you can see deepl', 'rom his soothing answers and averted eyes. but i have heard, mr. holmes, that you can see deeply int', 'is soothing answers and averted eyes. but i have heard, mr. holmes, that you can see deeply into the', 'othing answers and averted eyes. but i have heard, mr. holmes, that you can see deeply into the mani', 'g answers and averted eyes. but i have heard, mr. holmes, that you can see deeply into the manifold ', 'wers and averted eyes. but i have heard, mr. holmes, that you can see deeply into the manifold wicke', 'and averted eyes. but i have heard, mr. holmes, that you can see deeply into the manifold wickedness', 'verted eyes. but i have heard, mr. holmes, that you can see deeply into the manifold wickedness of t', 'd eyes. but i have heard, mr. holmes, that you can see deeply into the manifold wickedness of the hu', 's. but i have heard, mr. holmes, that you can see deeply into the manifold wickedness of the human h', 't i have heard, mr. holmes, that you can see deeply into the manifold wickedness of the human heart.', 'ave heard, mr. holmes, that you can see deeply into the manifold wickedness of the human heart. you ', 'eard, mr. holmes, that you can see deeply into the manifold wickedness of the human heart. you may a', ' mr. holmes, that you can see deeply into the manifold wickedness of the human heart. you may advise', 'holmes, that you can see deeply into the manifold wickedness of the human heart. you may advise me h', 's, that you can see deeply into the manifold wickedness of the human heart. you may advise me how to', 'at you can see deeply into the manifold wickedness of the human heart. you may advise me how to walk', 'u can see deeply into the manifold wickedness of the human heart. you may advise me how to walk amid', ' see deeply into the manifold wickedness of the human heart. you may advise me how to walk amid the ', 'deeply into the manifold wickedness of the human heart. you may advise me how to walk amid the dange', 'y into the manifold wickedness of the human heart. you may advise me how to walk amid the dangers wh', 'o the manifold wickedness of the human heart. you may advise me how to walk amid the dangers which e', ' manifold wickedness of the human heart. you may advise me how to walk amid the dangers which encomp', 'fold wickedness of the human heart. you may advise me how to walk amid the dangers which encompass m', 'wickedness of the human heart. you may advise me how to walk amid the dangers which encompass me." "', 'dness of the human heart. you may advise me how to walk amid the dangers which encompass me." "i am ', ' of the human heart. you may advise me how to walk amid the dangers which encompass me." "i am all a', 'he human heart. you may advise me how to walk amid the dangers which encompass me." "i am all attent', 'man heart. you may advise me how to walk amid the dangers which encompass me." "i am all attention, ', 'eart. you may advise me how to walk amid the dangers which encompass me." "i am all attention, madam', ' you may advise me how to walk amid the dangers which encompass me." "i am all attention, madam." "m', 'may advise me how to walk amid the dangers which encompass me." "i am all attention, madam." "my nam', 'dvise me how to walk amid the dangers which encompass me." "i am all attention, madam." "my name is ', ' me how to walk amid the dangers which encompass me." "i am all attention, madam." "my name is helen', 'ow to walk amid the dangers which encompass me." "i am all attention, madam." "my name is helen ston', ' walk amid the dangers which encompass me." "i am all attention, madam." "my name is helen stoner, a', ' amid the dangers which encompass me." "i am all attention, madam." "my name is helen stoner, and i ', ' the dangers which encompass me." "i am all attention, madam." "my name is helen stoner, and i am li', 'dangers which encompass me." "i am all attention, madam." "my name is helen stoner, and i am living ', 'rs which encompass me." "i am all attention, madam." "my name is helen stoner, and i am living with ', 'ich encompass me." "i am all attention, madam." "my name is helen stoner, and i am living with my st', 'ncompass me." "i am all attention, madam." "my name is helen stoner, and i am living with my stepfat', 'ass me." "i am all attention, madam." "my name is helen stoner, and i am living with my stepfather, ', 'e." "i am all attention, madam." "my name is helen stoner, and i am living with my stepfather, who i', 'i am all attention, madam." "my name is helen stoner, and i am living with my stepfather, who is the', 'all attention, madam." "my name is helen stoner, and i am living with my stepfather, who is the last', 'ttention, madam." "my name is helen stoner, and i am living with my stepfather, who is the last surv', 'ion, madam." "my name is helen stoner, and i am living with my stepfather, who is the last survivor ', 'madam." "my name is helen stoner, and i am living with my stepfather, who is the last survivor of on', '." "my name is helen stoner, and i am living with my stepfather, who is the last survivor of one of ', 'y name is helen stoner, and i am living with my stepfather, who is the last survivor of one of the o', 'e is helen stoner, and i am living with my stepfather, who is the last survivor of one of the oldest', 'helen stoner, and i am living with my stepfather, who is the last survivor of one of the oldest saxo', ' stoner, and i am living with my stepfather, who is the last survivor of one of the oldest saxon fam', 'er, and i am living with my stepfather, who is the last survivor of one of the oldest saxon families', 'nd i am living with my stepfather, who is the last survivor of one of the oldest saxon families in e', 'am living with my stepfather, who is the last survivor of one of the oldest saxon families in englan', 'ving with my stepfather, who is the last survivor of one of the oldest saxon families in england, th', 'with my stepfather, who is the last survivor of one of the oldest saxon families in england, the roy', 'my stepfather, who is the last survivor of one of the oldest saxon families in england, the roylotts', 'epfather, who is the last survivor of one of the oldest saxon families in england, the roylotts of s', 'her, who is the last survivor of one of the oldest saxon families in england, the roylotts of stoke ', 'who is the last survivor of one of the oldest saxon families in england, the roylotts of stoke moran', 's the last survivor of one of the oldest saxon families in england, the roylotts of stoke moran, on ', ' last survivor of one of the oldest saxon families in england, the roylotts of stoke moran, on the w', ' survivor of one of the oldest saxon families in england, the roylotts of stoke moran, on the wester', 'ivor of one of the oldest saxon families in england, the roylotts of stoke moran, on the western bor', 'of one of the oldest saxon families in england, the roylotts of stoke moran, on the western border o', 'e of the oldest saxon families in england, the roylotts of stoke moran, on the western border of sur', 'the oldest saxon families in england, the roylotts of stoke moran, on the western border of surrey."', 'ldest saxon families in england, the roylotts of stoke moran, on the western border of surrey." holm', ' saxon families in england, the roylotts of stoke moran, on the western border of surrey." holmes no', 'n families in england, the roylotts of stoke moran, on the western border of surrey." holmes nodded ', 'ilies in england, the roylotts of stoke moran, on the western border of surrey." holmes nodded his h', ' in england, the roylotts of stoke moran, on the western border of surrey." holmes nodded his head. ', 'ngland, the roylotts of stoke moran, on the western border of surrey." holmes nodded his head. "the ', 'd, the roylotts of stoke moran, on the western border of surrey." holmes nodded his head. "the name ', 'e roylotts of stoke moran, on the western border of surrey." holmes nodded his head. "the name is fa', 'lotts of stoke moran, on the western border of surrey." holmes nodded his head. "the name is familia', ' of stoke moran, on the western border of surrey." holmes nodded his head. "the name is familiar to ', 'toke moran, on the western border of surrey." holmes nodded his head. "the name is familiar to me," ', 'moran, on the western border of surrey." holmes nodded his head. "the name is familiar to me," said ', ', on the western border of surrey." holmes nodded his head. "the name is familiar to me," said he. "', 'the western border of surrey." holmes nodded his head. "the name is familiar to me," said he. "the f', 'estern border of surrey." holmes nodded his head. "the name is familiar to me," said he. "the family', 'n border of surrey." holmes nodded his head. "the name is familiar to me," said he. "the family was ', 'der of surrey." holmes nodded his head. "the name is familiar to me," said he. "the family was at on', 'f surrey." holmes nodded his head. "the name is familiar to me," said he. "the family was at one tim', 'rey." holmes nodded his head. "the name is familiar to me," said he. "the family was at one time amo', ' holmes nodded his head. "the name is familiar to me," said he. "the family was at one time among th', 'es nodded his head. "the name is familiar to me," said he. "the family was at one time among the ric', 'dded his head. "the name is familiar to me," said he. "the family was at one time among the richest ', 'his head. "the name is familiar to me," said he. "the family was at one time among the richest in en', 'ead. "the name is familiar to me," said he. "the family was at one time among the richest in england', '"the name is familiar to me," said he. "the family was at one time among the richest in england, and', 'name is familiar to me," said he. "the family was at one time among the richest in england, and the ', 'is familiar to me," said he. "the family was at one time among the richest in england, and the estat', 'miliar to me," said he. "the family was at one time among the richest in england, and the estates ex', 'r to me," said he. "the family was at one time among the richest in england, and the estates extende', 'me," said he. "the family was at one time among the richest in england, and the estates extended ove', 'said he. "the family was at one time among the richest in england, and the estates extended over the', 'he. "the family was at one time among the richest in england, and the estates extended over the bord', 'the family was at one time among the richest in england, and the estates extended over the borders i', 'amily was at one time among the richest in england, and the estates extended over the borders into b', ' was at one time among the richest in england, and the estates extended over the borders into berksh', 'at one time among the richest in england, and the estates extended over the borders into berkshire i', 'e time among the richest in england, and the estates extended over the borders into berkshire in the', 'e among the richest in england, and the estates extended over the borders into berkshire in the nort', 'ng the richest in england, and the estates extended over the borders into berkshire in the north, an', 'e richest in england, and the estates extended over the borders into berkshire in the north, and ham', 'hest in england, and the estates extended over the borders into berkshire in the north, and hampshir', 'in england, and the estates extended over the borders into berkshire in the north, and hampshire in ', 'gland, and the estates extended over the borders into berkshire in the north, and hampshire in the w', ', and the estates extended over the borders into berkshire in the north, and hampshire in the west. ', ' the estates extended over the borders into berkshire in the north, and hampshire in the west. in th', 'estates extended over the borders into berkshire in the north, and hampshire in the west. in the las', 'es extended over the borders into berkshire in the north, and hampshire in the west. in the last cen', 'tended over the borders into berkshire in the north, and hampshire in the west. in the last century,', 'd over the borders into berkshire in the north, and hampshire in the west. in the last century, howe', 'r the borders into berkshire in the north, and hampshire in the west. in the last century, however, ', ' borders into berkshire in the north, and hampshire in the west. in the last century, however, four ', 'ers into berkshire in the north, and hampshire in the west. in the last century, however, four succe', 'nto berkshire in the north, and hampshire in the west. in the last century, however, four successive', 'erkshire in the north, and hampshire in the west. in the last century, however, four successive heir', 'ire in the north, and hampshire in the west. in the last century, however, four successive heirs wer', 'n the north, and hampshire in the west. in the last century, however, four successive heirs were of ', ' north, and hampshire in the west. in the last century, however, four successive heirs were of a dis', 'h, and hampshire in the west. in the last century, however, four successive heirs were of a dissolut', 'd hampshire in the west. in the last century, however, four successive heirs were of a dissolute and', 'pshire in the west. in the last century, however, four successive heirs were of a dissolute and wast', 'e in the west. in the last century, however, four successive heirs were of a dissolute and wasteful ', 'the west. in the last century, however, four successive heirs were of a dissolute and wasteful dispo', 'est. in the last century, however, four successive heirs were of a dissolute and wasteful dispositio', 'in the last century, however, four successive heirs were of a dissolute and wasteful disposition, an', 'e last century, however, four successive heirs were of a dissolute and wasteful disposition, and the', 't century, however, four successive heirs were of a dissolute and wasteful disposition, and the fami', 'tury, however, four successive heirs were of a dissolute and wasteful disposition, and the family ru', ' however, four successive heirs were of a dissolute and wasteful disposition, and the family ruin wa', 'ver, four successive heirs were of a dissolute and wasteful disposition, and the family ruin was eve', 'four successive heirs were of a dissolute and wasteful disposition, and the family ruin was eventual', 'successive heirs were of a dissolute and wasteful disposition, and the family ruin was eventually co', 'ssive heirs were of a dissolute and wasteful disposition, and the family ruin was eventually complet', ' heirs were of a dissolute and wasteful disposition, and the family ruin was eventually completed by', 's were of a dissolute and wasteful disposition, and the family ruin was eventually completed by a ga', 'e of a dissolute and wasteful disposition, and the family ruin was eventually completed by a gambler', 'a dissolute and wasteful disposition, and the family ruin was eventually completed by a gambler in t', 'solute and wasteful disposition, and the family ruin was eventually completed by a gambler in the da', 'e and wasteful disposition, and the family ruin was eventually completed by a gambler in the days of', ' wasteful disposition, and the family ruin was eventually completed by a gambler in the days of the ', 'eful disposition, and the family ruin was eventually completed by a gambler in the days of the regen', 'disposition, and the family ruin was eventually completed by a gambler in the days of the regency. n', 'sition, and the family ruin was eventually completed by a gambler in the days of the regency. nothin', 'n, and the family ruin was eventually completed by a gambler in the days of the regency. nothing was', 'd the family ruin was eventually completed by a gambler in the days of the regency. nothing was left', ' family ruin was eventually completed by a gambler in the days of the regency. nothing was left save', 'ly ruin was eventually completed by a gambler in the days of the regency. nothing was left save a fe', 'in was eventually completed by a gambler in the days of the regency. nothing was left save a few acr', 's eventually completed by a gambler in the days of the regency. nothing was left save a few acres of', 'ntually completed by a gambler in the days of the regency. nothing was left save a few acres of grou', 'ly completed by a gambler in the days of the regency. nothing was left save a few acres of ground, a', 'mpleted by a gambler in the days of the regency. nothing was left save a few acres of ground, and th', 'ed by a gambler in the days of the regency. nothing was left save a few acres of ground, and the two', ' a gambler in the days of the regency. nothing was left save a few acres of ground, and the two-hund', 'mbler in the days of the regency. nothing was left save a few acres of ground, and the two-hundred-y', ' in the days of the regency. nothing was left save a few acres of ground, and the two-hundred-year-o', 'he days of the regency. nothing was left save a few acres of ground, and the two-hundred-year-old ho', 'ys of the regency. nothing was left save a few acres of ground, and the two-hundred-year-old house, ', ' the regency. nothing was left save a few acres of ground, and the two-hundred-year-old house, which', 'regency. nothing was left save a few acres of ground, and the two-hundred-year-old house, which is i', 'cy. nothing was left save a few acres of ground, and the two-hundred-year-old house, which is itself', 'othing was left save a few acres of ground, and the two-hundred-year-old house, which is itself crus', 'g was left save a few acres of ground, and the two-hundred-year-old house, which is itself crushed u', ' left save a few acres of ground, and the two-hundred-year-old house, which is itself crushed under ', ' save a few acres of ground, and the two-hundred-year-old house, which is itself crushed under a hea', ' a few acres of ground, and the two-hundred-year-old house, which is itself crushed under a heavy mo', 'w acres of ground, and the two-hundred-year-old house, which is itself crushed under a heavy mortgag', 'es of ground, and the two-hundred-year-old house, which is itself crushed under a heavy mortgage. th', ' ground, and the two-hundred-year-old house, which is itself crushed under a heavy mortgage. the las', 'nd, and the two-hundred-year-old house, which is itself crushed under a heavy mortgage. the last squ', 'nd the two-hundred-year-old house, which is itself crushed under a heavy mortgage. the last squire d', 'e two-hundred-year-old house, which is itself crushed under a heavy mortgage. the last squire dragge', '-hundred-year-old house, which is itself crushed under a heavy mortgage. the last squire dragged out', 'red-year-old house, which is itself crushed under a heavy mortgage. the last squire dragged out his ', 'ear-old house, which is itself crushed under a heavy mortgage. the last squire dragged out his exist', 'ld house, which is itself crushed under a heavy mortgage. the last squire dragged out his existence ', 'use, which is itself crushed under a heavy mortgage. the last squire dragged out his existence there', 'which is itself crushed under a heavy mortgage. the last squire dragged out his existence there, liv', ' is itself crushed under a heavy mortgage. the last squire dragged out his existence there, living t', 'tself crushed under a heavy mortgage. the last squire dragged out his existence there, living the ho', ' crushed under a heavy mortgage. the last squire dragged out his existence there, living the horribl', 'hed under a heavy mortgage. the last squire dragged out his existence there, living the horrible lif', 'nder a heavy mortgage. the last squire dragged out his existence there, living the horrible life of ', 'a heavy mortgage. the last squire dragged out his existence there, living the horrible life of an ar', 'vy mortgage. the last squire dragged out his existence there, living the horrible life of an aristoc', 'rtgage. the last squire dragged out his existence there, living the horrible life of an aristocratic', 'e. the last squire dragged out his existence there, living the horrible life of an aristocratic paup', 'e last squire dragged out his existence there, living the horrible life of an aristocratic pauper; b', 't squire dragged out his existence there, living the horrible life of an aristocratic pauper; but hi', 'ire dragged out his existence there, living the horrible life of an aristocratic pauper; but his onl', 'ragged out his existence there, living the horrible life of an aristocratic pauper; but his only son', 'd out his existence there, living the horrible life of an aristocratic pauper; but his only son, my ', ' his existence there, living the horrible life of an aristocratic pauper; but his only son, my stepf', 'existence there, living the horrible life of an aristocratic pauper; but his only son, my stepfather', 'ence there, living the horrible life of an aristocratic pauper; but his only son, my stepfather, see', 'there, living the horrible life of an aristocratic pauper; but his only son, my stepfather, seeing t', ', living the horrible life of an aristocratic pauper; but his only son, my stepfather, seeing that h', 'ing the horrible life of an aristocratic pauper; but his only son, my stepfather, seeing that he mus', 'he horrible life of an aristocratic pauper; but his only son, my stepfather, seeing that he must ada', 'rrible life of an aristocratic pauper; but his only son, my stepfather, seeing that he must adapt hi', 'e life of an aristocratic pauper; but his only son, my stepfather, seeing that he must adapt himself', 'e of an aristocratic pauper; but his only son, my stepfather, seeing that he must adapt himself to t', 'an aristocratic pauper; but his only son, my stepfather, seeing that he must adapt himself to the ne', 'istocratic pauper; but his only son, my stepfather, seeing that he must adapt himself to the new con', 'ratic pauper; but his only son, my stepfather, seeing that he must adapt himself to the new conditio', ' pauper; but his only son, my stepfather, seeing that he must adapt himself to the new conditions, o', 'er; but his only son, my stepfather, seeing that he must adapt himself to the new conditions, obtain', 'ut his only son, my stepfather, seeing that he must adapt himself to the new conditions, obtained an', 's only son, my stepfather, seeing that he must adapt himself to the new conditions, obtained an adva', 'y son, my stepfather, seeing that he must adapt himself to the new conditions, obtained an advance f', ', my stepfather, seeing that he must adapt himself to the new conditions, obtained an advance from a', 'stepfather, seeing that he must adapt himself to the new conditions, obtained an advance from a rela', 'ather, seeing that he must adapt himself to the new conditions, obtained an advance from a relative,', ', seeing that he must adapt himself to the new conditions, obtained an advance from a relative, whic', 'ing that he must adapt himself to the new conditions, obtained an advance from a relative, which ena', 'hat he must adapt himself to the new conditions, obtained an advance from a relative, which enabled ', 'e must adapt himself to the new conditions, obtained an advance from a relative, which enabled him t', 't adapt himself to the new conditions, obtained an advance from a relative, which enabled him to tak', 'pt himself to the new conditions, obtained an advance from a relative, which enabled him to take a m', 'mself to the new conditions, obtained an advance from a relative, which enabled him to take a medica', ' to the new conditions, obtained an advance from a relative, which enabled him to take a medical deg', 'he new conditions, obtained an advance from a relative, which enabled him to take a medical degree a', 'w conditions, obtained an advance from a relative, which enabled him to take a medical degree and we', 'ditions, obtained an advance from a relative, which enabled him to take a medical degree and went ou', 'ns, obtained an advance from a relative, which enabled him to take a medical degree and went out to ', 'btained an advance from a relative, which enabled him to take a medical degree and went out to calcu', 'ed an advance from a relative, which enabled him to take a medical degree and went out to calcutta, ', ' advance from a relative, which enabled him to take a medical degree and went out to calcutta, where', 'nce from a relative, which enabled him to take a medical degree and went out to calcutta, where, by ', 'rom a relative, which enabled him to take a medical degree and went out to calcutta, where, by his p', ' relative, which enabled him to take a medical degree and went out to calcutta, where, by his profes', 'tive, which enabled him to take a medical degree and went out to calcutta, where, by his professiona', ' which enabled him to take a medical degree and went out to calcutta, where, by his professional ski', 'h enabled him to take a medical degree and went out to calcutta, where, by his professional skill an', 'bled him to take a medical degree and went out to calcutta, where, by his professional skill and his', 'him to take a medical degree and went out to calcutta, where, by his professional skill and his forc', 'o take a medical degree and went out to calcutta, where, by his professional skill and his force of ', 'e a medical degree and went out to calcutta, where, by his professional skill and his force of chara', 'edical degree and went out to calcutta, where, by his professional skill and his force of character,', 'l degree and went out to calcutta, where, by his professional skill and his force of character, he e', 'ree and went out to calcutta, where, by his professional skill and his force of character, he establ', 'nd went out to calcutta, where, by his professional skill and his force of character, he established', 'nt out to calcutta, where, by his professional skill and his force of character, he established a la', 't to calcutta, where, by his professional skill and his force of character, he established a large p', 'calcutta, where, by his professional skill and his force of character, he established a large practi', 'tta, where, by his professional skill and his force of character, he established a large practice. i', 'where, by his professional skill and his force of character, he established a large practice. in a f', ', by his professional skill and his force of character, he established a large practice. in a fit of', 'his professional skill and his force of character, he established a large practice. in a fit of ange', 'rofessional skill and his force of character, he established a large practice. in a fit of anger, ho', 'sional skill and his force of character, he established a large practice. in a fit of anger, however', 'l skill and his force of character, he established a large practice. in a fit of anger, however, cau', 'll and his force of character, he established a large practice. in a fit of anger, however, caused b', 'd his force of character, he established a large practice. in a fit of anger, however, caused by som', ' force of character, he established a large practice. in a fit of anger, however, caused by some rob', 'e of character, he established a large practice. in a fit of anger, however, caused by some robberie', 'character, he established a large practice. in a fit of anger, however, caused by some robberies whi', 'cter, he established a large practice. in a fit of anger, however, caused by some robberies which ha', ' he established a large practice. in a fit of anger, however, caused by some robberies which had bee', 'stablished a large practice. in a fit of anger, however, caused by some robberies which had been per', 'ished a large practice. in a fit of anger, however, caused by some robberies which had been perpetra', ' a large practice. in a fit of anger, however, caused by some robberies which had been perpetrated i', 'rge practice. in a fit of anger, however, caused by some robberies which had been perpetrated in the', 'ractice. in a fit of anger, however, caused by some robberies which had been perpetrated in the hous', 'ce. in a fit of anger, however, caused by some robberies which had been perpetrated in the house, he', 'n a fit of anger, however, caused by some robberies which had been perpetrated in the house, he beat', 'it of anger, however, caused by some robberies which had been perpetrated in the house, he beat his ', ' anger, however, caused by some robberies which had been perpetrated in the house, he beat his nativ', 'r, however, caused by some robberies which had been perpetrated in the house, he beat his native but', 'wever, caused by some robberies which had been perpetrated in the house, he beat his native butler t', ', caused by some robberies which had been perpetrated in the house, he beat his native butler to dea', 'sed by some robberies which had been perpetrated in the house, he beat his native butler to death an', 'y some robberies which had been perpetrated in the house, he beat his native butler to death and nar', 'e robberies which had been perpetrated in the house, he beat his native butler to death and narrowly', 'beries which had been perpetrated in the house, he beat his native butler to death and narrowly esca', 's which had been perpetrated in the house, he beat his native butler to death and narrowly escaped a', 'ch had been perpetrated in the house, he beat his native butler to death and narrowly escaped a capi', 'd been perpetrated in the house, he beat his native butler to death and narrowly escaped a capital s', 'n perpetrated in the house, he beat his native butler to death and narrowly escaped a capital senten', 'petrated in the house, he beat his native butler to death and narrowly escaped a capital sentence. a', 'ted in the house, he beat his native butler to death and narrowly escaped a capital sentence. as it ', 'n the house, he beat his native butler to death and narrowly escaped a capital sentence. as it was, ', ' house, he beat his native butler to death and narrowly escaped a capital sentence. as it was, he su', 'e, he beat his native butler to death and narrowly escaped a capital sentence. as it was, he suffere', ' beat his native butler to death and narrowly escaped a capital sentence. as it was, he suffered a l', ' his native butler to death and narrowly escaped a capital sentence. as it was, he suffered a long t', 'native butler to death and narrowly escaped a capital sentence. as it was, he suffered a long term o', 'e butler to death and narrowly escaped a capital sentence. as it was, he suffered a long term of imp', 'ler to death and narrowly escaped a capital sentence. as it was, he suffered a long term of imprison', 'o death and narrowly escaped a capital sentence. as it was, he suffered a long term of imprisonment ', 'th and narrowly escaped a capital sentence. as it was, he suffered a long term of imprisonment and a', 'd narrowly escaped a capital sentence. as it was, he suffered a long term of imprisonment and afterw', 'rowly escaped a capital sentence. as it was, he suffered a long term of imprisonment and afterwards ', ' escaped a capital sentence. as it was, he suffered a long term of imprisonment and afterwards retur', 'ped a capital sentence. as it was, he suffered a long term of imprisonment and afterwards returned t', ' capital sentence. as it was, he suffered a long term of imprisonment and afterwards returned to eng', 'tal sentence. as it was, he suffered a long term of imprisonment and afterwards returned to england ', 'entence. as it was, he suffered a long term of imprisonment and afterwards returned to england a mor', 'ce. as it was, he suffered a long term of imprisonment and afterwards returned to england a morose a', 's it was, he suffered a long term of imprisonment and afterwards returned to england a morose and di', 'was, he suffered a long term of imprisonment and afterwards returned to england a morose and disappo', 'he suffered a long term of imprisonment and afterwards returned to england a morose and disappointed', 'ffered a long term of imprisonment and afterwards returned to england a morose and disappointed man.', 'd a long term of imprisonment and afterwards returned to england a morose and disappointed man. "whe', 'ong term of imprisonment and afterwards returned to england a morose and disappointed man. "when dr.', 'erm of imprisonment and afterwards returned to england a morose and disappointed man. "when dr. royl', 'f imprisonment and afterwards returned to england a morose and disappointed man. "when dr. roylott w', 'risonment and afterwards returned to england a morose and disappointed man. "when dr. roylott was in', 'ment and afterwards returned to england a morose and disappointed man. "when dr. roylott was in indi', 'and afterwards returned to england a morose and disappointed man. "when dr. roylott was in india he ', 'fterwards returned to england a morose and disappointed man. "when dr. roylott was in india he marri', 'ards returned to england a morose and disappointed man. "when dr. roylott was in india he married my', 'returned to england a morose and disappointed man. "when dr. roylott was in india he married my moth', 'ned to england a morose and disappointed man. "when dr. roylott was in india he married my mother, m', 'o england a morose and disappointed man. "when dr. roylott was in india he married my mother, mrs. s', 'land a morose and disappointed man. "when dr. roylott was in india he married my mother, mrs. stoner', 'a morose and disappointed man. "when dr. roylott was in india he married my mother, mrs. stoner, the', 'ose and disappointed man. "when dr. roylott was in india he married my mother, mrs. stoner, the youn', 'nd disappointed man. "when dr. roylott was in india he married my mother, mrs. stoner, the young wid', 'sappointed man. "when dr. roylott was in india he married my mother, mrs. stoner, the young widow of', 'inted man. "when dr. roylott was in india he married my mother, mrs. stoner, the young widow of majo', ' man. "when dr. roylott was in india he married my mother, mrs. stoner, the young widow of major-gen', ' "when dr. roylott was in india he married my mother, mrs. stoner, the young widow of major-general ', 'n dr. roylott was in india he married my mother, mrs. stoner, the young widow of major-general stone', ' roylott was in india he married my mother, mrs. stoner, the young widow of major-general stoner, of', 'ott was in india he married my mother, mrs. stoner, the young widow of major-general stoner, of the ', 'as in india he married my mother, mrs. stoner, the young widow of major-general stoner, of the benga', ' india he married my mother, mrs. stoner, the young widow of major-general stoner, of the bengal art', 'a he married my mother, mrs. stoner, the young widow of major-general stoner, of the bengal artiller', 'married my mother, mrs. stoner, the young widow of major-general stoner, of the bengal artillery. my', 'ed my mother, mrs. stoner, the young widow of major-general stoner, of the bengal artillery. my sist', ' mother, mrs. stoner, the young widow of major-general stoner, of the bengal artillery. my sister ju', 'er, mrs. stoner, the young widow of major-general stoner, of the bengal artillery. my sister julia a', 'rs. stoner, the young widow of major-general stoner, of the bengal artillery. my sister julia and i ', 'toner, the young widow of major-general stoner, of the bengal artillery. my sister julia and i were ', ', the young widow of major-general stoner, of the bengal artillery. my sister julia and i were twins', ' young widow of major-general stoner, of the bengal artillery. my sister julia and i were twins, and', 'g widow of major-general stoner, of the bengal artillery. my sister julia and i were twins, and we w', 'ow of major-general stoner, of the bengal artillery. my sister julia and i were twins, and we were o', ' major-general stoner, of the bengal artillery. my sister julia and i were twins, and we were only t', 'r-general stoner, of the bengal artillery. my sister julia and i were twins, and we were only two ye', 'eral stoner, of the bengal artillery. my sister julia and i were twins, and we were only two years o', 'stoner, of the bengal artillery. my sister julia and i were twins, and we were only two years old at', 'r, of the bengal artillery. my sister julia and i were twins, and we were only two years old at the ', ' the bengal artillery. my sister julia and i were twins, and we were only two years old at the time ', 'bengal artillery. my sister julia and i were twins, and we were only two years old at the time of my', 'l artillery. my sister julia and i were twins, and we were only two years old at the time of my moth', "illery. my sister julia and i were twins, and we were only two years old at the time of my mother's ", "y. my sister julia and i were twins, and we were only two years old at the time of my mother's re-ma", " sister julia and i were twins, and we were only two years old at the time of my mother's re-marriag", "er julia and i were twins, and we were only two years old at the time of my mother's re-marriage. sh", "lia and i were twins, and we were only two years old at the time of my mother's re-marriage. she had", "nd i were twins, and we were only two years old at the time of my mother's re-marriage. she had a co", "were twins, and we were only two years old at the time of my mother's re-marriage. she had a conside", "twins, and we were only two years old at the time of my mother's re-marriage. she had a considerable", ", and we were only two years old at the time of my mother's re-marriage. she had a considerable sum ", " we were only two years old at the time of my mother's re-marriage. she had a considerable sum of mo", "ere only two years old at the time of my mother's re-marriage. she had a considerable sum of moneyno", "nly two years old at the time of my mother's re-marriage. she had a considerable sum of moneynot les", "wo years old at the time of my mother's re-marriage. she had a considerable sum of moneynot less tha", "ars old at the time of my mother's re-marriage. she had a considerable sum of moneynot less than p", "ld at the time of my mother's re-marriage. she had a considerable sum of moneynot less than pounds", " the time of my mother's re-marriage. she had a considerable sum of moneynot less than pounds a ye", "time of my mother's re-marriage. she had a considerable sum of moneynot less than pounds a yearand", "of my mother's re-marriage. she had a considerable sum of moneynot less than pounds a yearand this", " mother's re-marriage. she had a considerable sum of moneynot less than pounds a yearand this she ", "er's re-marriage. she had a considerable sum of moneynot less than pounds a yearand this she beque", 're-marriage. she had a considerable sum of moneynot less than pounds a yearand this she bequeathed', 'rriage. she had a considerable sum of moneynot less than pounds a yearand this she bequeathed to d', 'e. she had a considerable sum of moneynot less than pounds a yearand this she bequeathed to dr. ro', 'e had a considerable sum of moneynot less than pounds a yearand this she bequeathed to dr. roylott', ' a considerable sum of moneynot less than pounds a yearand this she bequeathed to dr. roylott enti', 'nsiderable sum of moneynot less than pounds a yearand this she bequeathed to dr. roylott entirely ', 'rable sum of moneynot less than pounds a yearand this she bequeathed to dr. roylott entirely while', ' sum of moneynot less than pounds a yearand this she bequeathed to dr. roylott entirely while we r', 'of moneynot less than pounds a yearand this she bequeathed to dr. roylott entirely while we reside', 'neynot less than pounds a yearand this she bequeathed to dr. roylott entirely while we resided wit', 't less than pounds a yearand this she bequeathed to dr. roylott entirely while we resided with him', 's than pounds a yearand this she bequeathed to dr. roylott entirely while we resided with him, wit', 'n pounds a yearand this she bequeathed to dr. roylott entirely while we resided with him, with a p', 'ounds a yearand this she bequeathed to dr. roylott entirely while we resided with him, with a provis', ' a yearand this she bequeathed to dr. roylott entirely while we resided with him, with a provision t', 'arand this she bequeathed to dr. roylott entirely while we resided with him, with a provision that a', ' this she bequeathed to dr. roylott entirely while we resided with him, with a provision that a cert', ' she bequeathed to dr. roylott entirely while we resided with him, with a provision that a certain a', 'bequeathed to dr. roylott entirely while we resided with him, with a provision that a certain annual', 'athed to dr. roylott entirely while we resided with him, with a provision that a certain annual sum ', ' to dr. roylott entirely while we resided with him, with a provision that a certain annual sum shoul', 'r. roylott entirely while we resided with him, with a provision that a certain annual sum should be ', 'ylott entirely while we resided with him, with a provision that a certain annual sum should be allow', ' entirely while we resided with him, with a provision that a certain annual sum should be allowed to', 'rely while we resided with him, with a provision that a certain annual sum should be allowed to each', 'while we resided with him, with a provision that a certain annual sum should be allowed to each of u', ' we resided with him, with a provision that a certain annual sum should be allowed to each of us in ', 'esided with him, with a provision that a certain annual sum should be allowed to each of us in the e', 'd with him, with a provision that a certain annual sum should be allowed to each of us in the event ', 'h him, with a provision that a certain annual sum should be allowed to each of us in the event of ou', ', with a provision that a certain annual sum should be allowed to each of us in the event of our mar', 'h a provision that a certain annual sum should be allowed to each of us in the event of our marriage', 'rovision that a certain annual sum should be allowed to each of us in the event of our marriage. sho', 'ion that a certain annual sum should be allowed to each of us in the event of our marriage. shortly ', 'hat a certain annual sum should be allowed to each of us in the event of our marriage. shortly after', ' certain annual sum should be allowed to each of us in the event of our marriage. shortly after our ', 'ain annual sum should be allowed to each of us in the event of our marriage. shortly after our retur', 'nnual sum should be allowed to each of us in the event of our marriage. shortly after our return to ', ' sum should be allowed to each of us in the event of our marriage. shortly after our return to engla', 'should be allowed to each of us in the event of our marriage. shortly after our return to england my', 'd be allowed to each of us in the event of our marriage. shortly after our return to england my moth', 'allowed to each of us in the event of our marriage. shortly after our return to england my mother di', 'ed to each of us in the event of our marriage. shortly after our return to england my mother diedshe', ' each of us in the event of our marriage. shortly after our return to england my mother diedshe was ', ' of us in the event of our marriage. shortly after our return to england my mother diedshe was kille', 's in the event of our marriage. shortly after our return to england my mother diedshe was killed eig', 'the event of our marriage. shortly after our return to england my mother diedshe was killed eight ye', 'vent of our marriage. shortly after our return to england my mother diedshe was killed eight years a', 'of our marriage. shortly after our return to england my mother diedshe was killed eight years ago in', 'r marriage. shortly after our return to england my mother diedshe was killed eight years ago in a ra', 'riage. shortly after our return to england my mother diedshe was killed eight years ago in a railway', '. shortly after our return to england my mother diedshe was killed eight years ago in a railway acci', 'rtly after our return to england my mother diedshe was killed eight years ago in a railway accident ', 'after our return to england my mother diedshe was killed eight years ago in a railway accident near ', ' our return to england my mother diedshe was killed eight years ago in a railway accident near crewe', 'return to england my mother diedshe was killed eight years ago in a railway accident near crewe. dr.', 'n to england my mother diedshe was killed eight years ago in a railway accident near crewe. dr. royl', 'england my mother diedshe was killed eight years ago in a railway accident near crewe. dr. roylott t', 'nd my mother diedshe was killed eight years ago in a railway accident near crewe. dr. roylott then a', ' mother diedshe was killed eight years ago in a railway accident near crewe. dr. roylott then abando', 'er diedshe was killed eight years ago in a railway accident near crewe. dr. roylott then abandoned h', 'edshe was killed eight years ago in a railway accident near crewe. dr. roylott then abandoned his at', ' was killed eight years ago in a railway accident near crewe. dr. roylott then abandoned his attempt', 'killed eight years ago in a railway accident near crewe. dr. roylott then abandoned his attempts to ', 'd eight years ago in a railway accident near crewe. dr. roylott then abandoned his attempts to estab', 'ht years ago in a railway accident near crewe. dr. roylott then abandoned his attempts to establish ', 'ars ago in a railway accident near crewe. dr. roylott then abandoned his attempts to establish himse', 'go in a railway accident near crewe. dr. roylott then abandoned his attempts to establish himself in', ' a railway accident near crewe. dr. roylott then abandoned his attempts to establish himself in prac', 'ilway accident near crewe. dr. roylott then abandoned his attempts to establish himself in practice ', ' accident near crewe. dr. roylott then abandoned his attempts to establish himself in practice in lo', 'dent near crewe. dr. roylott then abandoned his attempts to establish himself in practice in london ', 'near crewe. dr. roylott then abandoned his attempts to establish himself in practice in london and t', 'crewe. dr. roylott then abandoned his attempts to establish himself in practice in london and took u', '. dr. roylott then abandoned his attempts to establish himself in practice in london and took us to ', ' roylott then abandoned his attempts to establish himself in practice in london and took us to live ', 'ott then abandoned his attempts to establish himself in practice in london and took us to live with ', 'hen abandoned his attempts to establish himself in practice in london and took us to live with him i', 'bandoned his attempts to establish himself in practice in london and took us to live with him in the', 'ned his attempts to establish himself in practice in london and took us to live with him in the old ', 'is attempts to establish himself in practice in london and took us to live with him in the old ances', 'tempts to establish himself in practice in london and took us to live with him in the old ancestral ', 's to establish himself in practice in london and took us to live with him in the old ancestral house', 'establish himself in practice in london and took us to live with him in the old ancestral house at s', 'lish himself in practice in london and took us to live with him in the old ancestral house at stoke ', 'himself in practice in london and took us to live with him in the old ancestral house at stoke moran', 'lf in practice in london and took us to live with him in the old ancestral house at stoke moran. the', ' practice in london and took us to live with him in the old ancestral house at stoke moran. the mone', 'tice in london and took us to live with him in the old ancestral house at stoke moran. the money whi', 'in london and took us to live with him in the old ancestral house at stoke moran. the money which my', 'ndon and took us to live with him in the old ancestral house at stoke moran. the money which my moth', 'and took us to live with him in the old ancestral house at stoke moran. the money which my mother ha', 'ook us to live with him in the old ancestral house at stoke moran. the money which my mother had lef', 's to live with him in the old ancestral house at stoke moran. the money which my mother had left was', 'live with him in the old ancestral house at stoke moran. the money which my mother had left was enou', 'with him in the old ancestral house at stoke moran. the money which my mother had left was enough fo', 'him in the old ancestral house at stoke moran. the money which my mother had left was enough for all', 'n the old ancestral house at stoke moran. the money which my mother had left was enough for all our ', ' old ancestral house at stoke moran. the money which my mother had left was enough for all our wants', 'ancestral house at stoke moran. the money which my mother had left was enough for all our wants, and', 'tral house at stoke moran. the money which my mother had left was enough for all our wants, and ther', 'house at stoke moran. the money which my mother had left was enough for all our wants, and there see', ' at stoke moran. the money which my mother had left was enough for all our wants, and there seemed t', 'toke moran. the money which my mother had left was enough for all our wants, and there seemed to be ', 'moran. the money which my mother had left was enough for all our wants, and there seemed to be no ob', '. the money which my mother had left was enough for all our wants, and there seemed to be no obstacl', ' money which my mother had left was enough for all our wants, and there seemed to be no obstacle to ', 'y which my mother had left was enough for all our wants, and there seemed to be no obstacle to our h', 'ch my mother had left was enough for all our wants, and there seemed to be no obstacle to our happin', ' mother had left was enough for all our wants, and there seemed to be no obstacle to our happiness. ', 'er had left was enough for all our wants, and there seemed to be no obstacle to our happiness. "but ', 'd left was enough for all our wants, and there seemed to be no obstacle to our happiness. "but a ter', 't was enough for all our wants, and there seemed to be no obstacle to our happiness. "but a terrible', ' enough for all our wants, and there seemed to be no obstacle to our happiness. "but a terrible chan', 'gh for all our wants, and there seemed to be no obstacle to our happiness. "but a terrible change ca', 'r all our wants, and there seemed to be no obstacle to our happiness. "but a terrible change came ov', ' our wants, and there seemed to be no obstacle to our happiness. "but a terrible change came over ou', 'wants, and there seemed to be no obstacle to our happiness. "but a terrible change came over our ste', ', and there seemed to be no obstacle to our happiness. "but a terrible change came over our stepfath', ' there seemed to be no obstacle to our happiness. "but a terrible change came over our stepfather ab', 'e seemed to be no obstacle to our happiness. "but a terrible change came over our stepfather about t', 'med to be no obstacle to our happiness. "but a terrible change came over our stepfather about this t', 'o be no obstacle to our happiness. "but a terrible change came over our stepfather about this time. ', 'no obstacle to our happiness. "but a terrible change came over our stepfather about this time. inste', 'stacle to our happiness. "but a terrible change came over our stepfather about this time. instead of', 'e to our happiness. "but a terrible change came over our stepfather about this time. instead of maki', 'our happiness. "but a terrible change came over our stepfather about this time. instead of making fr', 'appiness. "but a terrible change came over our stepfather about this time. instead of making friends', 'ess. "but a terrible change came over our stepfather about this time. instead of making friends and ', '"but a terrible change came over our stepfather about this time. instead of making friends and excha', 'a terrible change came over our stepfather about this time. instead of making friends and exchanging', 'rible change came over our stepfather about this time. instead of making friends and exchanging visi', ' change came over our stepfather about this time. instead of making friends and exchanging visits wi', 'ge came over our stepfather about this time. instead of making friends and exchanging visits with ou', 'me over our stepfather about this time. instead of making friends and exchanging visits with our nei', 'er our stepfather about this time. instead of making friends and exchanging visits with our neighbou', 'r stepfather about this time. instead of making friends and exchanging visits with our neighbours, w', 'pfather about this time. instead of making friends and exchanging visits with our neighbours, who ha', 'er about this time. instead of making friends and exchanging visits with our neighbours, who had at ', 'out this time. instead of making friends and exchanging visits with our neighbours, who had at first', 'his time. instead of making friends and exchanging visits with our neighbours, who had at first been', 'ime. instead of making friends and exchanging visits with our neighbours, who had at first been over', 'instead of making friends and exchanging visits with our neighbours, who had at first been overjoyed', 'ad of making friends and exchanging visits with our neighbours, who had at first been overjoyed to s', ' making friends and exchanging visits with our neighbours, who had at first been overjoyed to see a ', 'ng friends and exchanging visits with our neighbours, who had at first been overjoyed to see a roylo', 'iends and exchanging visits with our neighbours, who had at first been overjoyed to see a roylott of', ' and exchanging visits with our neighbours, who had at first been overjoyed to see a roylott of stok', 'exchanging visits with our neighbours, who had at first been overjoyed to see a roylott of stoke mor', 'nging visits with our neighbours, who had at first been overjoyed to see a roylott of stoke moran ba', ' visits with our neighbours, who had at first been overjoyed to see a roylott of stoke moran back in', 'ts with our neighbours, who had at first been overjoyed to see a roylott of stoke moran back in the ', 'th our neighbours, who had at first been overjoyed to see a roylott of stoke moran back in the old f', 'r neighbours, who had at first been overjoyed to see a roylott of stoke moran back in the old family', 'ghbours, who had at first been overjoyed to see a roylott of stoke moran back in the old family seat', 'rs, who had at first been overjoyed to see a roylott of stoke moran back in the old family seat, he ', 'ho had at first been overjoyed to see a roylott of stoke moran back in the old family seat, he shut ', 'd at first been overjoyed to see a roylott of stoke moran back in the old family seat, he shut himse', 'first been overjoyed to see a roylott of stoke moran back in the old family seat, he shut himself up', ' been overjoyed to see a roylott of stoke moran back in the old family seat, he shut himself up in h', ' overjoyed to see a roylott of stoke moran back in the old family seat, he shut himself up in his ho', 'joyed to see a roylott of stoke moran back in the old family seat, he shut himself up in his house a', ' to see a roylott of stoke moran back in the old family seat, he shut himself up in his house and se', 'ee a roylott of stoke moran back in the old family seat, he shut himself up in his house and seldom ', 'roylott of stoke moran back in the old family seat, he shut himself up in his house and seldom came ', 'tt of stoke moran back in the old family seat, he shut himself up in his house and seldom came out s', ' stoke moran back in the old family seat, he shut himself up in his house and seldom came out save t', 'e moran back in the old family seat, he shut himself up in his house and seldom came out save to ind', 'an back in the old family seat, he shut himself up in his house and seldom came out save to indulge ', 'ck in the old family seat, he shut himself up in his house and seldom came out save to indulge in fe', ' the old family seat, he shut himself up in his house and seldom came out save to indulge in ferocio', 'old family seat, he shut himself up in his house and seldom came out save to indulge in ferocious qu', 'amily seat, he shut himself up in his house and seldom came out save to indulge in ferocious quarrel', ' seat, he shut himself up in his house and seldom came out save to indulge in ferocious quarrels wit', ', he shut himself up in his house and seldom came out save to indulge in ferocious quarrels with who', 'shut himself up in his house and seldom came out save to indulge in ferocious quarrels with whoever ', 'himself up in his house and seldom came out save to indulge in ferocious quarrels with whoever might', 'lf up in his house and seldom came out save to indulge in ferocious quarrels with whoever might cros', ' in his house and seldom came out save to indulge in ferocious quarrels with whoever might cross his', 'is house and seldom came out save to indulge in ferocious quarrels with whoever might cross his path', 'use and seldom came out save to indulge in ferocious quarrels with whoever might cross his path. vio', 'nd seldom came out save to indulge in ferocious quarrels with whoever might cross his path. violence', 'ldom came out save to indulge in ferocious quarrels with whoever might cross his path. violence of t', 'came out save to indulge in ferocious quarrels with whoever might cross his path. violence of temper', 'out save to indulge in ferocious quarrels with whoever might cross his path. violence of temper appr', 'ave to indulge in ferocious quarrels with whoever might cross his path. violence of temper approachi', 'o indulge in ferocious quarrels with whoever might cross his path. violence of temper approaching to', 'ulge in ferocious quarrels with whoever might cross his path. violence of temper approaching to mani', 'in ferocious quarrels with whoever might cross his path. violence of temper approaching to mania has', 'rocious quarrels with whoever might cross his path. violence of temper approaching to mania has been', 'us quarrels with whoever might cross his path. violence of temper approaching to mania has been here', 'arrels with whoever might cross his path. violence of temper approaching to mania has been hereditar', 's with whoever might cross his path. violence of temper approaching to mania has been hereditary in ', 'h whoever might cross his path. violence of temper approaching to mania has been hereditary in the m', 'ever might cross his path. violence of temper approaching to mania has been hereditary in the men of', 'might cross his path. violence of temper approaching to mania has been hereditary in the men of the ', ' cross his path. violence of temper approaching to mania has been hereditary in the men of the famil', 's his path. violence of temper approaching to mania has been hereditary in the men of the family, an', ' path. violence of temper approaching to mania has been hereditary in the men of the family, and in ', '. violence of temper approaching to mania has been hereditary in the men of the family, and in my st', 'lence of temper approaching to mania has been hereditary in the men of the family, and in my stepfat', " of temper approaching to mania has been hereditary in the men of the family, and in my stepfather's", "emper approaching to mania has been hereditary in the men of the family, and in my stepfather's case", " approaching to mania has been hereditary in the men of the family, and in my stepfather's case it h", "oaching to mania has been hereditary in the men of the family, and in my stepfather's case it had, i", "ng to mania has been hereditary in the men of the family, and in my stepfather's case it had, i beli", " mania has been hereditary in the men of the family, and in my stepfather's case it had, i believe, ", "a has been hereditary in the men of the family, and in my stepfather's case it had, i believe, been ", " been hereditary in the men of the family, and in my stepfather's case it had, i believe, been inten", " hereditary in the men of the family, and in my stepfather's case it had, i believe, been intensifie", "ditary in the men of the family, and in my stepfather's case it had, i believe, been intensified by ", "y in the men of the family, and in my stepfather's case it had, i believe, been intensified by his l", "the men of the family, and in my stepfather's case it had, i believe, been intensified by his long r", "en of the family, and in my stepfather's case it had, i believe, been intensified by his long reside", " the family, and in my stepfather's case it had, i believe, been intensified by his long residence i", "family, and in my stepfather's case it had, i believe, been intensified by his long residence in the", "y, and in my stepfather's case it had, i believe, been intensified by his long residence in the trop", "d in my stepfather's case it had, i believe, been intensified by his long residence in the tropics. ", "my stepfather's case it had, i believe, been intensified by his long residence in the tropics. a ser", "epfather's case it had, i believe, been intensified by his long residence in the tropics. a series o", "her's case it had, i believe, been intensified by his long residence in the tropics. a series of dis", ' case it had, i believe, been intensified by his long residence in the tropics. a series of disgrace', ' it had, i believe, been intensified by his long residence in the tropics. a series of disgraceful b', 'ad, i believe, been intensified by his long residence in the tropics. a series of disgraceful brawls', ' believe, been intensified by his long residence in the tropics. a series of disgraceful brawls took', 'eve, been intensified by his long residence in the tropics. a series of disgraceful brawls took plac', 'been intensified by his long residence in the tropics. a series of disgraceful brawls took place, tw', 'intensified by his long residence in the tropics. a series of disgraceful brawls took place, two of ', 'sified by his long residence in the tropics. a series of disgraceful brawls took place, two of which', 'd by his long residence in the tropics. a series of disgraceful brawls took place, two of which ende', 'his long residence in the tropics. a series of disgraceful brawls took place, two of which ended in ', 'ong residence in the tropics. a series of disgraceful brawls took place, two of which ended in the p', 'esidence in the tropics. a series of disgraceful brawls took place, two of which ended in the police', 'nce in the tropics. a series of disgraceful brawls took place, two of which ended in the police-cour', 'n the tropics. a series of disgraceful brawls took place, two of which ended in the police-court, un', ' tropics. a series of disgraceful brawls took place, two of which ended in the police-court, until a', 'ics. a series of disgraceful brawls took place, two of which ended in the police-court, until at las', 'a series of disgraceful brawls took place, two of which ended in the police-court, until at last he ', 'ies of disgraceful brawls took place, two of which ended in the police-court, until at last he becam', 'f disgraceful brawls took place, two of which ended in the police-court, until at last he became the', 'graceful brawls took place, two of which ended in the police-court, until at last he became the terr', 'ful brawls took place, two of which ended in the police-court, until at last he became the terror of', 'rawls took place, two of which ended in the police-court, until at last he became the terror of the ', ' took place, two of which ended in the police-court, until at last he became the terror of the villa', ' place, two of which ended in the police-court, until at last he became the terror of the village, a', 'e, two of which ended in the police-court, until at last he became the terror of the village, and th', 'o of which ended in the police-court, until at last he became the terror of the village, and the fol', 'which ended in the police-court, until at last he became the terror of the village, and the folks wo', ' ended in the police-court, until at last he became the terror of the village, and the folks would f', 'd in the police-court, until at last he became the terror of the village, and the folks would fly at', 'the police-court, until at last he became the terror of the village, and the folks would fly at his ', 'olice-court, until at last he became the terror of the village, and the folks would fly at his appro', '-court, until at last he became the terror of the village, and the folks would fly at his approach, ', 't, until at last he became the terror of the village, and the folks would fly at his approach, for h', 'til at last he became the terror of the village, and the folks would fly at his approach, for he is ', 't last he became the terror of the village, and the folks would fly at his approach, for he is a man', 't he became the terror of the village, and the folks would fly at his approach, for he is a man of i', 'became the terror of the village, and the folks would fly at his approach, for he is a man of immens', 'e the terror of the village, and the folks would fly at his approach, for he is a man of immense str', ' terror of the village, and the folks would fly at his approach, for he is a man of immense strength', 'or of the village, and the folks would fly at his approach, for he is a man of immense strength, and', ' the village, and the folks would fly at his approach, for he is a man of immense strength, and abso', 'village, and the folks would fly at his approach, for he is a man of immense strength, and absolutel', 'ge, and the folks would fly at his approach, for he is a man of immense strength, and absolutely unc', 'nd the folks would fly at his approach, for he is a man of immense strength, and absolutely uncontro', 'e folks would fly at his approach, for he is a man of immense strength, and absolutely uncontrollabl', 'ks would fly at his approach, for he is a man of immense strength, and absolutely uncontrollable in ', 'uld fly at his approach, for he is a man of immense strength, and absolutely uncontrollable in his a', 'ly at his approach, for he is a man of immense strength, and absolutely uncontrollable in his anger.', ' his approach, for he is a man of immense strength, and absolutely uncontrollable in his anger. "las', 'approach, for he is a man of immense strength, and absolutely uncontrollable in his anger. "last wee', 'ach, for he is a man of immense strength, and absolutely uncontrollable in his anger. "last week he ', 'for he is a man of immense strength, and absolutely uncontrollable in his anger. "last week he hurle', 'e is a man of immense strength, and absolutely uncontrollable in his anger. "last week he hurled the', 'a man of immense strength, and absolutely uncontrollable in his anger. "last week he hurled the loca', ' of immense strength, and absolutely uncontrollable in his anger. "last week he hurled the local bla', 'mmense strength, and absolutely uncontrollable in his anger. "last week he hurled the local blacksmi', 'e strength, and absolutely uncontrollable in his anger. "last week he hurled the local blacksmith ov', 'ength, and absolutely uncontrollable in his anger. "last week he hurled the local blacksmith over a ', ', and absolutely uncontrollable in his anger. "last week he hurled the local blacksmith over a parap', ' absolutely uncontrollable in his anger. "last week he hurled the local blacksmith over a parapet in', 'lutely uncontrollable in his anger. "last week he hurled the local blacksmith over a parapet into a ', 'y uncontrollable in his anger. "last week he hurled the local blacksmith over a parapet into a strea', 'ontrollable in his anger. "last week he hurled the local blacksmith over a parapet into a stream, an', 'llable in his anger. "last week he hurled the local blacksmith over a parapet into a stream, and it ', 'e in his anger. "last week he hurled the local blacksmith over a parapet into a stream, and it was o', 'his anger. "last week he hurled the local blacksmith over a parapet into a stream, and it was only b', 'nger. "last week he hurled the local blacksmith over a parapet into a stream, and it was only by pay', ' "last week he hurled the local blacksmith over a parapet into a stream, and it was only by paying o', 't week he hurled the local blacksmith over a parapet into a stream, and it was only by paying over a', 'k he hurled the local blacksmith over a parapet into a stream, and it was only by paying over all th', 'hurled the local blacksmith over a parapet into a stream, and it was only by paying over all the mon', 'd the local blacksmith over a parapet into a stream, and it was only by paying over all the money wh', ' local blacksmith over a parapet into a stream, and it was only by paying over all the money which i', 'l blacksmith over a parapet into a stream, and it was only by paying over all the money which i coul', 'cksmith over a parapet into a stream, and it was only by paying over all the money which i could gat', 'th over a parapet into a stream, and it was only by paying over all the money which i could gather t', 'er a parapet into a stream, and it was only by paying over all the money which i could gather togeth', 'parapet into a stream, and it was only by paying over all the money which i could gather together th', 'et into a stream, and it was only by paying over all the money which i could gather together that i ', 'to a stream, and it was only by paying over all the money which i could gather together that i was a', 'stream, and it was only by paying over all the money which i could gather together that i was able t', 'm, and it was only by paying over all the money which i could gather together that i was able to ave', 'd it was only by paying over all the money which i could gather together that i was able to avert an', 'was only by paying over all the money which i could gather together that i was able to avert another', 'nly by paying over all the money which i could gather together that i was able to avert another publ', 'y paying over all the money which i could gather together that i was able to avert another public ex', 'ing over all the money which i could gather together that i was able to avert another public exposur', 'ver all the money which i could gather together that i was able to avert another public exposure. he', 'll the money which i could gather together that i was able to avert another public exposure. he had ', 'e money which i could gather together that i was able to avert another public exposure. he had no fr', 'ey which i could gather together that i was able to avert another public exposure. he had no friends', 'ich i could gather together that i was able to avert another public exposure. he had no friends at a', ' could gather together that i was able to avert another public exposure. he had no friends at all sa', 'd gather together that i was able to avert another public exposure. he had no friends at all save th', 'her together that i was able to avert another public exposure. he had no friends at all save the wan', 'ogether that i was able to avert another public exposure. he had no friends at all save the wanderin', 'er that i was able to avert another public exposure. he had no friends at all save the wandering gip', 'at i was able to avert another public exposure. he had no friends at all save the wandering gipsies,', 'was able to avert another public exposure. he had no friends at all save the wandering gipsies, and ', 'ble to avert another public exposure. he had no friends at all save the wandering gipsies, and he wo', 'o avert another public exposure. he had no friends at all save the wandering gipsies, and he would g', 'rt another public exposure. he had no friends at all save the wandering gipsies, and he would give t', 'other public exposure. he had no friends at all save the wandering gipsies, and he would give these ', ' public exposure. he had no friends at all save the wandering gipsies, and he would give these vagab', 'ic exposure. he had no friends at all save the wandering gipsies, and he would give these vagabonds ', 'posure. he had no friends at all save the wandering gipsies, and he would give these vagabonds leave', 'e. he had no friends at all save the wandering gipsies, and he would give these vagabonds leave to e', ' had no friends at all save the wandering gipsies, and he would give these vagabonds leave to encamp', 'no friends at all save the wandering gipsies, and he would give these vagabonds leave to encamp upon', 'iends at all save the wandering gipsies, and he would give these vagabonds leave to encamp upon the ', ' at all save the wandering gipsies, and he would give these vagabonds leave to encamp upon the few a', 'll save the wandering gipsies, and he would give these vagabonds leave to encamp upon the few acres ', 've the wandering gipsies, and he would give these vagabonds leave to encamp upon the few acres of br', 'e wandering gipsies, and he would give these vagabonds leave to encamp upon the few acres of bramble', 'dering gipsies, and he would give these vagabonds leave to encamp upon the few acres of bramble-cove', 'g gipsies, and he would give these vagabonds leave to encamp upon the few acres of bramble-covered l', 'sies, and he would give these vagabonds leave to encamp upon the few acres of bramble-covered land w', ' and he would give these vagabonds leave to encamp upon the few acres of bramble-covered land which ', 'he would give these vagabonds leave to encamp upon the few acres of bramble-covered land which repre', 'uld give these vagabonds leave to encamp upon the few acres of bramble-covered land which represent ', 'ive these vagabonds leave to encamp upon the few acres of bramble-covered land which represent the f', 'hese vagabonds leave to encamp upon the few acres of bramble-covered land which represent the family', 'vagabonds leave to encamp upon the few acres of bramble-covered land which represent the family esta', 'onds leave to encamp upon the few acres of bramble-covered land which represent the family estate, a', 'leave to encamp upon the few acres of bramble-covered land which represent the family estate, and wo', ' to encamp upon the few acres of bramble-covered land which represent the family estate, and would a', 'ncamp upon the few acres of bramble-covered land which represent the family estate, and would accept', ' upon the few acres of bramble-covered land which represent the family estate, and would accept in r', ' the few acres of bramble-covered land which represent the family estate, and would accept in return', 'few acres of bramble-covered land which represent the family estate, and would accept in return the ', 'cres of bramble-covered land which represent the family estate, and would accept in return the hospi', 'of bramble-covered land which represent the family estate, and would accept in return the hospitalit', 'amble-covered land which represent the family estate, and would accept in return the hospitality of ', '-covered land which represent the family estate, and would accept in return the hospitality of their', 'red land which represent the family estate, and would accept in return the hospitality of their tent', 'and which represent the family estate, and would accept in return the hospitality of their tents, wa', 'hich represent the family estate, and would accept in return the hospitality of their tents, wanderi', 'represent the family estate, and would accept in return the hospitality of their tents, wandering aw', 'sent the family estate, and would accept in return the hospitality of their tents, wandering away wi', 'the family estate, and would accept in return the hospitality of their tents, wandering away with th', 'amily estate, and would accept in return the hospitality of their tents, wandering away with them so', ' estate, and would accept in return the hospitality of their tents, wandering away with them sometim', 'te, and would accept in return the hospitality of their tents, wandering away with them sometimes fo', 'nd would accept in return the hospitality of their tents, wandering away with them sometimes for wee', 'uld accept in return the hospitality of their tents, wandering away with them sometimes for weeks on', 'ccept in return the hospitality of their tents, wandering away with them sometimes for weeks on end.', ' in return the hospitality of their tents, wandering away with them sometimes for weeks on end. he h', 'eturn the hospitality of their tents, wandering away with them sometimes for weeks on end. he has a ', ' the hospitality of their tents, wandering away with them sometimes for weeks on end. he has a passi', 'hospitality of their tents, wandering away with them sometimes for weeks on end. he has a passion al', 'tality of their tents, wandering away with them sometimes for weeks on end. he has a passion also fo', 'y of their tents, wandering away with them sometimes for weeks on end. he has a passion also for ind', 'their tents, wandering away with them sometimes for weeks on end. he has a passion also for indian a', ' tents, wandering away with them sometimes for weeks on end. he has a passion also for indian animal', 's, wandering away with them sometimes for weeks on end. he has a passion also for indian animals, wh', 'ndering away with them sometimes for weeks on end. he has a passion also for indian animals, which a', 'ng away with them sometimes for weeks on end. he has a passion also for indian animals, which are se', 'ay with them sometimes for weeks on end. he has a passion also for indian animals, which are sent ov', 'th them sometimes for weeks on end. he has a passion also for indian animals, which are sent over to', 'em sometimes for weeks on end. he has a passion also for indian animals, which are sent over to him ', 'metimes for weeks on end. he has a passion also for indian animals, which are sent over to him by a ', 'es for weeks on end. he has a passion also for indian animals, which are sent over to him by a corre', 'r weeks on end. he has a passion also for indian animals, which are sent over to him by a correspond', 'ks on end. he has a passion also for indian animals, which are sent over to him by a correspondent, ', ' end. he has a passion also for indian animals, which are sent over to him by a correspondent, and h', ' he has a passion also for indian animals, which are sent over to him by a correspondent, and he has', 'as a passion also for indian animals, which are sent over to him by a correspondent, and he has at t', 'passion also for indian animals, which are sent over to him by a correspondent, and he has at this m', 'on also for indian animals, which are sent over to him by a correspondent, and he has at this moment', 'so for indian animals, which are sent over to him by a correspondent, and he has at this moment a ch', 'r indian animals, which are sent over to him by a correspondent, and he has at this moment a cheetah', 'ian animals, which are sent over to him by a correspondent, and he has at this moment a cheetah and ', 'nimals, which are sent over to him by a correspondent, and he has at this moment a cheetah and a bab', 's, which are sent over to him by a correspondent, and he has at this moment a cheetah and a baboon, ', 'ich are sent over to him by a correspondent, and he has at this moment a cheetah and a baboon, which', 're sent over to him by a correspondent, and he has at this moment a cheetah and a baboon, which wand', 'nt over to him by a correspondent, and he has at this moment a cheetah and a baboon, which wander fr', 'er to him by a correspondent, and he has at this moment a cheetah and a baboon, which wander freely ', ' him by a correspondent, and he has at this moment a cheetah and a baboon, which wander freely over ', 'by a correspondent, and he has at this moment a cheetah and a baboon, which wander freely over his g', 'correspondent, and he has at this moment a cheetah and a baboon, which wander freely over his ground', 'spondent, and he has at this moment a cheetah and a baboon, which wander freely over his grounds and', 'ent, and he has at this moment a cheetah and a baboon, which wander freely over his grounds and are ', 'and he has at this moment a cheetah and a baboon, which wander freely over his grounds and are feare', 'e has at this moment a cheetah and a baboon, which wander freely over his grounds and are feared by ', ' at this moment a cheetah and a baboon, which wander freely over his grounds and are feared by the v', 'his moment a cheetah and a baboon, which wander freely over his grounds and are feared by the villag', 'oment a cheetah and a baboon, which wander freely over his grounds and are feared by the villagers a', ' a cheetah and a baboon, which wander freely over his grounds and are feared by the villagers almost', 'eetah and a baboon, which wander freely over his grounds and are feared by the villagers almost as m', ' and a baboon, which wander freely over his grounds and are feared by the villagers almost as much a', 'a baboon, which wander freely over his grounds and are feared by the villagers almost as much as the', 'oon, which wander freely over his grounds and are feared by the villagers almost as much as their ma', 'which wander freely over his grounds and are feared by the villagers almost as much as their master.', ' wander freely over his grounds and are feared by the villagers almost as much as their master. "you', 'er freely over his grounds and are feared by the villagers almost as much as their master. "you can ', 'eely over his grounds and are feared by the villagers almost as much as their master. "you can imagi', 'over his grounds and are feared by the villagers almost as much as their master. "you can imagine fr', 'his grounds and are feared by the villagers almost as much as their master. "you can imagine from wh', 'rounds and are feared by the villagers almost as much as their master. "you can imagine from what i ', 's and are feared by the villagers almost as much as their master. "you can imagine from what i say t', ' are feared by the villagers almost as much as their master. "you can imagine from what i say that m', 'feared by the villagers almost as much as their master. "you can imagine from what i say that my poo', 'd by the villagers almost as much as their master. "you can imagine from what i say that my poor sis', 'the villagers almost as much as their master. "you can imagine from what i say that my poor sister j', 'illagers almost as much as their master. "you can imagine from what i say that my poor sister julia ', 'ers almost as much as their master. "you can imagine from what i say that my poor sister julia and i', 'lmost as much as their master. "you can imagine from what i say that my poor sister julia and i had ', ' as much as their master. "you can imagine from what i say that my poor sister julia and i had no gr', 'uch as their master. "you can imagine from what i say that my poor sister julia and i had no great p', 's their master. "you can imagine from what i say that my poor sister julia and i had no great pleasu', 'ir master. "you can imagine from what i say that my poor sister julia and i had no great pleasure in', 'ster. "you can imagine from what i say that my poor sister julia and i had no great pleasure in our ', ' "you can imagine from what i say that my poor sister julia and i had no great pleasure in our lives', ' can imagine from what i say that my poor sister julia and i had no great pleasure in our lives. no ', 'imagine from what i say that my poor sister julia and i had no great pleasure in our lives. no serva', 'ne from what i say that my poor sister julia and i had no great pleasure in our lives. no servant wo', 'om what i say that my poor sister julia and i had no great pleasure in our lives. no servant would s', 'at i say that my poor sister julia and i had no great pleasure in our lives. no servant would stay w', 'say that my poor sister julia and i had no great pleasure in our lives. no servant would stay with u', 'hat my poor sister julia and i had no great pleasure in our lives. no servant would stay with us, an', 'y poor sister julia and i had no great pleasure in our lives. no servant would stay with us, and for', 'r sister julia and i had no great pleasure in our lives. no servant would stay with us, and for a lo', 'ter julia and i had no great pleasure in our lives. no servant would stay with us, and for a long ti', 'ulia and i had no great pleasure in our lives. no servant would stay with us, and for a long time we', 'and i had no great pleasure in our lives. no servant would stay with us, and for a long time we did ', ' had no great pleasure in our lives. no servant would stay with us, and for a long time we did all t', 'no great pleasure in our lives. no servant would stay with us, and for a long time we did all the wo', 'eat pleasure in our lives. no servant would stay with us, and for a long time we did all the work of', 'leasure in our lives. no servant would stay with us, and for a long time we did all the work of the ', 're in our lives. no servant would stay with us, and for a long time we did all the work of the house', ' our lives. no servant would stay with us, and for a long time we did all the work of the house. she', 'lives. no servant would stay with us, and for a long time we did all the work of the house. she was ', '. no servant would stay with us, and for a long time we did all the work of the house. she was but t', 'servant would stay with us, and for a long time we did all the work of the house. she was but thirty', 'nt would stay with us, and for a long time we did all the work of the house. she was but thirty at t', 'uld stay with us, and for a long time we did all the work of the house. she was but thirty at the ti', 'tay with us, and for a long time we did all the work of the house. she was but thirty at the time of', 'ith us, and for a long time we did all the work of the house. she was but thirty at the time of her ', 's, and for a long time we did all the work of the house. she was but thirty at the time of her death', 'd for a long time we did all the work of the house. she was but thirty at the time of her death, and', ' a long time we did all the work of the house. she was but thirty at the time of her death, and yet ', 'ng time we did all the work of the house. she was but thirty at the time of her death, and yet her h', 'me we did all the work of the house. she was but thirty at the time of her death, and yet her hair h', ' did all the work of the house. she was but thirty at the time of her death, and yet her hair had al', 'all the work of the house. she was but thirty at the time of her death, and yet her hair had already', 'he work of the house. she was but thirty at the time of her death, and yet her hair had already begu', 'rk of the house. she was but thirty at the time of her death, and yet her hair had already begun to ', ' the house. she was but thirty at the time of her death, and yet her hair had already begun to white', 'house. she was but thirty at the time of her death, and yet her hair had already begun to whiten, ev', '. she was but thirty at the time of her death, and yet her hair had already begun to whiten, even as', ' was but thirty at the time of her death, and yet her hair had already begun to whiten, even as mine', 'but thirty at the time of her death, and yet her hair had already begun to whiten, even as mine has.', 'hirty at the time of her death, and yet her hair had already begun to whiten, even as mine has." "yo', ' at the time of her death, and yet her hair had already begun to whiten, even as mine has." "your si', 'he time of her death, and yet her hair had already begun to whiten, even as mine has." "your sister ', 'me of her death, and yet her hair had already begun to whiten, even as mine has." "your sister is de', ' her death, and yet her hair had already begun to whiten, even as mine has." "your sister is dead, t', 'death, and yet her hair had already begun to whiten, even as mine has." "your sister is dead, then?"', ', and yet her hair had already begun to whiten, even as mine has." "your sister is dead, then?" "she', ' yet her hair had already begun to whiten, even as mine has." "your sister is dead, then?" "she died', 'her hair had already begun to whiten, even as mine has." "your sister is dead, then?" "she died just', 'air had already begun to whiten, even as mine has." "your sister is dead, then?" "she died just two ', 'ad already begun to whiten, even as mine has." "your sister is dead, then?" "she died just two years', 'ready begun to whiten, even as mine has." "your sister is dead, then?" "she died just two years ago,', ' begun to whiten, even as mine has." "your sister is dead, then?" "she died just two years ago, and ', 'n to whiten, even as mine has." "your sister is dead, then?" "she died just two years ago, and it is', 'whiten, even as mine has." "your sister is dead, then?" "she died just two years ago, and it is of h', 'n, even as mine has." "your sister is dead, then?" "she died just two years ago, and it is of her de', 'en as mine has." "your sister is dead, then?" "she died just two years ago, and it is of her death t', ' mine has." "your sister is dead, then?" "she died just two years ago, and it is of her death that i', ' has." "your sister is dead, then?" "she died just two years ago, and it is of her death that i wish', '" "your sister is dead, then?" "she died just two years ago, and it is of her death that i wish to s', 'ur sister is dead, then?" "she died just two years ago, and it is of her death that i wish to speak ', 'ster is dead, then?" "she died just two years ago, and it is of her death that i wish to speak to yo', 'is dead, then?" "she died just two years ago, and it is of her death that i wish to speak to you. yo', 'ad, then?" "she died just two years ago, and it is of her death that i wish to speak to you. you can', 'hen?" "she died just two years ago, and it is of her death that i wish to speak to you. you can unde', ' "she died just two years ago, and it is of her death that i wish to speak to you. you can understan', ' died just two years ago, and it is of her death that i wish to speak to you. you can understand tha', ' just two years ago, and it is of her death that i wish to speak to you. you can understand that, li', ' two years ago, and it is of her death that i wish to speak to you. you can understand that, living ', 'years ago, and it is of her death that i wish to speak to you. you can understand that, living the l', ' ago, and it is of her death that i wish to speak to you. you can understand that, living the life w', ' and it is of her death that i wish to speak to you. you can understand that, living the life which ', 'it is of her death that i wish to speak to you. you can understand that, living the life which i hav', ' of her death that i wish to speak to you. you can understand that, living the life which i have des', 'er death that i wish to speak to you. you can understand that, living the life which i have describe', 'ath that i wish to speak to you. you can understand that, living the life which i have described, we', 'hat i wish to speak to you. you can understand that, living the life which i have described, we were', ' wish to speak to you. you can understand that, living the life which i have described, we were litt', ' to speak to you. you can understand that, living the life which i have described, we were little li', 'peak to you. you can understand that, living the life which i have described, we were little likely ', 'to you. you can understand that, living the life which i have described, we were little likely to se', 'u. you can understand that, living the life which i have described, we were little likely to see any', 'u can understand that, living the life which i have described, we were little likely to see anyone o', ' understand that, living the life which i have described, we were little likely to see anyone of our', 'rstand that, living the life which i have described, we were little likely to see anyone of our own ', 'd that, living the life which i have described, we were little likely to see anyone of our own age a', 't, living the life which i have described, we were little likely to see anyone of our own age and po', 'ving the life which i have described, we were little likely to see anyone of our own age and positio', 'the life which i have described, we were little likely to see anyone of our own age and position. we', 'ife which i have described, we were little likely to see anyone of our own age and position. we had,', 'hich i have described, we were little likely to see anyone of our own age and position. we had, howe', 'i have described, we were little likely to see anyone of our own age and position. we had, however, ', 'e described, we were little likely to see anyone of our own age and position. we had, however, an au', 'cribed, we were little likely to see anyone of our own age and position. we had, however, an aunt, m', 'd, we were little likely to see anyone of our own age and position. we had, however, an aunt, my mot', " were little likely to see anyone of our own age and position. we had, however, an aunt, my mother's", " little likely to see anyone of our own age and position. we had, however, an aunt, my mother's maid", "le likely to see anyone of our own age and position. we had, however, an aunt, my mother's maiden si", "kely to see anyone of our own age and position. we had, however, an aunt, my mother's maiden sister,", "to see anyone of our own age and position. we had, however, an aunt, my mother's maiden sister, miss", "e anyone of our own age and position. we had, however, an aunt, my mother's maiden sister, miss hono", "one of our own age and position. we had, however, an aunt, my mother's maiden sister, miss honoria w", "f our own age and position. we had, however, an aunt, my mother's maiden sister, miss honoria westph", " own age and position. we had, however, an aunt, my mother's maiden sister, miss honoria westphail, ", "age and position. we had, however, an aunt, my mother's maiden sister, miss honoria westphail, who l", "nd position. we had, however, an aunt, my mother's maiden sister, miss honoria westphail, who lives ", "sition. we had, however, an aunt, my mother's maiden sister, miss honoria westphail, who lives near ", "n. we had, however, an aunt, my mother's maiden sister, miss honoria westphail, who lives near harro", " had, however, an aunt, my mother's maiden sister, miss honoria westphail, who lives near harrow, an", " however, an aunt, my mother's maiden sister, miss honoria westphail, who lives near harrow, and we ", "ver, an aunt, my mother's maiden sister, miss honoria westphail, who lives near harrow, and we were ", "an aunt, my mother's maiden sister, miss honoria westphail, who lives near harrow, and we were occas", "nt, my mother's maiden sister, miss honoria westphail, who lives near harrow, and we were occasional", "y mother's maiden sister, miss honoria westphail, who lives near harrow, and we were occasionally al", "her's maiden sister, miss honoria westphail, who lives near harrow, and we were occasionally allowed", ' maiden sister, miss honoria westphail, who lives near harrow, and we were occasionally allowed to p', 'en sister, miss honoria westphail, who lives near harrow, and we were occasionally allowed to pay sh', 'ster, miss honoria westphail, who lives near harrow, and we were occasionally allowed to pay short v', ' miss honoria westphail, who lives near harrow, and we were occasionally allowed to pay short visits', ' honoria westphail, who lives near harrow, and we were occasionally allowed to pay short visits at t', 'ria westphail, who lives near harrow, and we were occasionally allowed to pay short visits at this l', "estphail, who lives near harrow, and we were occasionally allowed to pay short visits at this lady's", "ail, who lives near harrow, and we were occasionally allowed to pay short visits at this lady's hous", "who lives near harrow, and we were occasionally allowed to pay short visits at this lady's house. ju", "ives near harrow, and we were occasionally allowed to pay short visits at this lady's house. julia w", "near harrow, and we were occasionally allowed to pay short visits at this lady's house. julia went t", "harrow, and we were occasionally allowed to pay short visits at this lady's house. julia went there ", "w, and we were occasionally allowed to pay short visits at this lady's house. julia went there at ch", "d we were occasionally allowed to pay short visits at this lady's house. julia went there at christm", "were occasionally allowed to pay short visits at this lady's house. julia went there at christmas tw", "occasionally allowed to pay short visits at this lady's house. julia went there at christmas two yea", "ionally allowed to pay short visits at this lady's house. julia went there at christmas two years ag", "ly allowed to pay short visits at this lady's house. julia went there at christmas two years ago, an", "lowed to pay short visits at this lady's house. julia went there at christmas two years ago, and met", " to pay short visits at this lady's house. julia went there at christmas two years ago, and met ther", "ay short visits at this lady's house. julia went there at christmas two years ago, and met there a h", "ort visits at this lady's house. julia went there at christmas two years ago, and met there a half-p", "isits at this lady's house. julia went there at christmas two years ago, and met there a half-pay ma", " at this lady's house. julia went there at christmas two years ago, and met there a half-pay major o", "his lady's house. julia went there at christmas two years ago, and met there a half-pay major of mar", "ady's house. julia went there at christmas two years ago, and met there a half-pay major of marines,", ' house. julia went there at christmas two years ago, and met there a half-pay major of marines, to w', 'e. julia went there at christmas two years ago, and met there a half-pay major of marines, to whom s', 'lia went there at christmas two years ago, and met there a half-pay major of marines, to whom she be', 'ent there at christmas two years ago, and met there a half-pay major of marines, to whom she became ', 'here at christmas two years ago, and met there a half-pay major of marines, to whom she became engag', 'at christmas two years ago, and met there a half-pay major of marines, to whom she became engaged. m', 'ristmas two years ago, and met there a half-pay major of marines, to whom she became engaged. my ste', 'as two years ago, and met there a half-pay major of marines, to whom she became engaged. my stepfath', 'o years ago, and met there a half-pay major of marines, to whom she became engaged. my stepfather le', 'rs ago, and met there a half-pay major of marines, to whom she became engaged. my stepfather learned', 'o, and met there a half-pay major of marines, to whom she became engaged. my stepfather learned of t', 'd met there a half-pay major of marines, to whom she became engaged. my stepfather learned of the en', ' there a half-pay major of marines, to whom she became engaged. my stepfather learned of the engagem', 'e a half-pay major of marines, to whom she became engaged. my stepfather learned of the engagement w', 'alf-pay major of marines, to whom she became engaged. my stepfather learned of the engagement when m', 'ay major of marines, to whom she became engaged. my stepfather learned of the engagement when my sis', 'jor of marines, to whom she became engaged. my stepfather learned of the engagement when my sister r', 'f marines, to whom she became engaged. my stepfather learned of the engagement when my sister return', 'ines, to whom she became engaged. my stepfather learned of the engagement when my sister returned an', ' to whom she became engaged. my stepfather learned of the engagement when my sister returned and off', 'hom she became engaged. my stepfather learned of the engagement when my sister returned and offered ', 'he became engaged. my stepfather learned of the engagement when my sister returned and offered no ob', 'came engaged. my stepfather learned of the engagement when my sister returned and offered no objecti', 'engaged. my stepfather learned of the engagement when my sister returned and offered no objection to', 'ed. my stepfather learned of the engagement when my sister returned and offered no objection to the ', 'y stepfather learned of the engagement when my sister returned and offered no objection to the marri', 'pfather learned of the engagement when my sister returned and offered no objection to the marriage; ', 'er learned of the engagement when my sister returned and offered no objection to the marriage; but w', 'arned of the engagement when my sister returned and offered no objection to the marriage; but within', ' of the engagement when my sister returned and offered no objection to the marriage; but within a fo', 'he engagement when my sister returned and offered no objection to the marriage; but within a fortnig', 'gagement when my sister returned and offered no objection to the marriage; but within a fortnight of', 'ent when my sister returned and offered no objection to the marriage; but within a fortnight of the ', 'hen my sister returned and offered no objection to the marriage; but within a fortnight of the day w', 'y sister returned and offered no objection to the marriage; but within a fortnight of the day which ', 'ter returned and offered no objection to the marriage; but within a fortnight of the day which had b', 'eturned and offered no objection to the marriage; but within a fortnight of the day which had been f', 'ed and offered no objection to the marriage; but within a fortnight of the day which had been fixed ', 'd offered no objection to the marriage; but within a fortnight of the day which had been fixed for t', 'ered no objection to the marriage; but within a fortnight of the day which had been fixed for the we', 'no objection to the marriage; but within a fortnight of the day which had been fixed for the wedding', 'jection to the marriage; but within a fortnight of the day which had been fixed for the wedding, the', 'on to the marriage; but within a fortnight of the day which had been fixed for the wedding, the terr', ' the marriage; but within a fortnight of the day which had been fixed for the wedding, the terrible ', 'marriage; but within a fortnight of the day which had been fixed for the wedding, the terrible event', 'age; but within a fortnight of the day which had been fixed for the wedding, the terrible event occu', 'but within a fortnight of the day which had been fixed for the wedding, the terrible event occurred ', 'ithin a fortnight of the day which had been fixed for the wedding, the terrible event occurred which', ' a fortnight of the day which had been fixed for the wedding, the terrible event occurred which has ', 'rtnight of the day which had been fixed for the wedding, the terrible event occurred which has depri', 'ht of the day which had been fixed for the wedding, the terrible event occurred which has deprived m', ' the day which had been fixed for the wedding, the terrible event occurred which has deprived me of ', 'day which had been fixed for the wedding, the terrible event occurred which has deprived me of my on', 'hich had been fixed for the wedding, the terrible event occurred which has deprived me of my only co', 'had been fixed for the wedding, the terrible event occurred which has deprived me of my only compani', 'een fixed for the wedding, the terrible event occurred which has deprived me of my only companion." ', 'ixed for the wedding, the terrible event occurred which has deprived me of my only companion." sherl', 'for the wedding, the terrible event occurred which has deprived me of my only companion." sherlock h', 'he wedding, the terrible event occurred which has deprived me of my only companion." sherlock holmes', 'dding, the terrible event occurred which has deprived me of my only companion." sherlock holmes had ', ', the terrible event occurred which has deprived me of my only companion." sherlock holmes had been ', ' terrible event occurred which has deprived me of my only companion." sherlock holmes had been leani', 'ible event occurred which has deprived me of my only companion." sherlock holmes had been leaning ba', 'event occurred which has deprived me of my only companion." sherlock holmes had been leaning back in', ' occurred which has deprived me of my only companion." sherlock holmes had been leaning back in his ', 'rred which has deprived me of my only companion." sherlock holmes had been leaning back in his chair', 'which has deprived me of my only companion." sherlock holmes had been leaning back in his chair with', ' has deprived me of my only companion." sherlock holmes had been leaning back in his chair with his ', 'deprived me of my only companion." sherlock holmes had been leaning back in his chair with his eyes ', 'ved me of my only companion." sherlock holmes had been leaning back in his chair with his eyes close', 'e of my only companion." sherlock holmes had been leaning back in his chair with his eyes closed and', 'my only companion." sherlock holmes had been leaning back in his chair with his eyes closed and his ', 'ly companion." sherlock holmes had been leaning back in his chair with his eyes closed and his head ', 'mpanion." sherlock holmes had been leaning back in his chair with his eyes closed and his head sunk ', 'on." sherlock holmes had been leaning back in his chair with his eyes closed and his head sunk in a ', 'sherlock holmes had been leaning back in his chair with his eyes closed and his head sunk in a cushi', 'ock holmes had been leaning back in his chair with his eyes closed and his head sunk in a cushion, b', 'olmes had been leaning back in his chair with his eyes closed and his head sunk in a cushion, but he', ' had been leaning back in his chair with his eyes closed and his head sunk in a cushion, but he half', 'been leaning back in his chair with his eyes closed and his head sunk in a cushion, but he half open', 'leaning back in his chair with his eyes closed and his head sunk in a cushion, but he half opened hi', 'ng back in his chair with his eyes closed and his head sunk in a cushion, but he half opened his lid', 'ck in his chair with his eyes closed and his head sunk in a cushion, but he half opened his lids now', ' his chair with his eyes closed and his head sunk in a cushion, but he half opened his lids now and ', 'chair with his eyes closed and his head sunk in a cushion, but he half opened his lids now and glanc', ' with his eyes closed and his head sunk in a cushion, but he half opened his lids now and glanced ac', ' his eyes closed and his head sunk in a cushion, but he half opened his lids now and glanced across ', 'eyes closed and his head sunk in a cushion, but he half opened his lids now and glanced across at hi', 'closed and his head sunk in a cushion, but he half opened his lids now and glanced across at his vis', 'd and his head sunk in a cushion, but he half opened his lids now and glanced across at his visitor.', ' his head sunk in a cushion, but he half opened his lids now and glanced across at his visitor. "pra', 'head sunk in a cushion, but he half opened his lids now and glanced across at his visitor. "pray be ', 'sunk in a cushion, but he half opened his lids now and glanced across at his visitor. "pray be preci', 'in a cushion, but he half opened his lids now and glanced across at his visitor. "pray be precise as', 'cushion, but he half opened his lids now and glanced across at his visitor. "pray be precise as to d', 'on, but he half opened his lids now and glanced across at his visitor. "pray be precise as to detail', 'ut he half opened his lids now and glanced across at his visitor. "pray be precise as to details," s', ' half opened his lids now and glanced across at his visitor. "pray be precise as to details," said h', ' opened his lids now and glanced across at his visitor. "pray be precise as to details," said he. "i', 'ed his lids now and glanced across at his visitor. "pray be precise as to details," said he. "it is ', 's lids now and glanced across at his visitor. "pray be precise as to details," said he. "it is easy ', 's now and glanced across at his visitor. "pray be precise as to details," said he. "it is easy for m', ' and glanced across at his visitor. "pray be precise as to details," said he. "it is easy for me to ', 'glanced across at his visitor. "pray be precise as to details," said he. "it is easy for me to be so', 'ed across at his visitor. "pray be precise as to details," said he. "it is easy for me to be so, for', 'ross at his visitor. "pray be precise as to details," said he. "it is easy for me to be so, for ever', 'at his visitor. "pray be precise as to details," said he. "it is easy for me to be so, for every eve', 's visitor. "pray be precise as to details," said he. "it is easy for me to be so, for every event of', 'itor. "pray be precise as to details," said he. "it is easy for me to be so, for every event of that', ' "pray be precise as to details," said he. "it is easy for me to be so, for every event of that drea', 'y be precise as to details," said he. "it is easy for me to be so, for every event of that dreadful ', 'precise as to details," said he. "it is easy for me to be so, for every event of that dreadful time ', 'se as to details," said he. "it is easy for me to be so, for every event of that dreadful time is se', ' to details," said he. "it is easy for me to be so, for every event of that dreadful time is seared ', 'etails," said he. "it is easy for me to be so, for every event of that dreadful time is seared into ', 's," said he. "it is easy for me to be so, for every event of that dreadful time is seared into my me', 'aid he. "it is easy for me to be so, for every event of that dreadful time is seared into my memory.', 'e. "it is easy for me to be so, for every event of that dreadful time is seared into my memory. the ', 't is easy for me to be so, for every event of that dreadful time is seared into my memory. the manor', 'easy for me to be so, for every event of that dreadful time is seared into my memory. the manor-hous', 'for me to be so, for every event of that dreadful time is seared into my memory. the manor-house is,', 'e to be so, for every event of that dreadful time is seared into my memory. the manor-house is, as i', 'be so, for every event of that dreadful time is seared into my memory. the manor-house is, as i have', ', for every event of that dreadful time is seared into my memory. the manor-house is, as i have alre', ' every event of that dreadful time is seared into my memory. the manor-house is, as i have already s', 'y event of that dreadful time is seared into my memory. the manor-house is, as i have already said, ', 'nt of that dreadful time is seared into my memory. the manor-house is, as i have already said, very ', ' that dreadful time is seared into my memory. the manor-house is, as i have already said, very old, ', ' dreadful time is seared into my memory. the manor-house is, as i have already said, very old, and o', 'dful time is seared into my memory. the manor-house is, as i have already said, very old, and only o', 'time is seared into my memory. the manor-house is, as i have already said, very old, and only one wi', 'is seared into my memory. the manor-house is, as i have already said, very old, and only one wing is', 'ared into my memory. the manor-house is, as i have already said, very old, and only one wing is now ', 'into my memory. the manor-house is, as i have already said, very old, and only one wing is now inhab', 'my memory. the manor-house is, as i have already said, very old, and only one wing is now inhabited.', 'mory. the manor-house is, as i have already said, very old, and only one wing is now inhabited. the ', ' the manor-house is, as i have already said, very old, and only one wing is now inhabited. the bedro', 'manor-house is, as i have already said, very old, and only one wing is now inhabited. the bedrooms i', '-house is, as i have already said, very old, and only one wing is now inhabited. the bedrooms in thi', 'e is, as i have already said, very old, and only one wing is now inhabited. the bedrooms in this win', ' as i have already said, very old, and only one wing is now inhabited. the bedrooms in this wing are', ' have already said, very old, and only one wing is now inhabited. the bedrooms in this wing are on t', ' already said, very old, and only one wing is now inhabited. the bedrooms in this wing are on the gr', 'ady said, very old, and only one wing is now inhabited. the bedrooms in this wing are on the ground ', 'aid, very old, and only one wing is now inhabited. the bedrooms in this wing are on the ground floor', 'very old, and only one wing is now inhabited. the bedrooms in this wing are on the ground floor, the', 'old, and only one wing is now inhabited. the bedrooms in this wing are on the ground floor, the sitt', 'and only one wing is now inhabited. the bedrooms in this wing are on the ground floor, the sitting-r', 'nly one wing is now inhabited. the bedrooms in this wing are on the ground floor, the sitting-rooms ', 'ne wing is now inhabited. the bedrooms in this wing are on the ground floor, the sitting-rooms being', 'ng is now inhabited. the bedrooms in this wing are on the ground floor, the sitting-rooms being in t', ' now inhabited. the bedrooms in this wing are on the ground floor, the sitting-rooms being in the ce', 'inhabited. the bedrooms in this wing are on the ground floor, the sitting-rooms being in the central', 'ited. the bedrooms in this wing are on the ground floor, the sitting-rooms being in the central bloc', ' the bedrooms in this wing are on the ground floor, the sitting-rooms being in the central block of ', 'bedrooms in this wing are on the ground floor, the sitting-rooms being in the central block of the b', 'oms in this wing are on the ground floor, the sitting-rooms being in the central block of the buildi', 'n this wing are on the ground floor, the sitting-rooms being in the central block of the buildings. ', 's wing are on the ground floor, the sitting-rooms being in the central block of the buildings. of th', 'g are on the ground floor, the sitting-rooms being in the central block of the buildings. of these b', ' on the ground floor, the sitting-rooms being in the central block of the buildings. of these bedroo', 'he ground floor, the sitting-rooms being in the central block of the buildings. of these bedrooms th', 'ound floor, the sitting-rooms being in the central block of the buildings. of these bedrooms the fir', 'floor, the sitting-rooms being in the central block of the buildings. of these bedrooms the first is', ', the sitting-rooms being in the central block of the buildings. of these bedrooms the first is dr. ', ' sitting-rooms being in the central block of the buildings. of these bedrooms the first is dr. roylo', "ing-rooms being in the central block of the buildings. of these bedrooms the first is dr. roylott's,", "ooms being in the central block of the buildings. of these bedrooms the first is dr. roylott's, the ", "being in the central block of the buildings. of these bedrooms the first is dr. roylott's, the secon", " in the central block of the buildings. of these bedrooms the first is dr. roylott's, the second my ", "he central block of the buildings. of these bedrooms the first is dr. roylott's, the second my siste", "ntral block of the buildings. of these bedrooms the first is dr. roylott's, the second my sister's, ", " block of the buildings. of these bedrooms the first is dr. roylott's, the second my sister's, and t", "k of the buildings. of these bedrooms the first is dr. roylott's, the second my sister's, and the th", "the buildings. of these bedrooms the first is dr. roylott's, the second my sister's, and the third m", "uildings. of these bedrooms the first is dr. roylott's, the second my sister's, and the third my own", "ngs. of these bedrooms the first is dr. roylott's, the second my sister's, and the third my own. the", "of these bedrooms the first is dr. roylott's, the second my sister's, and the third my own. there is", "ese bedrooms the first is dr. roylott's, the second my sister's, and the third my own. there is no c", "edrooms the first is dr. roylott's, the second my sister's, and the third my own. there is no commun", "ms the first is dr. roylott's, the second my sister's, and the third my own. there is no communicati", "e first is dr. roylott's, the second my sister's, and the third my own. there is no communication be", "st is dr. roylott's, the second my sister's, and the third my own. there is no communication between", " dr. roylott's, the second my sister's, and the third my own. there is no communication between them", "roylott's, the second my sister's, and the third my own. there is no communication between them, but", "tt's, the second my sister's, and the third my own. there is no communication between them, but they", " the second my sister's, and the third my own. there is no communication between them, but they all ", "second my sister's, and the third my own. there is no communication between them, but they all open ", "d my sister's, and the third my own. there is no communication between them, but they all open out i", "sister's, and the third my own. there is no communication between them, but they all open out into t", "r's, and the third my own. there is no communication between them, but they all open out into the sa", 'and the third my own. there is no communication between them, but they all open out into the same co', 'he third my own. there is no communication between them, but they all open out into the same corrido', 'ird my own. there is no communication between them, but they all open out into the same corridor. do', 'y own. there is no communication between them, but they all open out into the same corridor. do i ma', '. there is no communication between them, but they all open out into the same corridor. do i make my', 're is no communication between them, but they all open out into the same corridor. do i make myself ', ' no communication between them, but they all open out into the same corridor. do i make myself plain', 'ommunication between them, but they all open out into the same corridor. do i make myself plain?" "p', 'ication between them, but they all open out into the same corridor. do i make myself plain?" "perfec', 'on between them, but they all open out into the same corridor. do i make myself plain?" "perfectly s', 'tween them, but they all open out into the same corridor. do i make myself plain?" "perfectly so." "', ' them, but they all open out into the same corridor. do i make myself plain?" "perfectly so." "the w', ', but they all open out into the same corridor. do i make myself plain?" "perfectly so." "the window', ' they all open out into the same corridor. do i make myself plain?" "perfectly so." "the windows of ', ' all open out into the same corridor. do i make myself plain?" "perfectly so." "the windows of the t', 'open out into the same corridor. do i make myself plain?" "perfectly so." "the windows of the three ', 'out into the same corridor. do i make myself plain?" "perfectly so." "the windows of the three rooms', 'nto the same corridor. do i make myself plain?" "perfectly so." "the windows of the three rooms open', 'he same corridor. do i make myself plain?" "perfectly so." "the windows of the three rooms open out ', 'me corridor. do i make myself plain?" "perfectly so." "the windows of the three rooms open out upon ', 'rridor. do i make myself plain?" "perfectly so." "the windows of the three rooms open out upon the l', 'r. do i make myself plain?" "perfectly so." "the windows of the three rooms open out upon the lawn. ', ' i make myself plain?" "perfectly so." "the windows of the three rooms open out upon the lawn. that ', 'ke myself plain?" "perfectly so." "the windows of the three rooms open out upon the lawn. that fatal', 'self plain?" "perfectly so." "the windows of the three rooms open out upon the lawn. that fatal nigh', 'plain?" "perfectly so." "the windows of the three rooms open out upon the lawn. that fatal night dr.', '?" "perfectly so." "the windows of the three rooms open out upon the lawn. that fatal night dr. royl', 'erfectly so." "the windows of the three rooms open out upon the lawn. that fatal night dr. roylott h', 'tly so." "the windows of the three rooms open out upon the lawn. that fatal night dr. roylott had go', 'o." "the windows of the three rooms open out upon the lawn. that fatal night dr. roylott had gone to', 'the windows of the three rooms open out upon the lawn. that fatal night dr. roylott had gone to his ', 'indows of the three rooms open out upon the lawn. that fatal night dr. roylott had gone to his room ', 's of the three rooms open out upon the lawn. that fatal night dr. roylott had gone to his room early', 'the three rooms open out upon the lawn. that fatal night dr. roylott had gone to his room early, tho', 'hree rooms open out upon the lawn. that fatal night dr. roylott had gone to his room early, though w', 'rooms open out upon the lawn. that fatal night dr. roylott had gone to his room early, though we kne', ' open out upon the lawn. that fatal night dr. roylott had gone to his room early, though we knew tha', ' out upon the lawn. that fatal night dr. roylott had gone to his room early, though we knew that he ', 'upon the lawn. that fatal night dr. roylott had gone to his room early, though we knew that he had n', 'the lawn. that fatal night dr. roylott had gone to his room early, though we knew that he had not re', 'awn. that fatal night dr. roylott had gone to his room early, though we knew that he had not retired', 'that fatal night dr. roylott had gone to his room early, though we knew that he had not retired to r', 'fatal night dr. roylott had gone to his room early, though we knew that he had not retired to rest, ', ' night dr. roylott had gone to his room early, though we knew that he had not retired to rest, for m', 't dr. roylott had gone to his room early, though we knew that he had not retired to rest, for my sis', ' roylott had gone to his room early, though we knew that he had not retired to rest, for my sister w', 'ott had gone to his room early, though we knew that he had not retired to rest, for my sister was tr', 'ad gone to his room early, though we knew that he had not retired to rest, for my sister was trouble', 'ne to his room early, though we knew that he had not retired to rest, for my sister was troubled by ', ' his room early, though we knew that he had not retired to rest, for my sister was troubled by the s', 'room early, though we knew that he had not retired to rest, for my sister was troubled by the smell ', 'early, though we knew that he had not retired to rest, for my sister was troubled by the smell of th', ', though we knew that he had not retired to rest, for my sister was troubled by the smell of the str', 'ugh we knew that he had not retired to rest, for my sister was troubled by the smell of the strong i', 'e knew that he had not retired to rest, for my sister was troubled by the smell of the strong indian', 'w that he had not retired to rest, for my sister was troubled by the smell of the strong indian ciga', 't he had not retired to rest, for my sister was troubled by the smell of the strong indian cigars wh', 'had not retired to rest, for my sister was troubled by the smell of the strong indian cigars which i', 'ot retired to rest, for my sister was troubled by the smell of the strong indian cigars which it was', 'tired to rest, for my sister was troubled by the smell of the strong indian cigars which it was his ', ' to rest, for my sister was troubled by the smell of the strong indian cigars which it was his custo', 'est, for my sister was troubled by the smell of the strong indian cigars which it was his custom to ', 'for my sister was troubled by the smell of the strong indian cigars which it was his custom to smoke', 'y sister was troubled by the smell of the strong indian cigars which it was his custom to smoke. she', 'ter was troubled by the smell of the strong indian cigars which it was his custom to smoke. she left', 'as troubled by the smell of the strong indian cigars which it was his custom to smoke. she left her ', 'oubled by the smell of the strong indian cigars which it was his custom to smoke. she left her room,', 'd by the smell of the strong indian cigars which it was his custom to smoke. she left her room, ther', 'the smell of the strong indian cigars which it was his custom to smoke. she left her room, therefore', 'mell of the strong indian cigars which it was his custom to smoke. she left her room, therefore, and', 'of the strong indian cigars which it was his custom to smoke. she left her room, therefore, and came', 'e strong indian cigars which it was his custom to smoke. she left her room, therefore, and came into', 'ong indian cigars which it was his custom to smoke. she left her room, therefore, and came into mine', 'ndian cigars which it was his custom to smoke. she left her room, therefore, and came into mine, whe', ' cigars which it was his custom to smoke. she left her room, therefore, and came into mine, where sh', 'rs which it was his custom to smoke. she left her room, therefore, and came into mine, where she sat', 'ich it was his custom to smoke. she left her room, therefore, and came into mine, where she sat for ', 't was his custom to smoke. she left her room, therefore, and came into mine, where she sat for some ', ' his custom to smoke. she left her room, therefore, and came into mine, where she sat for some time,', 'custom to smoke. she left her room, therefore, and came into mine, where she sat for some time, chat', 'm to smoke. she left her room, therefore, and came into mine, where she sat for some time, chatting ', 'smoke. she left her room, therefore, and came into mine, where she sat for some time, chatting about', '. she left her room, therefore, and came into mine, where she sat for some time, chatting about her ', ' left her room, therefore, and came into mine, where she sat for some time, chatting about her appro', ' her room, therefore, and came into mine, where she sat for some time, chatting about her approachin', 'room, therefore, and came into mine, where she sat for some time, chatting about her approaching wed', ' therefore, and came into mine, where she sat for some time, chatting about her approaching wedding.', 'efore, and came into mine, where she sat for some time, chatting about her approaching wedding. at e', ', and came into mine, where she sat for some time, chatting about her approaching wedding. at eleven', " came into mine, where she sat for some time, chatting about her approaching wedding. at eleven o'cl", " into mine, where she sat for some time, chatting about her approaching wedding. at eleven o'clock s", " mine, where she sat for some time, chatting about her approaching wedding. at eleven o'clock she ro", ", where she sat for some time, chatting about her approaching wedding. at eleven o'clock she rose to", "re she sat for some time, chatting about her approaching wedding. at eleven o'clock she rose to leav", "e sat for some time, chatting about her approaching wedding. at eleven o'clock she rose to leave me,", " for some time, chatting about her approaching wedding. at eleven o'clock she rose to leave me, but ", "some time, chatting about her approaching wedding. at eleven o'clock she rose to leave me, but she p", "time, chatting about her approaching wedding. at eleven o'clock she rose to leave me, but she paused", " chatting about her approaching wedding. at eleven o'clock she rose to leave me, but she paused at t", "ting about her approaching wedding. at eleven o'clock she rose to leave me, but she paused at the do", "about her approaching wedding. at eleven o'clock she rose to leave me, but she paused at the door an", " her approaching wedding. at eleven o'clock she rose to leave me, but she paused at the door and loo", "approaching wedding. at eleven o'clock she rose to leave me, but she paused at the door and looked b", "aching wedding. at eleven o'clock she rose to leave me, but she paused at the door and looked back. ", 'g wedding. at eleven o\'clock she rose to leave me, but she paused at the door and looked back. "\'tel', 'ding. at eleven o\'clock she rose to leave me, but she paused at the door and looked back. "\'tell me,', ' at eleven o\'clock she rose to leave me, but she paused at the door and looked back. "\'tell me, hele', 'leven o\'clock she rose to leave me, but she paused at the door and looked back. "\'tell me, helen,\' s', ' o\'clock she rose to leave me, but she paused at the door and looked back. "\'tell me, helen,\' said s', 'ock she rose to leave me, but she paused at the door and looked back. "\'tell me, helen,\' said she, \'', 'he rose to leave me, but she paused at the door and looked back. "\'tell me, helen,\' said she, \'have ', 'se to leave me, but she paused at the door and looked back. "\'tell me, helen,\' said she, \'have you e', ' leave me, but she paused at the door and looked back. "\'tell me, helen,\' said she, \'have you ever h', 'e me, but she paused at the door and looked back. "\'tell me, helen,\' said she, \'have you ever heard ', ' but she paused at the door and looked back. "\'tell me, helen,\' said she, \'have you ever heard anyon', 'she paused at the door and looked back. "\'tell me, helen,\' said she, \'have you ever heard anyone whi', 'aused at the door and looked back. "\'tell me, helen,\' said she, \'have you ever heard anyone whistle ', ' at the door and looked back. "\'tell me, helen,\' said she, \'have you ever heard anyone whistle in th', 'he door and looked back. "\'tell me, helen,\' said she, \'have you ever heard anyone whistle in the dea', 'or and looked back. "\'tell me, helen,\' said she, \'have you ever heard anyone whistle in the dead of ', 'd looked back. "\'tell me, helen,\' said she, \'have you ever heard anyone whistle in the dead of the n', 'ked back. "\'tell me, helen,\' said she, \'have you ever heard anyone whistle in the dead of the night?', 'ack. "\'tell me, helen,\' said she, \'have you ever heard anyone whistle in the dead of the night?\' "\'n', '"\'tell me, helen,\' said she, \'have you ever heard anyone whistle in the dead of the night?\' "\'never,', 'l me, helen,\' said she, \'have you ever heard anyone whistle in the dead of the night?\' "\'never,\' sai', ' helen,\' said she, \'have you ever heard anyone whistle in the dead of the night?\' "\'never,\' said i. ', 'n,\' said she, \'have you ever heard anyone whistle in the dead of the night?\' "\'never,\' said i. "\'i s', 'aid she, \'have you ever heard anyone whistle in the dead of the night?\' "\'never,\' said i. "\'i suppos', 'he, \'have you ever heard anyone whistle in the dead of the night?\' "\'never,\' said i. "\'i suppose tha', 'have you ever heard anyone whistle in the dead of the night?\' "\'never,\' said i. "\'i suppose that you', 'you ever heard anyone whistle in the dead of the night?\' "\'never,\' said i. "\'i suppose that you coul', 'ver heard anyone whistle in the dead of the night?\' "\'never,\' said i. "\'i suppose that you could not', 'eard anyone whistle in the dead of the night?\' "\'never,\' said i. "\'i suppose that you could not poss', 'anyone whistle in the dead of the night?\' "\'never,\' said i. "\'i suppose that you could not possibly ', 'e whistle in the dead of the night?\' "\'never,\' said i. "\'i suppose that you could not possibly whist', 'stle in the dead of the night?\' "\'never,\' said i. "\'i suppose that you could not possibly whistle, y', 'in the dead of the night?\' "\'never,\' said i. "\'i suppose that you could not possibly whistle, yourse', 'e dead of the night?\' "\'never,\' said i. "\'i suppose that you could not possibly whistle, yourself, i', 'd of the night?\' "\'never,\' said i. "\'i suppose that you could not possibly whistle, yourself, in you', 'the night?\' "\'never,\' said i. "\'i suppose that you could not possibly whistle, yourself, in your sle', 'ight?\' "\'never,\' said i. "\'i suppose that you could not possibly whistle, yourself, in your sleep?\' ', '\' "\'never,\' said i. "\'i suppose that you could not possibly whistle, yourself, in your sleep?\' "\'cer', 'ever,\' said i. "\'i suppose that you could not possibly whistle, yourself, in your sleep?\' "\'certainl', '\' said i. "\'i suppose that you could not possibly whistle, yourself, in your sleep?\' "\'certainly not', 'd i. "\'i suppose that you could not possibly whistle, yourself, in your sleep?\' "\'certainly not. but', '"\'i suppose that you could not possibly whistle, yourself, in your sleep?\' "\'certainly not. but why?', 'uppose that you could not possibly whistle, yourself, in your sleep?\' "\'certainly not. but why?\' "\'b', 'e that you could not possibly whistle, yourself, in your sleep?\' "\'certainly not. but why?\' "\'becaus', 't you could not possibly whistle, yourself, in your sleep?\' "\'certainly not. but why?\' "\'because dur', ' could not possibly whistle, yourself, in your sleep?\' "\'certainly not. but why?\' "\'because during t', 'd not possibly whistle, yourself, in your sleep?\' "\'certainly not. but why?\' "\'because during the la', ' possibly whistle, yourself, in your sleep?\' "\'certainly not. but why?\' "\'because during the last fe', 'ibly whistle, yourself, in your sleep?\' "\'certainly not. but why?\' "\'because during the last few nig', 'whistle, yourself, in your sleep?\' "\'certainly not. but why?\' "\'because during the last few nights i', 'le, yourself, in your sleep?\' "\'certainly not. but why?\' "\'because during the last few nights i have', 'ourself, in your sleep?\' "\'certainly not. but why?\' "\'because during the last few nights i have alwa', 'lf, in your sleep?\' "\'certainly not. but why?\' "\'because during the last few nights i have always, a', 'n your sleep?\' "\'certainly not. but why?\' "\'because during the last few nights i have always, about ', 'r sleep?\' "\'certainly not. but why?\' "\'because during the last few nights i have always, about three', 'ep?\' "\'certainly not. but why?\' "\'because during the last few nights i have always, about three in t', '"\'certainly not. but why?\' "\'because during the last few nights i have always, about three in the mo', 'tainly not. but why?\' "\'because during the last few nights i have always, about three in the morning', 'y not. but why?\' "\'because during the last few nights i have always, about three in the morning, hea', '. but why?\' "\'because during the last few nights i have always, about three in the morning, heard a ', ' why?\' "\'because during the last few nights i have always, about three in the morning, heard a low, ', '\' "\'because during the last few nights i have always, about three in the morning, heard a low, clear', 'ecause during the last few nights i have always, about three in the morning, heard a low, clear whis', 'e during the last few nights i have always, about three in the morning, heard a low, clear whistle. ', 'ing the last few nights i have always, about three in the morning, heard a low, clear whistle. i am ', 'he last few nights i have always, about three in the morning, heard a low, clear whistle. i am a lig', 'st few nights i have always, about three in the morning, heard a low, clear whistle. i am a light sl', 'w nights i have always, about three in the morning, heard a low, clear whistle. i am a light sleeper', 'hts i have always, about three in the morning, heard a low, clear whistle. i am a light sleeper, and', ' have always, about three in the morning, heard a low, clear whistle. i am a light sleeper, and it h', ' always, about three in the morning, heard a low, clear whistle. i am a light sleeper, and it has aw', 'ys, about three in the morning, heard a low, clear whistle. i am a light sleeper, and it has awakene', 'bout three in the morning, heard a low, clear whistle. i am a light sleeper, and it has awakened me.', 'three in the morning, heard a low, clear whistle. i am a light sleeper, and it has awakened me. i ca', ' in the morning, heard a low, clear whistle. i am a light sleeper, and it has awakened me. i cannot ', 'he morning, heard a low, clear whistle. i am a light sleeper, and it has awakened me. i cannot tell ', 'rning, heard a low, clear whistle. i am a light sleeper, and it has awakened me. i cannot tell where', ', heard a low, clear whistle. i am a light sleeper, and it has awakened me. i cannot tell where it c', 'rd a low, clear whistle. i am a light sleeper, and it has awakened me. i cannot tell where it came f', 'low, clear whistle. i am a light sleeper, and it has awakened me. i cannot tell where it came frompe', 'clear whistle. i am a light sleeper, and it has awakened me. i cannot tell where it came fromperhaps', ' whistle. i am a light sleeper, and it has awakened me. i cannot tell where it came fromperhaps from', 'tle. i am a light sleeper, and it has awakened me. i cannot tell where it came fromperhaps from the ', 'i am a light sleeper, and it has awakened me. i cannot tell where it came fromperhaps from the next ', 'a light sleeper, and it has awakened me. i cannot tell where it came fromperhaps from the next room,', 'ht sleeper, and it has awakened me. i cannot tell where it came fromperhaps from the next room, perh', 'eeper, and it has awakened me. i cannot tell where it came fromperhaps from the next room, perhaps f', ', and it has awakened me. i cannot tell where it came fromperhaps from the next room, perhaps from t', ' it has awakened me. i cannot tell where it came fromperhaps from the next room, perhaps from the la', 'as awakened me. i cannot tell where it came fromperhaps from the next room, perhaps from the lawn. i', 'akened me. i cannot tell where it came fromperhaps from the next room, perhaps from the lawn. i thou', 'd me. i cannot tell where it came fromperhaps from the next room, perhaps from the lawn. i thought t', ' i cannot tell where it came fromperhaps from the next room, perhaps from the lawn. i thought that i', 'nnot tell where it came fromperhaps from the next room, perhaps from the lawn. i thought that i woul', 'tell where it came fromperhaps from the next room, perhaps from the lawn. i thought that i would jus', 'where it came fromperhaps from the next room, perhaps from the lawn. i thought that i would just ask', ' it came fromperhaps from the next room, perhaps from the lawn. i thought that i would just ask you ', 'ame fromperhaps from the next room, perhaps from the lawn. i thought that i would just ask you wheth', 'romperhaps from the next room, perhaps from the lawn. i thought that i would just ask you whether yo', 'rhaps from the next room, perhaps from the lawn. i thought that i would just ask you whether you had', ' from the next room, perhaps from the lawn. i thought that i would just ask you whether you had hear', ' the next room, perhaps from the lawn. i thought that i would just ask you whether you had heard it.', 'next room, perhaps from the lawn. i thought that i would just ask you whether you had heard it.\' "\'n', 'room, perhaps from the lawn. i thought that i would just ask you whether you had heard it.\' "\'no, i ', ' perhaps from the lawn. i thought that i would just ask you whether you had heard it.\' "\'no, i have ', 'aps from the lawn. i thought that i would just ask you whether you had heard it.\' "\'no, i have not. ', 'rom the lawn. i thought that i would just ask you whether you had heard it.\' "\'no, i have not. it mu', 'he lawn. i thought that i would just ask you whether you had heard it.\' "\'no, i have not. it must be', 'wn. i thought that i would just ask you whether you had heard it.\' "\'no, i have not. it must be thos', ' thought that i would just ask you whether you had heard it.\' "\'no, i have not. it must be those wre', 'ght that i would just ask you whether you had heard it.\' "\'no, i have not. it must be those wretched', 'hat i would just ask you whether you had heard it.\' "\'no, i have not. it must be those wretched gips', ' would just ask you whether you had heard it.\' "\'no, i have not. it must be those wretched gipsies i', 'd just ask you whether you had heard it.\' "\'no, i have not. it must be those wretched gipsies in the', 't ask you whether you had heard it.\' "\'no, i have not. it must be those wretched gipsies in the plan', ' you whether you had heard it.\' "\'no, i have not. it must be those wretched gipsies in the plantatio', 'whether you had heard it.\' "\'no, i have not. it must be those wretched gipsies in the plantation.\' "', 'er you had heard it.\' "\'no, i have not. it must be those wretched gipsies in the plantation.\' "\'very', 'u had heard it.\' "\'no, i have not. it must be those wretched gipsies in the plantation.\' "\'very like', ' heard it.\' "\'no, i have not. it must be those wretched gipsies in the plantation.\' "\'very likely. a', 'd it.\' "\'no, i have not. it must be those wretched gipsies in the plantation.\' "\'very likely. and ye', '\' "\'no, i have not. it must be those wretched gipsies in the plantation.\' "\'very likely. and yet if ', 'o, i have not. it must be those wretched gipsies in the plantation.\' "\'very likely. and yet if it we', 'have not. it must be those wretched gipsies in the plantation.\' "\'very likely. and yet if it were on', 'not. it must be those wretched gipsies in the plantation.\' "\'very likely. and yet if it were on the ', 'it must be those wretched gipsies in the plantation.\' "\'very likely. and yet if it were on the lawn,', 'st be those wretched gipsies in the plantation.\' "\'very likely. and yet if it were on the lawn, i wo', ' those wretched gipsies in the plantation.\' "\'very likely. and yet if it were on the lawn, i wonder ', 'e wretched gipsies in the plantation.\' "\'very likely. and yet if it were on the lawn, i wonder that ', 'tched gipsies in the plantation.\' "\'very likely. and yet if it were on the lawn, i wonder that you d', ' gipsies in the plantation.\' "\'very likely. and yet if it were on the lawn, i wonder that you did no', 'ies in the plantation.\' "\'very likely. and yet if it were on the lawn, i wonder that you did not hea', 'n the plantation.\' "\'very likely. and yet if it were on the lawn, i wonder that you did not hear it ', ' plantation.\' "\'very likely. and yet if it were on the lawn, i wonder that you did not hear it also.', 'tation.\' "\'very likely. and yet if it were on the lawn, i wonder that you did not hear it also.\' "\'a', 'n.\' "\'very likely. and yet if it were on the lawn, i wonder that you did not hear it also.\' "\'ah, bu', '\'very likely. and yet if it were on the lawn, i wonder that you did not hear it also.\' "\'ah, but i s', ' likely. and yet if it were on the lawn, i wonder that you did not hear it also.\' "\'ah, but i sleep ', 'ly. and yet if it were on the lawn, i wonder that you did not hear it also.\' "\'ah, but i sleep more ', 'nd yet if it were on the lawn, i wonder that you did not hear it also.\' "\'ah, but i sleep more heavi', 't if it were on the lawn, i wonder that you did not hear it also.\' "\'ah, but i sleep more heavily th', 'it were on the lawn, i wonder that you did not hear it also.\' "\'ah, but i sleep more heavily than yo', 're on the lawn, i wonder that you did not hear it also.\' "\'ah, but i sleep more heavily than you.\' "', ' the lawn, i wonder that you did not hear it also.\' "\'ah, but i sleep more heavily than you.\' "\'well', 'lawn, i wonder that you did not hear it also.\' "\'ah, but i sleep more heavily than you.\' "\'well, it ', ' i wonder that you did not hear it also.\' "\'ah, but i sleep more heavily than you.\' "\'well, it is of', 'nder that you did not hear it also.\' "\'ah, but i sleep more heavily than you.\' "\'well, it is of no g', 'that you did not hear it also.\' "\'ah, but i sleep more heavily than you.\' "\'well, it is of no great ', 'you did not hear it also.\' "\'ah, but i sleep more heavily than you.\' "\'well, it is of no great conse', 'id not hear it also.\' "\'ah, but i sleep more heavily than you.\' "\'well, it is of no great consequenc', 't hear it also.\' "\'ah, but i sleep more heavily than you.\' "\'well, it is of no great consequence, at', 'r it also.\' "\'ah, but i sleep more heavily than you.\' "\'well, it is of no great consequence, at any ', 'also.\' "\'ah, but i sleep more heavily than you.\' "\'well, it is of no great consequence, at any rate.', '\' "\'ah, but i sleep more heavily than you.\' "\'well, it is of no great consequence, at any rate.\' she', 'h, but i sleep more heavily than you.\' "\'well, it is of no great consequence, at any rate.\' she smil', 't i sleep more heavily than you.\' "\'well, it is of no great consequence, at any rate.\' she smiled ba', 'leep more heavily than you.\' "\'well, it is of no great consequence, at any rate.\' she smiled back at', 'more heavily than you.\' "\'well, it is of no great consequence, at any rate.\' she smiled back at me, ', 'heavily than you.\' "\'well, it is of no great consequence, at any rate.\' she smiled back at me, close', 'ly than you.\' "\'well, it is of no great consequence, at any rate.\' she smiled back at me, closed my ', 'an you.\' "\'well, it is of no great consequence, at any rate.\' she smiled back at me, closed my door,', 'u.\' "\'well, it is of no great consequence, at any rate.\' she smiled back at me, closed my door, and ', "'well, it is of no great consequence, at any rate.' she smiled back at me, closed my door, and a few", ", it is of no great consequence, at any rate.' she smiled back at me, closed my door, and a few mome", "is of no great consequence, at any rate.' she smiled back at me, closed my door, and a few moments l", " no great consequence, at any rate.' she smiled back at me, closed my door, and a few moments later ", "reat consequence, at any rate.' she smiled back at me, closed my door, and a few moments later i hea", "consequence, at any rate.' she smiled back at me, closed my door, and a few moments later i heard he", "quence, at any rate.' she smiled back at me, closed my door, and a few moments later i heard her key", "e, at any rate.' she smiled back at me, closed my door, and a few moments later i heard her key turn", " any rate.' she smiled back at me, closed my door, and a few moments later i heard her key turn in t", "rate.' she smiled back at me, closed my door, and a few moments later i heard her key turn in the lo", '\' she smiled back at me, closed my door, and a few moments later i heard her key turn in the lock." ', ' smiled back at me, closed my door, and a few moments later i heard her key turn in the lock." "inde', 'ed back at me, closed my door, and a few moments later i heard her key turn in the lock." "indeed," ', 'ck at me, closed my door, and a few moments later i heard her key turn in the lock." "indeed," said ', ' me, closed my door, and a few moments later i heard her key turn in the lock." "indeed," said holme', 'closed my door, and a few moments later i heard her key turn in the lock." "indeed," said holmes. "w', 'd my door, and a few moments later i heard her key turn in the lock." "indeed," said holmes. "was it', 'door, and a few moments later i heard her key turn in the lock." "indeed," said holmes. "was it your', ' and a few moments later i heard her key turn in the lock." "indeed," said holmes. "was it your cust', 'a few moments later i heard her key turn in the lock." "indeed," said holmes. "was it your custom al', ' moments later i heard her key turn in the lock." "indeed," said holmes. "was it your custom always ', 'nts later i heard her key turn in the lock." "indeed," said holmes. "was it your custom always to lo', 'ater i heard her key turn in the lock." "indeed," said holmes. "was it your custom always to lock yo', 'i heard her key turn in the lock." "indeed," said holmes. "was it your custom always to lock yoursel', 'rd her key turn in the lock." "indeed," said holmes. "was it your custom always to lock yourselves i', 'r key turn in the lock." "indeed," said holmes. "was it your custom always to lock yourselves in at ', ' turn in the lock." "indeed," said holmes. "was it your custom always to lock yourselves in at night', ' in the lock." "indeed," said holmes. "was it your custom always to lock yourselves in at night?" "a', 'he lock." "indeed," said holmes. "was it your custom always to lock yourselves in at night?" "always', 'ck." "indeed," said holmes. "was it your custom always to lock yourselves in at night?" "always." "a', '"indeed," said holmes. "was it your custom always to lock yourselves in at night?" "always." "and wh', 'ed," said holmes. "was it your custom always to lock yourselves in at night?" "always." "and why?" "', 'said holmes. "was it your custom always to lock yourselves in at night?" "always." "and why?" "i thi', 'holmes. "was it your custom always to lock yourselves in at night?" "always." "and why?" "i think th', 's. "was it your custom always to lock yourselves in at night?" "always." "and why?" "i think that i ', 'as it your custom always to lock yourselves in at night?" "always." "and why?" "i think that i menti', ' your custom always to lock yourselves in at night?" "always." "and why?" "i think that i mentioned ', ' custom always to lock yourselves in at night?" "always." "and why?" "i think that i mentioned to yo', 'om always to lock yourselves in at night?" "always." "and why?" "i think that i mentioned to you tha', 'ways to lock yourselves in at night?" "always." "and why?" "i think that i mentioned to you that the', 'to lock yourselves in at night?" "always." "and why?" "i think that i mentioned to you that the doct', 'ck yourselves in at night?" "always." "and why?" "i think that i mentioned to you that the doctor ke', 'urselves in at night?" "always." "and why?" "i think that i mentioned to you that the doctor kept a ', 'ves in at night?" "always." "and why?" "i think that i mentioned to you that the doctor kept a cheet', 'n at night?" "always." "and why?" "i think that i mentioned to you that the doctor kept a cheetah an', 'night?" "always." "and why?" "i think that i mentioned to you that the doctor kept a cheetah and a b', '?" "always." "and why?" "i think that i mentioned to you that the doctor kept a cheetah and a baboon', 'lways." "and why?" "i think that i mentioned to you that the doctor kept a cheetah and a baboon. we ', '." "and why?" "i think that i mentioned to you that the doctor kept a cheetah and a baboon. we had n', 'nd why?" "i think that i mentioned to you that the doctor kept a cheetah and a baboon. we had no fee', 'y?" "i think that i mentioned to you that the doctor kept a cheetah and a baboon. we had no feeling ', 'i think that i mentioned to you that the doctor kept a cheetah and a baboon. we had no feeling of se', 'nk that i mentioned to you that the doctor kept a cheetah and a baboon. we had no feeling of securit', 'at i mentioned to you that the doctor kept a cheetah and a baboon. we had no feeling of security unl', 'mentioned to you that the doctor kept a cheetah and a baboon. we had no feeling of security unless o', 'oned to you that the doctor kept a cheetah and a baboon. we had no feeling of security unless our do', 'to you that the doctor kept a cheetah and a baboon. we had no feeling of security unless our doors w', 'u that the doctor kept a cheetah and a baboon. we had no feeling of security unless our doors were l', 't the doctor kept a cheetah and a baboon. we had no feeling of security unless our doors were locked', ' doctor kept a cheetah and a baboon. we had no feeling of security unless our doors were locked." "q', 'or kept a cheetah and a baboon. we had no feeling of security unless our doors were locked." "quite ', 'pt a cheetah and a baboon. we had no feeling of security unless our doors were locked." "quite so. p', 'cheetah and a baboon. we had no feeling of security unless our doors were locked." "quite so. pray p', 'ah and a baboon. we had no feeling of security unless our doors were locked." "quite so. pray procee', 'd a baboon. we had no feeling of security unless our doors were locked." "quite so. pray proceed wit', 'aboon. we had no feeling of security unless our doors were locked." "quite so. pray proceed with you', '. we had no feeling of security unless our doors were locked." "quite so. pray proceed with your sta', 'had no feeling of security unless our doors were locked." "quite so. pray proceed with your statemen', 'o feeling of security unless our doors were locked." "quite so. pray proceed with your statement." "', 'ling of security unless our doors were locked." "quite so. pray proceed with your statement." "i cou', 'of security unless our doors were locked." "quite so. pray proceed with your statement." "i could no', 'curity unless our doors were locked." "quite so. pray proceed with your statement." "i could not sle', 'y unless our doors were locked." "quite so. pray proceed with your statement." "i could not sleep th', 'ess our doors were locked." "quite so. pray proceed with your statement." "i could not sleep that ni', 'ur doors were locked." "quite so. pray proceed with your statement." "i could not sleep that night. ', 'ors were locked." "quite so. pray proceed with your statement." "i could not sleep that night. a vag', 'ere locked." "quite so. pray proceed with your statement." "i could not sleep that night. a vague fe', 'ocked." "quite so. pray proceed with your statement." "i could not sleep that night. a vague feeling', '." "quite so. pray proceed with your statement." "i could not sleep that night. a vague feeling of i', 'uite so. pray proceed with your statement." "i could not sleep that night. a vague feeling of impend', 'so. pray proceed with your statement." "i could not sleep that night. a vague feeling of impending m', 'ray proceed with your statement." "i could not sleep that night. a vague feeling of impending misfor', 'roceed with your statement." "i could not sleep that night. a vague feeling of impending misfortune ', 'd with your statement." "i could not sleep that night. a vague feeling of impending misfortune impre', 'h your statement." "i could not sleep that night. a vague feeling of impending misfortune impressed ', 'r statement." "i could not sleep that night. a vague feeling of impending misfortune impressed me. m', 'tement." "i could not sleep that night. a vague feeling of impending misfortune impressed me. my sis', 't." "i could not sleep that night. a vague feeling of impending misfortune impressed me. my sister a', 'i could not sleep that night. a vague feeling of impending misfortune impressed me. my sister and i,', 'ld not sleep that night. a vague feeling of impending misfortune impressed me. my sister and i, you ', 't sleep that night. a vague feeling of impending misfortune impressed me. my sister and i, you will ', 'ep that night. a vague feeling of impending misfortune impressed me. my sister and i, you will recol', 'at night. a vague feeling of impending misfortune impressed me. my sister and i, you will recollect,', 'ght. a vague feeling of impending misfortune impressed me. my sister and i, you will recollect, were', 'a vague feeling of impending misfortune impressed me. my sister and i, you will recollect, were twin', 'ue feeling of impending misfortune impressed me. my sister and i, you will recollect, were twins, an', 'eling of impending misfortune impressed me. my sister and i, you will recollect, were twins, and you', ' of impending misfortune impressed me. my sister and i, you will recollect, were twins, and you know', 'mpending misfortune impressed me. my sister and i, you will recollect, were twins, and you know how ', 'ing misfortune impressed me. my sister and i, you will recollect, were twins, and you know how subtl', 'isfortune impressed me. my sister and i, you will recollect, were twins, and you know how subtle are', 'tune impressed me. my sister and i, you will recollect, were twins, and you know how subtle are the ', 'impressed me. my sister and i, you will recollect, were twins, and you know how subtle are the links', 'ssed me. my sister and i, you will recollect, were twins, and you know how subtle are the links whic', 'me. my sister and i, you will recollect, were twins, and you know how subtle are the links which bin', 'y sister and i, you will recollect, were twins, and you know how subtle are the links which bind two', 'ter and i, you will recollect, were twins, and you know how subtle are the links which bind two soul', 'nd i, you will recollect, were twins, and you know how subtle are the links which bind two souls whi', ' you will recollect, were twins, and you know how subtle are the links which bind two souls which ar', 'will recollect, were twins, and you know how subtle are the links which bind two souls which are so ', 'recollect, were twins, and you know how subtle are the links which bind two souls which are so close', 'lect, were twins, and you know how subtle are the links which bind two souls which are so closely al', ' were twins, and you know how subtle are the links which bind two souls which are so closely allied.', ' twins, and you know how subtle are the links which bind two souls which are so closely allied. it w', 's, and you know how subtle are the links which bind two souls which are so closely allied. it was a ', 'd you know how subtle are the links which bind two souls which are so closely allied. it was a wild ', ' know how subtle are the links which bind two souls which are so closely allied. it was a wild night', ' how subtle are the links which bind two souls which are so closely allied. it was a wild night. the', 'subtle are the links which bind two souls which are so closely allied. it was a wild night. the wind', 'e are the links which bind two souls which are so closely allied. it was a wild night. the wind was ', ' the links which bind two souls which are so closely allied. it was a wild night. the wind was howli', 'links which bind two souls which are so closely allied. it was a wild night. the wind was howling ou', ' which bind two souls which are so closely allied. it was a wild night. the wind was howling outside', 'h bind two souls which are so closely allied. it was a wild night. the wind was howling outside, and', 'd two souls which are so closely allied. it was a wild night. the wind was howling outside, and the ', ' souls which are so closely allied. it was a wild night. the wind was howling outside, and the rain ', 's which are so closely allied. it was a wild night. the wind was howling outside, and the rain was b', 'ch are so closely allied. it was a wild night. the wind was howling outside, and the rain was beatin', 'e so closely allied. it was a wild night. the wind was howling outside, and the rain was beating and', 'closely allied. it was a wild night. the wind was howling outside, and the rain was beating and spla', 'ly allied. it was a wild night. the wind was howling outside, and the rain was beating and splashing', 'lied. it was a wild night. the wind was howling outside, and the rain was beating and splashing agai', ' it was a wild night. the wind was howling outside, and the rain was beating and splashing against t', 'as a wild night. the wind was howling outside, and the rain was beating and splashing against the wi', 'wild night. the wind was howling outside, and the rain was beating and splashing against the windows', 'night. the wind was howling outside, and the rain was beating and splashing against the windows. sud', '. the wind was howling outside, and the rain was beating and splashing against the windows. suddenly', ' wind was howling outside, and the rain was beating and splashing against the windows. suddenly, ami', ' was howling outside, and the rain was beating and splashing against the windows. suddenly, amid all', 'howling outside, and the rain was beating and splashing against the windows. suddenly, amid all the ', 'ng outside, and the rain was beating and splashing against the windows. suddenly, amid all the hubbu', 'tside, and the rain was beating and splashing against the windows. suddenly, amid all the hubbub of ', ', and the rain was beating and splashing against the windows. suddenly, amid all the hubbub of the g', ' the rain was beating and splashing against the windows. suddenly, amid all the hubbub of the gale, ', 'rain was beating and splashing against the windows. suddenly, amid all the hubbub of the gale, there', 'was beating and splashing against the windows. suddenly, amid all the hubbub of the gale, there burs', 'eating and splashing against the windows. suddenly, amid all the hubbub of the gale, there burst for', 'g and splashing against the windows. suddenly, amid all the hubbub of the gale, there burst forth th', ' splashing against the windows. suddenly, amid all the hubbub of the gale, there burst forth the wil', 'shing against the windows. suddenly, amid all the hubbub of the gale, there burst forth the wild scr', ' against the windows. suddenly, amid all the hubbub of the gale, there burst forth the wild scream o', 'nst the windows. suddenly, amid all the hubbub of the gale, there burst forth the wild scream of a t', 'he windows. suddenly, amid all the hubbub of the gale, there burst forth the wild scream of a terrif', 'ndows. suddenly, amid all the hubbub of the gale, there burst forth the wild scream of a terrified w', '. suddenly, amid all the hubbub of the gale, there burst forth the wild scream of a terrified woman.', 'denly, amid all the hubbub of the gale, there burst forth the wild scream of a terrified woman. i kn', ', amid all the hubbub of the gale, there burst forth the wild scream of a terrified woman. i knew th', 'd all the hubbub of the gale, there burst forth the wild scream of a terrified woman. i knew that it', ' the hubbub of the gale, there burst forth the wild scream of a terrified woman. i knew that it was ', 'hubbub of the gale, there burst forth the wild scream of a terrified woman. i knew that it was my si', "b of the gale, there burst forth the wild scream of a terrified woman. i knew that it was my sister'", "the gale, there burst forth the wild scream of a terrified woman. i knew that it was my sister's voi", "ale, there burst forth the wild scream of a terrified woman. i knew that it was my sister's voice. i", "there burst forth the wild scream of a terrified woman. i knew that it was my sister's voice. i spra", " burst forth the wild scream of a terrified woman. i knew that it was my sister's voice. i sprang fr", "t forth the wild scream of a terrified woman. i knew that it was my sister's voice. i sprang from my", "th the wild scream of a terrified woman. i knew that it was my sister's voice. i sprang from my bed,", "e wild scream of a terrified woman. i knew that it was my sister's voice. i sprang from my bed, wrap", "d scream of a terrified woman. i knew that it was my sister's voice. i sprang from my bed, wrapped a", "eam of a terrified woman. i knew that it was my sister's voice. i sprang from my bed, wrapped a shaw", "f a terrified woman. i knew that it was my sister's voice. i sprang from my bed, wrapped a shawl rou", "errified woman. i knew that it was my sister's voice. i sprang from my bed, wrapped a shawl round me", "ied woman. i knew that it was my sister's voice. i sprang from my bed, wrapped a shawl round me, and", "oman. i knew that it was my sister's voice. i sprang from my bed, wrapped a shawl round me, and rush", " i knew that it was my sister's voice. i sprang from my bed, wrapped a shawl round me, and rushed in", "ew that it was my sister's voice. i sprang from my bed, wrapped a shawl round me, and rushed into th", "at it was my sister's voice. i sprang from my bed, wrapped a shawl round me, and rushed into the cor", " was my sister's voice. i sprang from my bed, wrapped a shawl round me, and rushed into the corridor", "my sister's voice. i sprang from my bed, wrapped a shawl round me, and rushed into the corridor. as ", "ster's voice. i sprang from my bed, wrapped a shawl round me, and rushed into the corridor. as i ope", 's voice. i sprang from my bed, wrapped a shawl round me, and rushed into the corridor. as i opened m', 'ce. i sprang from my bed, wrapped a shawl round me, and rushed into the corridor. as i opened my doo', ' sprang from my bed, wrapped a shawl round me, and rushed into the corridor. as i opened my door i s', 'ng from my bed, wrapped a shawl round me, and rushed into the corridor. as i opened my door i seemed', 'om my bed, wrapped a shawl round me, and rushed into the corridor. as i opened my door i seemed to h', ' bed, wrapped a shawl round me, and rushed into the corridor. as i opened my door i seemed to hear a', ' wrapped a shawl round me, and rushed into the corridor. as i opened my door i seemed to hear a low ', 'ped a shawl round me, and rushed into the corridor. as i opened my door i seemed to hear a low whist', ' shawl round me, and rushed into the corridor. as i opened my door i seemed to hear a low whistle, s', 'l round me, and rushed into the corridor. as i opened my door i seemed to hear a low whistle, such a', 'nd me, and rushed into the corridor. as i opened my door i seemed to hear a low whistle, such as my ', ', and rushed into the corridor. as i opened my door i seemed to hear a low whistle, such as my siste', ' rushed into the corridor. as i opened my door i seemed to hear a low whistle, such as my sister des', 'ed into the corridor. as i opened my door i seemed to hear a low whistle, such as my sister describe', 'to the corridor. as i opened my door i seemed to hear a low whistle, such as my sister described, an', 'e corridor. as i opened my door i seemed to hear a low whistle, such as my sister described, and a f', 'ridor. as i opened my door i seemed to hear a low whistle, such as my sister described, and a few mo', '. as i opened my door i seemed to hear a low whistle, such as my sister described, and a few moments', 'i opened my door i seemed to hear a low whistle, such as my sister described, and a few moments late', 'ned my door i seemed to hear a low whistle, such as my sister described, and a few moments later a c', 'y door i seemed to hear a low whistle, such as my sister described, and a few moments later a clangi', 'r i seemed to hear a low whistle, such as my sister described, and a few moments later a clanging so', 'eemed to hear a low whistle, such as my sister described, and a few moments later a clanging sound, ', ' to hear a low whistle, such as my sister described, and a few moments later a clanging sound, as if', 'ear a low whistle, such as my sister described, and a few moments later a clanging sound, as if a ma', ' low whistle, such as my sister described, and a few moments later a clanging sound, as if a mass of', 'whistle, such as my sister described, and a few moments later a clanging sound, as if a mass of meta', 'le, such as my sister described, and a few moments later a clanging sound, as if a mass of metal had', 'uch as my sister described, and a few moments later a clanging sound, as if a mass of metal had fall', 's my sister described, and a few moments later a clanging sound, as if a mass of metal had fallen. a', 'sister described, and a few moments later a clanging sound, as if a mass of metal had fallen. as i r', 'r described, and a few moments later a clanging sound, as if a mass of metal had fallen. as i ran do', 'cribed, and a few moments later a clanging sound, as if a mass of metal had fallen. as i ran down th', 'd, and a few moments later a clanging sound, as if a mass of metal had fallen. as i ran down the pas', 'd a few moments later a clanging sound, as if a mass of metal had fallen. as i ran down the passage,', 'ew moments later a clanging sound, as if a mass of metal had fallen. as i ran down the passage, my s', 'ments later a clanging sound, as if a mass of metal had fallen. as i ran down the passage, my sister', " later a clanging sound, as if a mass of metal had fallen. as i ran down the passage, my sister's do", "r a clanging sound, as if a mass of metal had fallen. as i ran down the passage, my sister's door wa", "langing sound, as if a mass of metal had fallen. as i ran down the passage, my sister's door was unl", "ng sound, as if a mass of metal had fallen. as i ran down the passage, my sister's door was unlocked", "und, as if a mass of metal had fallen. as i ran down the passage, my sister's door was unlocked, and", "as if a mass of metal had fallen. as i ran down the passage, my sister's door was unlocked, and revo", " a mass of metal had fallen. as i ran down the passage, my sister's door was unlocked, and revolved ", "ss of metal had fallen. as i ran down the passage, my sister's door was unlocked, and revolved slowl", " metal had fallen. as i ran down the passage, my sister's door was unlocked, and revolved slowly upo", "l had fallen. as i ran down the passage, my sister's door was unlocked, and revolved slowly upon its", " fallen. as i ran down the passage, my sister's door was unlocked, and revolved slowly upon its hing", "en. as i ran down the passage, my sister's door was unlocked, and revolved slowly upon its hinges. i", "s i ran down the passage, my sister's door was unlocked, and revolved slowly upon its hinges. i star", "an down the passage, my sister's door was unlocked, and revolved slowly upon its hinges. i stared at", "wn the passage, my sister's door was unlocked, and revolved slowly upon its hinges. i stared at it h", "e passage, my sister's door was unlocked, and revolved slowly upon its hinges. i stared at it horror", "sage, my sister's door was unlocked, and revolved slowly upon its hinges. i stared at it horror-stri", " my sister's door was unlocked, and revolved slowly upon its hinges. i stared at it horror-stricken,", "ister's door was unlocked, and revolved slowly upon its hinges. i stared at it horror-stricken, not ", "'s door was unlocked, and revolved slowly upon its hinges. i stared at it horror-stricken, not knowi", 'or was unlocked, and revolved slowly upon its hinges. i stared at it horror-stricken, not knowing wh', 's unlocked, and revolved slowly upon its hinges. i stared at it horror-stricken, not knowing what wa', 'ocked, and revolved slowly upon its hinges. i stared at it horror-stricken, not knowing what was abo', ', and revolved slowly upon its hinges. i stared at it horror-stricken, not knowing what was about to', ' revolved slowly upon its hinges. i stared at it horror-stricken, not knowing what was about to issu', 'lved slowly upon its hinges. i stared at it horror-stricken, not knowing what was about to issue fro', 'slowly upon its hinges. i stared at it horror-stricken, not knowing what was about to issue from it.', 'y upon its hinges. i stared at it horror-stricken, not knowing what was about to issue from it. by t', 'n its hinges. i stared at it horror-stricken, not knowing what was about to issue from it. by the li', ' hinges. i stared at it horror-stricken, not knowing what was about to issue from it. by the light o', 'es. i stared at it horror-stricken, not knowing what was about to issue from it. by the light of the', ' stared at it horror-stricken, not knowing what was about to issue from it. by the light of the corr', 'ed at it horror-stricken, not knowing what was about to issue from it. by the light of the corridor-', ' it horror-stricken, not knowing what was about to issue from it. by the light of the corridor-lamp ', 'orror-stricken, not knowing what was about to issue from it. by the light of the corridor-lamp i saw', '-stricken, not knowing what was about to issue from it. by the light of the corridor-lamp i saw my s', 'cken, not knowing what was about to issue from it. by the light of the corridor-lamp i saw my sister', ' not knowing what was about to issue from it. by the light of the corridor-lamp i saw my sister appe', 'knowing what was about to issue from it. by the light of the corridor-lamp i saw my sister appear at', 'ng what was about to issue from it. by the light of the corridor-lamp i saw my sister appear at the ', 'at was about to issue from it. by the light of the corridor-lamp i saw my sister appear at the openi', 's about to issue from it. by the light of the corridor-lamp i saw my sister appear at the opening, h', 'ut to issue from it. by the light of the corridor-lamp i saw my sister appear at the opening, her fa', ' issue from it. by the light of the corridor-lamp i saw my sister appear at the opening, her face bl', 'e from it. by the light of the corridor-lamp i saw my sister appear at the opening, her face blanche', 'm it. by the light of the corridor-lamp i saw my sister appear at the opening, her face blanched wit', ' by the light of the corridor-lamp i saw my sister appear at the opening, her face blanched with ter', 'he light of the corridor-lamp i saw my sister appear at the opening, her face blanched with terror, ', 'ght of the corridor-lamp i saw my sister appear at the opening, her face blanched with terror, her h', 'f the corridor-lamp i saw my sister appear at the opening, her face blanched with terror, her hands ', ' corridor-lamp i saw my sister appear at the opening, her face blanched with terror, her hands gropi', 'idor-lamp i saw my sister appear at the opening, her face blanched with terror, her hands groping fo', 'lamp i saw my sister appear at the opening, her face blanched with terror, her hands groping for hel', 'i saw my sister appear at the opening, her face blanched with terror, her hands groping for help, he', ' my sister appear at the opening, her face blanched with terror, her hands groping for help, her who', 'ister appear at the opening, her face blanched with terror, her hands groping for help, her whole fi', ' appear at the opening, her face blanched with terror, her hands groping for help, her whole figure ', 'ar at the opening, her face blanched with terror, her hands groping for help, her whole figure swayi', ' the opening, her face blanched with terror, her hands groping for help, her whole figure swaying to', 'opening, her face blanched with terror, her hands groping for help, her whole figure swaying to and ', 'ng, her face blanched with terror, her hands groping for help, her whole figure swaying to and fro l', 'er face blanched with terror, her hands groping for help, her whole figure swaying to and fro like t', 'ce blanched with terror, her hands groping for help, her whole figure swaying to and fro like that o', 'anched with terror, her hands groping for help, her whole figure swaying to and fro like that of a d', 'd with terror, her hands groping for help, her whole figure swaying to and fro like that of a drunka', 'h terror, her hands groping for help, her whole figure swaying to and fro like that of a drunkard. i', 'ror, her hands groping for help, her whole figure swaying to and fro like that of a drunkard. i ran ', 'her hands groping for help, her whole figure swaying to and fro like that of a drunkard. i ran to he', 'ands groping for help, her whole figure swaying to and fro like that of a drunkard. i ran to her and', 'groping for help, her whole figure swaying to and fro like that of a drunkard. i ran to her and thre', 'ng for help, her whole figure swaying to and fro like that of a drunkard. i ran to her and threw my ', 'r help, her whole figure swaying to and fro like that of a drunkard. i ran to her and threw my arms ', 'p, her whole figure swaying to and fro like that of a drunkard. i ran to her and threw my arms round', 'r whole figure swaying to and fro like that of a drunkard. i ran to her and threw my arms round her,', 'le figure swaying to and fro like that of a drunkard. i ran to her and threw my arms round her, but ', 'gure swaying to and fro like that of a drunkard. i ran to her and threw my arms round her, but at th', 'swaying to and fro like that of a drunkard. i ran to her and threw my arms round her, but at that mo', 'ng to and fro like that of a drunkard. i ran to her and threw my arms round her, but at that moment ', ' and fro like that of a drunkard. i ran to her and threw my arms round her, but at that moment her k', 'fro like that of a drunkard. i ran to her and threw my arms round her, but at that moment her knees ', 'ike that of a drunkard. i ran to her and threw my arms round her, but at that moment her knees seeme', 'hat of a drunkard. i ran to her and threw my arms round her, but at that moment her knees seemed to ', 'f a drunkard. i ran to her and threw my arms round her, but at that moment her knees seemed to give ', 'runkard. i ran to her and threw my arms round her, but at that moment her knees seemed to give way a', 'rd. i ran to her and threw my arms round her, but at that moment her knees seemed to give way and sh', ' ran to her and threw my arms round her, but at that moment her knees seemed to give way and she fel', 'to her and threw my arms round her, but at that moment her knees seemed to give way and she fell to ', 'r and threw my arms round her, but at that moment her knees seemed to give way and she fell to the g', ' threw my arms round her, but at that moment her knees seemed to give way and she fell to the ground', 'w my arms round her, but at that moment her knees seemed to give way and she fell to the ground. she', 'arms round her, but at that moment her knees seemed to give way and she fell to the ground. she writ', 'round her, but at that moment her knees seemed to give way and she fell to the ground. she writhed a', ' her, but at that moment her knees seemed to give way and she fell to the ground. she writhed as one', ' but at that moment her knees seemed to give way and she fell to the ground. she writhed as one who ', 'at that moment her knees seemed to give way and she fell to the ground. she writhed as one who is in', 'at moment her knees seemed to give way and she fell to the ground. she writhed as one who is in terr', 'ment her knees seemed to give way and she fell to the ground. she writhed as one who is in terrible ', 'her knees seemed to give way and she fell to the ground. she writhed as one who is in terrible pain,', 'nees seemed to give way and she fell to the ground. she writhed as one who is in terrible pain, and ', 'seemed to give way and she fell to the ground. she writhed as one who is in terrible pain, and her l', 'd to give way and she fell to the ground. she writhed as one who is in terrible pain, and her limbs ', 'give way and she fell to the ground. she writhed as one who is in terrible pain, and her limbs were ', 'way and she fell to the ground. she writhed as one who is in terrible pain, and her limbs were dread', 'nd she fell to the ground. she writhed as one who is in terrible pain, and her limbs were dreadfully', 'e fell to the ground. she writhed as one who is in terrible pain, and her limbs were dreadfully conv', 'l to the ground. she writhed as one who is in terrible pain, and her limbs were dreadfully convulsed', 'the ground. she writhed as one who is in terrible pain, and her limbs were dreadfully convulsed. at ', 'round. she writhed as one who is in terrible pain, and her limbs were dreadfully convulsed. at first', '. she writhed as one who is in terrible pain, and her limbs were dreadfully convulsed. at first i th', ' writhed as one who is in terrible pain, and her limbs were dreadfully convulsed. at first i thought', 'hed as one who is in terrible pain, and her limbs were dreadfully convulsed. at first i thought that', 's one who is in terrible pain, and her limbs were dreadfully convulsed. at first i thought that she ', ' who is in terrible pain, and her limbs were dreadfully convulsed. at first i thought that she had n', 'is in terrible pain, and her limbs were dreadfully convulsed. at first i thought that she had not re', ' terrible pain, and her limbs were dreadfully convulsed. at first i thought that she had not recogni', 'ible pain, and her limbs were dreadfully convulsed. at first i thought that she had not recognised m', 'pain, and her limbs were dreadfully convulsed. at first i thought that she had not recognised me, bu', ' and her limbs were dreadfully convulsed. at first i thought that she had not recognised me, but as ', 'her limbs were dreadfully convulsed. at first i thought that she had not recognised me, but as i ben', 'imbs were dreadfully convulsed. at first i thought that she had not recognised me, but as i bent ove', 'were dreadfully convulsed. at first i thought that she had not recognised me, but as i bent over her', 'dreadfully convulsed. at first i thought that she had not recognised me, but as i bent over her she ', 'fully convulsed. at first i thought that she had not recognised me, but as i bent over her she sudde', ' convulsed. at first i thought that she had not recognised me, but as i bent over her she suddenly s', 'ulsed. at first i thought that she had not recognised me, but as i bent over her she suddenly shriek', '. at first i thought that she had not recognised me, but as i bent over her she suddenly shrieked ou', 'first i thought that she had not recognised me, but as i bent over her she suddenly shrieked out in ', ' i thought that she had not recognised me, but as i bent over her she suddenly shrieked out in a voi', 'ought that she had not recognised me, but as i bent over her she suddenly shrieked out in a voice wh', ' that she had not recognised me, but as i bent over her she suddenly shrieked out in a voice which i', ' she had not recognised me, but as i bent over her she suddenly shrieked out in a voice which i shal', 'had not recognised me, but as i bent over her she suddenly shrieked out in a voice which i shall nev', 'ot recognised me, but as i bent over her she suddenly shrieked out in a voice which i shall never fo', 'cognised me, but as i bent over her she suddenly shrieked out in a voice which i shall never forget,', "sed me, but as i bent over her she suddenly shrieked out in a voice which i shall never forget, 'oh,", "e, but as i bent over her she suddenly shrieked out in a voice which i shall never forget, 'oh, my g", "t as i bent over her she suddenly shrieked out in a voice which i shall never forget, 'oh, my god! h", "i bent over her she suddenly shrieked out in a voice which i shall never forget, 'oh, my god! helen!", "t over her she suddenly shrieked out in a voice which i shall never forget, 'oh, my god! helen! it w", "r her she suddenly shrieked out in a voice which i shall never forget, 'oh, my god! helen! it was th", " she suddenly shrieked out in a voice which i shall never forget, 'oh, my god! helen! it was the ban", "suddenly shrieked out in a voice which i shall never forget, 'oh, my god! helen! it was the band! th", "nly shrieked out in a voice which i shall never forget, 'oh, my god! helen! it was the band! the spe", "hrieked out in a voice which i shall never forget, 'oh, my god! helen! it was the band! the speckled", "ed out in a voice which i shall never forget, 'oh, my god! helen! it was the band! the speckled band", "t in a voice which i shall never forget, 'oh, my god! helen! it was the band! the speckled band ther", "a voice which i shall never forget, 'oh, my god! helen! it was the band! the speckled band there was", "ce which i shall never forget, 'oh, my god! helen! it was the band! the speckled band there was some", "ich i shall never forget, 'oh, my god! helen! it was the band! the speckled band there was something", " shall never forget, 'oh, my god! helen! it was the band! the speckled band there was something else", "l never forget, 'oh, my god! helen! it was the band! the speckled band there was something else whic", "er forget, 'oh, my god! helen! it was the band! the speckled band there was something else which she", "rget, 'oh, my god! helen! it was the band! the speckled band there was something else which she woul", " 'oh, my god! helen! it was the band! the speckled band there was something else which she would fai", ' my god! helen! it was the band! the speckled band there was something else which she would fain hav', 'od! helen! it was the band! the speckled band there was something else which she would fain have sai', 'elen! it was the band! the speckled band there was something else which she would fain have said, an', ' it was the band! the speckled band there was something else which she would fain have said, and she', 'as the band! the speckled band there was something else which she would fain have said, and she stab', 'e band! the speckled band there was something else which she would fain have said, and she stabbed w', 'd! the speckled band there was something else which she would fain have said, and she stabbed with h', 'e speckled band there was something else which she would fain have said, and she stabbed with her fi', 'ckled band there was something else which she would fain have said, and she stabbed with her finger ', ' band there was something else which she would fain have said, and she stabbed with her finger into ', ' there was something else which she would fain have said, and she stabbed with her finger into the a', 'e was something else which she would fain have said, and she stabbed with her finger into the air in', ' something else which she would fain have said, and she stabbed with her finger into the air in the ', 'thing else which she would fain have said, and she stabbed with her finger into the air in the direc', ' else which she would fain have said, and she stabbed with her finger into the air in the direction ', ' which she would fain have said, and she stabbed with her finger into the air in the direction of th', 'h she would fain have said, and she stabbed with her finger into the air in the direction of the doc', " would fain have said, and she stabbed with her finger into the air in the direction of the doctor's", "d fain have said, and she stabbed with her finger into the air in the direction of the doctor's room", "n have said, and she stabbed with her finger into the air in the direction of the doctor's room, but", "e said, and she stabbed with her finger into the air in the direction of the doctor's room, but a fr", "d, and she stabbed with her finger into the air in the direction of the doctor's room, but a fresh c", "d she stabbed with her finger into the air in the direction of the doctor's room, but a fresh convul", " stabbed with her finger into the air in the direction of the doctor's room, but a fresh convulsion ", "bed with her finger into the air in the direction of the doctor's room, but a fresh convulsion seize", "ith her finger into the air in the direction of the doctor's room, but a fresh convulsion seized her", "er finger into the air in the direction of the doctor's room, but a fresh convulsion seized her and ", "nger into the air in the direction of the doctor's room, but a fresh convulsion seized her and choke", "into the air in the direction of the doctor's room, but a fresh convulsion seized her and choked her", "the air in the direction of the doctor's room, but a fresh convulsion seized her and choked her word", "ir in the direction of the doctor's room, but a fresh convulsion seized her and choked her words. i ", " the direction of the doctor's room, but a fresh convulsion seized her and choked her words. i rushe", "direction of the doctor's room, but a fresh convulsion seized her and choked her words. i rushed out", "tion of the doctor's room, but a fresh convulsion seized her and choked her words. i rushed out, cal", "of the doctor's room, but a fresh convulsion seized her and choked her words. i rushed out, calling ", "e doctor's room, but a fresh convulsion seized her and choked her words. i rushed out, calling loudl", "tor's room, but a fresh convulsion seized her and choked her words. i rushed out, calling loudly for", ' room, but a fresh convulsion seized her and choked her words. i rushed out, calling loudly for my s', ', but a fresh convulsion seized her and choked her words. i rushed out, calling loudly for my stepfa', ' a fresh convulsion seized her and choked her words. i rushed out, calling loudly for my stepfather,', 'esh convulsion seized her and choked her words. i rushed out, calling loudly for my stepfather, and ', 'onvulsion seized her and choked her words. i rushed out, calling loudly for my stepfather, and i met', 'sion seized her and choked her words. i rushed out, calling loudly for my stepfather, and i met him ', 'seized her and choked her words. i rushed out, calling loudly for my stepfather, and i met him haste', 'd her and choked her words. i rushed out, calling loudly for my stepfather, and i met him hastening ', ' and choked her words. i rushed out, calling loudly for my stepfather, and i met him hastening from ', 'choked her words. i rushed out, calling loudly for my stepfather, and i met him hastening from his r', 'd her words. i rushed out, calling loudly for my stepfather, and i met him hastening from his room i', ' words. i rushed out, calling loudly for my stepfather, and i met him hastening from his room in his', 's. i rushed out, calling loudly for my stepfather, and i met him hastening from his room in his dres', 'rushed out, calling loudly for my stepfather, and i met him hastening from his room in his dressing-', 'd out, calling loudly for my stepfather, and i met him hastening from his room in his dressing-gown.', ', calling loudly for my stepfather, and i met him hastening from his room in his dressing-gown. when', 'ling loudly for my stepfather, and i met him hastening from his room in his dressing-gown. when he r', 'loudly for my stepfather, and i met him hastening from his room in his dressing-gown. when he reache', 'y for my stepfather, and i met him hastening from his room in his dressing-gown. when he reached my ', ' my stepfather, and i met him hastening from his room in his dressing-gown. when he reached my siste', "tepfather, and i met him hastening from his room in his dressing-gown. when he reached my sister's s", "ther, and i met him hastening from his room in his dressing-gown. when he reached my sister's side s", " and i met him hastening from his room in his dressing-gown. when he reached my sister's side she wa", "i met him hastening from his room in his dressing-gown. when he reached my sister's side she was unc", " him hastening from his room in his dressing-gown. when he reached my sister's side she was unconsci", "hastening from his room in his dressing-gown. when he reached my sister's side she was unconscious, ", "ning from his room in his dressing-gown. when he reached my sister's side she was unconscious, and t", "from his room in his dressing-gown. when he reached my sister's side she was unconscious, and though", "his room in his dressing-gown. when he reached my sister's side she was unconscious, and though he p", "oom in his dressing-gown. when he reached my sister's side she was unconscious, and though he poured", "n his dressing-gown. when he reached my sister's side she was unconscious, and though he poured bran", " dressing-gown. when he reached my sister's side she was unconscious, and though he poured brandy do", "sing-gown. when he reached my sister's side she was unconscious, and though he poured brandy down he", "gown. when he reached my sister's side she was unconscious, and though he poured brandy down her thr", " when he reached my sister's side she was unconscious, and though he poured brandy down her throat a", " he reached my sister's side she was unconscious, and though he poured brandy down her throat and se", "eached my sister's side she was unconscious, and though he poured brandy down her throat and sent fo", "d my sister's side she was unconscious, and though he poured brandy down her throat and sent for med", "sister's side she was unconscious, and though he poured brandy down her throat and sent for medical ", "r's side she was unconscious, and though he poured brandy down her throat and sent for medical aid f", 'ide she was unconscious, and though he poured brandy down her throat and sent for medical aid from t', 'he was unconscious, and though he poured brandy down her throat and sent for medical aid from the vi', 's unconscious, and though he poured brandy down her throat and sent for medical aid from the village', 'onscious, and though he poured brandy down her throat and sent for medical aid from the village, all', 'ous, and though he poured brandy down her throat and sent for medical aid from the village, all effo', 'and though he poured brandy down her throat and sent for medical aid from the village, all efforts w', 'hough he poured brandy down her throat and sent for medical aid from the village, all efforts were i', ' he poured brandy down her throat and sent for medical aid from the village, all efforts were in vai', 'oured brandy down her throat and sent for medical aid from the village, all efforts were in vain, fo', ' brandy down her throat and sent for medical aid from the village, all efforts were in vain, for she', 'dy down her throat and sent for medical aid from the village, all efforts were in vain, for she slow', 'wn her throat and sent for medical aid from the village, all efforts were in vain, for she slowly sa', 'r throat and sent for medical aid from the village, all efforts were in vain, for she slowly sank an', 'oat and sent for medical aid from the village, all efforts were in vain, for she slowly sank and die', 'nd sent for medical aid from the village, all efforts were in vain, for she slowly sank and died wit', 'nt for medical aid from the village, all efforts were in vain, for she slowly sank and died without ', 'r medical aid from the village, all efforts were in vain, for she slowly sank and died without havin', 'ical aid from the village, all efforts were in vain, for she slowly sank and died without having rec', 'aid from the village, all efforts were in vain, for she slowly sank and died without having recovere', 'rom the village, all efforts were in vain, for she slowly sank and died without having recovered her', 'he village, all efforts were in vain, for she slowly sank and died without having recovered her cons', 'llage, all efforts were in vain, for she slowly sank and died without having recovered her conscious', ', all efforts were in vain, for she slowly sank and died without having recovered her consciousness.', ' efforts were in vain, for she slowly sank and died without having recovered her consciousness. such', 'rts were in vain, for she slowly sank and died without having recovered her consciousness. such was ', 'ere in vain, for she slowly sank and died without having recovered her consciousness. such was the d', 'n vain, for she slowly sank and died without having recovered her consciousness. such was the dreadf', 'n, for she slowly sank and died without having recovered her consciousness. such was the dreadful en', 'r she slowly sank and died without having recovered her consciousness. such was the dreadful end of ', ' slowly sank and died without having recovered her consciousness. such was the dreadful end of my be', 'ly sank and died without having recovered her consciousness. such was the dreadful end of my beloved', 'nk and died without having recovered her consciousness. such was the dreadful end of my beloved sist', 'd died without having recovered her consciousness. such was the dreadful end of my beloved sister." ', 'd without having recovered her consciousness. such was the dreadful end of my beloved sister." "one ', 'hout having recovered her consciousness. such was the dreadful end of my beloved sister." "one momen', 'having recovered her consciousness. such was the dreadful end of my beloved sister." "one moment," s', 'g recovered her consciousness. such was the dreadful end of my beloved sister." "one moment," said h', 'overed her consciousness. such was the dreadful end of my beloved sister." "one moment," said holmes', 'd her consciousness. such was the dreadful end of my beloved sister." "one moment," said holmes, "ar', ' consciousness. such was the dreadful end of my beloved sister." "one moment," said holmes, "are you', 'ciousness. such was the dreadful end of my beloved sister." "one moment," said holmes, "are you sure', 'ness. such was the dreadful end of my beloved sister." "one moment," said holmes, "are you sure abou', ' such was the dreadful end of my beloved sister." "one moment," said holmes, "are you sure about thi', ' was the dreadful end of my beloved sister." "one moment," said holmes, "are you sure about this whi', 'the dreadful end of my beloved sister." "one moment," said holmes, "are you sure about this whistle ', 'readful end of my beloved sister." "one moment," said holmes, "are you sure about this whistle and m', 'ul end of my beloved sister." "one moment," said holmes, "are you sure about this whistle and metall', 'd of my beloved sister." "one moment," said holmes, "are you sure about this whistle and metallic so', 'my beloved sister." "one moment," said holmes, "are you sure about this whistle and metallic sound? ', 'loved sister." "one moment," said holmes, "are you sure about this whistle and metallic sound? could', ' sister." "one moment," said holmes, "are you sure about this whistle and metallic sound? could you ', 'er." "one moment," said holmes, "are you sure about this whistle and metallic sound? could you swear', '"one moment," said holmes, "are you sure about this whistle and metallic sound? could you swear to i', 'moment," said holmes, "are you sure about this whistle and metallic sound? could you swear to it?" "', 't," said holmes, "are you sure about this whistle and metallic sound? could you swear to it?" "that ', 'aid holmes, "are you sure about this whistle and metallic sound? could you swear to it?" "that was w', 'olmes, "are you sure about this whistle and metallic sound? could you swear to it?" "that was what t', ', "are you sure about this whistle and metallic sound? could you swear to it?" "that was what the co', 'e you sure about this whistle and metallic sound? could you swear to it?" "that was what the county ', ' sure about this whistle and metallic sound? could you swear to it?" "that was what the county coron', ' about this whistle and metallic sound? could you swear to it?" "that was what the county coroner as', 't this whistle and metallic sound? could you swear to it?" "that was what the county coroner asked m', 's whistle and metallic sound? could you swear to it?" "that was what the county coroner asked me at ', 'stle and metallic sound? could you swear to it?" "that was what the county coroner asked me at the i', 'and metallic sound? could you swear to it?" "that was what the county coroner asked me at the inquir', 'etallic sound? could you swear to it?" "that was what the county coroner asked me at the inquiry. it', 'ic sound? could you swear to it?" "that was what the county coroner asked me at the inquiry. it is m', 'und? could you swear to it?" "that was what the county coroner asked me at the inquiry. it is my str', 'could you swear to it?" "that was what the county coroner asked me at the inquiry. it is my strong i', ' you swear to it?" "that was what the county coroner asked me at the inquiry. it is my strong impres', 'swear to it?" "that was what the county coroner asked me at the inquiry. it is my strong impression ', ' to it?" "that was what the county coroner asked me at the inquiry. it is my strong impression that ', 't?" "that was what the county coroner asked me at the inquiry. it is my strong impression that i hea', 'that was what the county coroner asked me at the inquiry. it is my strong impression that i heard it', 'was what the county coroner asked me at the inquiry. it is my strong impression that i heard it, and', 'hat the county coroner asked me at the inquiry. it is my strong impression that i heard it, and yet,', 'he county coroner asked me at the inquiry. it is my strong impression that i heard it, and yet, amon', 'unty coroner asked me at the inquiry. it is my strong impression that i heard it, and yet, among the', 'coroner asked me at the inquiry. it is my strong impression that i heard it, and yet, among the cras', 'er asked me at the inquiry. it is my strong impression that i heard it, and yet, among the crash of ', 'ked me at the inquiry. it is my strong impression that i heard it, and yet, among the crash of the g', 'e at the inquiry. it is my strong impression that i heard it, and yet, among the crash of the gale a', 'the inquiry. it is my strong impression that i heard it, and yet, among the crash of the gale and th', 'nquiry. it is my strong impression that i heard it, and yet, among the crash of the gale and the cre', 'y. it is my strong impression that i heard it, and yet, among the crash of the gale and the creaking', ' is my strong impression that i heard it, and yet, among the crash of the gale and the creaking of a', 'y strong impression that i heard it, and yet, among the crash of the gale and the creaking of an old', 'ong impression that i heard it, and yet, among the crash of the gale and the creaking of an old hous', 'mpression that i heard it, and yet, among the crash of the gale and the creaking of an old house, i ', 'sion that i heard it, and yet, among the crash of the gale and the creaking of an old house, i may p', 'that i heard it, and yet, among the crash of the gale and the creaking of an old house, i may possib', 'i heard it, and yet, among the crash of the gale and the creaking of an old house, i may possibly ha', 'rd it, and yet, among the crash of the gale and the creaking of an old house, i may possibly have be', ', and yet, among the crash of the gale and the creaking of an old house, i may possibly have been de', ' yet, among the crash of the gale and the creaking of an old house, i may possibly have been deceive', ' among the crash of the gale and the creaking of an old house, i may possibly have been deceived." "', 'g the crash of the gale and the creaking of an old house, i may possibly have been deceived." "was y', ' crash of the gale and the creaking of an old house, i may possibly have been deceived." "was your s', 'h of the gale and the creaking of an old house, i may possibly have been deceived." "was your sister', 'the gale and the creaking of an old house, i may possibly have been deceived." "was your sister dres', 'ale and the creaking of an old house, i may possibly have been deceived." "was your sister dressed?"', 'nd the creaking of an old house, i may possibly have been deceived." "was your sister dressed?" "no,', 'e creaking of an old house, i may possibly have been deceived." "was your sister dressed?" "no, she ', 'aking of an old house, i may possibly have been deceived." "was your sister dressed?" "no, she was i', ' of an old house, i may possibly have been deceived." "was your sister dressed?" "no, she was in her', 'n old house, i may possibly have been deceived." "was your sister dressed?" "no, she was in her nigh', ' house, i may possibly have been deceived." "was your sister dressed?" "no, she was in her night-dre', 'e, i may possibly have been deceived." "was your sister dressed?" "no, she was in her night-dress. i', 'may possibly have been deceived." "was your sister dressed?" "no, she was in her night-dress. in her', 'ossibly have been deceived." "was your sister dressed?" "no, she was in her night-dress. in her righ', 'ly have been deceived." "was your sister dressed?" "no, she was in her night-dress. in her right han', 've been deceived." "was your sister dressed?" "no, she was in her night-dress. in her right hand was', 'en deceived." "was your sister dressed?" "no, she was in her night-dress. in her right hand was foun', 'ceived." "was your sister dressed?" "no, she was in her night-dress. in her right hand was found the', 'd." "was your sister dressed?" "no, she was in her night-dress. in her right hand was found the char', 'was your sister dressed?" "no, she was in her night-dress. in her right hand was found the charred s', 'our sister dressed?" "no, she was in her night-dress. in her right hand was found the charred stump ', 'ister dressed?" "no, she was in her night-dress. in her right hand was found the charred stump of a ', ' dressed?" "no, she was in her night-dress. in her right hand was found the charred stump of a match', 'sed?" "no, she was in her night-dress. in her right hand was found the charred stump of a match, and', ' "no, she was in her night-dress. in her right hand was found the charred stump of a match, and in h', ' she was in her night-dress. in her right hand was found the charred stump of a match, and in her le', 'was in her night-dress. in her right hand was found the charred stump of a match, and in her left a ', 'n her night-dress. in her right hand was found the charred stump of a match, and in her left a match', ' night-dress. in her right hand was found the charred stump of a match, and in her left a match-box.', 't-dress. in her right hand was found the charred stump of a match, and in her left a match-box." "sh', 'ss. in her right hand was found the charred stump of a match, and in her left a match-box." "showing', 'n her right hand was found the charred stump of a match, and in her left a match-box." "showing that', ' right hand was found the charred stump of a match, and in her left a match-box." "showing that she ', 't hand was found the charred stump of a match, and in her left a match-box." "showing that she had s', 'd was found the charred stump of a match, and in her left a match-box." "showing that she had struck', ' found the charred stump of a match, and in her left a match-box." "showing that she had struck a li', 'd the charred stump of a match, and in her left a match-box." "showing that she had struck a light a', ' charred stump of a match, and in her left a match-box." "showing that she had struck a light and lo', 'red stump of a match, and in her left a match-box." "showing that she had struck a light and looked ', 'tump of a match, and in her left a match-box." "showing that she had struck a light and looked about', 'of a match, and in her left a match-box." "showing that she had struck a light and looked about her ', 'match, and in her left a match-box." "showing that she had struck a light and looked about her when ', ', and in her left a match-box." "showing that she had struck a light and looked about her when the a', ' in her left a match-box." "showing that she had struck a light and looked about her when the alarm ', 'er left a match-box." "showing that she had struck a light and looked about her when the alarm took ', 'ft a match-box." "showing that she had struck a light and looked about her when the alarm took place', 'match-box." "showing that she had struck a light and looked about her when the alarm took place. tha', '-box." "showing that she had struck a light and looked about her when the alarm took place. that is ', '" "showing that she had struck a light and looked about her when the alarm took place. that is impor', 'owing that she had struck a light and looked about her when the alarm took place. that is important.', ' that she had struck a light and looked about her when the alarm took place. that is important. and ', ' she had struck a light and looked about her when the alarm took place. that is important. and what ', 'had struck a light and looked about her when the alarm took place. that is important. and what concl', 'truck a light and looked about her when the alarm took place. that is important. and what conclusion', ' a light and looked about her when the alarm took place. that is important. and what conclusions did', 'ght and looked about her when the alarm took place. that is important. and what conclusions did the ', 'nd looked about her when the alarm took place. that is important. and what conclusions did the coron', 'oked about her when the alarm took place. that is important. and what conclusions did the coroner co', 'about her when the alarm took place. that is important. and what conclusions did the coroner come to', ' her when the alarm took place. that is important. and what conclusions did the coroner come to?" "h', 'when the alarm took place. that is important. and what conclusions did the coroner come to?" "he inv', 'the alarm took place. that is important. and what conclusions did the coroner come to?" "he investig', 'larm took place. that is important. and what conclusions did the coroner come to?" "he investigated ', 'took place. that is important. and what conclusions did the coroner come to?" "he investigated the c', 'place. that is important. and what conclusions did the coroner come to?" "he investigated the case w', '. that is important. and what conclusions did the coroner come to?" "he investigated the case with g', 't is important. and what conclusions did the coroner come to?" "he investigated the case with great ', 'important. and what conclusions did the coroner come to?" "he investigated the case with great care,', 'tant. and what conclusions did the coroner come to?" "he investigated the case with great care, for ', ' and what conclusions did the coroner come to?" "he investigated the case with great care, for dr. r', 'what conclusions did the coroner come to?" "he investigated the case with great care, for dr. roylot', 'conclusions did the coroner come to?" "he investigated the case with great care, for dr. roylott\'s c', 'usions did the coroner come to?" "he investigated the case with great care, for dr. roylott\'s conduc', 's did the coroner come to?" "he investigated the case with great care, for dr. roylott\'s conduct had', ' the coroner come to?" "he investigated the case with great care, for dr. roylott\'s conduct had long', 'coroner come to?" "he investigated the case with great care, for dr. roylott\'s conduct had long been', 'er come to?" "he investigated the case with great care, for dr. roylott\'s conduct had long been noto', 'me to?" "he investigated the case with great care, for dr. roylott\'s conduct had long been notorious', '?" "he investigated the case with great care, for dr. roylott\'s conduct had long been notorious in t', "e investigated the case with great care, for dr. roylott's conduct had long been notorious in the co", "estigated the case with great care, for dr. roylott's conduct had long been notorious in the county,", "ated the case with great care, for dr. roylott's conduct had long been notorious in the county, but ", "the case with great care, for dr. roylott's conduct had long been notorious in the county, but he wa", "ase with great care, for dr. roylott's conduct had long been notorious in the county, but he was una", "ith great care, for dr. roylott's conduct had long been notorious in the county, but he was unable t", "reat care, for dr. roylott's conduct had long been notorious in the county, but he was unable to fin", "care, for dr. roylott's conduct had long been notorious in the county, but he was unable to find any", " for dr. roylott's conduct had long been notorious in the county, but he was unable to find any sati", "dr. roylott's conduct had long been notorious in the county, but he was unable to find any satisfact", "oylott's conduct had long been notorious in the county, but he was unable to find any satisfactory c", "t's conduct had long been notorious in the county, but he was unable to find any satisfactory cause ", 'onduct had long been notorious in the county, but he was unable to find any satisfactory cause of de', 't had long been notorious in the county, but he was unable to find any satisfactory cause of death. ', ' long been notorious in the county, but he was unable to find any satisfactory cause of death. my ev', ' been notorious in the county, but he was unable to find any satisfactory cause of death. my evidenc', ' notorious in the county, but he was unable to find any satisfactory cause of death. my evidence sho', 'rious in the county, but he was unable to find any satisfactory cause of death. my evidence showed t', ' in the county, but he was unable to find any satisfactory cause of death. my evidence showed that t', 'he county, but he was unable to find any satisfactory cause of death. my evidence showed that the do', 'unty, but he was unable to find any satisfactory cause of death. my evidence showed that the door ha', ' but he was unable to find any satisfactory cause of death. my evidence showed that the door had bee', 'he was unable to find any satisfactory cause of death. my evidence showed that the door had been fas', 's unable to find any satisfactory cause of death. my evidence showed that the door had been fastened', 'ble to find any satisfactory cause of death. my evidence showed that the door had been fastened upon', 'o find any satisfactory cause of death. my evidence showed that the door had been fastened upon the ', 'd any satisfactory cause of death. my evidence showed that the door had been fastened upon the inner', ' satisfactory cause of death. my evidence showed that the door had been fastened upon the inner side', 'sfactory cause of death. my evidence showed that the door had been fastened upon the inner side, and', 'ory cause of death. my evidence showed that the door had been fastened upon the inner side, and the ', 'ause of death. my evidence showed that the door had been fastened upon the inner side, and the windo', 'of death. my evidence showed that the door had been fastened upon the inner side, and the windows we', 'ath. my evidence showed that the door had been fastened upon the inner side, and the windows were bl', 'my evidence showed that the door had been fastened upon the inner side, and the windows were blocked', 'idence showed that the door had been fastened upon the inner side, and the windows were blocked by o', 'e showed that the door had been fastened upon the inner side, and the windows were blocked by old-fa', 'wed that the door had been fastened upon the inner side, and the windows were blocked by old-fashion', 'hat the door had been fastened upon the inner side, and the windows were blocked by old-fashioned sh', 'he door had been fastened upon the inner side, and the windows were blocked by old-fashioned shutter', 'or had been fastened upon the inner side, and the windows were blocked by old-fashioned shutters wit', 'd been fastened upon the inner side, and the windows were blocked by old-fashioned shutters with bro', 'n fastened upon the inner side, and the windows were blocked by old-fashioned shutters with broad ir', 'tened upon the inner side, and the windows were blocked by old-fashioned shutters with broad iron ba', ' upon the inner side, and the windows were blocked by old-fashioned shutters with broad iron bars, w', ' the inner side, and the windows were blocked by old-fashioned shutters with broad iron bars, which ', 'inner side, and the windows were blocked by old-fashioned shutters with broad iron bars, which were ', ' side, and the windows were blocked by old-fashioned shutters with broad iron bars, which were secur', ', and the windows were blocked by old-fashioned shutters with broad iron bars, which were secured ev', ' the windows were blocked by old-fashioned shutters with broad iron bars, which were secured every n', 'windows were blocked by old-fashioned shutters with broad iron bars, which were secured every night.', 'ws were blocked by old-fashioned shutters with broad iron bars, which were secured every night. the ', 're blocked by old-fashioned shutters with broad iron bars, which were secured every night. the walls', 'ocked by old-fashioned shutters with broad iron bars, which were secured every night. the walls were', ' by old-fashioned shutters with broad iron bars, which were secured every night. the walls were care', 'ld-fashioned shutters with broad iron bars, which were secured every night. the walls were carefully', 'shioned shutters with broad iron bars, which were secured every night. the walls were carefully soun', 'ed shutters with broad iron bars, which were secured every night. the walls were carefully sounded, ', 'utters with broad iron bars, which were secured every night. the walls were carefully sounded, and w', 's with broad iron bars, which were secured every night. the walls were carefully sounded, and were s', 'h broad iron bars, which were secured every night. the walls were carefully sounded, and were shown ', 'ad iron bars, which were secured every night. the walls were carefully sounded, and were shown to be', 'on bars, which were secured every night. the walls were carefully sounded, and were shown to be quit', 'rs, which were secured every night. the walls were carefully sounded, and were shown to be quite sol', 'hich were secured every night. the walls were carefully sounded, and were shown to be quite solid al', 'were secured every night. the walls were carefully sounded, and were shown to be quite solid all rou', 'secured every night. the walls were carefully sounded, and were shown to be quite solid all round, a', 'ed every night. the walls were carefully sounded, and were shown to be quite solid all round, and th', 'ery night. the walls were carefully sounded, and were shown to be quite solid all round, and the flo', 'ight. the walls were carefully sounded, and were shown to be quite solid all round, and the flooring', ' the walls were carefully sounded, and were shown to be quite solid all round, and the flooring was ', 'walls were carefully sounded, and were shown to be quite solid all round, and the flooring was also ', ' were carefully sounded, and were shown to be quite solid all round, and the flooring was also thoro', ' carefully sounded, and were shown to be quite solid all round, and the flooring was also thoroughly', 'fully sounded, and were shown to be quite solid all round, and the flooring was also thoroughly exam', ' sounded, and were shown to be quite solid all round, and the flooring was also thoroughly examined,', 'ded, and were shown to be quite solid all round, and the flooring was also thoroughly examined, with', 'and were shown to be quite solid all round, and the flooring was also thoroughly examined, with the ', 'ere shown to be quite solid all round, and the flooring was also thoroughly examined, with the same ', 'hown to be quite solid all round, and the flooring was also thoroughly examined, with the same resul', 'to be quite solid all round, and the flooring was also thoroughly examined, with the same result. th', ' quite solid all round, and the flooring was also thoroughly examined, with the same result. the chi', 'e solid all round, and the flooring was also thoroughly examined, with the same result. the chimney ', 'id all round, and the flooring was also thoroughly examined, with the same result. the chimney is wi', 'l round, and the flooring was also thoroughly examined, with the same result. the chimney is wide, b', 'nd, and the flooring was also thoroughly examined, with the same result. the chimney is wide, but is', 'nd the flooring was also thoroughly examined, with the same result. the chimney is wide, but is barr', 'e flooring was also thoroughly examined, with the same result. the chimney is wide, but is barred up', 'oring was also thoroughly examined, with the same result. the chimney is wide, but is barred up by f', ' was also thoroughly examined, with the same result. the chimney is wide, but is barred up by four l', 'also thoroughly examined, with the same result. the chimney is wide, but is barred up by four large ', 'thoroughly examined, with the same result. the chimney is wide, but is barred up by four large stapl', 'ughly examined, with the same result. the chimney is wide, but is barred up by four large staples. i', ' examined, with the same result. the chimney is wide, but is barred up by four large staples. it is ', 'ined, with the same result. the chimney is wide, but is barred up by four large staples. it is certa', ' with the same result. the chimney is wide, but is barred up by four large staples. it is certain, t', ' the same result. the chimney is wide, but is barred up by four large staples. it is certain, theref', 'same result. the chimney is wide, but is barred up by four large staples. it is certain, therefore, ', 'result. the chimney is wide, but is barred up by four large staples. it is certain, therefore, that ', 't. the chimney is wide, but is barred up by four large staples. it is certain, therefore, that my si', 'e chimney is wide, but is barred up by four large staples. it is certain, therefore, that my sister ', 'mney is wide, but is barred up by four large staples. it is certain, therefore, that my sister was q', 'is wide, but is barred up by four large staples. it is certain, therefore, that my sister was quite ', 'de, but is barred up by four large staples. it is certain, therefore, that my sister was quite alone', 'ut is barred up by four large staples. it is certain, therefore, that my sister was quite alone when', ' barred up by four large staples. it is certain, therefore, that my sister was quite alone when she ', 'ed up by four large staples. it is certain, therefore, that my sister was quite alone when she met h', ' by four large staples. it is certain, therefore, that my sister was quite alone when she met her en', 'our large staples. it is certain, therefore, that my sister was quite alone when she met her end. be', 'arge staples. it is certain, therefore, that my sister was quite alone when she met her end. besides', 'staples. it is certain, therefore, that my sister was quite alone when she met her end. besides, the', 'es. it is certain, therefore, that my sister was quite alone when she met her end. besides, there we', 't is certain, therefore, that my sister was quite alone when she met her end. besides, there were no', 'certain, therefore, that my sister was quite alone when she met her end. besides, there were no mark', 'in, therefore, that my sister was quite alone when she met her end. besides, there were no marks of ', 'herefore, that my sister was quite alone when she met her end. besides, there were no marks of any v', 'ore, that my sister was quite alone when she met her end. besides, there were no marks of any violen', 'that my sister was quite alone when she met her end. besides, there were no marks of any violence up', 'my sister was quite alone when she met her end. besides, there were no marks of any violence upon he', 'ster was quite alone when she met her end. besides, there were no marks of any violence upon her." "', 'was quite alone when she met her end. besides, there were no marks of any violence upon her." "how a', 'uite alone when she met her end. besides, there were no marks of any violence upon her." "how about ', 'alone when she met her end. besides, there were no marks of any violence upon her." "how about poiso', ' when she met her end. besides, there were no marks of any violence upon her." "how about poison?" "', ' she met her end. besides, there were no marks of any violence upon her." "how about poison?" "the d', 'met her end. besides, there were no marks of any violence upon her." "how about poison?" "the doctor', 'er end. besides, there were no marks of any violence upon her." "how about poison?" "the doctors exa', 'd. besides, there were no marks of any violence upon her." "how about poison?" "the doctors examined', 'sides, there were no marks of any violence upon her." "how about poison?" "the doctors examined her ', ', there were no marks of any violence upon her." "how about poison?" "the doctors examined her for i', 're were no marks of any violence upon her." "how about poison?" "the doctors examined her for it, bu', 're no marks of any violence upon her." "how about poison?" "the doctors examined her for it, but wit', ' marks of any violence upon her." "how about poison?" "the doctors examined her for it, but without ', 's of any violence upon her." "how about poison?" "the doctors examined her for it, but without succe', 'any violence upon her." "how about poison?" "the doctors examined her for it, but without success." ', 'iolence upon her." "how about poison?" "the doctors examined her for it, but without success." "what', 'ce upon her." "how about poison?" "the doctors examined her for it, but without success." "what do y', 'on her." "how about poison?" "the doctors examined her for it, but without success." "what do you th', 'r." "how about poison?" "the doctors examined her for it, but without success." "what do you think t', 'how about poison?" "the doctors examined her for it, but without success." "what do you think that t', 'bout poison?" "the doctors examined her for it, but without success." "what do you think that this u', 'poison?" "the doctors examined her for it, but without success." "what do you think that this unfort', 'n?" "the doctors examined her for it, but without success." "what do you think that this unfortunate', 'the doctors examined her for it, but without success." "what do you think that this unfortunate lady', 'octors examined her for it, but without success." "what do you think that this unfortunate lady died', 's examined her for it, but without success." "what do you think that this unfortunate lady died of, ', 'mined her for it, but without success." "what do you think that this unfortunate lady died of, then?', ' her for it, but without success." "what do you think that this unfortunate lady died of, then?" "it', 'for it, but without success." "what do you think that this unfortunate lady died of, then?" "it is m', 't, but without success." "what do you think that this unfortunate lady died of, then?" "it is my bel', 't without success." "what do you think that this unfortunate lady died of, then?" "it is my belief t', 'hout success." "what do you think that this unfortunate lady died of, then?" "it is my belief that s', 'success." "what do you think that this unfortunate lady died of, then?" "it is my belief that she di', 'ss." "what do you think that this unfortunate lady died of, then?" "it is my belief that she died of', '"what do you think that this unfortunate lady died of, then?" "it is my belief that she died of pure', ' do you think that this unfortunate lady died of, then?" "it is my belief that she died of pure fear', 'ou think that this unfortunate lady died of, then?" "it is my belief that she died of pure fear and ', 'ink that this unfortunate lady died of, then?" "it is my belief that she died of pure fear and nervo', 'hat this unfortunate lady died of, then?" "it is my belief that she died of pure fear and nervous sh', 'his unfortunate lady died of, then?" "it is my belief that she died of pure fear and nervous shock, ', 'nfortunate lady died of, then?" "it is my belief that she died of pure fear and nervous shock, thoug', 'unate lady died of, then?" "it is my belief that she died of pure fear and nervous shock, though wha', ' lady died of, then?" "it is my belief that she died of pure fear and nervous shock, though what it ', ' died of, then?" "it is my belief that she died of pure fear and nervous shock, though what it was t', ' of, then?" "it is my belief that she died of pure fear and nervous shock, though what it was that f', 'then?" "it is my belief that she died of pure fear and nervous shock, though what it was that fright', '" "it is my belief that she died of pure fear and nervous shock, though what it was that frightened ', ' is my belief that she died of pure fear and nervous shock, though what it was that frightened her i', 'y belief that she died of pure fear and nervous shock, though what it was that frightened her i cann', 'ief that she died of pure fear and nervous shock, though what it was that frightened her i cannot im', 'hat she died of pure fear and nervous shock, though what it was that frightened her i cannot imagine', 'he died of pure fear and nervous shock, though what it was that frightened her i cannot imagine." "w', 'ed of pure fear and nervous shock, though what it was that frightened her i cannot imagine." "were t', ' pure fear and nervous shock, though what it was that frightened her i cannot imagine." "were there ', ' fear and nervous shock, though what it was that frightened her i cannot imagine." "were there gipsi', ' and nervous shock, though what it was that frightened her i cannot imagine." "were there gipsies in', 'nervous shock, though what it was that frightened her i cannot imagine." "were there gipsies in the ', 'us shock, though what it was that frightened her i cannot imagine." "were there gipsies in the plant', 'ock, though what it was that frightened her i cannot imagine." "were there gipsies in the plantation', 'though what it was that frightened her i cannot imagine." "were there gipsies in the plantation at t', 'h what it was that frightened her i cannot imagine." "were there gipsies in the plantation at the ti', 't it was that frightened her i cannot imagine." "were there gipsies in the plantation at the time?" ', 'was that frightened her i cannot imagine." "were there gipsies in the plantation at the time?" "yes,', 'hat frightened her i cannot imagine." "were there gipsies in the plantation at the time?" "yes, ther', 'rightened her i cannot imagine." "were there gipsies in the plantation at the time?" "yes, there are', 'ened her i cannot imagine." "were there gipsies in the plantation at the time?" "yes, there are near', 'her i cannot imagine." "were there gipsies in the plantation at the time?" "yes, there are nearly al', ' cannot imagine." "were there gipsies in the plantation at the time?" "yes, there are nearly always ', 'ot imagine." "were there gipsies in the plantation at the time?" "yes, there are nearly always some ', 'agine." "were there gipsies in the plantation at the time?" "yes, there are nearly always some there', '." "were there gipsies in the plantation at the time?" "yes, there are nearly always some there." "a', 'ere there gipsies in the plantation at the time?" "yes, there are nearly always some there." "ah, an', 'here gipsies in the plantation at the time?" "yes, there are nearly always some there." "ah, and wha', 'gipsies in the plantation at the time?" "yes, there are nearly always some there." "ah, and what did', 'es in the plantation at the time?" "yes, there are nearly always some there." "ah, and what did you ', ' the plantation at the time?" "yes, there are nearly always some there." "ah, and what did you gathe', 'plantation at the time?" "yes, there are nearly always some there." "ah, and what did you gather fro', 'ation at the time?" "yes, there are nearly always some there." "ah, and what did you gather from thi', ' at the time?" "yes, there are nearly always some there." "ah, and what did you gather from this all', 'he time?" "yes, there are nearly always some there." "ah, and what did you gather from this allusion', 'me?" "yes, there are nearly always some there." "ah, and what did you gather from this allusion to a', '"yes, there are nearly always some there." "ah, and what did you gather from this allusion to a band', ' there are nearly always some there." "ah, and what did you gather from this allusion to a banda spe', 'e are nearly always some there." "ah, and what did you gather from this allusion to a banda speckled', ' nearly always some there." "ah, and what did you gather from this allusion to a banda speckled band', 'ly always some there." "ah, and what did you gather from this allusion to a banda speckled band?" "s', 'ways some there." "ah, and what did you gather from this allusion to a banda speckled band?" "someti', 'some there." "ah, and what did you gather from this allusion to a banda speckled band?" "sometimes i', 'there." "ah, and what did you gather from this allusion to a banda speckled band?" "sometimes i have', '." "ah, and what did you gather from this allusion to a banda speckled band?" "sometimes i have thou', 'h, and what did you gather from this allusion to a banda speckled band?" "sometimes i have thought t', 'd what did you gather from this allusion to a banda speckled band?" "sometimes i have thought that i', 't did you gather from this allusion to a banda speckled band?" "sometimes i have thought that it was', ' you gather from this allusion to a banda speckled band?" "sometimes i have thought that it was mere', 'gather from this allusion to a banda speckled band?" "sometimes i have thought that it was merely th', 'r from this allusion to a banda speckled band?" "sometimes i have thought that it was merely the wil', 'm this allusion to a banda speckled band?" "sometimes i have thought that it was merely the wild tal', 's allusion to a banda speckled band?" "sometimes i have thought that it was merely the wild talk of ', 'usion to a banda speckled band?" "sometimes i have thought that it was merely the wild talk of delir', ' to a banda speckled band?" "sometimes i have thought that it was merely the wild talk of delirium, ', ' banda speckled band?" "sometimes i have thought that it was merely the wild talk of delirium, somet', 'a speckled band?" "sometimes i have thought that it was merely the wild talk of delirium, sometimes ', 'ckled band?" "sometimes i have thought that it was merely the wild talk of delirium, sometimes that ', ' band?" "sometimes i have thought that it was merely the wild talk of delirium, sometimes that it ma', '?" "sometimes i have thought that it was merely the wild talk of delirium, sometimes that it may hav', 'ometimes i have thought that it was merely the wild talk of delirium, sometimes that it may have ref', 'mes i have thought that it was merely the wild talk of delirium, sometimes that it may have referred', ' have thought that it was merely the wild talk of delirium, sometimes that it may have referred to s', ' thought that it was merely the wild talk of delirium, sometimes that it may have referred to some b', 'ght that it was merely the wild talk of delirium, sometimes that it may have referred to some band o', 'hat it was merely the wild talk of delirium, sometimes that it may have referred to some band of peo', 't was merely the wild talk of delirium, sometimes that it may have referred to some band of people, ', ' merely the wild talk of delirium, sometimes that it may have referred to some band of people, perha', 'ly the wild talk of delirium, sometimes that it may have referred to some band of people, perhaps to', 'e wild talk of delirium, sometimes that it may have referred to some band of people, perhaps to thes', 'd talk of delirium, sometimes that it may have referred to some band of people, perhaps to these ver', 'k of delirium, sometimes that it may have referred to some band of people, perhaps to these very gip', 'delirium, sometimes that it may have referred to some band of people, perhaps to these very gipsies ', 'ium, sometimes that it may have referred to some band of people, perhaps to these very gipsies in th', 'sometimes that it may have referred to some band of people, perhaps to these very gipsies in the pla', 'imes that it may have referred to some band of people, perhaps to these very gipsies in the plantati', 'that it may have referred to some band of people, perhaps to these very gipsies in the plantation. i', 'it may have referred to some band of people, perhaps to these very gipsies in the plantation. i do n', 'y have referred to some band of people, perhaps to these very gipsies in the plantation. i do not kn', 'e referred to some band of people, perhaps to these very gipsies in the plantation. i do not know wh', 'erred to some band of people, perhaps to these very gipsies in the plantation. i do not know whether', ' to some band of people, perhaps to these very gipsies in the plantation. i do not know whether the ', 'ome band of people, perhaps to these very gipsies in the plantation. i do not know whether the spott', 'and of people, perhaps to these very gipsies in the plantation. i do not know whether the spotted ha', 'f people, perhaps to these very gipsies in the plantation. i do not know whether the spotted handker', 'ple, perhaps to these very gipsies in the plantation. i do not know whether the spotted handkerchief', 'perhaps to these very gipsies in the plantation. i do not know whether the spotted handkerchiefs whi', 'ps to these very gipsies in the plantation. i do not know whether the spotted handkerchiefs which so', ' these very gipsies in the plantation. i do not know whether the spotted handkerchiefs which so many', 'e very gipsies in the plantation. i do not know whether the spotted handkerchiefs which so many of t', 'y gipsies in the plantation. i do not know whether the spotted handkerchiefs which so many of them w', 'sies in the plantation. i do not know whether the spotted handkerchiefs which so many of them wear o', 'in the plantation. i do not know whether the spotted handkerchiefs which so many of them wear over t', 'e plantation. i do not know whether the spotted handkerchiefs which so many of them wear over their ', 'ntation. i do not know whether the spotted handkerchiefs which so many of them wear over their heads', 'on. i do not know whether the spotted handkerchiefs which so many of them wear over their heads migh', ' do not know whether the spotted handkerchiefs which so many of them wear over their heads might hav', 'ot know whether the spotted handkerchiefs which so many of them wear over their heads might have sug', 'ow whether the spotted handkerchiefs which so many of them wear over their heads might have suggeste', 'ether the spotted handkerchiefs which so many of them wear over their heads might have suggested the', ' the spotted handkerchiefs which so many of them wear over their heads might have suggested the stra', 'spotted handkerchiefs which so many of them wear over their heads might have suggested the strange a', 'ed handkerchiefs which so many of them wear over their heads might have suggested the strange adject', 'ndkerchiefs which so many of them wear over their heads might have suggested the strange adjective w', 'chiefs which so many of them wear over their heads might have suggested the strange adjective which ', 's which so many of them wear over their heads might have suggested the strange adjective which she u', 'ch so many of them wear over their heads might have suggested the strange adjective which she used."', ' many of them wear over their heads might have suggested the strange adjective which she used." holm', ' of them wear over their heads might have suggested the strange adjective which she used." holmes sh', 'hem wear over their heads might have suggested the strange adjective which she used." holmes shook h', 'ear over their heads might have suggested the strange adjective which she used." holmes shook his he', 'ver their heads might have suggested the strange adjective which she used." holmes shook his head li', 'heir heads might have suggested the strange adjective which she used." holmes shook his head like a ', 'heads might have suggested the strange adjective which she used." holmes shook his head like a man w', ' might have suggested the strange adjective which she used." holmes shook his head like a man who is', 't have suggested the strange adjective which she used." holmes shook his head like a man who is far ', 'e suggested the strange adjective which she used." holmes shook his head like a man who is far from ', 'gested the strange adjective which she used." holmes shook his head like a man who is far from being', 'd the strange adjective which she used." holmes shook his head like a man who is far from being sati', ' strange adjective which she used." holmes shook his head like a man who is far from being satisfied', 'nge adjective which she used." holmes shook his head like a man who is far from being satisfied. "th', 'djective which she used." holmes shook his head like a man who is far from being satisfied. "these a', 'ive which she used." holmes shook his head like a man who is far from being satisfied. "these are ve', 'hich she used." holmes shook his head like a man who is far from being satisfied. "these are very de', 'she used." holmes shook his head like a man who is far from being satisfied. "these are very deep wa', 'sed." holmes shook his head like a man who is far from being satisfied. "these are very deep waters,', ' holmes shook his head like a man who is far from being satisfied. "these are very deep waters," sai', 'es shook his head like a man who is far from being satisfied. "these are very deep waters," said he;', 'ook his head like a man who is far from being satisfied. "these are very deep waters," said he; "pra', 'is head like a man who is far from being satisfied. "these are very deep waters," said he; "pray go ', 'ad like a man who is far from being satisfied. "these are very deep waters," said he; "pray go on wi', 'ke a man who is far from being satisfied. "these are very deep waters," said he; "pray go on with yo', 'man who is far from being satisfied. "these are very deep waters," said he; "pray go on with your na', 'ho is far from being satisfied. "these are very deep waters," said he; "pray go on with your narrati', ' far from being satisfied. "these are very deep waters," said he; "pray go on with your narrative." ', 'from being satisfied. "these are very deep waters," said he; "pray go on with your narrative." "two ', 'being satisfied. "these are very deep waters," said he; "pray go on with your narrative." "two years', ' satisfied. "these are very deep waters," said he; "pray go on with your narrative." "two years have', 'sfied. "these are very deep waters," said he; "pray go on with your narrative." "two years have pass', '. "these are very deep waters," said he; "pray go on with your narrative." "two years have passed si', 'ese are very deep waters," said he; "pray go on with your narrative." "two years have passed since t', 're very deep waters," said he; "pray go on with your narrative." "two years have passed since then, ', 'ry deep waters," said he; "pray go on with your narrative." "two years have passed since then, and m', 'ep waters," said he; "pray go on with your narrative." "two years have passed since then, and my lif', 'ters," said he; "pray go on with your narrative." "two years have passed since then, and my life has', '" said he; "pray go on with your narrative." "two years have passed since then, and my life has been', 'd he; "pray go on with your narrative." "two years have passed since then, and my life has been unti', ' "pray go on with your narrative." "two years have passed since then, and my life has been until lat', 'y go on with your narrative." "two years have passed since then, and my life has been until lately l', 'on with your narrative." "two years have passed since then, and my life has been until lately loneli', 'th your narrative." "two years have passed since then, and my life has been until lately lonelier th', 'ur narrative." "two years have passed since then, and my life has been until lately lonelier than ev', 'rrative." "two years have passed since then, and my life has been until lately lonelier than ever. a', 've." "two years have passed since then, and my life has been until lately lonelier than ever. a mont', '"two years have passed since then, and my life has been until lately lonelier than ever. a month ago', 'years have passed since then, and my life has been until lately lonelier than ever. a month ago, how', ' have passed since then, and my life has been until lately lonelier than ever. a month ago, however,', ' passed since then, and my life has been until lately lonelier than ever. a month ago, however, a de', 'ed since then, and my life has been until lately lonelier than ever. a month ago, however, a dear fr', 'nce then, and my life has been until lately lonelier than ever. a month ago, however, a dear friend,', 'hen, and my life has been until lately lonelier than ever. a month ago, however, a dear friend, whom', 'and my life has been until lately lonelier than ever. a month ago, however, a dear friend, whom i ha', 'y life has been until lately lonelier than ever. a month ago, however, a dear friend, whom i have kn', 'e has been until lately lonelier than ever. a month ago, however, a dear friend, whom i have known f', ' been until lately lonelier than ever. a month ago, however, a dear friend, whom i have known for ma', ' until lately lonelier than ever. a month ago, however, a dear friend, whom i have known for many ye', 'l lately lonelier than ever. a month ago, however, a dear friend, whom i have known for many years, ', 'ely lonelier than ever. a month ago, however, a dear friend, whom i have known for many years, has d', 'onelier than ever. a month ago, however, a dear friend, whom i have known for many years, has done m', 'er than ever. a month ago, however, a dear friend, whom i have known for many years, has done me the', 'an ever. a month ago, however, a dear friend, whom i have known for many years, has done me the hono', 'er. a month ago, however, a dear friend, whom i have known for many years, has done me the honour to', ' month ago, however, a dear friend, whom i have known for many years, has done me the honour to ask ', 'h ago, however, a dear friend, whom i have known for many years, has done me the honour to ask my ha', ', however, a dear friend, whom i have known for many years, has done me the honour to ask my hand in', 'ever, a dear friend, whom i have known for many years, has done me the honour to ask my hand in marr', ' a dear friend, whom i have known for many years, has done me the honour to ask my hand in marriage.', 'ar friend, whom i have known for many years, has done me the honour to ask my hand in marriage. his ', 'iend, whom i have known for many years, has done me the honour to ask my hand in marriage. his name ', ' whom i have known for many years, has done me the honour to ask my hand in marriage. his name is ar', ' i have known for many years, has done me the honour to ask my hand in marriage. his name is armitag', 've known for many years, has done me the honour to ask my hand in marriage. his name is armitageperc', 'own for many years, has done me the honour to ask my hand in marriage. his name is armitagepercy arm', 'or many years, has done me the honour to ask my hand in marriage. his name is armitagepercy armitage', 'ny years, has done me the honour to ask my hand in marriage. his name is armitagepercy armitagethe s', 'ars, has done me the honour to ask my hand in marriage. his name is armitagepercy armitagethe second', 'has done me the honour to ask my hand in marriage. his name is armitagepercy armitagethe second son ', 'one me the honour to ask my hand in marriage. his name is armitagepercy armitagethe second son of mr', 'e the honour to ask my hand in marriage. his name is armitagepercy armitagethe second son of mr. arm', ' honour to ask my hand in marriage. his name is armitagepercy armitagethe second son of mr. armitage', 'ur to ask my hand in marriage. his name is armitagepercy armitagethe second son of mr. armitage, of ', ' ask my hand in marriage. his name is armitagepercy armitagethe second son of mr. armitage, of crane', 'my hand in marriage. his name is armitagepercy armitagethe second son of mr. armitage, of crane wate', 'nd in marriage. his name is armitagepercy armitagethe second son of mr. armitage, of crane water, ne', ' marriage. his name is armitagepercy armitagethe second son of mr. armitage, of crane water, near re', 'iage. his name is armitagepercy armitagethe second son of mr. armitage, of crane water, near reading', ' his name is armitagepercy armitagethe second son of mr. armitage, of crane water, near reading. my ', 'name is armitagepercy armitagethe second son of mr. armitage, of crane water, near reading. my stepf', 'is armitagepercy armitagethe second son of mr. armitage, of crane water, near reading. my stepfather', 'mitagepercy armitagethe second son of mr. armitage, of crane water, near reading. my stepfather has ', 'epercy armitagethe second son of mr. armitage, of crane water, near reading. my stepfather has offer', 'y armitagethe second son of mr. armitage, of crane water, near reading. my stepfather has offered no', 'itagethe second son of mr. armitage, of crane water, near reading. my stepfather has offered no oppo', 'the second son of mr. armitage, of crane water, near reading. my stepfather has offered no oppositio', 'econd son of mr. armitage, of crane water, near reading. my stepfather has offered no opposition to ', ' son of mr. armitage, of crane water, near reading. my stepfather has offered no opposition to the m', 'of mr. armitage, of crane water, near reading. my stepfather has offered no opposition to the match,', '. armitage, of crane water, near reading. my stepfather has offered no opposition to the match, and ', 'itage, of crane water, near reading. my stepfather has offered no opposition to the match, and we ar', ', of crane water, near reading. my stepfather has offered no opposition to the match, and we are to ', 'crane water, near reading. my stepfather has offered no opposition to the match, and we are to be ma', ' water, near reading. my stepfather has offered no opposition to the match, and we are to be married', 'r, near reading. my stepfather has offered no opposition to the match, and we are to be married in t', 'ar reading. my stepfather has offered no opposition to the match, and we are to be married in the co', 'ading. my stepfather has offered no opposition to the match, and we are to be married in the course ', '. my stepfather has offered no opposition to the match, and we are to be married in the course of th', 'stepfather has offered no opposition to the match, and we are to be married in the course of the spr', 'ather has offered no opposition to the match, and we are to be married in the course of the spring. ', ' has offered no opposition to the match, and we are to be married in the course of the spring. two d', 'offered no opposition to the match, and we are to be married in the course of the spring. two days a', 'ed no opposition to the match, and we are to be married in the course of the spring. two days ago so', ' opposition to the match, and we are to be married in the course of the spring. two days ago some re', 'sition to the match, and we are to be married in the course of the spring. two days ago some repairs', 'n to the match, and we are to be married in the course of the spring. two days ago some repairs were', 'the match, and we are to be married in the course of the spring. two days ago some repairs were star', 'atch, and we are to be married in the course of the spring. two days ago some repairs were started i', ' and we are to be married in the course of the spring. two days ago some repairs were started in the', 'we are to be married in the course of the spring. two days ago some repairs were started in the west', 'e to be married in the course of the spring. two days ago some repairs were started in the west wing', 'be married in the course of the spring. two days ago some repairs were started in the west wing of t', 'rried in the course of the spring. two days ago some repairs were started in the west wing of the bu', ' in the course of the spring. two days ago some repairs were started in the west wing of the buildin', 'he course of the spring. two days ago some repairs were started in the west wing of the building, an', 'urse of the spring. two days ago some repairs were started in the west wing of the building, and my ', 'of the spring. two days ago some repairs were started in the west wing of the building, and my bedro', 'e spring. two days ago some repairs were started in the west wing of the building, and my bedroom wa', 'ing. two days ago some repairs were started in the west wing of the building, and my bedroom wall ha', 'two days ago some repairs were started in the west wing of the building, and my bedroom wall has bee', 'ays ago some repairs were started in the west wing of the building, and my bedroom wall has been pie', 'go some repairs were started in the west wing of the building, and my bedroom wall has been pierced,', 'me repairs were started in the west wing of the building, and my bedroom wall has been pierced, so t', 'pairs were started in the west wing of the building, and my bedroom wall has been pierced, so that i', ' were started in the west wing of the building, and my bedroom wall has been pierced, so that i have', ' started in the west wing of the building, and my bedroom wall has been pierced, so that i have had ', 'ted in the west wing of the building, and my bedroom wall has been pierced, so that i have had to mo', 'n the west wing of the building, and my bedroom wall has been pierced, so that i have had to move in', ' west wing of the building, and my bedroom wall has been pierced, so that i have had to move into th', ' wing of the building, and my bedroom wall has been pierced, so that i have had to move into the cha', ' of the building, and my bedroom wall has been pierced, so that i have had to move into the chamber ', 'he building, and my bedroom wall has been pierced, so that i have had to move into the chamber in wh', 'ilding, and my bedroom wall has been pierced, so that i have had to move into the chamber in which m', 'g, and my bedroom wall has been pierced, so that i have had to move into the chamber in which my sis', 'd my bedroom wall has been pierced, so that i have had to move into the chamber in which my sister d', 'bedroom wall has been pierced, so that i have had to move into the chamber in which my sister died, ', 'om wall has been pierced, so that i have had to move into the chamber in which my sister died, and t', 'll has been pierced, so that i have had to move into the chamber in which my sister died, and to sle', 's been pierced, so that i have had to move into the chamber in which my sister died, and to sleep in', 'n pierced, so that i have had to move into the chamber in which my sister died, and to sleep in the ', 'rced, so that i have had to move into the chamber in which my sister died, and to sleep in the very ', ' so that i have had to move into the chamber in which my sister died, and to sleep in the very bed i', 'hat i have had to move into the chamber in which my sister died, and to sleep in the very bed in whi', ' have had to move into the chamber in which my sister died, and to sleep in the very bed in which sh', ' had to move into the chamber in which my sister died, and to sleep in the very bed in which she sle', 'to move into the chamber in which my sister died, and to sleep in the very bed in which she slept. i', 've into the chamber in which my sister died, and to sleep in the very bed in which she slept. imagin', 'to the chamber in which my sister died, and to sleep in the very bed in which she slept. imagine, th', 'e chamber in which my sister died, and to sleep in the very bed in which she slept. imagine, then, m', 'mber in which my sister died, and to sleep in the very bed in which she slept. imagine, then, my thr', 'in which my sister died, and to sleep in the very bed in which she slept. imagine, then, my thrill o', 'ich my sister died, and to sleep in the very bed in which she slept. imagine, then, my thrill of ter', 'y sister died, and to sleep in the very bed in which she slept. imagine, then, my thrill of terror w', 'ter died, and to sleep in the very bed in which she slept. imagine, then, my thrill of terror when l', 'ied, and to sleep in the very bed in which she slept. imagine, then, my thrill of terror when last n', 'and to sleep in the very bed in which she slept. imagine, then, my thrill of terror when last night,', 'o sleep in the very bed in which she slept. imagine, then, my thrill of terror when last night, as i', 'ep in the very bed in which she slept. imagine, then, my thrill of terror when last night, as i lay ', ' the very bed in which she slept. imagine, then, my thrill of terror when last night, as i lay awake', 'very bed in which she slept. imagine, then, my thrill of terror when last night, as i lay awake, thi', 'bed in which she slept. imagine, then, my thrill of terror when last night, as i lay awake, thinking', 'n which she slept. imagine, then, my thrill of terror when last night, as i lay awake, thinking over', 'ch she slept. imagine, then, my thrill of terror when last night, as i lay awake, thinking over her ', 'e slept. imagine, then, my thrill of terror when last night, as i lay awake, thinking over her terri', 'pt. imagine, then, my thrill of terror when last night, as i lay awake, thinking over her terrible f', 'magine, then, my thrill of terror when last night, as i lay awake, thinking over her terrible fate, ', 'e, then, my thrill of terror when last night, as i lay awake, thinking over her terrible fate, i sud', 'en, my thrill of terror when last night, as i lay awake, thinking over her terrible fate, i suddenly', 'y thrill of terror when last night, as i lay awake, thinking over her terrible fate, i suddenly hear', 'ill of terror when last night, as i lay awake, thinking over her terrible fate, i suddenly heard in ', 'f terror when last night, as i lay awake, thinking over her terrible fate, i suddenly heard in the s', 'ror when last night, as i lay awake, thinking over her terrible fate, i suddenly heard in the silenc', 'hen last night, as i lay awake, thinking over her terrible fate, i suddenly heard in the silence of ', 'ast night, as i lay awake, thinking over her terrible fate, i suddenly heard in the silence of the n', 'ight, as i lay awake, thinking over her terrible fate, i suddenly heard in the silence of the night ', ' as i lay awake, thinking over her terrible fate, i suddenly heard in the silence of the night the l', ' lay awake, thinking over her terrible fate, i suddenly heard in the silence of the night the low wh', 'awake, thinking over her terrible fate, i suddenly heard in the silence of the night the low whistle', ', thinking over her terrible fate, i suddenly heard in the silence of the night the low whistle whic', 'nking over her terrible fate, i suddenly heard in the silence of the night the low whistle which had', ' over her terrible fate, i suddenly heard in the silence of the night the low whistle which had been', ' her terrible fate, i suddenly heard in the silence of the night the low whistle which had been the ', 'terrible fate, i suddenly heard in the silence of the night the low whistle which had been the heral', 'ble fate, i suddenly heard in the silence of the night the low whistle which had been the herald of ', 'ate, i suddenly heard in the silence of the night the low whistle which had been the herald of her o', 'i suddenly heard in the silence of the night the low whistle which had been the herald of her own de', 'denly heard in the silence of the night the low whistle which had been the herald of her own death. ', ' heard in the silence of the night the low whistle which had been the herald of her own death. i spr', 'd in the silence of the night the low whistle which had been the herald of her own death. i sprang u', 'the silence of the night the low whistle which had been the herald of her own death. i sprang up and', 'ilence of the night the low whistle which had been the herald of her own death. i sprang up and lit ', 'e of the night the low whistle which had been the herald of her own death. i sprang up and lit the l', 'the night the low whistle which had been the herald of her own death. i sprang up and lit the lamp, ', 'ight the low whistle which had been the herald of her own death. i sprang up and lit the lamp, but n', 'the low whistle which had been the herald of her own death. i sprang up and lit the lamp, but nothin', 'ow whistle which had been the herald of her own death. i sprang up and lit the lamp, but nothing was', 'istle which had been the herald of her own death. i sprang up and lit the lamp, but nothing was to b', ' which had been the herald of her own death. i sprang up and lit the lamp, but nothing was to be see', 'h had been the herald of her own death. i sprang up and lit the lamp, but nothing was to be seen in ', ' been the herald of her own death. i sprang up and lit the lamp, but nothing was to be seen in the r', ' the herald of her own death. i sprang up and lit the lamp, but nothing was to be seen in the room. ', 'herald of her own death. i sprang up and lit the lamp, but nothing was to be seen in the room. i was', 'd of her own death. i sprang up and lit the lamp, but nothing was to be seen in the room. i was too ', 'her own death. i sprang up and lit the lamp, but nothing was to be seen in the room. i was too shake', 'wn death. i sprang up and lit the lamp, but nothing was to be seen in the room. i was too shaken to ', 'ath. i sprang up and lit the lamp, but nothing was to be seen in the room. i was too shaken to go to', 'i sprang up and lit the lamp, but nothing was to be seen in the room. i was too shaken to go to bed ', 'ang up and lit the lamp, but nothing was to be seen in the room. i was too shaken to go to bed again', 'p and lit the lamp, but nothing was to be seen in the room. i was too shaken to go to bed again, how', ' lit the lamp, but nothing was to be seen in the room. i was too shaken to go to bed again, however,', 'the lamp, but nothing was to be seen in the room. i was too shaken to go to bed again, however, so i', 'amp, but nothing was to be seen in the room. i was too shaken to go to bed again, however, so i dres', 'but nothing was to be seen in the room. i was too shaken to go to bed again, however, so i dressed, ', 'othing was to be seen in the room. i was too shaken to go to bed again, however, so i dressed, and a', 'g was to be seen in the room. i was too shaken to go to bed again, however, so i dressed, and as soo', ' to be seen in the room. i was too shaken to go to bed again, however, so i dressed, and as soon as ', 'e seen in the room. i was too shaken to go to bed again, however, so i dressed, and as soon as it wa', 'n in the room. i was too shaken to go to bed again, however, so i dressed, and as soon as it was day', 'the room. i was too shaken to go to bed again, however, so i dressed, and as soon as it was daylight', 'oom. i was too shaken to go to bed again, however, so i dressed, and as soon as it was daylight i sl', 'i was too shaken to go to bed again, however, so i dressed, and as soon as it was daylight i slipped', ' too shaken to go to bed again, however, so i dressed, and as soon as it was daylight i slipped down', 'shaken to go to bed again, however, so i dressed, and as soon as it was daylight i slipped down, got', 'n to go to bed again, however, so i dressed, and as soon as it was daylight i slipped down, got a do', 'go to bed again, however, so i dressed, and as soon as it was daylight i slipped down, got a dog-car', ' bed again, however, so i dressed, and as soon as it was daylight i slipped down, got a dog-cart at ', 'again, however, so i dressed, and as soon as it was daylight i slipped down, got a dog-cart at the c', ', however, so i dressed, and as soon as it was daylight i slipped down, got a dog-cart at the crown ', 'ever, so i dressed, and as soon as it was daylight i slipped down, got a dog-cart at the crown inn, ', ' so i dressed, and as soon as it was daylight i slipped down, got a dog-cart at the crown inn, which', ' dressed, and as soon as it was daylight i slipped down, got a dog-cart at the crown inn, which is o', 'sed, and as soon as it was daylight i slipped down, got a dog-cart at the crown inn, which is opposi', 'and as soon as it was daylight i slipped down, got a dog-cart at the crown inn, which is opposite, a', 's soon as it was daylight i slipped down, got a dog-cart at the crown inn, which is opposite, and dr', 'n as it was daylight i slipped down, got a dog-cart at the crown inn, which is opposite, and drove t', 'it was daylight i slipped down, got a dog-cart at the crown inn, which is opposite, and drove to lea', 's daylight i slipped down, got a dog-cart at the crown inn, which is opposite, and drove to leatherh', 'light i slipped down, got a dog-cart at the crown inn, which is opposite, and drove to leatherhead, ', ' i slipped down, got a dog-cart at the crown inn, which is opposite, and drove to leatherhead, from ', 'ipped down, got a dog-cart at the crown inn, which is opposite, and drove to leatherhead, from whenc', ' down, got a dog-cart at the crown inn, which is opposite, and drove to leatherhead, from whence i h', ', got a dog-cart at the crown inn, which is opposite, and drove to leatherhead, from whence i have c', ' a dog-cart at the crown inn, which is opposite, and drove to leatherhead, from whence i have come o', 'g-cart at the crown inn, which is opposite, and drove to leatherhead, from whence i have come on thi', 't at the crown inn, which is opposite, and drove to leatherhead, from whence i have come on this mor', 'the crown inn, which is opposite, and drove to leatherhead, from whence i have come on this morning ', 'rown inn, which is opposite, and drove to leatherhead, from whence i have come on this morning with ', 'inn, which is opposite, and drove to leatherhead, from whence i have come on this morning with the o', 'which is opposite, and drove to leatherhead, from whence i have come on this morning with the one ob', ' is opposite, and drove to leatherhead, from whence i have come on this morning with the one object ', 'pposite, and drove to leatherhead, from whence i have come on this morning with the one object of se', 'te, and drove to leatherhead, from whence i have come on this morning with the one object of seeing ', 'nd drove to leatherhead, from whence i have come on this morning with the one object of seeing you a', 'ove to leatherhead, from whence i have come on this morning with the one object of seeing you and as', 'o leatherhead, from whence i have come on this morning with the one object of seeing you and asking ', 'therhead, from whence i have come on this morning with the one object of seeing you and asking your ', 'ead, from whence i have come on this morning with the one object of seeing you and asking your advic', 'from whence i have come on this morning with the one object of seeing you and asking your advice." "', 'whence i have come on this morning with the one object of seeing you and asking your advice." "you h', 'e i have come on this morning with the one object of seeing you and asking your advice." "you have d', 'ave come on this morning with the one object of seeing you and asking your advice." "you have done w', 'ome on this morning with the one object of seeing you and asking your advice." "you have done wisely', 'n this morning with the one object of seeing you and asking your advice." "you have done wisely," sa', 's morning with the one object of seeing you and asking your advice." "you have done wisely," said my', 'ning with the one object of seeing you and asking your advice." "you have done wisely," said my frie', 'with the one object of seeing you and asking your advice." "you have done wisely," said my friend. "', 'the one object of seeing you and asking your advice." "you have done wisely," said my friend. "but h', 'ne object of seeing you and asking your advice." "you have done wisely," said my friend. "but have y', 'ject of seeing you and asking your advice." "you have done wisely," said my friend. "but have you to', 'of seeing you and asking your advice." "you have done wisely," said my friend. "but have you told me', 'eing you and asking your advice." "you have done wisely," said my friend. "but have you told me all?', 'you and asking your advice." "you have done wisely," said my friend. "but have you told me all?" "ye', 'nd asking your advice." "you have done wisely," said my friend. "but have you told me all?" "yes, al', 'king your advice." "you have done wisely," said my friend. "but have you told me all?" "yes, all." "', 'your advice." "you have done wisely," said my friend. "but have you told me all?" "yes, all." "miss ', 'advice." "you have done wisely," said my friend. "but have you told me all?" "yes, all." "miss roylo', 'e." "you have done wisely," said my friend. "but have you told me all?" "yes, all." "miss roylott, y', 'you have done wisely," said my friend. "but have you told me all?" "yes, all." "miss roylott, you ha', 'ave done wisely," said my friend. "but have you told me all?" "yes, all." "miss roylott, you have no', 'one wisely," said my friend. "but have you told me all?" "yes, all." "miss roylott, you have not. yo', 'isely," said my friend. "but have you told me all?" "yes, all." "miss roylott, you have not. you are', '," said my friend. "but have you told me all?" "yes, all." "miss roylott, you have not. you are scre', 'id my friend. "but have you told me all?" "yes, all." "miss roylott, you have not. you are screening', ' friend. "but have you told me all?" "yes, all." "miss roylott, you have not. you are screening your', 'nd. "but have you told me all?" "yes, all." "miss roylott, you have not. you are screening your step', 'but have you told me all?" "yes, all." "miss roylott, you have not. you are screening your stepfathe', 'ave you told me all?" "yes, all." "miss roylott, you have not. you are screening your stepfather." "', 'ou told me all?" "yes, all." "miss roylott, you have not. you are screening your stepfather." "why, ', 'ld me all?" "yes, all." "miss roylott, you have not. you are screening your stepfather." "why, what ', ' all?" "yes, all." "miss roylott, you have not. you are screening your stepfather." "why, what do yo', '" "yes, all." "miss roylott, you have not. you are screening your stepfather." "why, what do you mea', 's, all." "miss roylott, you have not. you are screening your stepfather." "why, what do you mean?" f', 'l." "miss roylott, you have not. you are screening your stepfather." "why, what do you mean?" for an', 'miss roylott, you have not. you are screening your stepfather." "why, what do you mean?" for answer ', 'roylott, you have not. you are screening your stepfather." "why, what do you mean?" for answer holme', 'tt, you have not. you are screening your stepfather." "why, what do you mean?" for answer holmes pus', 'ou have not. you are screening your stepfather." "why, what do you mean?" for answer holmes pushed b', 've not. you are screening your stepfather." "why, what do you mean?" for answer holmes pushed back t', 't. you are screening your stepfather." "why, what do you mean?" for answer holmes pushed back the fr', 'u are screening your stepfather." "why, what do you mean?" for answer holmes pushed back the frill o', ' screening your stepfather." "why, what do you mean?" for answer holmes pushed back the frill of bla', 'ening your stepfather." "why, what do you mean?" for answer holmes pushed back the frill of black la', ' your stepfather." "why, what do you mean?" for answer holmes pushed back the frill of black lace wh', ' stepfather." "why, what do you mean?" for answer holmes pushed back the frill of black lace which f', 'father." "why, what do you mean?" for answer holmes pushed back the frill of black lace which fringe', 'r." "why, what do you mean?" for answer holmes pushed back the frill of black lace which fringed the', 'why, what do you mean?" for answer holmes pushed back the frill of black lace which fringed the hand', 'what do you mean?" for answer holmes pushed back the frill of black lace which fringed the hand that', 'do you mean?" for answer holmes pushed back the frill of black lace which fringed the hand that lay ', 'u mean?" for answer holmes pushed back the frill of black lace which fringed the hand that lay upon ', 'n?" for answer holmes pushed back the frill of black lace which fringed the hand that lay upon our v', 'or answer holmes pushed back the frill of black lace which fringed the hand that lay upon our visito', "swer holmes pushed back the frill of black lace which fringed the hand that lay upon our visitor's k", "holmes pushed back the frill of black lace which fringed the hand that lay upon our visitor's knee. ", "s pushed back the frill of black lace which fringed the hand that lay upon our visitor's knee. five ", "hed back the frill of black lace which fringed the hand that lay upon our visitor's knee. five littl", "ack the frill of black lace which fringed the hand that lay upon our visitor's knee. five little liv", "he frill of black lace which fringed the hand that lay upon our visitor's knee. five little livid sp", "ill of black lace which fringed the hand that lay upon our visitor's knee. five little livid spots, ", "f black lace which fringed the hand that lay upon our visitor's knee. five little livid spots, the m", "ck lace which fringed the hand that lay upon our visitor's knee. five little livid spots, the marks ", "ce which fringed the hand that lay upon our visitor's knee. five little livid spots, the marks of fo", "ich fringed the hand that lay upon our visitor's knee. five little livid spots, the marks of four fi", "ringed the hand that lay upon our visitor's knee. five little livid spots, the marks of four fingers", "d the hand that lay upon our visitor's knee. five little livid spots, the marks of four fingers and ", " hand that lay upon our visitor's knee. five little livid spots, the marks of four fingers and a thu", " that lay upon our visitor's knee. five little livid spots, the marks of four fingers and a thumb, w", " lay upon our visitor's knee. five little livid spots, the marks of four fingers and a thumb, were p", "upon our visitor's knee. five little livid spots, the marks of four fingers and a thumb, were printe", "our visitor's knee. five little livid spots, the marks of four fingers and a thumb, were printed upo", "isitor's knee. five little livid spots, the marks of four fingers and a thumb, were printed upon the", "r's knee. five little livid spots, the marks of four fingers and a thumb, were printed upon the whit", 'nee. five little livid spots, the marks of four fingers and a thumb, were printed upon the white wri', 'five little livid spots, the marks of four fingers and a thumb, were printed upon the white wrist. "', 'little livid spots, the marks of four fingers and a thumb, were printed upon the white wrist. "you h', 'e livid spots, the marks of four fingers and a thumb, were printed upon the white wrist. "you have b', 'id spots, the marks of four fingers and a thumb, were printed upon the white wrist. "you have been c', 'ots, the marks of four fingers and a thumb, were printed upon the white wrist. "you have been cruell', 'the marks of four fingers and a thumb, were printed upon the white wrist. "you have been cruelly use', 'arks of four fingers and a thumb, were printed upon the white wrist. "you have been cruelly used," s', 'of four fingers and a thumb, were printed upon the white wrist. "you have been cruelly used," said h', 'ur fingers and a thumb, were printed upon the white wrist. "you have been cruelly used," said holmes', 'ngers and a thumb, were printed upon the white wrist. "you have been cruelly used," said holmes. the', ' and a thumb, were printed upon the white wrist. "you have been cruelly used," said holmes. the lady', 'a thumb, were printed upon the white wrist. "you have been cruelly used," said holmes. the lady colo', 'mb, were printed upon the white wrist. "you have been cruelly used," said holmes. the lady coloured ', 'ere printed upon the white wrist. "you have been cruelly used," said holmes. the lady coloured deepl', 'rinted upon the white wrist. "you have been cruelly used," said holmes. the lady coloured deeply and', 'd upon the white wrist. "you have been cruelly used," said holmes. the lady coloured deeply and cove', 'n the white wrist. "you have been cruelly used," said holmes. the lady coloured deeply and covered o', ' white wrist. "you have been cruelly used," said holmes. the lady coloured deeply and covered over h', 'e wrist. "you have been cruelly used," said holmes. the lady coloured deeply and covered over her in', 'st. "you have been cruelly used," said holmes. the lady coloured deeply and covered over her injured', 'you have been cruelly used," said holmes. the lady coloured deeply and covered over her injured wris', 'ave been cruelly used," said holmes. the lady coloured deeply and covered over her injured wrist. "h', 'een cruelly used," said holmes. the lady coloured deeply and covered over her injured wrist. "he is ', 'ruelly used," said holmes. the lady coloured deeply and covered over her injured wrist. "he is a har', 'y used," said holmes. the lady coloured deeply and covered over her injured wrist. "he is a hard man', 'd," said holmes. the lady coloured deeply and covered over her injured wrist. "he is a hard man," sh', 'aid holmes. the lady coloured deeply and covered over her injured wrist. "he is a hard man," she sai', 'olmes. the lady coloured deeply and covered over her injured wrist. "he is a hard man," she said, "a', '. the lady coloured deeply and covered over her injured wrist. "he is a hard man," she said, "and pe', ' lady coloured deeply and covered over her injured wrist. "he is a hard man," she said, "and perhaps', ' coloured deeply and covered over her injured wrist. "he is a hard man," she said, "and perhaps he h', 'ured deeply and covered over her injured wrist. "he is a hard man," she said, "and perhaps he hardly', 'deeply and covered over her injured wrist. "he is a hard man," she said, "and perhaps he hardly know', 'y and covered over her injured wrist. "he is a hard man," she said, "and perhaps he hardly knows his', ' covered over her injured wrist. "he is a hard man," she said, "and perhaps he hardly knows his own ', 'red over her injured wrist. "he is a hard man," she said, "and perhaps he hardly knows his own stren', 'ver her injured wrist. "he is a hard man," she said, "and perhaps he hardly knows his own strength."', 'er injured wrist. "he is a hard man," she said, "and perhaps he hardly knows his own strength." ther', 'jured wrist. "he is a hard man," she said, "and perhaps he hardly knows his own strength." there was', ' wrist. "he is a hard man," she said, "and perhaps he hardly knows his own strength." there was a lo', 't. "he is a hard man," she said, "and perhaps he hardly knows his own strength." there was a long si', 'e is a hard man," she said, "and perhaps he hardly knows his own strength." there was a long silence', 'a hard man," she said, "and perhaps he hardly knows his own strength." there was a long silence, dur', 'd man," she said, "and perhaps he hardly knows his own strength." there was a long silence, during w', '," she said, "and perhaps he hardly knows his own strength." there was a long silence, during which ', 'e said, "and perhaps he hardly knows his own strength." there was a long silence, during which holme', 'd, "and perhaps he hardly knows his own strength." there was a long silence, during which holmes lea', 'nd perhaps he hardly knows his own strength." there was a long silence, during which holmes leaned h', 'rhaps he hardly knows his own strength." there was a long silence, during which holmes leaned his ch', ' he hardly knows his own strength." there was a long silence, during which holmes leaned his chin up', 'ardly knows his own strength." there was a long silence, during which holmes leaned his chin upon hi', ' knows his own strength." there was a long silence, during which holmes leaned his chin upon his han', 's his own strength." there was a long silence, during which holmes leaned his chin upon his hands an', ' own strength." there was a long silence, during which holmes leaned his chin upon his hands and sta', 'strength." there was a long silence, during which holmes leaned his chin upon his hands and stared i', 'gth." there was a long silence, during which holmes leaned his chin upon his hands and stared into t', ' there was a long silence, during which holmes leaned his chin upon his hands and stared into the cr', 'e was a long silence, during which holmes leaned his chin upon his hands and stared into the crackli', ' a long silence, during which holmes leaned his chin upon his hands and stared into the crackling fi', 'ng silence, during which holmes leaned his chin upon his hands and stared into the crackling fire. "', 'lence, during which holmes leaned his chin upon his hands and stared into the crackling fire. "this ', ', during which holmes leaned his chin upon his hands and stared into the crackling fire. "this is a ', 'ing which holmes leaned his chin upon his hands and stared into the crackling fire. "this is a very ', 'hich holmes leaned his chin upon his hands and stared into the crackling fire. "this is a very deep ', 'holmes leaned his chin upon his hands and stared into the crackling fire. "this is a very deep busin', 's leaned his chin upon his hands and stared into the crackling fire. "this is a very deep business,"', 'ned his chin upon his hands and stared into the crackling fire. "this is a very deep business," he s', 'is chin upon his hands and stared into the crackling fire. "this is a very deep business," he said a', 'in upon his hands and stared into the crackling fire. "this is a very deep business," he said at las', 'on his hands and stared into the crackling fire. "this is a very deep business," he said at last. "t', 's hands and stared into the crackling fire. "this is a very deep business," he said at last. "there ', 'ds and stared into the crackling fire. "this is a very deep business," he said at last. "there are a', 'd stared into the crackling fire. "this is a very deep business," he said at last. "there are a thou', 'red into the crackling fire. "this is a very deep business," he said at last. "there are a thousand ', 'nto the crackling fire. "this is a very deep business," he said at last. "there are a thousand detai', 'he crackling fire. "this is a very deep business," he said at last. "there are a thousand details wh', 'ackling fire. "this is a very deep business," he said at last. "there are a thousand details which i', 'ng fire. "this is a very deep business," he said at last. "there are a thousand details which i shou', 're. "this is a very deep business," he said at last. "there are a thousand details which i should de', 'this is a very deep business," he said at last. "there are a thousand details which i should desire ', 'is a very deep business," he said at last. "there are a thousand details which i should desire to kn', 'very deep business," he said at last. "there are a thousand details which i should desire to know be', 'deep business," he said at last. "there are a thousand details which i should desire to know before ', 'business," he said at last. "there are a thousand details which i should desire to know before i dec', 'ess," he said at last. "there are a thousand details which i should desire to know before i decide u', ' he said at last. "there are a thousand details which i should desire to know before i decide upon o', 'aid at last. "there are a thousand details which i should desire to know before i decide upon our co', 't last. "there are a thousand details which i should desire to know before i decide upon our course ', 't. "there are a thousand details which i should desire to know before i decide upon our course of ac', 'here are a thousand details which i should desire to know before i decide upon our course of action.', 'are a thousand details which i should desire to know before i decide upon our course of action. yet ', ' thousand details which i should desire to know before i decide upon our course of action. yet we ha', 'sand details which i should desire to know before i decide upon our course of action. yet we have no', 'details which i should desire to know before i decide upon our course of action. yet we have not a m', 'ls which i should desire to know before i decide upon our course of action. yet we have not a moment', 'ich i should desire to know before i decide upon our course of action. yet we have not a moment to l', ' should desire to know before i decide upon our course of action. yet we have not a moment to lose. ', 'ld desire to know before i decide upon our course of action. yet we have not a moment to lose. if we', 'sire to know before i decide upon our course of action. yet we have not a moment to lose. if we were', 'to know before i decide upon our course of action. yet we have not a moment to lose. if we were to c', 'ow before i decide upon our course of action. yet we have not a moment to lose. if we were to come t', 'fore i decide upon our course of action. yet we have not a moment to lose. if we were to come to sto', 'i decide upon our course of action. yet we have not a moment to lose. if we were to come to stoke mo', 'ide upon our course of action. yet we have not a moment to lose. if we were to come to stoke moran t', 'pon our course of action. yet we have not a moment to lose. if we were to come to stoke moran to-day', 'ur course of action. yet we have not a moment to lose. if we were to come to stoke moran to-day, wou', 'urse of action. yet we have not a moment to lose. if we were to come to stoke moran to-day, would it', 'of action. yet we have not a moment to lose. if we were to come to stoke moran to-day, would it be p', 'tion. yet we have not a moment to lose. if we were to come to stoke moran to-day, would it be possib', ' yet we have not a moment to lose. if we were to come to stoke moran to-day, would it be possible fo', 'we have not a moment to lose. if we were to come to stoke moran to-day, would it be possible for us ', 've not a moment to lose. if we were to come to stoke moran to-day, would it be possible for us to se', 't a moment to lose. if we were to come to stoke moran to-day, would it be possible for us to see ove', 'oment to lose. if we were to come to stoke moran to-day, would it be possible for us to see over the', ' to lose. if we were to come to stoke moran to-day, would it be possible for us to see over these ro', 'ose. if we were to come to stoke moran to-day, would it be possible for us to see over these rooms w', 'if we were to come to stoke moran to-day, would it be possible for us to see over these rooms withou', ' were to come to stoke moran to-day, would it be possible for us to see over these rooms without the', ' to come to stoke moran to-day, would it be possible for us to see over these rooms without the know', 'ome to stoke moran to-day, would it be possible for us to see over these rooms without the knowledge', 'o stoke moran to-day, would it be possible for us to see over these rooms without the knowledge of y', 'ke moran to-day, would it be possible for us to see over these rooms without the knowledge of your s', 'ran to-day, would it be possible for us to see over these rooms without the knowledge of your stepfa', 'o-day, would it be possible for us to see over these rooms without the knowledge of your stepfather?', ', would it be possible for us to see over these rooms without the knowledge of your stepfather?" "as', 'ld it be possible for us to see over these rooms without the knowledge of your stepfather?" "as it h', ' be possible for us to see over these rooms without the knowledge of your stepfather?" "as it happen', 'ossible for us to see over these rooms without the knowledge of your stepfather?" "as it happens, he', 'le for us to see over these rooms without the knowledge of your stepfather?" "as it happens, he spok', 'r us to see over these rooms without the knowledge of your stepfather?" "as it happens, he spoke of ', 'to see over these rooms without the knowledge of your stepfather?" "as it happens, he spoke of comin', 'e over these rooms without the knowledge of your stepfather?" "as it happens, he spoke of coming int', 'r these rooms without the knowledge of your stepfather?" "as it happens, he spoke of coming into tow', 'se rooms without the knowledge of your stepfather?" "as it happens, he spoke of coming into town to-', 'oms without the knowledge of your stepfather?" "as it happens, he spoke of coming into town to-day u', 'ithout the knowledge of your stepfather?" "as it happens, he spoke of coming into town to-day upon s', 't the knowledge of your stepfather?" "as it happens, he spoke of coming into town to-day upon some m', ' knowledge of your stepfather?" "as it happens, he spoke of coming into town to-day upon some most i', 'ledge of your stepfather?" "as it happens, he spoke of coming into town to-day upon some most import', ' of your stepfather?" "as it happens, he spoke of coming into town to-day upon some most important b', 'our stepfather?" "as it happens, he spoke of coming into town to-day upon some most important busine', 'tepfather?" "as it happens, he spoke of coming into town to-day upon some most important business. i', 'ther?" "as it happens, he spoke of coming into town to-day upon some most important business. it is ', '" "as it happens, he spoke of coming into town to-day upon some most important business. it is proba', ' it happens, he spoke of coming into town to-day upon some most important business. it is probable t', 'appens, he spoke of coming into town to-day upon some most important business. it is probable that h', 's, he spoke of coming into town to-day upon some most important business. it is probable that he wil', ' spoke of coming into town to-day upon some most important business. it is probable that he will be ', 'e of coming into town to-day upon some most important business. it is probable that he will be away ', 'coming into town to-day upon some most important business. it is probable that he will be away all d', 'g into town to-day upon some most important business. it is probable that he will be away all day, a', 'o town to-day upon some most important business. it is probable that he will be away all day, and th', 'n to-day upon some most important business. it is probable that he will be away all day, and that th', 'day upon some most important business. it is probable that he will be away all day, and that there w', 'pon some most important business. it is probable that he will be away all day, and that there would ', 'ome most important business. it is probable that he will be away all day, and that there would be no', 'ost important business. it is probable that he will be away all day, and that there would be nothing', 'mportant business. it is probable that he will be away all day, and that there would be nothing to d', 'ant business. it is probable that he will be away all day, and that there would be nothing to distur', 'usiness. it is probable that he will be away all day, and that there would be nothing to disturb you', 'ss. it is probable that he will be away all day, and that there would be nothing to disturb you. we ', 't is probable that he will be away all day, and that there would be nothing to disturb you. we have ', 'probable that he will be away all day, and that there would be nothing to disturb you. we have a hou', 'ble that he will be away all day, and that there would be nothing to disturb you. we have a housekee', 'hat he will be away all day, and that there would be nothing to disturb you. we have a housekeeper n', 'e will be away all day, and that there would be nothing to disturb you. we have a housekeeper now, b', 'l be away all day, and that there would be nothing to disturb you. we have a housekeeper now, but sh', 'away all day, and that there would be nothing to disturb you. we have a housekeeper now, but she is ', 'all day, and that there would be nothing to disturb you. we have a housekeeper now, but she is old a', 'ay, and that there would be nothing to disturb you. we have a housekeeper now, but she is old and fo', 'nd that there would be nothing to disturb you. we have a housekeeper now, but she is old and foolish', 'at there would be nothing to disturb you. we have a housekeeper now, but she is old and foolish, and', 'ere would be nothing to disturb you. we have a housekeeper now, but she is old and foolish, and i co', 'ould be nothing to disturb you. we have a housekeeper now, but she is old and foolish, and i could e', 'be nothing to disturb you. we have a housekeeper now, but she is old and foolish, and i could easily', 'thing to disturb you. we have a housekeeper now, but she is old and foolish, and i could easily get ', ' to disturb you. we have a housekeeper now, but she is old and foolish, and i could easily get her o', 'isturb you. we have a housekeeper now, but she is old and foolish, and i could easily get her out of', 'b you. we have a housekeeper now, but she is old and foolish, and i could easily get her out of the ', '. we have a housekeeper now, but she is old and foolish, and i could easily get her out of the way."', 'have a housekeeper now, but she is old and foolish, and i could easily get her out of the way." "exc', 'a housekeeper now, but she is old and foolish, and i could easily get her out of the way." "excellen', 'sekeeper now, but she is old and foolish, and i could easily get her out of the way." "excellent. yo', 'per now, but she is old and foolish, and i could easily get her out of the way." "excellent. you are', 'ow, but she is old and foolish, and i could easily get her out of the way." "excellent. you are not ', 'ut she is old and foolish, and i could easily get her out of the way." "excellent. you are not avers', 'e is old and foolish, and i could easily get her out of the way." "excellent. you are not averse to ', 'old and foolish, and i could easily get her out of the way." "excellent. you are not averse to this ', 'nd foolish, and i could easily get her out of the way." "excellent. you are not averse to this trip,', 'olish, and i could easily get her out of the way." "excellent. you are not averse to this trip, wats', ', and i could easily get her out of the way." "excellent. you are not averse to this trip, watson?" ', ' i could easily get her out of the way." "excellent. you are not averse to this trip, watson?" "by n', 'uld easily get her out of the way." "excellent. you are not averse to this trip, watson?" "by no mea', 'asily get her out of the way." "excellent. you are not averse to this trip, watson?" "by no means." ', ' get her out of the way." "excellent. you are not averse to this trip, watson?" "by no means." "then', 'her out of the way." "excellent. you are not averse to this trip, watson?" "by no means." "then we s', 'ut of the way." "excellent. you are not averse to this trip, watson?" "by no means." "then we shall ', ' the way." "excellent. you are not averse to this trip, watson?" "by no means." "then we shall both ', 'way." "excellent. you are not averse to this trip, watson?" "by no means." "then we shall both come.', ' "excellent. you are not averse to this trip, watson?" "by no means." "then we shall both come. what', 'ellent. you are not averse to this trip, watson?" "by no means." "then we shall both come. what are ', 't. you are not averse to this trip, watson?" "by no means." "then we shall both come. what are you g', 'u are not averse to this trip, watson?" "by no means." "then we shall both come. what are you going ', ' not averse to this trip, watson?" "by no means." "then we shall both come. what are you going to do', 'averse to this trip, watson?" "by no means." "then we shall both come. what are you going to do your', 'e to this trip, watson?" "by no means." "then we shall both come. what are you going to do yourself?', 'this trip, watson?" "by no means." "then we shall both come. what are you going to do yourself?" "i ', 'trip, watson?" "by no means." "then we shall both come. what are you going to do yourself?" "i have ', ' watson?" "by no means." "then we shall both come. what are you going to do yourself?" "i have one o', 'on?" "by no means." "then we shall both come. what are you going to do yourself?" "i have one or two', '"by no means." "then we shall both come. what are you going to do yourself?" "i have one or two thin', 'o means." "then we shall both come. what are you going to do yourself?" "i have one or two things wh', 'ns." "then we shall both come. what are you going to do yourself?" "i have one or two things which i', '"then we shall both come. what are you going to do yourself?" "i have one or two things which i woul', ' we shall both come. what are you going to do yourself?" "i have one or two things which i would wis', 'hall both come. what are you going to do yourself?" "i have one or two things which i would wish to ', 'both come. what are you going to do yourself?" "i have one or two things which i would wish to do no', 'come. what are you going to do yourself?" "i have one or two things which i would wish to do now tha', ' what are you going to do yourself?" "i have one or two things which i would wish to do now that i a', ' are you going to do yourself?" "i have one or two things which i would wish to do now that i am in ', 'you going to do yourself?" "i have one or two things which i would wish to do now that i am in town.', 'oing to do yourself?" "i have one or two things which i would wish to do now that i am in town. but ', 'to do yourself?" "i have one or two things which i would wish to do now that i am in town. but i sha', ' yourself?" "i have one or two things which i would wish to do now that i am in town. but i shall re', 'self?" "i have one or two things which i would wish to do now that i am in town. but i shall return ', '" "i have one or two things which i would wish to do now that i am in town. but i shall return by th', 'have one or two things which i would wish to do now that i am in town. but i shall return by the twe', 'one or two things which i would wish to do now that i am in town. but i shall return by the twelve o', "r two things which i would wish to do now that i am in town. but i shall return by the twelve o'cloc", " things which i would wish to do now that i am in town. but i shall return by the twelve o'clock tra", "gs which i would wish to do now that i am in town. but i shall return by the twelve o'clock train, s", "ich i would wish to do now that i am in town. but i shall return by the twelve o'clock train, so as ", " would wish to do now that i am in town. but i shall return by the twelve o'clock train, so as to be", "d wish to do now that i am in town. but i shall return by the twelve o'clock train, so as to be ther", "h to do now that i am in town. but i shall return by the twelve o'clock train, so as to be there in ", "do now that i am in town. but i shall return by the twelve o'clock train, so as to be there in time ", "w that i am in town. but i shall return by the twelve o'clock train, so as to be there in time for y", "t i am in town. but i shall return by the twelve o'clock train, so as to be there in time for your c", "m in town. but i shall return by the twelve o'clock train, so as to be there in time for your coming", 'town. but i shall return by the twelve o\'clock train, so as to be there in time for your coming." "a', ' but i shall return by the twelve o\'clock train, so as to be there in time for your coming." "and yo', 'i shall return by the twelve o\'clock train, so as to be there in time for your coming." "and you may', 'll return by the twelve o\'clock train, so as to be there in time for your coming." "and you may expe', 'turn by the twelve o\'clock train, so as to be there in time for your coming." "and you may expect us', 'by the twelve o\'clock train, so as to be there in time for your coming." "and you may expect us earl', 'e twelve o\'clock train, so as to be there in time for your coming." "and you may expect us early in ', 'lve o\'clock train, so as to be there in time for your coming." "and you may expect us early in the a', '\'clock train, so as to be there in time for your coming." "and you may expect us early in the aftern', 'k train, so as to be there in time for your coming." "and you may expect us early in the afternoon. ', 'in, so as to be there in time for your coming." "and you may expect us early in the afternoon. i hav', 'o as to be there in time for your coming." "and you may expect us early in the afternoon. i have mys', 'to be there in time for your coming." "and you may expect us early in the afternoon. i have myself s', ' there in time for your coming." "and you may expect us early in the afternoon. i have myself some s', 'e in time for your coming." "and you may expect us early in the afternoon. i have myself some small ', 'time for your coming." "and you may expect us early in the afternoon. i have myself some small busin', 'for your coming." "and you may expect us early in the afternoon. i have myself some small business m', 'our coming." "and you may expect us early in the afternoon. i have myself some small business matter', 'oming." "and you may expect us early in the afternoon. i have myself some small business matters to ', '." "and you may expect us early in the afternoon. i have myself some small business matters to atten', 'nd you may expect us early in the afternoon. i have myself some small business matters to attend to.', 'u may expect us early in the afternoon. i have myself some small business matters to attend to. will', ' expect us early in the afternoon. i have myself some small business matters to attend to. will you ', 'ct us early in the afternoon. i have myself some small business matters to attend to. will you not w', ' early in the afternoon. i have myself some small business matters to attend to. will you not wait a', 'y in the afternoon. i have myself some small business matters to attend to. will you not wait and br', 'the afternoon. i have myself some small business matters to attend to. will you not wait and breakfa', 'fternoon. i have myself some small business matters to attend to. will you not wait and breakfast?" ', 'oon. i have myself some small business matters to attend to. will you not wait and breakfast?" "no, ', 'i have myself some small business matters to attend to. will you not wait and breakfast?" "no, i mus', 'e myself some small business matters to attend to. will you not wait and breakfast?" "no, i must go.', 'elf some small business matters to attend to. will you not wait and breakfast?" "no, i must go. my h', 'ome small business matters to attend to. will you not wait and breakfast?" "no, i must go. my heart ', 'mall business matters to attend to. will you not wait and breakfast?" "no, i must go. my heart is li', 'business matters to attend to. will you not wait and breakfast?" "no, i must go. my heart is lighten', 'ess matters to attend to. will you not wait and breakfast?" "no, i must go. my heart is lightened al', 'atters to attend to. will you not wait and breakfast?" "no, i must go. my heart is lightened already', 's to attend to. will you not wait and breakfast?" "no, i must go. my heart is lightened already sinc', 'attend to. will you not wait and breakfast?" "no, i must go. my heart is lightened already since i h', 'd to. will you not wait and breakfast?" "no, i must go. my heart is lightened already since i have c', ' will you not wait and breakfast?" "no, i must go. my heart is lightened already since i have confid', ' you not wait and breakfast?" "no, i must go. my heart is lightened already since i have confided my', 'not wait and breakfast?" "no, i must go. my heart is lightened already since i have confided my trou', 'ait and breakfast?" "no, i must go. my heart is lightened already since i have confided my trouble t', 'nd breakfast?" "no, i must go. my heart is lightened already since i have confided my trouble to you', 'eakfast?" "no, i must go. my heart is lightened already since i have confided my trouble to you. i s', 'st?" "no, i must go. my heart is lightened already since i have confided my trouble to you. i shall ', '"no, i must go. my heart is lightened already since i have confided my trouble to you. i shall look ', 'i must go. my heart is lightened already since i have confided my trouble to you. i shall look forwa', 't go. my heart is lightened already since i have confided my trouble to you. i shall look forward to', ' my heart is lightened already since i have confided my trouble to you. i shall look forward to seei', 'eart is lightened already since i have confided my trouble to you. i shall look forward to seeing yo', 'is lightened already since i have confided my trouble to you. i shall look forward to seeing you aga', 'ghtened already since i have confided my trouble to you. i shall look forward to seeing you again th', 'ed already since i have confided my trouble to you. i shall look forward to seeing you again this af', 'ready since i have confided my trouble to you. i shall look forward to seeing you again this afterno', ' since i have confided my trouble to you. i shall look forward to seeing you again this afternoon." ', 'e i have confided my trouble to you. i shall look forward to seeing you again this afternoon." she d', 'ave confided my trouble to you. i shall look forward to seeing you again this afternoon." she droppe', 'onfided my trouble to you. i shall look forward to seeing you again this afternoon." she dropped her', 'ed my trouble to you. i shall look forward to seeing you again this afternoon." she dropped her thic', ' trouble to you. i shall look forward to seeing you again this afternoon." she dropped her thick bla', 'ble to you. i shall look forward to seeing you again this afternoon." she dropped her thick black ve', 'o you. i shall look forward to seeing you again this afternoon." she dropped her thick black veil ov', '. i shall look forward to seeing you again this afternoon." she dropped her thick black veil over he', 'hall look forward to seeing you again this afternoon." she dropped her thick black veil over her fac', 'look forward to seeing you again this afternoon." she dropped her thick black veil over her face and', 'forward to seeing you again this afternoon." she dropped her thick black veil over her face and glid', 'rd to seeing you again this afternoon." she dropped her thick black veil over her face and glided fr', ' seeing you again this afternoon." she dropped her thick black veil over her face and glided from th', 'ng you again this afternoon." she dropped her thick black veil over her face and glided from the roo', 'u again this afternoon." she dropped her thick black veil over her face and glided from the room. "a', 'in this afternoon." she dropped her thick black veil over her face and glided from the room. "and wh', 'is afternoon." she dropped her thick black veil over her face and glided from the room. "and what do', 'ternoon." she dropped her thick black veil over her face and glided from the room. "and what do you ', 'on." she dropped her thick black veil over her face and glided from the room. "and what do you think', 'she dropped her thick black veil over her face and glided from the room. "and what do you think of i', 'ropped her thick black veil over her face and glided from the room. "and what do you think of it all', 'd her thick black veil over her face and glided from the room. "and what do you think of it all, wat', ' thick black veil over her face and glided from the room. "and what do you think of it all, watson?"', 'k black veil over her face and glided from the room. "and what do you think of it all, watson?" aske', 'ck veil over her face and glided from the room. "and what do you think of it all, watson?" asked she', 'il over her face and glided from the room. "and what do you think of it all, watson?" asked sherlock', 'er her face and glided from the room. "and what do you think of it all, watson?" asked sherlock holm', 'r face and glided from the room. "and what do you think of it all, watson?" asked sherlock holmes, l', 'e and glided from the room. "and what do you think of it all, watson?" asked sherlock holmes, leanin', ' glided from the room. "and what do you think of it all, watson?" asked sherlock holmes, leaning bac', 'ed from the room. "and what do you think of it all, watson?" asked sherlock holmes, leaning back in ', 'om the room. "and what do you think of it all, watson?" asked sherlock holmes, leaning back in his c', 'e room. "and what do you think of it all, watson?" asked sherlock holmes, leaning back in his chair.', 'm. "and what do you think of it all, watson?" asked sherlock holmes, leaning back in his chair. "it ', 'nd what do you think of it all, watson?" asked sherlock holmes, leaning back in his chair. "it seems', 'at do you think of it all, watson?" asked sherlock holmes, leaning back in his chair. "it seems to m', ' you think of it all, watson?" asked sherlock holmes, leaning back in his chair. "it seems to me to ', 'think of it all, watson?" asked sherlock holmes, leaning back in his chair. "it seems to me to be a ', ' of it all, watson?" asked sherlock holmes, leaning back in his chair. "it seems to me to be a most ', 't all, watson?" asked sherlock holmes, leaning back in his chair. "it seems to me to be a most dark ', ', watson?" asked sherlock holmes, leaning back in his chair. "it seems to me to be a most dark and s', 'son?" asked sherlock holmes, leaning back in his chair. "it seems to me to be a most dark and sinist', ' asked sherlock holmes, leaning back in his chair. "it seems to me to be a most dark and sinister bu', 'd sherlock holmes, leaning back in his chair. "it seems to me to be a most dark and sinister busines', 'rlock holmes, leaning back in his chair. "it seems to me to be a most dark and sinister business." "', ' holmes, leaning back in his chair. "it seems to me to be a most dark and sinister business." "dark ', 'es, leaning back in his chair. "it seems to me to be a most dark and sinister business." "dark enoug', 'eaning back in his chair. "it seems to me to be a most dark and sinister business." "dark enough and', 'g back in his chair. "it seems to me to be a most dark and sinister business." "dark enough and sini', 'k in his chair. "it seems to me to be a most dark and sinister business." "dark enough and sinister ', 'his chair. "it seems to me to be a most dark and sinister business." "dark enough and sinister enoug', 'hair. "it seems to me to be a most dark and sinister business." "dark enough and sinister enough." "', ' "it seems to me to be a most dark and sinister business." "dark enough and sinister enough." "yet i', 'seems to me to be a most dark and sinister business." "dark enough and sinister enough." "yet if the', ' to me to be a most dark and sinister business." "dark enough and sinister enough." "yet if the lady', 'e to be a most dark and sinister business." "dark enough and sinister enough." "yet if the lady is c', 'be a most dark and sinister business." "dark enough and sinister enough." "yet if the lady is correc', 'most dark and sinister business." "dark enough and sinister enough." "yet if the lady is correct in ', 'dark and sinister business." "dark enough and sinister enough." "yet if the lady is correct in sayin', 'and sinister business." "dark enough and sinister enough." "yet if the lady is correct in saying tha', 'inister business." "dark enough and sinister enough." "yet if the lady is correct in saying that the', 'er business." "dark enough and sinister enough." "yet if the lady is correct in saying that the floo', 'siness." "dark enough and sinister enough." "yet if the lady is correct in saying that the flooring ', 's." "dark enough and sinister enough." "yet if the lady is correct in saying that the flooring and w', 'dark enough and sinister enough." "yet if the lady is correct in saying that the flooring and walls ', 'enough and sinister enough." "yet if the lady is correct in saying that the flooring and walls are s', 'h and sinister enough." "yet if the lady is correct in saying that the flooring and walls are sound,', ' sinister enough." "yet if the lady is correct in saying that the flooring and walls are sound, and ', 'ster enough." "yet if the lady is correct in saying that the flooring and walls are sound, and that ', 'enough." "yet if the lady is correct in saying that the flooring and walls are sound, and that the d', 'h." "yet if the lady is correct in saying that the flooring and walls are sound, and that the door, ', 'yet if the lady is correct in saying that the flooring and walls are sound, and that the door, windo', 'f the lady is correct in saying that the flooring and walls are sound, and that the door, window, an', ' lady is correct in saying that the flooring and walls are sound, and that the door, window, and chi', ' is correct in saying that the flooring and walls are sound, and that the door, window, and chimney ', 'orrect in saying that the flooring and walls are sound, and that the door, window, and chimney are i', 't in saying that the flooring and walls are sound, and that the door, window, and chimney are impass', 'saying that the flooring and walls are sound, and that the door, window, and chimney are impassable,', 'g that the flooring and walls are sound, and that the door, window, and chimney are impassable, then', 't the flooring and walls are sound, and that the door, window, and chimney are impassable, then her ', ' flooring and walls are sound, and that the door, window, and chimney are impassable, then her siste', 'ring and walls are sound, and that the door, window, and chimney are impassable, then her sister mus', 'and walls are sound, and that the door, window, and chimney are impassable, then her sister must hav', 'alls are sound, and that the door, window, and chimney are impassable, then her sister must have bee', 'are sound, and that the door, window, and chimney are impassable, then her sister must have been und', 'ound, and that the door, window, and chimney are impassable, then her sister must have been undoubte', ' and that the door, window, and chimney are impassable, then her sister must have been undoubtedly a', 'that the door, window, and chimney are impassable, then her sister must have been undoubtedly alone ', 'the door, window, and chimney are impassable, then her sister must have been undoubtedly alone when ', 'oor, window, and chimney are impassable, then her sister must have been undoubtedly alone when she m', 'window, and chimney are impassable, then her sister must have been undoubtedly alone when she met he', 'w, and chimney are impassable, then her sister must have been undoubtedly alone when she met her mys', 'd chimney are impassable, then her sister must have been undoubtedly alone when she met her mysterio', 'mney are impassable, then her sister must have been undoubtedly alone when she met her mysterious en', 'are impassable, then her sister must have been undoubtedly alone when she met her mysterious end." "', 'mpassable, then her sister must have been undoubtedly alone when she met her mysterious end." "what ', 'able, then her sister must have been undoubtedly alone when she met her mysterious end." "what becom', ' then her sister must have been undoubtedly alone when she met her mysterious end." "what becomes, t', ' her sister must have been undoubtedly alone when she met her mysterious end." "what becomes, then, ', 'sister must have been undoubtedly alone when she met her mysterious end." "what becomes, then, of th', 'r must have been undoubtedly alone when she met her mysterious end." "what becomes, then, of these n', 't have been undoubtedly alone when she met her mysterious end." "what becomes, then, of these noctur', 'e been undoubtedly alone when she met her mysterious end." "what becomes, then, of these nocturnal w', 'n undoubtedly alone when she met her mysterious end." "what becomes, then, of these nocturnal whistl', 'oubtedly alone when she met her mysterious end." "what becomes, then, of these nocturnal whistles, a', 'dly alone when she met her mysterious end." "what becomes, then, of these nocturnal whistles, and wh', 'lone when she met her mysterious end." "what becomes, then, of these nocturnal whistles, and what of', 'when she met her mysterious end." "what becomes, then, of these nocturnal whistles, and what of the ', 'she met her mysterious end." "what becomes, then, of these nocturnal whistles, and what of the very ', 'et her mysterious end." "what becomes, then, of these nocturnal whistles, and what of the very pecul', 'r mysterious end." "what becomes, then, of these nocturnal whistles, and what of the very peculiar w', 'terious end." "what becomes, then, of these nocturnal whistles, and what of the very peculiar words ', 'us end." "what becomes, then, of these nocturnal whistles, and what of the very peculiar words of th', 'd." "what becomes, then, of these nocturnal whistles, and what of the very peculiar words of the dyi', 'what becomes, then, of these nocturnal whistles, and what of the very peculiar words of the dying wo', 'becomes, then, of these nocturnal whistles, and what of the very peculiar words of the dying woman?"', 'es, then, of these nocturnal whistles, and what of the very peculiar words of the dying woman?" "i c', 'hen, of these nocturnal whistles, and what of the very peculiar words of the dying woman?" "i cannot', 'of these nocturnal whistles, and what of the very peculiar words of the dying woman?" "i cannot thin', 'ese nocturnal whistles, and what of the very peculiar words of the dying woman?" "i cannot think." "', 'octurnal whistles, and what of the very peculiar words of the dying woman?" "i cannot think." "when ', 'nal whistles, and what of the very peculiar words of the dying woman?" "i cannot think." "when you c', 'histles, and what of the very peculiar words of the dying woman?" "i cannot think." "when you combin', 'es, and what of the very peculiar words of the dying woman?" "i cannot think." "when you combine the', 'nd what of the very peculiar words of the dying woman?" "i cannot think." "when you combine the idea', 'at of the very peculiar words of the dying woman?" "i cannot think." "when you combine the ideas of ', ' the very peculiar words of the dying woman?" "i cannot think." "when you combine the ideas of whist', 'very peculiar words of the dying woman?" "i cannot think." "when you combine the ideas of whistles a', 'peculiar words of the dying woman?" "i cannot think." "when you combine the ideas of whistles at nig', 'iar words of the dying woman?" "i cannot think." "when you combine the ideas of whistles at night, t', 'ords of the dying woman?" "i cannot think." "when you combine the ideas of whistles at night, the pr', 'of the dying woman?" "i cannot think." "when you combine the ideas of whistles at night, the presenc', 'e dying woman?" "i cannot think." "when you combine the ideas of whistles at night, the presence of ', 'ng woman?" "i cannot think." "when you combine the ideas of whistles at night, the presence of a ban', 'man?" "i cannot think." "when you combine the ideas of whistles at night, the presence of a band of ', ' "i cannot think." "when you combine the ideas of whistles at night, the presence of a band of gipsi', 'annot think." "when you combine the ideas of whistles at night, the presence of a band of gipsies wh', ' think." "when you combine the ideas of whistles at night, the presence of a band of gipsies who are', 'k." "when you combine the ideas of whistles at night, the presence of a band of gipsies who are on i', 'when you combine the ideas of whistles at night, the presence of a band of gipsies who are on intima', 'you combine the ideas of whistles at night, the presence of a band of gipsies who are on intimate te', 'ombine the ideas of whistles at night, the presence of a band of gipsies who are on intimate terms w', 'e the ideas of whistles at night, the presence of a band of gipsies who are on intimate terms with t', ' ideas of whistles at night, the presence of a band of gipsies who are on intimate terms with this o', 's of whistles at night, the presence of a band of gipsies who are on intimate terms with this old do', 'whistles at night, the presence of a band of gipsies who are on intimate terms with this old doctor,', 'les at night, the presence of a band of gipsies who are on intimate terms with this old doctor, the ', 't night, the presence of a band of gipsies who are on intimate terms with this old doctor, the fact ', 'ht, the presence of a band of gipsies who are on intimate terms with this old doctor, the fact that ', 'he presence of a band of gipsies who are on intimate terms with this old doctor, the fact that we ha', 'esence of a band of gipsies who are on intimate terms with this old doctor, the fact that we have ev', 'e of a band of gipsies who are on intimate terms with this old doctor, the fact that we have every r', 'a band of gipsies who are on intimate terms with this old doctor, the fact that we have every reason', 'd of gipsies who are on intimate terms with this old doctor, the fact that we have every reason to b', 'gipsies who are on intimate terms with this old doctor, the fact that we have every reason to believ', 'es who are on intimate terms with this old doctor, the fact that we have every reason to believe tha', 'o are on intimate terms with this old doctor, the fact that we have every reason to believe that the', ' on intimate terms with this old doctor, the fact that we have every reason to believe that the doct', 'ntimate terms with this old doctor, the fact that we have every reason to believe that the doctor ha', 'te terms with this old doctor, the fact that we have every reason to believe that the doctor has an ', 'rms with this old doctor, the fact that we have every reason to believe that the doctor has an inter', 'ith this old doctor, the fact that we have every reason to believe that the doctor has an interest i', 'his old doctor, the fact that we have every reason to believe that the doctor has an interest in pre', 'ld doctor, the fact that we have every reason to believe that the doctor has an interest in preventi', 'ctor, the fact that we have every reason to believe that the doctor has an interest in preventing hi', ' the fact that we have every reason to believe that the doctor has an interest in preventing his ste', 'fact that we have every reason to believe that the doctor has an interest in preventing his stepdaug', "that we have every reason to believe that the doctor has an interest in preventing his stepdaughter'", "we have every reason to believe that the doctor has an interest in preventing his stepdaughter's mar", "ve every reason to believe that the doctor has an interest in preventing his stepdaughter's marriage", "ery reason to believe that the doctor has an interest in preventing his stepdaughter's marriage, the", "eason to believe that the doctor has an interest in preventing his stepdaughter's marriage, the dyin", " to believe that the doctor has an interest in preventing his stepdaughter's marriage, the dying all", "elieve that the doctor has an interest in preventing his stepdaughter's marriage, the dying allusion", "e that the doctor has an interest in preventing his stepdaughter's marriage, the dying allusion to a", "t the doctor has an interest in preventing his stepdaughter's marriage, the dying allusion to a band", " doctor has an interest in preventing his stepdaughter's marriage, the dying allusion to a band, and", "or has an interest in preventing his stepdaughter's marriage, the dying allusion to a band, and, fin", "s an interest in preventing his stepdaughter's marriage, the dying allusion to a band, and, finally,", "interest in preventing his stepdaughter's marriage, the dying allusion to a band, and, finally, the ", "est in preventing his stepdaughter's marriage, the dying allusion to a band, and, finally, the fact ", "n preventing his stepdaughter's marriage, the dying allusion to a band, and, finally, the fact that ", "venting his stepdaughter's marriage, the dying allusion to a band, and, finally, the fact that miss ", "ng his stepdaughter's marriage, the dying allusion to a band, and, finally, the fact that miss helen", "s stepdaughter's marriage, the dying allusion to a band, and, finally, the fact that miss helen ston", "pdaughter's marriage, the dying allusion to a band, and, finally, the fact that miss helen stoner he", "hter's marriage, the dying allusion to a band, and, finally, the fact that miss helen stoner heard a", 's marriage, the dying allusion to a band, and, finally, the fact that miss helen stoner heard a meta', 'riage, the dying allusion to a band, and, finally, the fact that miss helen stoner heard a metallic ', ', the dying allusion to a band, and, finally, the fact that miss helen stoner heard a metallic clang', ' dying allusion to a band, and, finally, the fact that miss helen stoner heard a metallic clang, whi', 'g allusion to a band, and, finally, the fact that miss helen stoner heard a metallic clang, which mi', 'usion to a band, and, finally, the fact that miss helen stoner heard a metallic clang, which might h', ' to a band, and, finally, the fact that miss helen stoner heard a metallic clang, which might have b', ' band, and, finally, the fact that miss helen stoner heard a metallic clang, which might have been c', ', and, finally, the fact that miss helen stoner heard a metallic clang, which might have been caused', ', finally, the fact that miss helen stoner heard a metallic clang, which might have been caused by o', 'ally, the fact that miss helen stoner heard a metallic clang, which might have been caused by one of', ' the fact that miss helen stoner heard a metallic clang, which might have been caused by one of thos', 'fact that miss helen stoner heard a metallic clang, which might have been caused by one of those met', 'that miss helen stoner heard a metallic clang, which might have been caused by one of those metal ba', 'miss helen stoner heard a metallic clang, which might have been caused by one of those metal bars th', 'helen stoner heard a metallic clang, which might have been caused by one of those metal bars that se', ' stoner heard a metallic clang, which might have been caused by one of those metal bars that secured', 'er heard a metallic clang, which might have been caused by one of those metal bars that secured the ', 'ard a metallic clang, which might have been caused by one of those metal bars that secured the shutt', ' metallic clang, which might have been caused by one of those metal bars that secured the shutters f', 'llic clang, which might have been caused by one of those metal bars that secured the shutters fallin', 'clang, which might have been caused by one of those metal bars that secured the shutters falling bac', ', which might have been caused by one of those metal bars that secured the shutters falling back int', 'ch might have been caused by one of those metal bars that secured the shutters falling back into its', 'ght have been caused by one of those metal bars that secured the shutters falling back into its plac', 'ave been caused by one of those metal bars that secured the shutters falling back into its place, i ', 'een caused by one of those metal bars that secured the shutters falling back into its place, i think', 'aused by one of those metal bars that secured the shutters falling back into its place, i think that', ' by one of those metal bars that secured the shutters falling back into its place, i think that ther', 'ne of those metal bars that secured the shutters falling back into its place, i think that there is ', ' those metal bars that secured the shutters falling back into its place, i think that there is good ', 'e metal bars that secured the shutters falling back into its place, i think that there is good groun', 'al bars that secured the shutters falling back into its place, i think that there is good ground to ', 'rs that secured the shutters falling back into its place, i think that there is good ground to think', 'at secured the shutters falling back into its place, i think that there is good ground to think that', 'cured the shutters falling back into its place, i think that there is good ground to think that the ', ' the shutters falling back into its place, i think that there is good ground to think that the myste', 'shutters falling back into its place, i think that there is good ground to think that the mystery ma', 'ers falling back into its place, i think that there is good ground to think that the mystery may be ', 'alling back into its place, i think that there is good ground to think that the mystery may be clear', 'g back into its place, i think that there is good ground to think that the mystery may be cleared al', 'k into its place, i think that there is good ground to think that the mystery may be cleared along t', 'o its place, i think that there is good ground to think that the mystery may be cleared along those ', ' place, i think that there is good ground to think that the mystery may be cleared along those lines', 'e, i think that there is good ground to think that the mystery may be cleared along those lines." "b', 'think that there is good ground to think that the mystery may be cleared along those lines." "but wh', ' that there is good ground to think that the mystery may be cleared along those lines." "but what, t', ' there is good ground to think that the mystery may be cleared along those lines." "but what, then, ', 'e is good ground to think that the mystery may be cleared along those lines." "but what, then, did t', 'good ground to think that the mystery may be cleared along those lines." "but what, then, did the gi', 'ground to think that the mystery may be cleared along those lines." "but what, then, did the gipsies', 'd to think that the mystery may be cleared along those lines." "but what, then, did the gipsies do?"', 'think that the mystery may be cleared along those lines." "but what, then, did the gipsies do?" "i c', ' that the mystery may be cleared along those lines." "but what, then, did the gipsies do?" "i cannot', ' the mystery may be cleared along those lines." "but what, then, did the gipsies do?" "i cannot imag', 'mystery may be cleared along those lines." "but what, then, did the gipsies do?" "i cannot imagine."', 'ry may be cleared along those lines." "but what, then, did the gipsies do?" "i cannot imagine." "i s', 'y be cleared along those lines." "but what, then, did the gipsies do?" "i cannot imagine." "i see ma', 'cleared along those lines." "but what, then, did the gipsies do?" "i cannot imagine." "i see many ob', 'ed along those lines." "but what, then, did the gipsies do?" "i cannot imagine." "i see many objecti', 'ong those lines." "but what, then, did the gipsies do?" "i cannot imagine." "i see many objections t', 'hose lines." "but what, then, did the gipsies do?" "i cannot imagine." "i see many objections to any', 'lines." "but what, then, did the gipsies do?" "i cannot imagine." "i see many objections to any such', '." "but what, then, did the gipsies do?" "i cannot imagine." "i see many objections to any such theo', 'ut what, then, did the gipsies do?" "i cannot imagine." "i see many objections to any such theory." ', 'at, then, did the gipsies do?" "i cannot imagine." "i see many objections to any such theory." "and ', 'hen, did the gipsies do?" "i cannot imagine." "i see many objections to any such theory." "and so do', 'did the gipsies do?" "i cannot imagine." "i see many objections to any such theory." "and so do i. i', 'he gipsies do?" "i cannot imagine." "i see many objections to any such theory." "and so do i. it is ', 'psies do?" "i cannot imagine." "i see many objections to any such theory." "and so do i. it is preci', ' do?" "i cannot imagine." "i see many objections to any such theory." "and so do i. it is precisely ', ' "i cannot imagine." "i see many objections to any such theory." "and so do i. it is precisely for t', 'annot imagine." "i see many objections to any such theory." "and so do i. it is precisely for that r', ' imagine." "i see many objections to any such theory." "and so do i. it is precisely for that reason', 'ine." "i see many objections to any such theory." "and so do i. it is precisely for that reason that', ' "i see many objections to any such theory." "and so do i. it is precisely for that reason that we a', 'ee many objections to any such theory." "and so do i. it is precisely for that reason that we are go', 'ny objections to any such theory." "and so do i. it is precisely for that reason that we are going t', 'jections to any such theory." "and so do i. it is precisely for that reason that we are going to sto', 'ons to any such theory." "and so do i. it is precisely for that reason that we are going to stoke mo', 'o any such theory." "and so do i. it is precisely for that reason that we are going to stoke moran t', ' such theory." "and so do i. it is precisely for that reason that we are going to stoke moran this d', ' theory." "and so do i. it is precisely for that reason that we are going to stoke moran this day. i', 'ry." "and so do i. it is precisely for that reason that we are going to stoke moran this day. i want', '"and so do i. it is precisely for that reason that we are going to stoke moran this day. i want to s', 'so do i. it is precisely for that reason that we are going to stoke moran this day. i want to see wh', ' i. it is precisely for that reason that we are going to stoke moran this day. i want to see whether', 't is precisely for that reason that we are going to stoke moran this day. i want to see whether the ', 'precisely for that reason that we are going to stoke moran this day. i want to see whether the objec', 'sely for that reason that we are going to stoke moran this day. i want to see whether the objections', 'for that reason that we are going to stoke moran this day. i want to see whether the objections are ', 'hat reason that we are going to stoke moran this day. i want to see whether the objections are fatal', 'eason that we are going to stoke moran this day. i want to see whether the objections are fatal, or ', ' that we are going to stoke moran this day. i want to see whether the objections are fatal, or if th', ' we are going to stoke moran this day. i want to see whether the objections are fatal, or if they ma', 're going to stoke moran this day. i want to see whether the objections are fatal, or if they may be ', 'ing to stoke moran this day. i want to see whether the objections are fatal, or if they may be expla', 'o stoke moran this day. i want to see whether the objections are fatal, or if they may be explained ', 'ke moran this day. i want to see whether the objections are fatal, or if they may be explained away.', 'ran this day. i want to see whether the objections are fatal, or if they may be explained away. but ', 'his day. i want to see whether the objections are fatal, or if they may be explained away. but what ', 'ay. i want to see whether the objections are fatal, or if they may be explained away. but what in th', ' want to see whether the objections are fatal, or if they may be explained away. but what in the nam', ' to see whether the objections are fatal, or if they may be explained away. but what in the name of ', 'ee whether the objections are fatal, or if they may be explained away. but what in the name of the d', 'ether the objections are fatal, or if they may be explained away. but what in the name of the devil ', ' the objections are fatal, or if they may be explained away. but what in the name of the devil the ', 'objections are fatal, or if they may be explained away. but what in the name of the devil the ejacu', 'tions are fatal, or if they may be explained away. but what in the name of the devil the ejaculatio', ' are fatal, or if they may be explained away. but what in the name of the devil the ejaculation had', 'fatal, or if they may be explained away. but what in the name of the devil the ejaculation had been', ', or if they may be explained away. but what in the name of the devil the ejaculation had been draw', 'if they may be explained away. but what in the name of the devil the ejaculation had been drawn fro', 'ey may be explained away. but what in the name of the devil the ejaculation had been drawn from my ', 'y be explained away. but what in the name of the devil the ejaculation had been drawn from my compa', 'explained away. but what in the name of the devil the ejaculation had been drawn from my companion ', 'ined away. but what in the name of the devil the ejaculation had been drawn from my companion by th', 'away. but what in the name of the devil the ejaculation had been drawn from my companion by the fac', ' but what in the name of the devil the ejaculation had been drawn from my companion by the fact tha', 'what in the name of the devil the ejaculation had been drawn from my companion by the fact that our', 'in the name of the devil the ejaculation had been drawn from my companion by the fact that our door', 'e name of the devil the ejaculation had been drawn from my companion by the fact that our door had ', 'e of the devil the ejaculation had been drawn from my companion by the fact that our door had been ', 'the devil the ejaculation had been drawn from my companion by the fact that our door had been sudde', 'evil the ejaculation had been drawn from my companion by the fact that our door had been suddenly d', ' the ejaculation had been drawn from my companion by the fact that our door had been suddenly dashed', 'ejaculation had been drawn from my companion by the fact that our door had been suddenly dashed open', 'lation had been drawn from my companion by the fact that our door had been suddenly dashed open, and', 'n had been drawn from my companion by the fact that our door had been suddenly dashed open, and that', ' been drawn from my companion by the fact that our door had been suddenly dashed open, and that a hu', ' drawn from my companion by the fact that our door had been suddenly dashed open, and that a huge ma', 'n from my companion by the fact that our door had been suddenly dashed open, and that a huge man had', 'm my companion by the fact that our door had been suddenly dashed open, and that a huge man had fram', 'companion by the fact that our door had been suddenly dashed open, and that a huge man had framed hi', 'nion by the fact that our door had been suddenly dashed open, and that a huge man had framed himself', 'by the fact that our door had been suddenly dashed open, and that a huge man had framed himself in t', 'e fact that our door had been suddenly dashed open, and that a huge man had framed himself in the ap', 't that our door had been suddenly dashed open, and that a huge man had framed himself in the apertur', 't our door had been suddenly dashed open, and that a huge man had framed himself in the aperture. hi', ' door had been suddenly dashed open, and that a huge man had framed himself in the aperture. his cos', ' had been suddenly dashed open, and that a huge man had framed himself in the aperture. his costume ', 'been suddenly dashed open, and that a huge man had framed himself in the aperture. his costume was a', 'suddenly dashed open, and that a huge man had framed himself in the aperture. his costume was a pecu', 'nly dashed open, and that a huge man had framed himself in the aperture. his costume was a peculiar ', 'ashed open, and that a huge man had framed himself in the aperture. his costume was a peculiar mixtu', ' open, and that a huge man had framed himself in the aperture. his costume was a peculiar mixture of', ', and that a huge man had framed himself in the aperture. his costume was a peculiar mixture of the ', ' that a huge man had framed himself in the aperture. his costume was a peculiar mixture of the profe', ' a huge man had framed himself in the aperture. his costume was a peculiar mixture of the profession', 'ge man had framed himself in the aperture. his costume was a peculiar mixture of the professional an', 'n had framed himself in the aperture. his costume was a peculiar mixture of the professional and of ', ' framed himself in the aperture. his costume was a peculiar mixture of the professional and of the a', 'ed himself in the aperture. his costume was a peculiar mixture of the professional and of the agricu', 'mself in the aperture. his costume was a peculiar mixture of the professional and of the agricultura', ' in the aperture. his costume was a peculiar mixture of the professional and of the agricultural, ha', 'he aperture. his costume was a peculiar mixture of the professional and of the agricultural, having ', 'erture. his costume was a peculiar mixture of the professional and of the agricultural, having a bla', 'e. his costume was a peculiar mixture of the professional and of the agricultural, having a black to', 's costume was a peculiar mixture of the professional and of the agricultural, having a black top-hat', 'tume was a peculiar mixture of the professional and of the agricultural, having a black top-hat, a l', 'was a peculiar mixture of the professional and of the agricultural, having a black top-hat, a long f', ' peculiar mixture of the professional and of the agricultural, having a black top-hat, a long frock-', 'liar mixture of the professional and of the agricultural, having a black top-hat, a long frock-coat,', 'mixture of the professional and of the agricultural, having a black top-hat, a long frock-coat, and ', 're of the professional and of the agricultural, having a black top-hat, a long frock-coat, and a pai', ' the professional and of the agricultural, having a black top-hat, a long frock-coat, and a pair of ', 'professional and of the agricultural, having a black top-hat, a long frock-coat, and a pair of high ', 'ssional and of the agricultural, having a black top-hat, a long frock-coat, and a pair of high gaite', 'al and of the agricultural, having a black top-hat, a long frock-coat, and a pair of high gaiters, w', 'd of the agricultural, having a black top-hat, a long frock-coat, and a pair of high gaiters, with a', 'the agricultural, having a black top-hat, a long frock-coat, and a pair of high gaiters, with a hunt', 'gricultural, having a black top-hat, a long frock-coat, and a pair of high gaiters, with a hunting-c', 'ltural, having a black top-hat, a long frock-coat, and a pair of high gaiters, with a hunting-crop s', 'l, having a black top-hat, a long frock-coat, and a pair of high gaiters, with a hunting-crop swingi', 'ving a black top-hat, a long frock-coat, and a pair of high gaiters, with a hunting-crop swinging in', 'a black top-hat, a long frock-coat, and a pair of high gaiters, with a hunting-crop swinging in his ', 'ck top-hat, a long frock-coat, and a pair of high gaiters, with a hunting-crop swinging in his hand.', 'p-hat, a long frock-coat, and a pair of high gaiters, with a hunting-crop swinging in his hand. so t', ', a long frock-coat, and a pair of high gaiters, with a hunting-crop swinging in his hand. so tall w', 'ong frock-coat, and a pair of high gaiters, with a hunting-crop swinging in his hand. so tall was he', 'rock-coat, and a pair of high gaiters, with a hunting-crop swinging in his hand. so tall was he that', 'coat, and a pair of high gaiters, with a hunting-crop swinging in his hand. so tall was he that his ', ' and a pair of high gaiters, with a hunting-crop swinging in his hand. so tall was he that his hat a', 'a pair of high gaiters, with a hunting-crop swinging in his hand. so tall was he that his hat actual', 'r of high gaiters, with a hunting-crop swinging in his hand. so tall was he that his hat actually br', 'high gaiters, with a hunting-crop swinging in his hand. so tall was he that his hat actually brushed', 'gaiters, with a hunting-crop swinging in his hand. so tall was he that his hat actually brushed the ', 'rs, with a hunting-crop swinging in his hand. so tall was he that his hat actually brushed the cross', 'ith a hunting-crop swinging in his hand. so tall was he that his hat actually brushed the cross bar ', ' hunting-crop swinging in his hand. so tall was he that his hat actually brushed the cross bar of th', 'ing-crop swinging in his hand. so tall was he that his hat actually brushed the cross bar of the doo', 'rop swinging in his hand. so tall was he that his hat actually brushed the cross bar of the doorway,', 'winging in his hand. so tall was he that his hat actually brushed the cross bar of the doorway, and ', 'ng in his hand. so tall was he that his hat actually brushed the cross bar of the doorway, and his b', ' his hand. so tall was he that his hat actually brushed the cross bar of the doorway, and his breadt', 'hand. so tall was he that his hat actually brushed the cross bar of the doorway, and his breadth see', ' so tall was he that his hat actually brushed the cross bar of the doorway, and his breadth seemed t', 'all was he that his hat actually brushed the cross bar of the doorway, and his breadth seemed to spa', 'as he that his hat actually brushed the cross bar of the doorway, and his breadth seemed to span it ', ' that his hat actually brushed the cross bar of the doorway, and his breadth seemed to span it acros', ' his hat actually brushed the cross bar of the doorway, and his breadth seemed to span it across fro', 'hat actually brushed the cross bar of the doorway, and his breadth seemed to span it across from sid', 'ctually brushed the cross bar of the doorway, and his breadth seemed to span it across from side to ', 'ly brushed the cross bar of the doorway, and his breadth seemed to span it across from side to side.', 'ushed the cross bar of the doorway, and his breadth seemed to span it across from side to side. a la', ' the cross bar of the doorway, and his breadth seemed to span it across from side to side. a large f', 'cross bar of the doorway, and his breadth seemed to span it across from side to side. a large face, ', ' bar of the doorway, and his breadth seemed to span it across from side to side. a large face, seare', 'of the doorway, and his breadth seemed to span it across from side to side. a large face, seared wit', 'e doorway, and his breadth seemed to span it across from side to side. a large face, seared with a t', 'rway, and his breadth seemed to span it across from side to side. a large face, seared with a thousa', ' and his breadth seemed to span it across from side to side. a large face, seared with a thousand wr', 'his breadth seemed to span it across from side to side. a large face, seared with a thousand wrinkle', 'readth seemed to span it across from side to side. a large face, seared with a thousand wrinkles, bu', 'h seemed to span it across from side to side. a large face, seared with a thousand wrinkles, burned ', 'med to span it across from side to side. a large face, seared with a thousand wrinkles, burned yello', 'o span it across from side to side. a large face, seared with a thousand wrinkles, burned yellow wit', 'n it across from side to side. a large face, seared with a thousand wrinkles, burned yellow with the', 'across from side to side. a large face, seared with a thousand wrinkles, burned yellow with the sun,', 's from side to side. a large face, seared with a thousand wrinkles, burned yellow with the sun, and ', 'm side to side. a large face, seared with a thousand wrinkles, burned yellow with the sun, and marke', 'e to side. a large face, seared with a thousand wrinkles, burned yellow with the sun, and marked wit', 'side. a large face, seared with a thousand wrinkles, burned yellow with the sun, and marked with eve', ' a large face, seared with a thousand wrinkles, burned yellow with the sun, and marked with every ev', 'rge face, seared with a thousand wrinkles, burned yellow with the sun, and marked with every evil pa', 'ace, seared with a thousand wrinkles, burned yellow with the sun, and marked with every evil passion', 'seared with a thousand wrinkles, burned yellow with the sun, and marked with every evil passion, was', 'd with a thousand wrinkles, burned yellow with the sun, and marked with every evil passion, was turn', 'h a thousand wrinkles, burned yellow with the sun, and marked with every evil passion, was turned fr', 'housand wrinkles, burned yellow with the sun, and marked with every evil passion, was turned from on', 'nd wrinkles, burned yellow with the sun, and marked with every evil passion, was turned from one to ', 'inkles, burned yellow with the sun, and marked with every evil passion, was turned from one to the o', 's, burned yellow with the sun, and marked with every evil passion, was turned from one to the other ', 'rned yellow with the sun, and marked with every evil passion, was turned from one to the other of us', 'yellow with the sun, and marked with every evil passion, was turned from one to the other of us, whi', 'w with the sun, and marked with every evil passion, was turned from one to the other of us, while hi', 'h the sun, and marked with every evil passion, was turned from one to the other of us, while his dee', ' sun, and marked with every evil passion, was turned from one to the other of us, while his deep-set', ' and marked with every evil passion, was turned from one to the other of us, while his deep-set, bil', 'marked with every evil passion, was turned from one to the other of us, while his deep-set, bile-sho', 'd with every evil passion, was turned from one to the other of us, while his deep-set, bile-shot eye', 'h every evil passion, was turned from one to the other of us, while his deep-set, bile-shot eyes, an', 'ry evil passion, was turned from one to the other of us, while his deep-set, bile-shot eyes, and his', 'il passion, was turned from one to the other of us, while his deep-set, bile-shot eyes, and his high', 'ssion, was turned from one to the other of us, while his deep-set, bile-shot eyes, and his high, thi', ', was turned from one to the other of us, while his deep-set, bile-shot eyes, and his high, thin, fl', ' turned from one to the other of us, while his deep-set, bile-shot eyes, and his high, thin, fleshle', 'ed from one to the other of us, while his deep-set, bile-shot eyes, and his high, thin, fleshless no', 'om one to the other of us, while his deep-set, bile-shot eyes, and his high, thin, fleshless nose, g', 'e to the other of us, while his deep-set, bile-shot eyes, and his high, thin, fleshless nose, gave h', 'the other of us, while his deep-set, bile-shot eyes, and his high, thin, fleshless nose, gave him so', 'ther of us, while his deep-set, bile-shot eyes, and his high, thin, fleshless nose, gave him somewha', 'of us, while his deep-set, bile-shot eyes, and his high, thin, fleshless nose, gave him somewhat the', ', while his deep-set, bile-shot eyes, and his high, thin, fleshless nose, gave him somewhat the rese', 'le his deep-set, bile-shot eyes, and his high, thin, fleshless nose, gave him somewhat the resemblan', 's deep-set, bile-shot eyes, and his high, thin, fleshless nose, gave him somewhat the resemblance to', 'p-set, bile-shot eyes, and his high, thin, fleshless nose, gave him somewhat the resemblance to a fi', ', bile-shot eyes, and his high, thin, fleshless nose, gave him somewhat the resemblance to a fierce ', 'e-shot eyes, and his high, thin, fleshless nose, gave him somewhat the resemblance to a fierce old b', 't eyes, and his high, thin, fleshless nose, gave him somewhat the resemblance to a fierce old bird o', 's, and his high, thin, fleshless nose, gave him somewhat the resemblance to a fierce old bird of pre', 'd his high, thin, fleshless nose, gave him somewhat the resemblance to a fierce old bird of prey. "w', ' high, thin, fleshless nose, gave him somewhat the resemblance to a fierce old bird of prey. "which ', ', thin, fleshless nose, gave him somewhat the resemblance to a fierce old bird of prey. "which of yo', 'n, fleshless nose, gave him somewhat the resemblance to a fierce old bird of prey. "which of you is ', 'eshless nose, gave him somewhat the resemblance to a fierce old bird of prey. "which of you is holme', 'ss nose, gave him somewhat the resemblance to a fierce old bird of prey. "which of you is holmes?" a', 'se, gave him somewhat the resemblance to a fierce old bird of prey. "which of you is holmes?" asked ', 'ave him somewhat the resemblance to a fierce old bird of prey. "which of you is holmes?" asked this ', 'im somewhat the resemblance to a fierce old bird of prey. "which of you is holmes?" asked this appar', 'mewhat the resemblance to a fierce old bird of prey. "which of you is holmes?" asked this apparition', 't the resemblance to a fierce old bird of prey. "which of you is holmes?" asked this apparition. "my', ' resemblance to a fierce old bird of prey. "which of you is holmes?" asked this apparition. "my name', 'mblance to a fierce old bird of prey. "which of you is holmes?" asked this apparition. "my name, sir', 'ce to a fierce old bird of prey. "which of you is holmes?" asked this apparition. "my name, sir; but', ' a fierce old bird of prey. "which of you is holmes?" asked this apparition. "my name, sir; but you ', 'erce old bird of prey. "which of you is holmes?" asked this apparition. "my name, sir; but you have ', 'old bird of prey. "which of you is holmes?" asked this apparition. "my name, sir; but you have the a', 'ird of prey. "which of you is holmes?" asked this apparition. "my name, sir; but you have the advant', 'f prey. "which of you is holmes?" asked this apparition. "my name, sir; but you have the advantage o', 'y. "which of you is holmes?" asked this apparition. "my name, sir; but you have the advantage of me,', 'hich of you is holmes?" asked this apparition. "my name, sir; but you have the advantage of me," sai', 'of you is holmes?" asked this apparition. "my name, sir; but you have the advantage of me," said my ', 'u is holmes?" asked this apparition. "my name, sir; but you have the advantage of me," said my compa', 'holmes?" asked this apparition. "my name, sir; but you have the advantage of me," said my companion ', 's?" asked this apparition. "my name, sir; but you have the advantage of me," said my companion quiet', 'sked this apparition. "my name, sir; but you have the advantage of me," said my companion quietly. "', 'this apparition. "my name, sir; but you have the advantage of me," said my companion quietly. "i am ', 'apparition. "my name, sir; but you have the advantage of me," said my companion quietly. "i am dr. g', 'ition. "my name, sir; but you have the advantage of me," said my companion quietly. "i am dr. grimes', '. "my name, sir; but you have the advantage of me," said my companion quietly. "i am dr. grimesby ro', ' name, sir; but you have the advantage of me," said my companion quietly. "i am dr. grimesby roylott', ', sir; but you have the advantage of me," said my companion quietly. "i am dr. grimesby roylott, of ', '; but you have the advantage of me," said my companion quietly. "i am dr. grimesby roylott, of stoke', ' you have the advantage of me," said my companion quietly. "i am dr. grimesby roylott, of stoke mora', 'have the advantage of me," said my companion quietly. "i am dr. grimesby roylott, of stoke moran." "', 'the advantage of me," said my companion quietly. "i am dr. grimesby roylott, of stoke moran." "indee', 'dvantage of me," said my companion quietly. "i am dr. grimesby roylott, of stoke moran." "indeed, do', 'age of me," said my companion quietly. "i am dr. grimesby roylott, of stoke moran." "indeed, doctor,', 'f me," said my companion quietly. "i am dr. grimesby roylott, of stoke moran." "indeed, doctor," sai', '" said my companion quietly. "i am dr. grimesby roylott, of stoke moran." "indeed, doctor," said hol', 'd my companion quietly. "i am dr. grimesby roylott, of stoke moran." "indeed, doctor," said holmes b', 'companion quietly. "i am dr. grimesby roylott, of stoke moran." "indeed, doctor," said holmes blandl', 'nion quietly. "i am dr. grimesby roylott, of stoke moran." "indeed, doctor," said holmes blandly. "p', 'quietly. "i am dr. grimesby roylott, of stoke moran." "indeed, doctor," said holmes blandly. "pray t', 'ly. "i am dr. grimesby roylott, of stoke moran." "indeed, doctor," said holmes blandly. "pray take a', 'i am dr. grimesby roylott, of stoke moran." "indeed, doctor," said holmes blandly. "pray take a seat', 'dr. grimesby roylott, of stoke moran." "indeed, doctor," said holmes blandly. "pray take a seat." "i', 'rimesby roylott, of stoke moran." "indeed, doctor," said holmes blandly. "pray take a seat." "i will', 'by roylott, of stoke moran." "indeed, doctor," said holmes blandly. "pray take a seat." "i will do n', 'ylott, of stoke moran." "indeed, doctor," said holmes blandly. "pray take a seat." "i will do nothin', ', of stoke moran." "indeed, doctor," said holmes blandly. "pray take a seat." "i will do nothing of ', 'stoke moran." "indeed, doctor," said holmes blandly. "pray take a seat." "i will do nothing of the k', ' moran." "indeed, doctor," said holmes blandly. "pray take a seat." "i will do nothing of the kind. ', 'n." "indeed, doctor," said holmes blandly. "pray take a seat." "i will do nothing of the kind. my st', 'indeed, doctor," said holmes blandly. "pray take a seat." "i will do nothing of the kind. my stepdau', 'd, doctor," said holmes blandly. "pray take a seat." "i will do nothing of the kind. my stepdaughter', 'ctor," said holmes blandly. "pray take a seat." "i will do nothing of the kind. my stepdaughter has ', '" said holmes blandly. "pray take a seat." "i will do nothing of the kind. my stepdaughter has been ', 'd holmes blandly. "pray take a seat." "i will do nothing of the kind. my stepdaughter has been here.', 'mes blandly. "pray take a seat." "i will do nothing of the kind. my stepdaughter has been here. i ha', 'landly. "pray take a seat." "i will do nothing of the kind. my stepdaughter has been here. i have tr', 'y. "pray take a seat." "i will do nothing of the kind. my stepdaughter has been here. i have traced ', 'ray take a seat." "i will do nothing of the kind. my stepdaughter has been here. i have traced her. ', 'ake a seat." "i will do nothing of the kind. my stepdaughter has been here. i have traced her. what ', ' seat." "i will do nothing of the kind. my stepdaughter has been here. i have traced her. what has s', '." "i will do nothing of the kind. my stepdaughter has been here. i have traced her. what has she be', ' will do nothing of the kind. my stepdaughter has been here. i have traced her. what has she been sa', ' do nothing of the kind. my stepdaughter has been here. i have traced her. what has she been saying ', 'othing of the kind. my stepdaughter has been here. i have traced her. what has she been saying to yo', 'g of the kind. my stepdaughter has been here. i have traced her. what has she been saying to you?" "', 'the kind. my stepdaughter has been here. i have traced her. what has she been saying to you?" "it is', 'ind. my stepdaughter has been here. i have traced her. what has she been saying to you?" "it is a li', 'my stepdaughter has been here. i have traced her. what has she been saying to you?" "it is a little ', 'epdaughter has been here. i have traced her. what has she been saying to you?" "it is a little cold ', 'ghter has been here. i have traced her. what has she been saying to you?" "it is a little cold for t', ' has been here. i have traced her. what has she been saying to you?" "it is a little cold for the ti', 'been here. i have traced her. what has she been saying to you?" "it is a little cold for the time of', 'here. i have traced her. what has she been saying to you?" "it is a little cold for the time of the ', ' i have traced her. what has she been saying to you?" "it is a little cold for the time of the year,', 've traced her. what has she been saying to you?" "it is a little cold for the time of the year," sai', 'aced her. what has she been saying to you?" "it is a little cold for the time of the year," said hol', 'her. what has she been saying to you?" "it is a little cold for the time of the year," said holmes. ', 'what has she been saying to you?" "it is a little cold for the time of the year," said holmes. "what', 'has she been saying to you?" "it is a little cold for the time of the year," said holmes. "what has ', 'he been saying to you?" "it is a little cold for the time of the year," said holmes. "what has she b', 'en saying to you?" "it is a little cold for the time of the year," said holmes. "what has she been s', 'ying to you?" "it is a little cold for the time of the year," said holmes. "what has she been saying', 'to you?" "it is a little cold for the time of the year," said holmes. "what has she been saying to y', 'u?" "it is a little cold for the time of the year," said holmes. "what has she been saying to you?" ', 'it is a little cold for the time of the year," said holmes. "what has she been saying to you?" screa', ' a little cold for the time of the year," said holmes. "what has she been saying to you?" screamed t', 'ttle cold for the time of the year," said holmes. "what has she been saying to you?" screamed the ol', 'cold for the time of the year," said holmes. "what has she been saying to you?" screamed the old man', 'for the time of the year," said holmes. "what has she been saying to you?" screamed the old man furi', 'he time of the year," said holmes. "what has she been saying to you?" screamed the old man furiously', 'me of the year," said holmes. "what has she been saying to you?" screamed the old man furiously. "bu', ' the year," said holmes. "what has she been saying to you?" screamed the old man furiously. "but i h', 'year," said holmes. "what has she been saying to you?" screamed the old man furiously. "but i have h', '" said holmes. "what has she been saying to you?" screamed the old man furiously. "but i have heard ', 'd holmes. "what has she been saying to you?" screamed the old man furiously. "but i have heard that ', 'mes. "what has she been saying to you?" screamed the old man furiously. "but i have heard that the c', '"what has she been saying to you?" screamed the old man furiously. "but i have heard that the crocus', ' has she been saying to you?" screamed the old man furiously. "but i have heard that the crocuses pr', 'she been saying to you?" screamed the old man furiously. "but i have heard that the crocuses promise', 'een saying to you?" screamed the old man furiously. "but i have heard that the crocuses promise well', 'aying to you?" screamed the old man furiously. "but i have heard that the crocuses promise well," co', ' to you?" screamed the old man furiously. "but i have heard that the crocuses promise well," continu', 'ou?" screamed the old man furiously. "but i have heard that the crocuses promise well," continued my', 'screamed the old man furiously. "but i have heard that the crocuses promise well," continued my comp', 'med the old man furiously. "but i have heard that the crocuses promise well," continued my companion', 'he old man furiously. "but i have heard that the crocuses promise well," continued my companion impe', 'd man furiously. "but i have heard that the crocuses promise well," continued my companion imperturb', ' furiously. "but i have heard that the crocuses promise well," continued my companion imperturbably.', 'ously. "but i have heard that the crocuses promise well," continued my companion imperturbably. "ha!', '. "but i have heard that the crocuses promise well," continued my companion imperturbably. "ha! you ', 't i have heard that the crocuses promise well," continued my companion imperturbably. "ha! you put m', 'ave heard that the crocuses promise well," continued my companion imperturbably. "ha! you put me off', 'eard that the crocuses promise well," continued my companion imperturbably. "ha! you put me off, do ', 'that the crocuses promise well," continued my companion imperturbably. "ha! you put me off, do you?"', 'the crocuses promise well," continued my companion imperturbably. "ha! you put me off, do you?" said', 'rocuses promise well," continued my companion imperturbably. "ha! you put me off, do you?" said our ', 'es promise well," continued my companion imperturbably. "ha! you put me off, do you?" said our new v', 'omise well," continued my companion imperturbably. "ha! you put me off, do you?" said our new visito', ' well," continued my companion imperturbably. "ha! you put me off, do you?" said our new visitor, ta', '," continued my companion imperturbably. "ha! you put me off, do you?" said our new visitor, taking ', 'ntinued my companion imperturbably. "ha! you put me off, do you?" said our new visitor, taking a ste', 'ed my companion imperturbably. "ha! you put me off, do you?" said our new visitor, taking a step for', ' companion imperturbably. "ha! you put me off, do you?" said our new visitor, taking a step forward ', 'anion imperturbably. "ha! you put me off, do you?" said our new visitor, taking a step forward and s', ' imperturbably. "ha! you put me off, do you?" said our new visitor, taking a step forward and shakin', 'rturbably. "ha! you put me off, do you?" said our new visitor, taking a step forward and shaking his', 'ably. "ha! you put me off, do you?" said our new visitor, taking a step forward and shaking his hunt', ' "ha! you put me off, do you?" said our new visitor, taking a step forward and shaking his hunting-c', ' you put me off, do you?" said our new visitor, taking a step forward and shaking his hunting-crop. ', 'put me off, do you?" said our new visitor, taking a step forward and shaking his hunting-crop. "i kn', 'e off, do you?" said our new visitor, taking a step forward and shaking his hunting-crop. "i know yo', ', do you?" said our new visitor, taking a step forward and shaking his hunting-crop. "i know you, yo', 'you?" said our new visitor, taking a step forward and shaking his hunting-crop. "i know you, you sco', ' said our new visitor, taking a step forward and shaking his hunting-crop. "i know you, you scoundre', ' our new visitor, taking a step forward and shaking his hunting-crop. "i know you, you scoundrel! i ', 'new visitor, taking a step forward and shaking his hunting-crop. "i know you, you scoundrel! i have ', 'isitor, taking a step forward and shaking his hunting-crop. "i know you, you scoundrel! i have heard', 'r, taking a step forward and shaking his hunting-crop. "i know you, you scoundrel! i have heard of y', 'king a step forward and shaking his hunting-crop. "i know you, you scoundrel! i have heard of you be', 'a step forward and shaking his hunting-crop. "i know you, you scoundrel! i have heard of you before.', 'p forward and shaking his hunting-crop. "i know you, you scoundrel! i have heard of you before. you ', 'ward and shaking his hunting-crop. "i know you, you scoundrel! i have heard of you before. you are h', 'and shaking his hunting-crop. "i know you, you scoundrel! i have heard of you before. you are holmes', 'haking his hunting-crop. "i know you, you scoundrel! i have heard of you before. you are holmes, the', 'g his hunting-crop. "i know you, you scoundrel! i have heard of you before. you are holmes, the medd', ' hunting-crop. "i know you, you scoundrel! i have heard of you before. you are holmes, the meddler."', 'ing-crop. "i know you, you scoundrel! i have heard of you before. you are holmes, the meddler." my f', 'rop. "i know you, you scoundrel! i have heard of you before. you are holmes, the meddler." my friend', '"i know you, you scoundrel! i have heard of you before. you are holmes, the meddler." my friend smil', 'ow you, you scoundrel! i have heard of you before. you are holmes, the meddler." my friend smiled. "', 'u, you scoundrel! i have heard of you before. you are holmes, the meddler." my friend smiled. "holme', 'u scoundrel! i have heard of you before. you are holmes, the meddler." my friend smiled. "holmes, th', 'undrel! i have heard of you before. you are holmes, the meddler." my friend smiled. "holmes, the bus', 'l! i have heard of you before. you are holmes, the meddler." my friend smiled. "holmes, the busybody', 'have heard of you before. you are holmes, the meddler." my friend smiled. "holmes, the busybody his', 'heard of you before. you are holmes, the meddler." my friend smiled. "holmes, the busybody his smil', ' of you before. you are holmes, the meddler." my friend smiled. "holmes, the busybody his smile bro', 'ou before. you are holmes, the meddler." my friend smiled. "holmes, the busybody his smile broadene', 'fore. you are holmes, the meddler." my friend smiled. "holmes, the busybody his smile broadened. "h', ' you are holmes, the meddler." my friend smiled. "holmes, the busybody his smile broadened. "holmes', 'are holmes, the meddler." my friend smiled. "holmes, the busybody his smile broadened. "holmes, the', 'olmes, the meddler." my friend smiled. "holmes, the busybody his smile broadened. "holmes, the scot', ', the meddler." my friend smiled. "holmes, the busybody his smile broadened. "holmes, the scotland ', ' meddler." my friend smiled. "holmes, the busybody his smile broadened. "holmes, the scotland yard ', 'ler." my friend smiled. "holmes, the busybody his smile broadened. "holmes, the scotland yard jack-', ' my friend smiled. "holmes, the busybody his smile broadened. "holmes, the scotland yard jack-in-of', 'riend smiled. "holmes, the busybody his smile broadened. "holmes, the scotland yard jack-in-office ', ' smiled. "holmes, the busybody his smile broadened. "holmes, the scotland yard jack-in-office holm', 'ed. "holmes, the busybody his smile broadened. "holmes, the scotland yard jack-in-office holmes ch', 'holmes, the busybody his smile broadened. "holmes, the scotland yard jack-in-office holmes chuckle', 's, the busybody his smile broadened. "holmes, the scotland yard jack-in-office holmes chuckled hea', 'e busybody his smile broadened. "holmes, the scotland yard jack-in-office holmes chuckled heartily', 'ybody his smile broadened. "holmes, the scotland yard jack-in-office holmes chuckled heartily. "yo', ' his smile broadened. "holmes, the scotland yard jack-in-office holmes chuckled heartily. "your co', ' smile broadened. "holmes, the scotland yard jack-in-office holmes chuckled heartily. "your convers', 'e broadened. "holmes, the scotland yard jack-in-office holmes chuckled heartily. "your conversation', 'adened. "holmes, the scotland yard jack-in-office holmes chuckled heartily. "your conversation is m', 'd. "holmes, the scotland yard jack-in-office holmes chuckled heartily. "your conversation is most e', 'olmes, the scotland yard jack-in-office holmes chuckled heartily. "your conversation is most entert', ', the scotland yard jack-in-office holmes chuckled heartily. "your conversation is most entertainin', ' scotland yard jack-in-office holmes chuckled heartily. "your conversation is most entertaining," s', 'land yard jack-in-office holmes chuckled heartily. "your conversation is most entertaining," said h', 'yard jack-in-office holmes chuckled heartily. "your conversation is most entertaining," said he. "w', 'jack-in-office holmes chuckled heartily. "your conversation is most entertaining," said he. "when y', 'in-office holmes chuckled heartily. "your conversation is most entertaining," said he. "when you go', 'fice holmes chuckled heartily. "your conversation is most entertaining," said he. "when you go out ', ' holmes chuckled heartily. "your conversation is most entertaining," said he. "when you go out close', 'es chuckled heartily. "your conversation is most entertaining," said he. "when you go out close the ', 'uckled heartily. "your conversation is most entertaining," said he. "when you go out close the door,', 'd heartily. "your conversation is most entertaining," said he. "when you go out close the door, for ', 'rtily. "your conversation is most entertaining," said he. "when you go out close the door, for there', '. "your conversation is most entertaining," said he. "when you go out close the door, for there is a', 'ur conversation is most entertaining," said he. "when you go out close the door, for there is a deci', 'nversation is most entertaining," said he. "when you go out close the door, for there is a decided d', 'ation is most entertaining," said he. "when you go out close the door, for there is a decided draugh', ' is most entertaining," said he. "when you go out close the door, for there is a decided draught." "', 'ost entertaining," said he. "when you go out close the door, for there is a decided draught." "i wil', 'ntertaining," said he. "when you go out close the door, for there is a decided draught." "i will go ', 'aining," said he. "when you go out close the door, for there is a decided draught." "i will go when ', 'g," said he. "when you go out close the door, for there is a decided draught." "i will go when i hav', 'aid he. "when you go out close the door, for there is a decided draught." "i will go when i have sai', 'e. "when you go out close the door, for there is a decided draught." "i will go when i have said my ', 'hen you go out close the door, for there is a decided draught." "i will go when i have said my say. ', 'ou go out close the door, for there is a decided draught." "i will go when i have said my say. don\'t', ' out close the door, for there is a decided draught." "i will go when i have said my say. don\'t you ', 'close the door, for there is a decided draught." "i will go when i have said my say. don\'t you dare ', ' the door, for there is a decided draught." "i will go when i have said my say. don\'t you dare to me', 'door, for there is a decided draught." "i will go when i have said my say. don\'t you dare to meddle ', ' for there is a decided draught." "i will go when i have said my say. don\'t you dare to meddle with ', 'there is a decided draught." "i will go when i have said my say. don\'t you dare to meddle with my af', ' is a decided draught." "i will go when i have said my say. don\'t you dare to meddle with my affairs', ' decided draught." "i will go when i have said my say. don\'t you dare to meddle with my affairs. i k', 'ded draught." "i will go when i have said my say. don\'t you dare to meddle with my affairs. i know t', 'raught." "i will go when i have said my say. don\'t you dare to meddle with my affairs. i know that m', 't." "i will go when i have said my say. don\'t you dare to meddle with my affairs. i know that miss s', "i will go when i have said my say. don't you dare to meddle with my affairs. i know that miss stoner", "l go when i have said my say. don't you dare to meddle with my affairs. i know that miss stoner has ", "when i have said my say. don't you dare to meddle with my affairs. i know that miss stoner has been ", "i have said my say. don't you dare to meddle with my affairs. i know that miss stoner has been here.", "e said my say. don't you dare to meddle with my affairs. i know that miss stoner has been here. i tr", "d my say. don't you dare to meddle with my affairs. i know that miss stoner has been here. i traced ", "say. don't you dare to meddle with my affairs. i know that miss stoner has been here. i traced her! ", "don't you dare to meddle with my affairs. i know that miss stoner has been here. i traced her! i am ", ' you dare to meddle with my affairs. i know that miss stoner has been here. i traced her! i am a dan', 'dare to meddle with my affairs. i know that miss stoner has been here. i traced her! i am a dangerou', 'to meddle with my affairs. i know that miss stoner has been here. i traced her! i am a dangerous man', 'ddle with my affairs. i know that miss stoner has been here. i traced her! i am a dangerous man to f', 'with my affairs. i know that miss stoner has been here. i traced her! i am a dangerous man to fall f', 'my affairs. i know that miss stoner has been here. i traced her! i am a dangerous man to fall foul o', 'fairs. i know that miss stoner has been here. i traced her! i am a dangerous man to fall foul of! se', '. i know that miss stoner has been here. i traced her! i am a dangerous man to fall foul of! see her', 'now that miss stoner has been here. i traced her! i am a dangerous man to fall foul of! see here." h', 'hat miss stoner has been here. i traced her! i am a dangerous man to fall foul of! see here." he ste', 'iss stoner has been here. i traced her! i am a dangerous man to fall foul of! see here." he stepped ', 'toner has been here. i traced her! i am a dangerous man to fall foul of! see here." he stepped swift', ' has been here. i traced her! i am a dangerous man to fall foul of! see here." he stepped swiftly fo', 'been here. i traced her! i am a dangerous man to fall foul of! see here." he stepped swiftly forward', 'here. i traced her! i am a dangerous man to fall foul of! see here." he stepped swiftly forward, sei', ' i traced her! i am a dangerous man to fall foul of! see here." he stepped swiftly forward, seized t', 'aced her! i am a dangerous man to fall foul of! see here." he stepped swiftly forward, seized the po', 'her! i am a dangerous man to fall foul of! see here." he stepped swiftly forward, seized the poker, ', 'i am a dangerous man to fall foul of! see here." he stepped swiftly forward, seized the poker, and b', 'a dangerous man to fall foul of! see here." he stepped swiftly forward, seized the poker, and bent i', 'gerous man to fall foul of! see here." he stepped swiftly forward, seized the poker, and bent it int', 's man to fall foul of! see here." he stepped swiftly forward, seized the poker, and bent it into a c', ' to fall foul of! see here." he stepped swiftly forward, seized the poker, and bent it into a curve ', 'all foul of! see here." he stepped swiftly forward, seized the poker, and bent it into a curve with ', 'oul of! see here." he stepped swiftly forward, seized the poker, and bent it into a curve with his h', 'f! see here." he stepped swiftly forward, seized the poker, and bent it into a curve with his huge b', 'e here." he stepped swiftly forward, seized the poker, and bent it into a curve with his huge brown ', 'e." he stepped swiftly forward, seized the poker, and bent it into a curve with his huge brown hands', 'e stepped swiftly forward, seized the poker, and bent it into a curve with his huge brown hands. "se', 'pped swiftly forward, seized the poker, and bent it into a curve with his huge brown hands. "see tha', 'swiftly forward, seized the poker, and bent it into a curve with his huge brown hands. "see that you', 'ly forward, seized the poker, and bent it into a curve with his huge brown hands. "see that you keep', 'rward, seized the poker, and bent it into a curve with his huge brown hands. "see that you keep your', ', seized the poker, and bent it into a curve with his huge brown hands. "see that you keep yourself ', 'zed the poker, and bent it into a curve with his huge brown hands. "see that you keep yourself out o', 'he poker, and bent it into a curve with his huge brown hands. "see that you keep yourself out of my ', 'ker, and bent it into a curve with his huge brown hands. "see that you keep yourself out of my grip,', 'and bent it into a curve with his huge brown hands. "see that you keep yourself out of my grip," he ', 'ent it into a curve with his huge brown hands. "see that you keep yourself out of my grip," he snarl', 't into a curve with his huge brown hands. "see that you keep yourself out of my grip," he snarled, a', 'o a curve with his huge brown hands. "see that you keep yourself out of my grip," he snarled, and hu', 'urve with his huge brown hands. "see that you keep yourself out of my grip," he snarled, and hurling', 'with his huge brown hands. "see that you keep yourself out of my grip," he snarled, and hurling the ', 'his huge brown hands. "see that you keep yourself out of my grip," he snarled, and hurling the twist', 'uge brown hands. "see that you keep yourself out of my grip," he snarled, and hurling the twisted po', 'rown hands. "see that you keep yourself out of my grip," he snarled, and hurling the twisted poker i', 'hands. "see that you keep yourself out of my grip," he snarled, and hurling the twisted poker into t', '. "see that you keep yourself out of my grip," he snarled, and hurling the twisted poker into the fi', 'e that you keep yourself out of my grip," he snarled, and hurling the twisted poker into the firepla', 't you keep yourself out of my grip," he snarled, and hurling the twisted poker into the fireplace he', ' keep yourself out of my grip," he snarled, and hurling the twisted poker into the fireplace he stro', ' yourself out of my grip," he snarled, and hurling the twisted poker into the fireplace he strode ou', 'self out of my grip," he snarled, and hurling the twisted poker into the fireplace he strode out of ', 'out of my grip," he snarled, and hurling the twisted poker into the fireplace he strode out of the r', 'f my grip," he snarled, and hurling the twisted poker into the fireplace he strode out of the room. ', 'grip," he snarled, and hurling the twisted poker into the fireplace he strode out of the room. "he s', '" he snarled, and hurling the twisted poker into the fireplace he strode out of the room. "he seems ', 'snarled, and hurling the twisted poker into the fireplace he strode out of the room. "he seems a ver', 'ed, and hurling the twisted poker into the fireplace he strode out of the room. "he seems a very ami', 'nd hurling the twisted poker into the fireplace he strode out of the room. "he seems a very amiable ', 'rling the twisted poker into the fireplace he strode out of the room. "he seems a very amiable perso', ' the twisted poker into the fireplace he strode out of the room. "he seems a very amiable person," s', 'twisted poker into the fireplace he strode out of the room. "he seems a very amiable person," said h', 'ed poker into the fireplace he strode out of the room. "he seems a very amiable person," said holmes', 'ker into the fireplace he strode out of the room. "he seems a very amiable person," said holmes, lau', 'nto the fireplace he strode out of the room. "he seems a very amiable person," said holmes, laughing', 'he fireplace he strode out of the room. "he seems a very amiable person," said holmes, laughing. "i ', 'replace he strode out of the room. "he seems a very amiable person," said holmes, laughing. "i am no', 'ce he strode out of the room. "he seems a very amiable person," said holmes, laughing. "i am not qui', ' strode out of the room. "he seems a very amiable person," said holmes, laughing. "i am not quite so', 'de out of the room. "he seems a very amiable person," said holmes, laughing. "i am not quite so bulk', 't of the room. "he seems a very amiable person," said holmes, laughing. "i am not quite so bulky, bu', 'the room. "he seems a very amiable person," said holmes, laughing. "i am not quite so bulky, but if ', 'oom. "he seems a very amiable person," said holmes, laughing. "i am not quite so bulky, but if he ha', '"he seems a very amiable person," said holmes, laughing. "i am not quite so bulky, but if he had rem', 'eems a very amiable person," said holmes, laughing. "i am not quite so bulky, but if he had remained', 'a very amiable person," said holmes, laughing. "i am not quite so bulky, but if he had remained i mi', 'y amiable person," said holmes, laughing. "i am not quite so bulky, but if he had remained i might h', 'able person," said holmes, laughing. "i am not quite so bulky, but if he had remained i might have s', 'person," said holmes, laughing. "i am not quite so bulky, but if he had remained i might have shown ', 'n," said holmes, laughing. "i am not quite so bulky, but if he had remained i might have shown him t', 'aid holmes, laughing. "i am not quite so bulky, but if he had remained i might have shown him that m', 'olmes, laughing. "i am not quite so bulky, but if he had remained i might have shown him that my gri', ', laughing. "i am not quite so bulky, but if he had remained i might have shown him that my grip was', 'ghing. "i am not quite so bulky, but if he had remained i might have shown him that my grip was not ', '. "i am not quite so bulky, but if he had remained i might have shown him that my grip was not much ', 'am not quite so bulky, but if he had remained i might have shown him that my grip was not much more ', 't quite so bulky, but if he had remained i might have shown him that my grip was not much more feebl', 'te so bulky, but if he had remained i might have shown him that my grip was not much more feeble tha', ' bulky, but if he had remained i might have shown him that my grip was not much more feeble than his', 'y, but if he had remained i might have shown him that my grip was not much more feeble than his own.', 't if he had remained i might have shown him that my grip was not much more feeble than his own." as ', 'he had remained i might have shown him that my grip was not much more feeble than his own." as he sp', 'd remained i might have shown him that my grip was not much more feeble than his own." as he spoke h', 'ained i might have shown him that my grip was not much more feeble than his own." as he spoke he pic', ' i might have shown him that my grip was not much more feeble than his own." as he spoke he picked u', 'ght have shown him that my grip was not much more feeble than his own." as he spoke he picked up the', 'ave shown him that my grip was not much more feeble than his own." as he spoke he picked up the stee', 'hown him that my grip was not much more feeble than his own." as he spoke he picked up the steel pok', 'him that my grip was not much more feeble than his own." as he spoke he picked up the steel poker an', 'hat my grip was not much more feeble than his own." as he spoke he picked up the steel poker and, wi', 'y grip was not much more feeble than his own." as he spoke he picked up the steel poker and, with a ', 'p was not much more feeble than his own." as he spoke he picked up the steel poker and, with a sudde', ' not much more feeble than his own." as he spoke he picked up the steel poker and, with a sudden eff', 'much more feeble than his own." as he spoke he picked up the steel poker and, with a sudden effort, ', 'more feeble than his own." as he spoke he picked up the steel poker and, with a sudden effort, strai', 'feeble than his own." as he spoke he picked up the steel poker and, with a sudden effort, straighten', 'e than his own." as he spoke he picked up the steel poker and, with a sudden effort, straightened it', 'n his own." as he spoke he picked up the steel poker and, with a sudden effort, straightened it out ', ' own." as he spoke he picked up the steel poker and, with a sudden effort, straightened it out again', '" as he spoke he picked up the steel poker and, with a sudden effort, straightened it out again. "fa', 'he spoke he picked up the steel poker and, with a sudden effort, straightened it out again. "fancy h', 'oke he picked up the steel poker and, with a sudden effort, straightened it out again. "fancy his ha', 'e picked up the steel poker and, with a sudden effort, straightened it out again. "fancy his having ', 'ked up the steel poker and, with a sudden effort, straightened it out again. "fancy his having the i', 'p the steel poker and, with a sudden effort, straightened it out again. "fancy his having the insole', ' steel poker and, with a sudden effort, straightened it out again. "fancy his having the insolence t', 'l poker and, with a sudden effort, straightened it out again. "fancy his having the insolence to con', 'er and, with a sudden effort, straightened it out again. "fancy his having the insolence to confound', 'd, with a sudden effort, straightened it out again. "fancy his having the insolence to confound me w', 'th a sudden effort, straightened it out again. "fancy his having the insolence to confound me with t', 'sudden effort, straightened it out again. "fancy his having the insolence to confound me with the of', 'n effort, straightened it out again. "fancy his having the insolence to confound me with the officia', 'ort, straightened it out again. "fancy his having the insolence to confound me with the official det', 'straightened it out again. "fancy his having the insolence to confound me with the official detectiv', 'ghtened it out again. "fancy his having the insolence to confound me with the official detective for', 'ed it out again. "fancy his having the insolence to confound me with the official detective force! t', ' out again. "fancy his having the insolence to confound me with the official detective force! this i', 'again. "fancy his having the insolence to confound me with the official detective force! this incide', '. "fancy his having the insolence to confound me with the official detective force! this incident gi', 'ncy his having the insolence to confound me with the official detective force! this incident gives z', 'is having the insolence to confound me with the official detective force! this incident gives zest t', 'ving the insolence to confound me with the official detective force! this incident gives zest to our', 'the insolence to confound me with the official detective force! this incident gives zest to our inve', 'nsolence to confound me with the official detective force! this incident gives zest to our investiga', 'nce to confound me with the official detective force! this incident gives zest to our investigation,', 'o confound me with the official detective force! this incident gives zest to our investigation, howe', 'found me with the official detective force! this incident gives zest to our investigation, however, ', ' me with the official detective force! this incident gives zest to our investigation, however, and i', 'ith the official detective force! this incident gives zest to our investigation, however, and i only', 'he official detective force! this incident gives zest to our investigation, however, and i only trus', 'ficial detective force! this incident gives zest to our investigation, however, and i only trust tha', 'l detective force! this incident gives zest to our investigation, however, and i only trust that our', 'ective force! this incident gives zest to our investigation, however, and i only trust that our litt', 'e force! this incident gives zest to our investigation, however, and i only trust that our little fr', 'ce! this incident gives zest to our investigation, however, and i only trust that our little friend ', 'his incident gives zest to our investigation, however, and i only trust that our little friend will ', 'ncident gives zest to our investigation, however, and i only trust that our little friend will not s', 'nt gives zest to our investigation, however, and i only trust that our little friend will not suffer', 'ves zest to our investigation, however, and i only trust that our little friend will not suffer from', 'est to our investigation, however, and i only trust that our little friend will not suffer from her ', 'o our investigation, however, and i only trust that our little friend will not suffer from her impru', ' investigation, however, and i only trust that our little friend will not suffer from her imprudence', 'stigation, however, and i only trust that our little friend will not suffer from her imprudence in a', 'tion, however, and i only trust that our little friend will not suffer from her imprudence in allowi', ' however, and i only trust that our little friend will not suffer from her imprudence in allowing th', 'ver, and i only trust that our little friend will not suffer from her imprudence in allowing this br', 'and i only trust that our little friend will not suffer from her imprudence in allowing this brute t', ' only trust that our little friend will not suffer from her imprudence in allowing this brute to tra', ' trust that our little friend will not suffer from her imprudence in allowing this brute to trace he', 't that our little friend will not suffer from her imprudence in allowing this brute to trace her. an', 't our little friend will not suffer from her imprudence in allowing this brute to trace her. and now', ' little friend will not suffer from her imprudence in allowing this brute to trace her. and now, wat', 'le friend will not suffer from her imprudence in allowing this brute to trace her. and now, watson, ', 'iend will not suffer from her imprudence in allowing this brute to trace her. and now, watson, we sh', 'will not suffer from her imprudence in allowing this brute to trace her. and now, watson, we shall o', 'not suffer from her imprudence in allowing this brute to trace her. and now, watson, we shall order ', 'uffer from her imprudence in allowing this brute to trace her. and now, watson, we shall order break', ' from her imprudence in allowing this brute to trace her. and now, watson, we shall order breakfast,', ' her imprudence in allowing this brute to trace her. and now, watson, we shall order breakfast, and ', 'imprudence in allowing this brute to trace her. and now, watson, we shall order breakfast, and after', 'dence in allowing this brute to trace her. and now, watson, we shall order breakfast, and afterwards', ' in allowing this brute to trace her. and now, watson, we shall order breakfast, and afterwards i sh', 'llowing this brute to trace her. and now, watson, we shall order breakfast, and afterwards i shall w', 'ng this brute to trace her. and now, watson, we shall order breakfast, and afterwards i shall walk d', 'is brute to trace her. and now, watson, we shall order breakfast, and afterwards i shall walk down t', 'ute to trace her. and now, watson, we shall order breakfast, and afterwards i shall walk down to doc', "o trace her. and now, watson, we shall order breakfast, and afterwards i shall walk down to doctors'", "ce her. and now, watson, we shall order breakfast, and afterwards i shall walk down to doctors' comm", "r. and now, watson, we shall order breakfast, and afterwards i shall walk down to doctors' commons, ", "d now, watson, we shall order breakfast, and afterwards i shall walk down to doctors' commons, where", ", watson, we shall order breakfast, and afterwards i shall walk down to doctors' commons, where i ho", "son, we shall order breakfast, and afterwards i shall walk down to doctors' commons, where i hope to", "we shall order breakfast, and afterwards i shall walk down to doctors' commons, where i hope to get ", "all order breakfast, and afterwards i shall walk down to doctors' commons, where i hope to get some ", "rder breakfast, and afterwards i shall walk down to doctors' commons, where i hope to get some data ", "breakfast, and afterwards i shall walk down to doctors' commons, where i hope to get some data which", "fast, and afterwards i shall walk down to doctors' commons, where i hope to get some data which may ", " and afterwards i shall walk down to doctors' commons, where i hope to get some data which may help ", "afterwards i shall walk down to doctors' commons, where i hope to get some data which may help us in", "wards i shall walk down to doctors' commons, where i hope to get some data which may help us in this", " i shall walk down to doctors' commons, where i hope to get some data which may help us in this matt", 'all walk down to doctors\' commons, where i hope to get some data which may help us in this matter." ', 'alk down to doctors\' commons, where i hope to get some data which may help us in this matter." it w', 'own to doctors\' commons, where i hope to get some data which may help us in this matter." it was ne', 'o doctors\' commons, where i hope to get some data which may help us in this matter." it was nearly ', 'tors\' commons, where i hope to get some data which may help us in this matter." it was nearly one o', ' commons, where i hope to get some data which may help us in this matter." it was nearly one o\'cloc', 'ons, where i hope to get some data which may help us in this matter." it was nearly one o\'clock whe', 'where i hope to get some data which may help us in this matter." it was nearly one o\'clock when she', ' i hope to get some data which may help us in this matter." it was nearly one o\'clock when sherlock', 'pe to get some data which may help us in this matter." it was nearly one o\'clock when sherlock holm', ' get some data which may help us in this matter." it was nearly one o\'clock when sherlock holmes re', 'some data which may help us in this matter." it was nearly one o\'clock when sherlock holmes returne', 'data which may help us in this matter." it was nearly one o\'clock when sherlock holmes returned fro', 'which may help us in this matter." it was nearly one o\'clock when sherlock holmes returned from his', ' may help us in this matter." it was nearly one o\'clock when sherlock holmes returned from his excu', 'help us in this matter." it was nearly one o\'clock when sherlock holmes returned from his excursion', 'us in this matter." it was nearly one o\'clock when sherlock holmes returned from his excursion. he ', ' this matter." it was nearly one o\'clock when sherlock holmes returned from his excursion. he held ', ' matter." it was nearly one o\'clock when sherlock holmes returned from his excursion. he held in hi', 'er." it was nearly one o\'clock when sherlock holmes returned from his excursion. he held in his han', " it was nearly one o'clock when sherlock holmes returned from his excursion. he held in his hand a s", "as nearly one o'clock when sherlock holmes returned from his excursion. he held in his hand a sheet ", "arly one o'clock when sherlock holmes returned from his excursion. he held in his hand a sheet of bl", "one o'clock when sherlock holmes returned from his excursion. he held in his hand a sheet of blue pa", "'clock when sherlock holmes returned from his excursion. he held in his hand a sheet of blue paper, ", 'k when sherlock holmes returned from his excursion. he held in his hand a sheet of blue paper, scraw', 'n sherlock holmes returned from his excursion. he held in his hand a sheet of blue paper, scrawled o', 'rlock holmes returned from his excursion. he held in his hand a sheet of blue paper, scrawled over w', ' holmes returned from his excursion. he held in his hand a sheet of blue paper, scrawled over with n', 'es returned from his excursion. he held in his hand a sheet of blue paper, scrawled over with notes ', 'turned from his excursion. he held in his hand a sheet of blue paper, scrawled over with notes and f', 'd from his excursion. he held in his hand a sheet of blue paper, scrawled over with notes and figure', 'm his excursion. he held in his hand a sheet of blue paper, scrawled over with notes and figures. "i', ' excursion. he held in his hand a sheet of blue paper, scrawled over with notes and figures. "i have', 'rsion. he held in his hand a sheet of blue paper, scrawled over with notes and figures. "i have seen', '. he held in his hand a sheet of blue paper, scrawled over with notes and figures. "i have seen the ', 'held in his hand a sheet of blue paper, scrawled over with notes and figures. "i have seen the will ', 'in his hand a sheet of blue paper, scrawled over with notes and figures. "i have seen the will of th', 's hand a sheet of blue paper, scrawled over with notes and figures. "i have seen the will of the dec', 'd a sheet of blue paper, scrawled over with notes and figures. "i have seen the will of the deceased', 'heet of blue paper, scrawled over with notes and figures. "i have seen the will of the deceased wife', 'of blue paper, scrawled over with notes and figures. "i have seen the will of the deceased wife," sa', 'ue paper, scrawled over with notes and figures. "i have seen the will of the deceased wife," said he', 'per, scrawled over with notes and figures. "i have seen the will of the deceased wife," said he. "to', 'scrawled over with notes and figures. "i have seen the will of the deceased wife," said he. "to dete', 'led over with notes and figures. "i have seen the will of the deceased wife," said he. "to determine', 'ver with notes and figures. "i have seen the will of the deceased wife," said he. "to determine its ', 'ith notes and figures. "i have seen the will of the deceased wife," said he. "to determine its exact', 'otes and figures. "i have seen the will of the deceased wife," said he. "to determine its exact mean', 'and figures. "i have seen the will of the deceased wife," said he. "to determine its exact meaning i', 'igures. "i have seen the will of the deceased wife," said he. "to determine its exact meaning i have', 's. "i have seen the will of the deceased wife," said he. "to determine its exact meaning i have been', ' have seen the will of the deceased wife," said he. "to determine its exact meaning i have been obli', ' seen the will of the deceased wife," said he. "to determine its exact meaning i have been obliged t', ' the will of the deceased wife," said he. "to determine its exact meaning i have been obliged to wor', 'will of the deceased wife," said he. "to determine its exact meaning i have been obliged to work out', 'of the deceased wife," said he. "to determine its exact meaning i have been obliged to work out the ', 'e deceased wife," said he. "to determine its exact meaning i have been obliged to work out the prese', 'eased wife," said he. "to determine its exact meaning i have been obliged to work out the present pr', ' wife," said he. "to determine its exact meaning i have been obliged to work out the present prices ', '," said he. "to determine its exact meaning i have been obliged to work out the present prices of th', 'id he. "to determine its exact meaning i have been obliged to work out the present prices of the inv', '. "to determine its exact meaning i have been obliged to work out the present prices of the investme', ' determine its exact meaning i have been obliged to work out the present prices of the investments w', 'rmine its exact meaning i have been obliged to work out the present prices of the investments with w', ' its exact meaning i have been obliged to work out the present prices of the investments with which ', 'exact meaning i have been obliged to work out the present prices of the investments with which it is', ' meaning i have been obliged to work out the present prices of the investments with which it is conc', 'ing i have been obliged to work out the present prices of the investments with which it is concerned', ' have been obliged to work out the present prices of the investments with which it is concerned. the', ' been obliged to work out the present prices of the investments with which it is concerned. the tota', ' obliged to work out the present prices of the investments with which it is concerned. the total inc', 'ged to work out the present prices of the investments with which it is concerned. the total income, ', 'o work out the present prices of the investments with which it is concerned. the total income, which', 'k out the present prices of the investments with which it is concerned. the total income, which at t', ' the present prices of the investments with which it is concerned. the total income, which at the ti', 'present prices of the investments with which it is concerned. the total income, which at the time of', 'nt prices of the investments with which it is concerned. the total income, which at the time of the ', "ices of the investments with which it is concerned. the total income, which at the time of the wife'", "of the investments with which it is concerned. the total income, which at the time of the wife's dea", "e investments with which it is concerned. the total income, which at the time of the wife's death wa", "estments with which it is concerned. the total income, which at the time of the wife's death was lit", "nts with which it is concerned. the total income, which at the time of the wife's death was little s", "ith which it is concerned. the total income, which at the time of the wife's death was little short ", "hich it is concerned. the total income, which at the time of the wife's death was little short of ", "it is concerned. the total income, which at the time of the wife's death was little short of pound", " concerned. the total income, which at the time of the wife's death was little short of pounds, is", "erned. the total income, which at the time of the wife's death was little short of pounds, is now,", ". the total income, which at the time of the wife's death was little short of pounds, is now, thro", " total income, which at the time of the wife's death was little short of pounds, is now, through t", "l income, which at the time of the wife's death was little short of pounds, is now, through the fa", "ome, which at the time of the wife's death was little short of pounds, is now, through the fall in", "which at the time of the wife's death was little short of pounds, is now, through the fall in agri", " at the time of the wife's death was little short of pounds, is now, through the fall in agricultu", "he time of the wife's death was little short of pounds, is now, through the fall in agricultural p", "me of the wife's death was little short of pounds, is now, through the fall in agricultural prices", " the wife's death was little short of pounds, is now, through the fall in agricultural prices, not", "wife's death was little short of pounds, is now, through the fall in agricultural prices, not more", 's death was little short of pounds, is now, through the fall in agricultural prices, not more than', 'th was little short of pounds, is now, through the fall in agricultural prices, not more than po', 's little short of pounds, is now, through the fall in agricultural prices, not more than pounds.', 'tle short of pounds, is now, through the fall in agricultural prices, not more than pounds. each', 'hort of pounds, is now, through the fall in agricultural prices, not more than pounds. each daug', 'of pounds, is now, through the fall in agricultural prices, not more than pounds. each daughter ', 'pounds, is now, through the fall in agricultural prices, not more than pounds. each daughter can c', 's, is now, through the fall in agricultural prices, not more than pounds. each daughter can claim ', ' now, through the fall in agricultural prices, not more than pounds. each daughter can claim an in', ' through the fall in agricultural prices, not more than pounds. each daughter can claim an income ', 'ugh the fall in agricultural prices, not more than pounds. each daughter can claim an income of ', 'he fall in agricultural prices, not more than pounds. each daughter can claim an income of pound', 'll in agricultural prices, not more than pounds. each daughter can claim an income of pounds, in', ' agricultural prices, not more than pounds. each daughter can claim an income of pounds, in case', 'cultural prices, not more than pounds. each daughter can claim an income of pounds, in case of m', 'ral prices, not more than pounds. each daughter can claim an income of pounds, in case of marria', 'rices, not more than pounds. each daughter can claim an income of pounds, in case of marriage. i', ', not more than pounds. each daughter can claim an income of pounds, in case of marriage. it is ', ' more than pounds. each daughter can claim an income of pounds, in case of marriage. it is evide', ' than pounds. each daughter can claim an income of pounds, in case of marriage. it is evident, t', ' pounds. each daughter can claim an income of pounds, in case of marriage. it is evident, theref', 'unds. each daughter can claim an income of pounds, in case of marriage. it is evident, therefore, ', ' each daughter can claim an income of pounds, in case of marriage. it is evident, therefore, that ', ' daughter can claim an income of pounds, in case of marriage. it is evident, therefore, that if bo', 'hter can claim an income of pounds, in case of marriage. it is evident, therefore, that if both gi', 'can claim an income of pounds, in case of marriage. it is evident, therefore, that if both girls h', 'laim an income of pounds, in case of marriage. it is evident, therefore, that if both girls had ma', 'an income of pounds, in case of marriage. it is evident, therefore, that if both girls had married', 'come of pounds, in case of marriage. it is evident, therefore, that if both girls had married, thi', 'of pounds, in case of marriage. it is evident, therefore, that if both girls had married, this bea', 'pounds, in case of marriage. it is evident, therefore, that if both girls had married, this beauty w', 's, in case of marriage. it is evident, therefore, that if both girls had married, this beauty would ', ' case of marriage. it is evident, therefore, that if both girls had married, this beauty would have ', ' of marriage. it is evident, therefore, that if both girls had married, this beauty would have had a', 'arriage. it is evident, therefore, that if both girls had married, this beauty would have had a mere', 'ge. it is evident, therefore, that if both girls had married, this beauty would have had a mere pitt', 't is evident, therefore, that if both girls had married, this beauty would have had a mere pittance,', 'evident, therefore, that if both girls had married, this beauty would have had a mere pittance, whil', 'nt, therefore, that if both girls had married, this beauty would have had a mere pittance, while eve', 'herefore, that if both girls had married, this beauty would have had a mere pittance, while even one', 'ore, that if both girls had married, this beauty would have had a mere pittance, while even one of t', 'that if both girls had married, this beauty would have had a mere pittance, while even one of them w', 'if both girls had married, this beauty would have had a mere pittance, while even one of them would ', 'th girls had married, this beauty would have had a mere pittance, while even one of them would cripp', 'rls had married, this beauty would have had a mere pittance, while even one of them would cripple hi', 'ad married, this beauty would have had a mere pittance, while even one of them would cripple him to ', 'rried, this beauty would have had a mere pittance, while even one of them would cripple him to a ver', ', this beauty would have had a mere pittance, while even one of them would cripple him to a very ser', 's beauty would have had a mere pittance, while even one of them would cripple him to a very serious ', 'uty would have had a mere pittance, while even one of them would cripple him to a very serious exten', 'ould have had a mere pittance, while even one of them would cripple him to a very serious extent. my', 'have had a mere pittance, while even one of them would cripple him to a very serious extent. my morn', "had a mere pittance, while even one of them would cripple him to a very serious extent. my morning's", " mere pittance, while even one of them would cripple him to a very serious extent. my morning's work", " pittance, while even one of them would cripple him to a very serious extent. my morning's work has ", "ance, while even one of them would cripple him to a very serious extent. my morning's work has not b", " while even one of them would cripple him to a very serious extent. my morning's work has not been w", "e even one of them would cripple him to a very serious extent. my morning's work has not been wasted", "n one of them would cripple him to a very serious extent. my morning's work has not been wasted, sin", " of them would cripple him to a very serious extent. my morning's work has not been wasted, since it", "hem would cripple him to a very serious extent. my morning's work has not been wasted, since it has ", "ould cripple him to a very serious extent. my morning's work has not been wasted, since it has prove", "cripple him to a very serious extent. my morning's work has not been wasted, since it has proved tha", "le him to a very serious extent. my morning's work has not been wasted, since it has proved that he ", "m to a very serious extent. my morning's work has not been wasted, since it has proved that he has t", "a very serious extent. my morning's work has not been wasted, since it has proved that he has the ve", "y serious extent. my morning's work has not been wasted, since it has proved that he has the very st", "ious extent. my morning's work has not been wasted, since it has proved that he has the very stronge", "extent. my morning's work has not been wasted, since it has proved that he has the very strongest mo", "t. my morning's work has not been wasted, since it has proved that he has the very strongest motives", " morning's work has not been wasted, since it has proved that he has the very strongest motives for ", "ing's work has not been wasted, since it has proved that he has the very strongest motives for stand", ' work has not been wasted, since it has proved that he has the very strongest motives for standing i', ' has not been wasted, since it has proved that he has the very strongest motives for standing in the', 'not been wasted, since it has proved that he has the very strongest motives for standing in the way ', 'een wasted, since it has proved that he has the very strongest motives for standing in the way of an', 'asted, since it has proved that he has the very strongest motives for standing in the way of anythin', ', since it has proved that he has the very strongest motives for standing in the way of anything of ', 'ce it has proved that he has the very strongest motives for standing in the way of anything of the s', ' has proved that he has the very strongest motives for standing in the way of anything of the sort. ', 'proved that he has the very strongest motives for standing in the way of anything of the sort. and n', 'd that he has the very strongest motives for standing in the way of anything of the sort. and now, w', 't he has the very strongest motives for standing in the way of anything of the sort. and now, watson', 'has the very strongest motives for standing in the way of anything of the sort. and now, watson, thi', 'he very strongest motives for standing in the way of anything of the sort. and now, watson, this is ', 'ry strongest motives for standing in the way of anything of the sort. and now, watson, this is too s', 'rongest motives for standing in the way of anything of the sort. and now, watson, this is too seriou', 'st motives for standing in the way of anything of the sort. and now, watson, this is too serious for', 'tives for standing in the way of anything of the sort. and now, watson, this is too serious for dawd', ' for standing in the way of anything of the sort. and now, watson, this is too serious for dawdling,', 'standing in the way of anything of the sort. and now, watson, this is too serious for dawdling, espe', 'ing in the way of anything of the sort. and now, watson, this is too serious for dawdling, especiall', 'n the way of anything of the sort. and now, watson, this is too serious for dawdling, especially as ', ' way of anything of the sort. and now, watson, this is too serious for dawdling, especially as the o', 'of anything of the sort. and now, watson, this is too serious for dawdling, especially as the old ma', 'ything of the sort. and now, watson, this is too serious for dawdling, especially as the old man is ', 'g of the sort. and now, watson, this is too serious for dawdling, especially as the old man is aware', 'the sort. and now, watson, this is too serious for dawdling, especially as the old man is aware that', 'ort. and now, watson, this is too serious for dawdling, especially as the old man is aware that we a', 'and now, watson, this is too serious for dawdling, especially as the old man is aware that we are in', 'ow, watson, this is too serious for dawdling, especially as the old man is aware that we are interes', 'atson, this is too serious for dawdling, especially as the old man is aware that we are interesting ', ', this is too serious for dawdling, especially as the old man is aware that we are interesting ourse', 's is too serious for dawdling, especially as the old man is aware that we are interesting ourselves ', 'too serious for dawdling, especially as the old man is aware that we are interesting ourselves in hi', 'erious for dawdling, especially as the old man is aware that we are interesting ourselves in his aff', 's for dawdling, especially as the old man is aware that we are interesting ourselves in his affairs;', ' dawdling, especially as the old man is aware that we are interesting ourselves in his affairs; so i', 'ling, especially as the old man is aware that we are interesting ourselves in his affairs; so if you', ' especially as the old man is aware that we are interesting ourselves in his affairs; so if you are ', 'cially as the old man is aware that we are interesting ourselves in his affairs; so if you are ready', 'y as the old man is aware that we are interesting ourselves in his affairs; so if you are ready, we ', 'the old man is aware that we are interesting ourselves in his affairs; so if you are ready, we shall', 'ld man is aware that we are interesting ourselves in his affairs; so if you are ready, we shall call', 'n is aware that we are interesting ourselves in his affairs; so if you are ready, we shall call a ca', 'aware that we are interesting ourselves in his affairs; so if you are ready, we shall call a cab and', ' that we are interesting ourselves in his affairs; so if you are ready, we shall call a cab and driv', ' we are interesting ourselves in his affairs; so if you are ready, we shall call a cab and drive to ', 're interesting ourselves in his affairs; so if you are ready, we shall call a cab and drive to water', 'teresting ourselves in his affairs; so if you are ready, we shall call a cab and drive to waterloo. ', 'ting ourselves in his affairs; so if you are ready, we shall call a cab and drive to waterloo. i sho', 'ourselves in his affairs; so if you are ready, we shall call a cab and drive to waterloo. i should b', 'lves in his affairs; so if you are ready, we shall call a cab and drive to waterloo. i should be ver', 'in his affairs; so if you are ready, we shall call a cab and drive to waterloo. i should be very muc', 's affairs; so if you are ready, we shall call a cab and drive to waterloo. i should be very much obl', 'airs; so if you are ready, we shall call a cab and drive to waterloo. i should be very much obliged ', ' so if you are ready, we shall call a cab and drive to waterloo. i should be very much obliged if yo', 'f you are ready, we shall call a cab and drive to waterloo. i should be very much obliged if you wou', ' are ready, we shall call a cab and drive to waterloo. i should be very much obliged if you would sl', 'ready, we shall call a cab and drive to waterloo. i should be very much obliged if you would slip yo', ', we shall call a cab and drive to waterloo. i should be very much obliged if you would slip your re', 'shall call a cab and drive to waterloo. i should be very much obliged if you would slip your revolve', ' call a cab and drive to waterloo. i should be very much obliged if you would slip your revolver int', ' a cab and drive to waterloo. i should be very much obliged if you would slip your revolver into you', 'b and drive to waterloo. i should be very much obliged if you would slip your revolver into your poc', ' drive to waterloo. i should be very much obliged if you would slip your revolver into your pocket. ', 'e to waterloo. i should be very much obliged if you would slip your revolver into your pocket. an el', "waterloo. i should be very much obliged if you would slip your revolver into your pocket. an eley's ", "loo. i should be very much obliged if you would slip your revolver into your pocket. an eley's no. ", "i should be very much obliged if you would slip your revolver into your pocket. an eley's no. is an", "uld be very much obliged if you would slip your revolver into your pocket. an eley's no. is an exce", "e very much obliged if you would slip your revolver into your pocket. an eley's no. is an excellent", "y much obliged if you would slip your revolver into your pocket. an eley's no. is an excellent argu", "h obliged if you would slip your revolver into your pocket. an eley's no. is an excellent argument ", "iged if you would slip your revolver into your pocket. an eley's no. is an excellent argument with ", "if you would slip your revolver into your pocket. an eley's no. is an excellent argument with gentl", "u would slip your revolver into your pocket. an eley's no. is an excellent argument with gentlemen ", "ld slip your revolver into your pocket. an eley's no. is an excellent argument with gentlemen who c", "ip your revolver into your pocket. an eley's no. is an excellent argument with gentlemen who can tw", "ur revolver into your pocket. an eley's no. is an excellent argument with gentlemen who can twist s", "volver into your pocket. an eley's no. is an excellent argument with gentlemen who can twist steel ", "r into your pocket. an eley's no. is an excellent argument with gentlemen who can twist steel poker", "o your pocket. an eley's no. is an excellent argument with gentlemen who can twist steel pokers int", "r pocket. an eley's no. is an excellent argument with gentlemen who can twist steel pokers into kno", "ket. an eley's no. is an excellent argument with gentlemen who can twist steel pokers into knots. t", "an eley's no. is an excellent argument with gentlemen who can twist steel pokers into knots. that a", "ey's no. is an excellent argument with gentlemen who can twist steel pokers into knots. that and a ", 'no. is an excellent argument with gentlemen who can twist steel pokers into knots. that and a tooth', 'is an excellent argument with gentlemen who can twist steel pokers into knots. that and a tooth-brus', ' excellent argument with gentlemen who can twist steel pokers into knots. that and a tooth-brush are', 'llent argument with gentlemen who can twist steel pokers into knots. that and a tooth-brush are, i t', ' argument with gentlemen who can twist steel pokers into knots. that and a tooth-brush are, i think,', 'ment with gentlemen who can twist steel pokers into knots. that and a tooth-brush are, i think, all ', 'with gentlemen who can twist steel pokers into knots. that and a tooth-brush are, i think, all that ', 'gentlemen who can twist steel pokers into knots. that and a tooth-brush are, i think, all that we ne', 'emen who can twist steel pokers into knots. that and a tooth-brush are, i think, all that we need." ', 'who can twist steel pokers into knots. that and a tooth-brush are, i think, all that we need." at wa', 'an twist steel pokers into knots. that and a tooth-brush are, i think, all that we need." at waterlo', 'ist steel pokers into knots. that and a tooth-brush are, i think, all that we need." at waterloo we ', 'teel pokers into knots. that and a tooth-brush are, i think, all that we need." at waterloo we were ', 'pokers into knots. that and a tooth-brush are, i think, all that we need." at waterloo we were fortu', 's into knots. that and a tooth-brush are, i think, all that we need." at waterloo we were fortunate ', 'o knots. that and a tooth-brush are, i think, all that we need." at waterloo we were fortunate in ca', 'ts. that and a tooth-brush are, i think, all that we need." at waterloo we were fortunate in catchin', 'hat and a tooth-brush are, i think, all that we need." at waterloo we were fortunate in catching a t', 'nd a tooth-brush are, i think, all that we need." at waterloo we were fortunate in catching a train ', 'tooth-brush are, i think, all that we need." at waterloo we were fortunate in catching a train for l', '-brush are, i think, all that we need." at waterloo we were fortunate in catching a train for leathe', 'h are, i think, all that we need." at waterloo we were fortunate in catching a train for leatherhead', ', i think, all that we need." at waterloo we were fortunate in catching a train for leatherhead, whe', 'hink, all that we need." at waterloo we were fortunate in catching a train for leatherhead, where we', ' all that we need." at waterloo we were fortunate in catching a train for leatherhead, where we hire', 'that we need." at waterloo we were fortunate in catching a train for leatherhead, where we hired a t', 'we need." at waterloo we were fortunate in catching a train for leatherhead, where we hired a trap a', 'ed." at waterloo we were fortunate in catching a train for leatherhead, where we hired a trap at the', 'at waterloo we were fortunate in catching a train for leatherhead, where we hired a trap at the stat', 'terloo we were fortunate in catching a train for leatherhead, where we hired a trap at the station i', 'o we were fortunate in catching a train for leatherhead, where we hired a trap at the station inn an', 'were fortunate in catching a train for leatherhead, where we hired a trap at the station inn and dro', 'fortunate in catching a train for leatherhead, where we hired a trap at the station inn and drove fo', 'nate in catching a train for leatherhead, where we hired a trap at the station inn and drove for fou', 'in catching a train for leatherhead, where we hired a trap at the station inn and drove for four or ', 'tching a train for leatherhead, where we hired a trap at the station inn and drove for four or five ', 'g a train for leatherhead, where we hired a trap at the station inn and drove for four or five miles', 'rain for leatherhead, where we hired a trap at the station inn and drove for four or five miles thro', 'for leatherhead, where we hired a trap at the station inn and drove for four or five miles through t', 'eatherhead, where we hired a trap at the station inn and drove for four or five miles through the lo', 'rhead, where we hired a trap at the station inn and drove for four or five miles through the lovely ', ', where we hired a trap at the station inn and drove for four or five miles through the lovely surre', 're we hired a trap at the station inn and drove for four or five miles through the lovely surrey lan', ' hired a trap at the station inn and drove for four or five miles through the lovely surrey lanes. i', 'd a trap at the station inn and drove for four or five miles through the lovely surrey lanes. it was', 'rap at the station inn and drove for four or five miles through the lovely surrey lanes. it was a pe', 't the station inn and drove for four or five miles through the lovely surrey lanes. it was a perfect', ' station inn and drove for four or five miles through the lovely surrey lanes. it was a perfect day,', 'ion inn and drove for four or five miles through the lovely surrey lanes. it was a perfect day, with', 'nn and drove for four or five miles through the lovely surrey lanes. it was a perfect day, with a br', 'd drove for four or five miles through the lovely surrey lanes. it was a perfect day, with a bright ', 've for four or five miles through the lovely surrey lanes. it was a perfect day, with a bright sun a', 'r four or five miles through the lovely surrey lanes. it was a perfect day, with a bright sun and a ', 'r or five miles through the lovely surrey lanes. it was a perfect day, with a bright sun and a few f', 'five miles through the lovely surrey lanes. it was a perfect day, with a bright sun and a few fleecy', 'miles through the lovely surrey lanes. it was a perfect day, with a bright sun and a few fleecy clou', ' through the lovely surrey lanes. it was a perfect day, with a bright sun and a few fleecy clouds in', 'ugh the lovely surrey lanes. it was a perfect day, with a bright sun and a few fleecy clouds in the ', 'he lovely surrey lanes. it was a perfect day, with a bright sun and a few fleecy clouds in the heave', 'vely surrey lanes. it was a perfect day, with a bright sun and a few fleecy clouds in the heavens. t', 'surrey lanes. it was a perfect day, with a bright sun and a few fleecy clouds in the heavens. the tr', 'y lanes. it was a perfect day, with a bright sun and a few fleecy clouds in the heavens. the trees a', 'es. it was a perfect day, with a bright sun and a few fleecy clouds in the heavens. the trees and wa', 't was a perfect day, with a bright sun and a few fleecy clouds in the heavens. the trees and wayside', ' a perfect day, with a bright sun and a few fleecy clouds in the heavens. the trees and wayside hedg', 'rfect day, with a bright sun and a few fleecy clouds in the heavens. the trees and wayside hedges we', ' day, with a bright sun and a few fleecy clouds in the heavens. the trees and wayside hedges were ju', ' with a bright sun and a few fleecy clouds in the heavens. the trees and wayside hedges were just th', ' a bright sun and a few fleecy clouds in the heavens. the trees and wayside hedges were just throwin', 'ight sun and a few fleecy clouds in the heavens. the trees and wayside hedges were just throwing out', 'sun and a few fleecy clouds in the heavens. the trees and wayside hedges were just throwing out thei', 'nd a few fleecy clouds in the heavens. the trees and wayside hedges were just throwing out their fir', 'few fleecy clouds in the heavens. the trees and wayside hedges were just throwing out their first gr', 'leecy clouds in the heavens. the trees and wayside hedges were just throwing out their first green s', ' clouds in the heavens. the trees and wayside hedges were just throwing out their first green shoots', 'ds in the heavens. the trees and wayside hedges were just throwing out their first green shoots, and', ' the heavens. the trees and wayside hedges were just throwing out their first green shoots, and the ', 'heavens. the trees and wayside hedges were just throwing out their first green shoots, and the air w', 'ns. the trees and wayside hedges were just throwing out their first green shoots, and the air was fu', 'he trees and wayside hedges were just throwing out their first green shoots, and the air was full of', 'ees and wayside hedges were just throwing out their first green shoots, and the air was full of the ', 'nd wayside hedges were just throwing out their first green shoots, and the air was full of the pleas', 'yside hedges were just throwing out their first green shoots, and the air was full of the pleasant s', ' hedges were just throwing out their first green shoots, and the air was full of the pleasant smell ', 'es were just throwing out their first green shoots, and the air was full of the pleasant smell of th', 're just throwing out their first green shoots, and the air was full of the pleasant smell of the moi', 'st throwing out their first green shoots, and the air was full of the pleasant smell of the moist ea', 'rowing out their first green shoots, and the air was full of the pleasant smell of the moist earth. ', 'g out their first green shoots, and the air was full of the pleasant smell of the moist earth. to me', ' their first green shoots, and the air was full of the pleasant smell of the moist earth. to me at l', 'r first green shoots, and the air was full of the pleasant smell of the moist earth. to me at least ', 'st green shoots, and the air was full of the pleasant smell of the moist earth. to me at least there', 'een shoots, and the air was full of the pleasant smell of the moist earth. to me at least there was ', 'hoots, and the air was full of the pleasant smell of the moist earth. to me at least there was a str', ', and the air was full of the pleasant smell of the moist earth. to me at least there was a strange ', ' the air was full of the pleasant smell of the moist earth. to me at least there was a strange contr', 'air was full of the pleasant smell of the moist earth. to me at least there was a strange contrast b', 'as full of the pleasant smell of the moist earth. to me at least there was a strange contrast betwee', 'll of the pleasant smell of the moist earth. to me at least there was a strange contrast between the', ' the pleasant smell of the moist earth. to me at least there was a strange contrast between the swee', 'pleasant smell of the moist earth. to me at least there was a strange contrast between the sweet pro', 'ant smell of the moist earth. to me at least there was a strange contrast between the sweet promise ', 'mell of the moist earth. to me at least there was a strange contrast between the sweet promise of th', 'of the moist earth. to me at least there was a strange contrast between the sweet promise of the spr', 'e moist earth. to me at least there was a strange contrast between the sweet promise of the spring a', 'st earth. to me at least there was a strange contrast between the sweet promise of the spring and th', 'rth. to me at least there was a strange contrast between the sweet promise of the spring and this si', 'to me at least there was a strange contrast between the sweet promise of the spring and this siniste', ' at least there was a strange contrast between the sweet promise of the spring and this sinister que', 'east there was a strange contrast between the sweet promise of the spring and this sinister quest up', 'there was a strange contrast between the sweet promise of the spring and this sinister quest upon wh', ' was a strange contrast between the sweet promise of the spring and this sinister quest upon which w', 'a strange contrast between the sweet promise of the spring and this sinister quest upon which we wer', 'ange contrast between the sweet promise of the spring and this sinister quest upon which we were eng', 'contrast between the sweet promise of the spring and this sinister quest upon which we were engaged.', 'ast between the sweet promise of the spring and this sinister quest upon which we were engaged. my c', 'etween the sweet promise of the spring and this sinister quest upon which we were engaged. my compan', 'n the sweet promise of the spring and this sinister quest upon which we were engaged. my companion s', ' sweet promise of the spring and this sinister quest upon which we were engaged. my companion sat in', 't promise of the spring and this sinister quest upon which we were engaged. my companion sat in the ', 'mise of the spring and this sinister quest upon which we were engaged. my companion sat in the front', 'of the spring and this sinister quest upon which we were engaged. my companion sat in the front of t', 'e spring and this sinister quest upon which we were engaged. my companion sat in the front of the tr', 'ing and this sinister quest upon which we were engaged. my companion sat in the front of the trap, h', 'nd this sinister quest upon which we were engaged. my companion sat in the front of the trap, his ar', 'is sinister quest upon which we were engaged. my companion sat in the front of the trap, his arms fo', 'nister quest upon which we were engaged. my companion sat in the front of the trap, his arms folded,', 'r quest upon which we were engaged. my companion sat in the front of the trap, his arms folded, his ', 'st upon which we were engaged. my companion sat in the front of the trap, his arms folded, his hat p', 'on which we were engaged. my companion sat in the front of the trap, his arms folded, his hat pulled', 'ich we were engaged. my companion sat in the front of the trap, his arms folded, his hat pulled down', 'e were engaged. my companion sat in the front of the trap, his arms folded, his hat pulled down over', 'e engaged. my companion sat in the front of the trap, his arms folded, his hat pulled down over his ', 'aged. my companion sat in the front of the trap, his arms folded, his hat pulled down over his eyes,', ' my companion sat in the front of the trap, his arms folded, his hat pulled down over his eyes, and ', 'ompanion sat in the front of the trap, his arms folded, his hat pulled down over his eyes, and his c', 'ion sat in the front of the trap, his arms folded, his hat pulled down over his eyes, and his chin s', 'at in the front of the trap, his arms folded, his hat pulled down over his eyes, and his chin sunk u', ' the front of the trap, his arms folded, his hat pulled down over his eyes, and his chin sunk upon h', 'front of the trap, his arms folded, his hat pulled down over his eyes, and his chin sunk upon his br', ' of the trap, his arms folded, his hat pulled down over his eyes, and his chin sunk upon his breast,', 'he trap, his arms folded, his hat pulled down over his eyes, and his chin sunk upon his breast, buri', 'ap, his arms folded, his hat pulled down over his eyes, and his chin sunk upon his breast, buried in', 'is arms folded, his hat pulled down over his eyes, and his chin sunk upon his breast, buried in the ', 'ms folded, his hat pulled down over his eyes, and his chin sunk upon his breast, buried in the deepe', 'lded, his hat pulled down over his eyes, and his chin sunk upon his breast, buried in the deepest th', ' his hat pulled down over his eyes, and his chin sunk upon his breast, buried in the deepest thought', 'hat pulled down over his eyes, and his chin sunk upon his breast, buried in the deepest thought. sud', 'ulled down over his eyes, and his chin sunk upon his breast, buried in the deepest thought. suddenly', ' down over his eyes, and his chin sunk upon his breast, buried in the deepest thought. suddenly, how', ' over his eyes, and his chin sunk upon his breast, buried in the deepest thought. suddenly, however,', ' his eyes, and his chin sunk upon his breast, buried in the deepest thought. suddenly, however, he s', 'eyes, and his chin sunk upon his breast, buried in the deepest thought. suddenly, however, he starte', ' and his chin sunk upon his breast, buried in the deepest thought. suddenly, however, he started, ta', 'his chin sunk upon his breast, buried in the deepest thought. suddenly, however, he started, tapped ', 'hin sunk upon his breast, buried in the deepest thought. suddenly, however, he started, tapped me on', 'unk upon his breast, buried in the deepest thought. suddenly, however, he started, tapped me on the ', 'pon his breast, buried in the deepest thought. suddenly, however, he started, tapped me on the shoul', 'is breast, buried in the deepest thought. suddenly, however, he started, tapped me on the shoulder, ', 'east, buried in the deepest thought. suddenly, however, he started, tapped me on the shoulder, and p', ' buried in the deepest thought. suddenly, however, he started, tapped me on the shoulder, and pointe', 'ed in the deepest thought. suddenly, however, he started, tapped me on the shoulder, and pointed ove', ' the deepest thought. suddenly, however, he started, tapped me on the shoulder, and pointed over the', 'deepest thought. suddenly, however, he started, tapped me on the shoulder, and pointed over the mead', 'st thought. suddenly, however, he started, tapped me on the shoulder, and pointed over the meadows. ', 'ought. suddenly, however, he started, tapped me on the shoulder, and pointed over the meadows. "look', '. suddenly, however, he started, tapped me on the shoulder, and pointed over the meadows. "look ther', 'denly, however, he started, tapped me on the shoulder, and pointed over the meadows. "look there sai', ', however, he started, tapped me on the shoulder, and pointed over the meadows. "look there said he.', 'ever, he started, tapped me on the shoulder, and pointed over the meadows. "look there said he. a he', ' he started, tapped me on the shoulder, and pointed over the meadows. "look there said he. a heavily', 'tarted, tapped me on the shoulder, and pointed over the meadows. "look there said he. a heavily timb', 'd, tapped me on the shoulder, and pointed over the meadows. "look there said he. a heavily timbered ', 'pped me on the shoulder, and pointed over the meadows. "look there said he. a heavily timbered park ', 'me on the shoulder, and pointed over the meadows. "look there said he. a heavily timbered park stret', ' the shoulder, and pointed over the meadows. "look there said he. a heavily timbered park stretched ', 'shoulder, and pointed over the meadows. "look there said he. a heavily timbered park stretched up in', 'der, and pointed over the meadows. "look there said he. a heavily timbered park stretched up in a ge', 'and pointed over the meadows. "look there said he. a heavily timbered park stretched up in a gentle ', 'ointed over the meadows. "look there said he. a heavily timbered park stretched up in a gentle slope', 'd over the meadows. "look there said he. a heavily timbered park stretched up in a gentle slope, thi', 'r the meadows. "look there said he. a heavily timbered park stretched up in a gentle slope, thickeni', ' meadows. "look there said he. a heavily timbered park stretched up in a gentle slope, thickening in', 'ows. "look there said he. a heavily timbered park stretched up in a gentle slope, thickening into a ', '"look there said he. a heavily timbered park stretched up in a gentle slope, thickening into a grove', ' there said he. a heavily timbered park stretched up in a gentle slope, thickening into a grove at t', 'e said he. a heavily timbered park stretched up in a gentle slope, thickening into a grove at the hi', 'd he. a heavily timbered park stretched up in a gentle slope, thickening into a grove at the highest', ' a heavily timbered park stretched up in a gentle slope, thickening into a grove at the highest poin', 'avily timbered park stretched up in a gentle slope, thickening into a grove at the highest point. fr', ' timbered park stretched up in a gentle slope, thickening into a grove at the highest point. from am', 'ered park stretched up in a gentle slope, thickening into a grove at the highest point. from amid th', 'park stretched up in a gentle slope, thickening into a grove at the highest point. from amid the bra', 'stretched up in a gentle slope, thickening into a grove at the highest point. from amid the branches', 'ched up in a gentle slope, thickening into a grove at the highest point. from amid the branches ther', 'up in a gentle slope, thickening into a grove at the highest point. from amid the branches there jut', ' a gentle slope, thickening into a grove at the highest point. from amid the branches there jutted o', 'ntle slope, thickening into a grove at the highest point. from amid the branches there jutted out th', 'slope, thickening into a grove at the highest point. from amid the branches there jutted out the gre', ', thickening into a grove at the highest point. from amid the branches there jutted out the grey gab', 'ckening into a grove at the highest point. from amid the branches there jutted out the grey gables a', 'ng into a grove at the highest point. from amid the branches there jutted out the grey gables and hi', 'to a grove at the highest point. from amid the branches there jutted out the grey gables and high ro', 'grove at the highest point. from amid the branches there jutted out the grey gables and high roof-tr', ' at the highest point. from amid the branches there jutted out the grey gables and high roof-tree of', 'he highest point. from amid the branches there jutted out the grey gables and high roof-tree of a ve', 'ghest point. from amid the branches there jutted out the grey gables and high roof-tree of a very ol', ' point. from amid the branches there jutted out the grey gables and high roof-tree of a very old man', 't. from amid the branches there jutted out the grey gables and high roof-tree of a very old mansion.', 'om amid the branches there jutted out the grey gables and high roof-tree of a very old mansion. "sto', 'id the branches there jutted out the grey gables and high roof-tree of a very old mansion. "stoke mo', 'e branches there jutted out the grey gables and high roof-tree of a very old mansion. "stoke moran?"', 'nches there jutted out the grey gables and high roof-tree of a very old mansion. "stoke moran?" said', ' there jutted out the grey gables and high roof-tree of a very old mansion. "stoke moran?" said he. ', 'e jutted out the grey gables and high roof-tree of a very old mansion. "stoke moran?" said he. "yes,', 'ted out the grey gables and high roof-tree of a very old mansion. "stoke moran?" said he. "yes, sir,', 'ut the grey gables and high roof-tree of a very old mansion. "stoke moran?" said he. "yes, sir, that', 'e grey gables and high roof-tree of a very old mansion. "stoke moran?" said he. "yes, sir, that be t', 'y gables and high roof-tree of a very old mansion. "stoke moran?" said he. "yes, sir, that be the ho', 'les and high roof-tree of a very old mansion. "stoke moran?" said he. "yes, sir, that be the house o', 'nd high roof-tree of a very old mansion. "stoke moran?" said he. "yes, sir, that be the house of dr.', 'gh roof-tree of a very old mansion. "stoke moran?" said he. "yes, sir, that be the house of dr. grim', 'of-tree of a very old mansion. "stoke moran?" said he. "yes, sir, that be the house of dr. grimesby ', 'ee of a very old mansion. "stoke moran?" said he. "yes, sir, that be the house of dr. grimesby roylo', ' a very old mansion. "stoke moran?" said he. "yes, sir, that be the house of dr. grimesby roylott," ', 'ry old mansion. "stoke moran?" said he. "yes, sir, that be the house of dr. grimesby roylott," remar', 'd mansion. "stoke moran?" said he. "yes, sir, that be the house of dr. grimesby roylott," remarked t', 'sion. "stoke moran?" said he. "yes, sir, that be the house of dr. grimesby roylott," remarked the dr', ' "stoke moran?" said he. "yes, sir, that be the house of dr. grimesby roylott," remarked the driver.', 'ke moran?" said he. "yes, sir, that be the house of dr. grimesby roylott," remarked the driver. "the', 'ran?" said he. "yes, sir, that be the house of dr. grimesby roylott," remarked the driver. "there is', ' said he. "yes, sir, that be the house of dr. grimesby roylott," remarked the driver. "there is some', ' he. "yes, sir, that be the house of dr. grimesby roylott," remarked the driver. "there is some buil', '"yes, sir, that be the house of dr. grimesby roylott," remarked the driver. "there is some building ', ' sir, that be the house of dr. grimesby roylott," remarked the driver. "there is some building going', ' that be the house of dr. grimesby roylott," remarked the driver. "there is some building going on t', ' be the house of dr. grimesby roylott," remarked the driver. "there is some building going on there,', 'he house of dr. grimesby roylott," remarked the driver. "there is some building going on there," sai', 'use of dr. grimesby roylott," remarked the driver. "there is some building going on there," said hol', 'f dr. grimesby roylott," remarked the driver. "there is some building going on there," said holmes; ', ' grimesby roylott," remarked the driver. "there is some building going on there," said holmes; "that', 'esby roylott," remarked the driver. "there is some building going on there," said holmes; "that is w', 'roylott," remarked the driver. "there is some building going on there," said holmes; "that is where ', 'tt," remarked the driver. "there is some building going on there," said holmes; "that is where we ar', 'remarked the driver. "there is some building going on there," said holmes; "that is where we are goi', 'ked the driver. "there is some building going on there," said holmes; "that is where we are going." ', 'he driver. "there is some building going on there," said holmes; "that is where we are going." "ther', 'iver. "there is some building going on there," said holmes; "that is where we are going." "there\'s t', ' "there is some building going on there," said holmes; "that is where we are going." "there\'s the vi', 're is some building going on there," said holmes; "that is where we are going." "there\'s the village', ' some building going on there," said holmes; "that is where we are going." "there\'s the village," sa', ' building going on there," said holmes; "that is where we are going." "there\'s the village," said th', 'ding going on there," said holmes; "that is where we are going." "there\'s the village," said the dri', 'going on there," said holmes; "that is where we are going." "there\'s the village," said the driver, ', ' on there," said holmes; "that is where we are going." "there\'s the village," said the driver, point', 'here," said holmes; "that is where we are going." "there\'s the village," said the driver, pointing t', '" said holmes; "that is where we are going." "there\'s the village," said the driver, pointing to a c', 'd holmes; "that is where we are going." "there\'s the village," said the driver, pointing to a cluste', 'mes; "that is where we are going." "there\'s the village," said the driver, pointing to a cluster of ', '"that is where we are going." "there\'s the village," said the driver, pointing to a cluster of roofs', ' is where we are going." "there\'s the village," said the driver, pointing to a cluster of roofs some', 'here we are going." "there\'s the village," said the driver, pointing to a cluster of roofs some dist', 'we are going." "there\'s the village," said the driver, pointing to a cluster of roofs some distance ', 'e going." "there\'s the village," said the driver, pointing to a cluster of roofs some distance to th', 'ng." "there\'s the village," said the driver, pointing to a cluster of roofs some distance to the lef', '"there\'s the village," said the driver, pointing to a cluster of roofs some distance to the left; "b', 'e\'s the village," said the driver, pointing to a cluster of roofs some distance to the left; "but if', 'he village," said the driver, pointing to a cluster of roofs some distance to the left; "but if you ', 'llage," said the driver, pointing to a cluster of roofs some distance to the left; "but if you want ', '," said the driver, pointing to a cluster of roofs some distance to the left; "but if you want to ge', 'id the driver, pointing to a cluster of roofs some distance to the left; "but if you want to get to ', 'e driver, pointing to a cluster of roofs some distance to the left; "but if you want to get to the h', 'ver, pointing to a cluster of roofs some distance to the left; "but if you want to get to the house,', 'pointing to a cluster of roofs some distance to the left; "but if you want to get to the house, you\'', 'ing to a cluster of roofs some distance to the left; "but if you want to get to the house, you\'ll fi', 'o a cluster of roofs some distance to the left; "but if you want to get to the house, you\'ll find it', 'luster of roofs some distance to the left; "but if you want to get to the house, you\'ll find it shor', 'r of roofs some distance to the left; "but if you want to get to the house, you\'ll find it shorter t', 'roofs some distance to the left; "but if you want to get to the house, you\'ll find it shorter to get', ' some distance to the left; "but if you want to get to the house, you\'ll find it shorter to get over', ' distance to the left; "but if you want to get to the house, you\'ll find it shorter to get over this', 'ance to the left; "but if you want to get to the house, you\'ll find it shorter to get over this stil', 'to the left; "but if you want to get to the house, you\'ll find it shorter to get over this stile, an', 'e left; "but if you want to get to the house, you\'ll find it shorter to get over this stile, and so ', 't; "but if you want to get to the house, you\'ll find it shorter to get over this stile, and so by th', "ut if you want to get to the house, you'll find it shorter to get over this stile, and so by the foo", " you want to get to the house, you'll find it shorter to get over this stile, and so by the foot-pat", "want to get to the house, you'll find it shorter to get over this stile, and so by the foot-path ove", "to get to the house, you'll find it shorter to get over this stile, and so by the foot-path over the", "t to the house, you'll find it shorter to get over this stile, and so by the foot-path over the fiel", "the house, you'll find it shorter to get over this stile, and so by the foot-path over the fields. t", "ouse, you'll find it shorter to get over this stile, and so by the foot-path over the fields. there ", " you'll find it shorter to get over this stile, and so by the foot-path over the fields. there it is", 'll find it shorter to get over this stile, and so by the foot-path over the fields. there it is, whe', 'nd it shorter to get over this stile, and so by the foot-path over the fields. there it is, where th', ' shorter to get over this stile, and so by the foot-path over the fields. there it is, where the lad', 'ter to get over this stile, and so by the foot-path over the fields. there it is, where the lady is ', 'o get over this stile, and so by the foot-path over the fields. there it is, where the lady is walki', ' over this stile, and so by the foot-path over the fields. there it is, where the lady is walking." ', ' this stile, and so by the foot-path over the fields. there it is, where the lady is walking." "and ', ' stile, and so by the foot-path over the fields. there it is, where the lady is walking." "and the l', 'e, and so by the foot-path over the fields. there it is, where the lady is walking." "and the lady, ', 'd so by the foot-path over the fields. there it is, where the lady is walking." "and the lady, i fan', 'by the foot-path over the fields. there it is, where the lady is walking." "and the lady, i fancy, i', 'e foot-path over the fields. there it is, where the lady is walking." "and the lady, i fancy, is mis', 't-path over the fields. there it is, where the lady is walking." "and the lady, i fancy, is miss sto', 'h over the fields. there it is, where the lady is walking." "and the lady, i fancy, is miss stoner,"', 'r the fields. there it is, where the lady is walking." "and the lady, i fancy, is miss stoner," obse', ' fields. there it is, where the lady is walking." "and the lady, i fancy, is miss stoner," observed ', 'ds. there it is, where the lady is walking." "and the lady, i fancy, is miss stoner," observed holme', 'here it is, where the lady is walking." "and the lady, i fancy, is miss stoner," observed holmes, sh', 'it is, where the lady is walking." "and the lady, i fancy, is miss stoner," observed holmes, shading', ', where the lady is walking." "and the lady, i fancy, is miss stoner," observed holmes, shading his ', 're the lady is walking." "and the lady, i fancy, is miss stoner," observed holmes, shading his eyes.', 'e lady is walking." "and the lady, i fancy, is miss stoner," observed holmes, shading his eyes. "yes', 'y is walking." "and the lady, i fancy, is miss stoner," observed holmes, shading his eyes. "yes, i t', 'walking." "and the lady, i fancy, is miss stoner," observed holmes, shading his eyes. "yes, i think ', 'ng." "and the lady, i fancy, is miss stoner," observed holmes, shading his eyes. "yes, i think we ha', '"and the lady, i fancy, is miss stoner," observed holmes, shading his eyes. "yes, i think we had bet', 'the lady, i fancy, is miss stoner," observed holmes, shading his eyes. "yes, i think we had better d', 'ady, i fancy, is miss stoner," observed holmes, shading his eyes. "yes, i think we had better do as ', 'i fancy, is miss stoner," observed holmes, shading his eyes. "yes, i think we had better do as you s', 'cy, is miss stoner," observed holmes, shading his eyes. "yes, i think we had better do as you sugges', 's miss stoner," observed holmes, shading his eyes. "yes, i think we had better do as you suggest." w', 's stoner," observed holmes, shading his eyes. "yes, i think we had better do as you suggest." we got', 'ner," observed holmes, shading his eyes. "yes, i think we had better do as you suggest." we got off,', ' observed holmes, shading his eyes. "yes, i think we had better do as you suggest." we got off, paid', 'rved holmes, shading his eyes. "yes, i think we had better do as you suggest." we got off, paid our ', 'holmes, shading his eyes. "yes, i think we had better do as you suggest." we got off, paid our fare,', 's, shading his eyes. "yes, i think we had better do as you suggest." we got off, paid our fare, and ', 'ading his eyes. "yes, i think we had better do as you suggest." we got off, paid our fare, and the t', ' his eyes. "yes, i think we had better do as you suggest." we got off, paid our fare, and the trap r', 'eyes. "yes, i think we had better do as you suggest." we got off, paid our fare, and the trap rattle', ' "yes, i think we had better do as you suggest." we got off, paid our fare, and the trap rattled bac', ', i think we had better do as you suggest." we got off, paid our fare, and the trap rattled back on ', 'hink we had better do as you suggest." we got off, paid our fare, and the trap rattled back on its w', 'we had better do as you suggest." we got off, paid our fare, and the trap rattled back on its way to', 'd better do as you suggest." we got off, paid our fare, and the trap rattled back on its way to leat', 'ter do as you suggest." we got off, paid our fare, and the trap rattled back on its way to leatherhe', 'o as you suggest." we got off, paid our fare, and the trap rattled back on its way to leatherhead. "', 'you suggest." we got off, paid our fare, and the trap rattled back on its way to leatherhead. "i tho', 'uggest." we got off, paid our fare, and the trap rattled back on its way to leatherhead. "i thought ', 't." we got off, paid our fare, and the trap rattled back on its way to leatherhead. "i thought it as', 'e got off, paid our fare, and the trap rattled back on its way to leatherhead. "i thought it as well', ' off, paid our fare, and the trap rattled back on its way to leatherhead. "i thought it as well," sa', ' paid our fare, and the trap rattled back on its way to leatherhead. "i thought it as well," said ho', ' our fare, and the trap rattled back on its way to leatherhead. "i thought it as well," said holmes ', 'fare, and the trap rattled back on its way to leatherhead. "i thought it as well," said holmes as we', ' and the trap rattled back on its way to leatherhead. "i thought it as well," said holmes as we clim', 'the trap rattled back on its way to leatherhead. "i thought it as well," said holmes as we climbed t', 'rap rattled back on its way to leatherhead. "i thought it as well," said holmes as we climbed the st', 'attled back on its way to leatherhead. "i thought it as well," said holmes as we climbed the stile, ', 'd back on its way to leatherhead. "i thought it as well," said holmes as we climbed the stile, "that', 'k on its way to leatherhead. "i thought it as well," said holmes as we climbed the stile, "that this', 'its way to leatherhead. "i thought it as well," said holmes as we climbed the stile, "that this fell', 'ay to leatherhead. "i thought it as well," said holmes as we climbed the stile, "that this fellow sh', ' leatherhead. "i thought it as well," said holmes as we climbed the stile, "that this fellow should ', 'herhead. "i thought it as well," said holmes as we climbed the stile, "that this fellow should think', 'ad. "i thought it as well," said holmes as we climbed the stile, "that this fellow should think we h', 'i thought it as well," said holmes as we climbed the stile, "that this fellow should think we had co', 'ught it as well," said holmes as we climbed the stile, "that this fellow should think we had come he', 'it as well," said holmes as we climbed the stile, "that this fellow should think we had come here as', ' well," said holmes as we climbed the stile, "that this fellow should think we had come here as arch', '," said holmes as we climbed the stile, "that this fellow should think we had come here as architect', 'id holmes as we climbed the stile, "that this fellow should think we had come here as architects, or', 'lmes as we climbed the stile, "that this fellow should think we had come here as architects, or on s', 'as we climbed the stile, "that this fellow should think we had come here as architects, or on some d', ' climbed the stile, "that this fellow should think we had come here as architects, or on some defini', 'bed the stile, "that this fellow should think we had come here as architects, or on some definite bu', 'he stile, "that this fellow should think we had come here as architects, or on some definite busines', 'ile, "that this fellow should think we had come here as architects, or on some definite business. it', '"that this fellow should think we had come here as architects, or on some definite business. it may ', ' this fellow should think we had come here as architects, or on some definite business. it may stop ', ' fellow should think we had come here as architects, or on some definite business. it may stop his g', 'ow should think we had come here as architects, or on some definite business. it may stop his gossip', 'ould think we had come here as architects, or on some definite business. it may stop his gossip. goo', 'think we had come here as architects, or on some definite business. it may stop his gossip. good-aft', ' we had come here as architects, or on some definite business. it may stop his gossip. good-afternoo', 'ad come here as architects, or on some definite business. it may stop his gossip. good-afternoon, mi', 'me here as architects, or on some definite business. it may stop his gossip. good-afternoon, miss st', 're as architects, or on some definite business. it may stop his gossip. good-afternoon, miss stoner.', ' architects, or on some definite business. it may stop his gossip. good-afternoon, miss stoner. you ', 'itects, or on some definite business. it may stop his gossip. good-afternoon, miss stoner. you see t', 's, or on some definite business. it may stop his gossip. good-afternoon, miss stoner. you see that w', ' on some definite business. it may stop his gossip. good-afternoon, miss stoner. you see that we hav', 'ome definite business. it may stop his gossip. good-afternoon, miss stoner. you see that we have bee', 'efinite business. it may stop his gossip. good-afternoon, miss stoner. you see that we have been as ', 'te business. it may stop his gossip. good-afternoon, miss stoner. you see that we have been as good ', 'siness. it may stop his gossip. good-afternoon, miss stoner. you see that we have been as good as ou', 's. it may stop his gossip. good-afternoon, miss stoner. you see that we have been as good as our wor', ' may stop his gossip. good-afternoon, miss stoner. you see that we have been as good as our word." o', 'stop his gossip. good-afternoon, miss stoner. you see that we have been as good as our word." our cl', 'his gossip. good-afternoon, miss stoner. you see that we have been as good as our word." our client ', 'ossip. good-afternoon, miss stoner. you see that we have been as good as our word." our client of th', '. good-afternoon, miss stoner. you see that we have been as good as our word." our client of the mor', 'd-afternoon, miss stoner. you see that we have been as good as our word." our client of the morning ', 'ernoon, miss stoner. you see that we have been as good as our word." our client of the morning had h', 'n, miss stoner. you see that we have been as good as our word." our client of the morning had hurrie', 'ss stoner. you see that we have been as good as our word." our client of the morning had hurried for', 'oner. you see that we have been as good as our word." our client of the morning had hurried forward ', ' you see that we have been as good as our word." our client of the morning had hurried forward to me', 'see that we have been as good as our word." our client of the morning had hurried forward to meet us', 'hat we have been as good as our word." our client of the morning had hurried forward to meet us with', 'e have been as good as our word." our client of the morning had hurried forward to meet us with a fa', 'e been as good as our word." our client of the morning had hurried forward to meet us with a face wh', 'n as good as our word." our client of the morning had hurried forward to meet us with a face which s', 'good as our word." our client of the morning had hurried forward to meet us with a face which spoke ', 'as our word." our client of the morning had hurried forward to meet us with a face which spoke her j', 'r word." our client of the morning had hurried forward to meet us with a face which spoke her joy. "', 'd." our client of the morning had hurried forward to meet us with a face which spoke her joy. "i hav', 'ur client of the morning had hurried forward to meet us with a face which spoke her joy. "i have bee', 'ient of the morning had hurried forward to meet us with a face which spoke her joy. "i have been wai', 'of the morning had hurried forward to meet us with a face which spoke her joy. "i have been waiting ', 'e morning had hurried forward to meet us with a face which spoke her joy. "i have been waiting so ea', 'ning had hurried forward to meet us with a face which spoke her joy. "i have been waiting so eagerly', 'had hurried forward to meet us with a face which spoke her joy. "i have been waiting so eagerly for ', 'urried forward to meet us with a face which spoke her joy. "i have been waiting so eagerly for you,"', 'd forward to meet us with a face which spoke her joy. "i have been waiting so eagerly for you," she ', 'ward to meet us with a face which spoke her joy. "i have been waiting so eagerly for you," she cried', 'to meet us with a face which spoke her joy. "i have been waiting so eagerly for you," she cried, sha', 'et us with a face which spoke her joy. "i have been waiting so eagerly for you," she cried, shaking ', ' with a face which spoke her joy. "i have been waiting so eagerly for you," she cried, shaking hands', ' a face which spoke her joy. "i have been waiting so eagerly for you," she cried, shaking hands with', 'ce which spoke her joy. "i have been waiting so eagerly for you," she cried, shaking hands with us w', 'ich spoke her joy. "i have been waiting so eagerly for you," she cried, shaking hands with us warmly', 'poke her joy. "i have been waiting so eagerly for you," she cried, shaking hands with us warmly. "al', 'her joy. "i have been waiting so eagerly for you," she cried, shaking hands with us warmly. "all has', 'oy. "i have been waiting so eagerly for you," she cried, shaking hands with us warmly. "all has turn', 'i have been waiting so eagerly for you," she cried, shaking hands with us warmly. "all has turned ou', 'e been waiting so eagerly for you," she cried, shaking hands with us warmly. "all has turned out spl', 'n waiting so eagerly for you," she cried, shaking hands with us warmly. "all has turned out splendid', 'ting so eagerly for you," she cried, shaking hands with us warmly. "all has turned out splendidly. d', 'so eagerly for you," she cried, shaking hands with us warmly. "all has turned out splendidly. dr. ro', 'gerly for you," she cried, shaking hands with us warmly. "all has turned out splendidly. dr. roylott', ' for you," she cried, shaking hands with us warmly. "all has turned out splendidly. dr. roylott has ', 'you," she cried, shaking hands with us warmly. "all has turned out splendidly. dr. roylott has gone ', ' she cried, shaking hands with us warmly. "all has turned out splendidly. dr. roylott has gone to to', 'cried, shaking hands with us warmly. "all has turned out splendidly. dr. roylott has gone to town, a', ', shaking hands with us warmly. "all has turned out splendidly. dr. roylott has gone to town, and it', 'king hands with us warmly. "all has turned out splendidly. dr. roylott has gone to town, and it is u', 'hands with us warmly. "all has turned out splendidly. dr. roylott has gone to town, and it is unlike', ' with us warmly. "all has turned out splendidly. dr. roylott has gone to town, and it is unlikely th', ' us warmly. "all has turned out splendidly. dr. roylott has gone to town, and it is unlikely that he', 'armly. "all has turned out splendidly. dr. roylott has gone to town, and it is unlikely that he will', '. "all has turned out splendidly. dr. roylott has gone to town, and it is unlikely that he will be b', 'l has turned out splendidly. dr. roylott has gone to town, and it is unlikely that he will be back b', ' turned out splendidly. dr. roylott has gone to town, and it is unlikely that he will be back before', 'ed out splendidly. dr. roylott has gone to town, and it is unlikely that he will be back before even', 't splendidly. dr. roylott has gone to town, and it is unlikely that he will be back before evening."', 'endidly. dr. roylott has gone to town, and it is unlikely that he will be back before evening." "we ', 'ly. dr. roylott has gone to town, and it is unlikely that he will be back before evening." "we have ', 'r. roylott has gone to town, and it is unlikely that he will be back before evening." "we have had t', 'ylott has gone to town, and it is unlikely that he will be back before evening." "we have had the pl', ' has gone to town, and it is unlikely that he will be back before evening." "we have had the pleasur', 'gone to town, and it is unlikely that he will be back before evening." "we have had the pleasure of ', 'to town, and it is unlikely that he will be back before evening." "we have had the pleasure of makin', 'wn, and it is unlikely that he will be back before evening." "we have had the pleasure of making the', 'nd it is unlikely that he will be back before evening." "we have had the pleasure of making the doct', ' is unlikely that he will be back before evening." "we have had the pleasure of making the doctor\'s ', 'nlikely that he will be back before evening." "we have had the pleasure of making the doctor\'s acqua', 'ly that he will be back before evening." "we have had the pleasure of making the doctor\'s acquaintan', 'at he will be back before evening." "we have had the pleasure of making the doctor\'s acquaintance," ', ' will be back before evening." "we have had the pleasure of making the doctor\'s acquaintance," said ', ' be back before evening." "we have had the pleasure of making the doctor\'s acquaintance," said holme', 'ack before evening." "we have had the pleasure of making the doctor\'s acquaintance," said holmes, an', 'efore evening." "we have had the pleasure of making the doctor\'s acquaintance," said holmes, and in ', ' evening." "we have had the pleasure of making the doctor\'s acquaintance," said holmes, and in a few', 'ing." "we have had the pleasure of making the doctor\'s acquaintance," said holmes, and in a few word', ' "we have had the pleasure of making the doctor\'s acquaintance," said holmes, and in a few words he ', 'have had the pleasure of making the doctor\'s acquaintance," said holmes, and in a few words he sketc', 'had the pleasure of making the doctor\'s acquaintance," said holmes, and in a few words he sketched o', 'he pleasure of making the doctor\'s acquaintance," said holmes, and in a few words he sketched out wh', 'easure of making the doctor\'s acquaintance," said holmes, and in a few words he sketched out what ha', 'e of making the doctor\'s acquaintance," said holmes, and in a few words he sketched out what had occ', 'making the doctor\'s acquaintance," said holmes, and in a few words he sketched out what had occurred', 'g the doctor\'s acquaintance," said holmes, and in a few words he sketched out what had occurred. mis', ' doctor\'s acquaintance," said holmes, and in a few words he sketched out what had occurred. miss sto', 'or\'s acquaintance," said holmes, and in a few words he sketched out what had occurred. miss stoner t', 'acquaintance," said holmes, and in a few words he sketched out what had occurred. miss stoner turned', 'intance," said holmes, and in a few words he sketched out what had occurred. miss stoner turned whit', 'ce," said holmes, and in a few words he sketched out what had occurred. miss stoner turned white to ', 'said holmes, and in a few words he sketched out what had occurred. miss stoner turned white to the l', 'holmes, and in a few words he sketched out what had occurred. miss stoner turned white to the lips a', 's, and in a few words he sketched out what had occurred. miss stoner turned white to the lips as she', 'd in a few words he sketched out what had occurred. miss stoner turned white to the lips as she list', 'a few words he sketched out what had occurred. miss stoner turned white to the lips as she listened.', ' words he sketched out what had occurred. miss stoner turned white to the lips as she listened. "goo', 's he sketched out what had occurred. miss stoner turned white to the lips as she listened. "good hea', 'sketched out what had occurred. miss stoner turned white to the lips as she listened. "good heavens ', 'hed out what had occurred. miss stoner turned white to the lips as she listened. "good heavens she c', 'ut what had occurred. miss stoner turned white to the lips as she listened. "good heavens she cried,', 'at had occurred. miss stoner turned white to the lips as she listened. "good heavens she cried, "he ', 'd occurred. miss stoner turned white to the lips as she listened. "good heavens she cried, "he has f', 'urred. miss stoner turned white to the lips as she listened. "good heavens she cried, "he has follow', '. miss stoner turned white to the lips as she listened. "good heavens she cried, "he has followed me', 's stoner turned white to the lips as she listened. "good heavens she cried, "he has followed me, the', 'ner turned white to the lips as she listened. "good heavens she cried, "he has followed me, then." "', 'urned white to the lips as she listened. "good heavens she cried, "he has followed me, then." "so it', ' white to the lips as she listened. "good heavens she cried, "he has followed me, then." "so it appe', 'e to the lips as she listened. "good heavens she cried, "he has followed me, then." "so it appears."', 'the lips as she listened. "good heavens she cried, "he has followed me, then." "so it appears." "he ', 'ips as she listened. "good heavens she cried, "he has followed me, then." "so it appears." "he is so', 's she listened. "good heavens she cried, "he has followed me, then." "so it appears." "he is so cunn', ' listened. "good heavens she cried, "he has followed me, then." "so it appears." "he is so cunning t', 'ened. "good heavens she cried, "he has followed me, then." "so it appears." "he is so cunning that i', ' "good heavens she cried, "he has followed me, then." "so it appears." "he is so cunning that i neve', 'd heavens she cried, "he has followed me, then." "so it appears." "he is so cunning that i never kno', 'vens she cried, "he has followed me, then." "so it appears." "he is so cunning that i never know whe', 'she cried, "he has followed me, then." "so it appears." "he is so cunning that i never know when i a', 'ried, "he has followed me, then." "so it appears." "he is so cunning that i never know when i am saf', ' "he has followed me, then." "so it appears." "he is so cunning that i never know when i am safe fro', 'has followed me, then." "so it appears." "he is so cunning that i never know when i am safe from him', 'ollowed me, then." "so it appears." "he is so cunning that i never know when i am safe from him. wha', 'ed me, then." "so it appears." "he is so cunning that i never know when i am safe from him. what wil', ', then." "so it appears." "he is so cunning that i never know when i am safe from him. what will he ', 'n." "so it appears." "he is so cunning that i never know when i am safe from him. what will he say w', 'so it appears." "he is so cunning that i never know when i am safe from him. what will he say when h', ' appears." "he is so cunning that i never know when i am safe from him. what will he say when he ret', 'ars." "he is so cunning that i never know when i am safe from him. what will he say when he returns?', ' "he is so cunning that i never know when i am safe from him. what will he say when he returns?" "he', 'is so cunning that i never know when i am safe from him. what will he say when he returns?" "he must', ' cunning that i never know when i am safe from him. what will he say when he returns?" "he must guar', 'ing that i never know when i am safe from him. what will he say when he returns?" "he must guard him', 'hat i never know when i am safe from him. what will he say when he returns?" "he must guard himself,', ' never know when i am safe from him. what will he say when he returns?" "he must guard himself, for ', 'r know when i am safe from him. what will he say when he returns?" "he must guard himself, for he ma', 'w when i am safe from him. what will he say when he returns?" "he must guard himself, for he may fin', 'n i am safe from him. what will he say when he returns?" "he must guard himself, for he may find tha', 'm safe from him. what will he say when he returns?" "he must guard himself, for he may find that the', 'e from him. what will he say when he returns?" "he must guard himself, for he may find that there is', 'm him. what will he say when he returns?" "he must guard himself, for he may find that there is some', '. what will he say when he returns?" "he must guard himself, for he may find that there is someone m', 't will he say when he returns?" "he must guard himself, for he may find that there is someone more c', 'l he say when he returns?" "he must guard himself, for he may find that there is someone more cunnin', 'say when he returns?" "he must guard himself, for he may find that there is someone more cunning tha', 'hen he returns?" "he must guard himself, for he may find that there is someone more cunning than him', 'e returns?" "he must guard himself, for he may find that there is someone more cunning than himself ', 'urns?" "he must guard himself, for he may find that there is someone more cunning than himself upon ', '" "he must guard himself, for he may find that there is someone more cunning than himself upon his t', ' must guard himself, for he may find that there is someone more cunning than himself upon his track.', ' guard himself, for he may find that there is someone more cunning than himself upon his track. you ', 'd himself, for he may find that there is someone more cunning than himself upon his track. you must ', 'self, for he may find that there is someone more cunning than himself upon his track. you must lock ', ' for he may find that there is someone more cunning than himself upon his track. you must lock yours', 'he may find that there is someone more cunning than himself upon his track. you must lock yourself u', 'y find that there is someone more cunning than himself upon his track. you must lock yourself up fro', 'd that there is someone more cunning than himself upon his track. you must lock yourself up from him', 't there is someone more cunning than himself upon his track. you must lock yourself up from him to-n', 're is someone more cunning than himself upon his track. you must lock yourself up from him to-night.', ' someone more cunning than himself upon his track. you must lock yourself up from him to-night. if h', 'one more cunning than himself upon his track. you must lock yourself up from him to-night. if he is ', 'ore cunning than himself upon his track. you must lock yourself up from him to-night. if he is viole', 'unning than himself upon his track. you must lock yourself up from him to-night. if he is violent, w', 'g than himself upon his track. you must lock yourself up from him to-night. if he is violent, we sha', 'n himself upon his track. you must lock yourself up from him to-night. if he is violent, we shall ta', 'self upon his track. you must lock yourself up from him to-night. if he is violent, we shall take yo', 'upon his track. you must lock yourself up from him to-night. if he is violent, we shall take you awa', 'his track. you must lock yourself up from him to-night. if he is violent, we shall take you away to ', 'rack. you must lock yourself up from him to-night. if he is violent, we shall take you away to your ', " you must lock yourself up from him to-night. if he is violent, we shall take you away to your aunt'", "must lock yourself up from him to-night. if he is violent, we shall take you away to your aunt's at ", "lock yourself up from him to-night. if he is violent, we shall take you away to your aunt's at harro", "yourself up from him to-night. if he is violent, we shall take you away to your aunt's at harrow. no", "elf up from him to-night. if he is violent, we shall take you away to your aunt's at harrow. now, we", "p from him to-night. if he is violent, we shall take you away to your aunt's at harrow. now, we must", "m him to-night. if he is violent, we shall take you away to your aunt's at harrow. now, we must make", " to-night. if he is violent, we shall take you away to your aunt's at harrow. now, we must make the ", "ight. if he is violent, we shall take you away to your aunt's at harrow. now, we must make the best ", " if he is violent, we shall take you away to your aunt's at harrow. now, we must make the best use o", "e is violent, we shall take you away to your aunt's at harrow. now, we must make the best use of our", "violent, we shall take you away to your aunt's at harrow. now, we must make the best use of our time", "nt, we shall take you away to your aunt's at harrow. now, we must make the best use of our time, so ", "e shall take you away to your aunt's at harrow. now, we must make the best use of our time, so kindl", "ll take you away to your aunt's at harrow. now, we must make the best use of our time, so kindly tak", "ke you away to your aunt's at harrow. now, we must make the best use of our time, so kindly take us ", "u away to your aunt's at harrow. now, we must make the best use of our time, so kindly take us at on", "y to your aunt's at harrow. now, we must make the best use of our time, so kindly take us at once to", "your aunt's at harrow. now, we must make the best use of our time, so kindly take us at once to the ", "aunt's at harrow. now, we must make the best use of our time, so kindly take us at once to the rooms", 's at harrow. now, we must make the best use of our time, so kindly take us at once to the rooms whic', 'harrow. now, we must make the best use of our time, so kindly take us at once to the rooms which we ', 'w. now, we must make the best use of our time, so kindly take us at once to the rooms which we are t', 'w, we must make the best use of our time, so kindly take us at once to the rooms which we are to exa', ' must make the best use of our time, so kindly take us at once to the rooms which we are to examine.', ' make the best use of our time, so kindly take us at once to the rooms which we are to examine." the', ' the best use of our time, so kindly take us at once to the rooms which we are to examine." the buil', 'best use of our time, so kindly take us at once to the rooms which we are to examine." the building ', 'use of our time, so kindly take us at once to the rooms which we are to examine." the building was o', 'f our time, so kindly take us at once to the rooms which we are to examine." the building was of gre', ' time, so kindly take us at once to the rooms which we are to examine." the building was of grey, li', ', so kindly take us at once to the rooms which we are to examine." the building was of grey, lichen-', 'kindly take us at once to the rooms which we are to examine." the building was of grey, lichen-blotc', 'y take us at once to the rooms which we are to examine." the building was of grey, lichen-blotched s', 'e us at once to the rooms which we are to examine." the building was of grey, lichen-blotched stone,', 'at once to the rooms which we are to examine." the building was of grey, lichen-blotched stone, with', 'ce to the rooms which we are to examine." the building was of grey, lichen-blotched stone, with a hi', ' the rooms which we are to examine." the building was of grey, lichen-blotched stone, with a high ce', 'rooms which we are to examine." the building was of grey, lichen-blotched stone, with a high central', ' which we are to examine." the building was of grey, lichen-blotched stone, with a high central port', 'h we are to examine." the building was of grey, lichen-blotched stone, with a high central portion a', 'are to examine." the building was of grey, lichen-blotched stone, with a high central portion and tw', 'o examine." the building was of grey, lichen-blotched stone, with a high central portion and two cur', 'mine." the building was of grey, lichen-blotched stone, with a high central portion and two curving ', '" the building was of grey, lichen-blotched stone, with a high central portion and two curving wings', ' building was of grey, lichen-blotched stone, with a high central portion and two curving wings, lik', 'ding was of grey, lichen-blotched stone, with a high central portion and two curving wings, like the', 'was of grey, lichen-blotched stone, with a high central portion and two curving wings, like the claw', 'f grey, lichen-blotched stone, with a high central portion and two curving wings, like the claws of ', 'y, lichen-blotched stone, with a high central portion and two curving wings, like the claws of a cra', 'chen-blotched stone, with a high central portion and two curving wings, like the claws of a crab, th', 'blotched stone, with a high central portion and two curving wings, like the claws of a crab, thrown ', 'hed stone, with a high central portion and two curving wings, like the claws of a crab, thrown out o', 'tone, with a high central portion and two curving wings, like the claws of a crab, thrown out on eac', ' with a high central portion and two curving wings, like the claws of a crab, thrown out on each sid', ' a high central portion and two curving wings, like the claws of a crab, thrown out on each side. in', 'gh central portion and two curving wings, like the claws of a crab, thrown out on each side. in one ', 'ntral portion and two curving wings, like the claws of a crab, thrown out on each side. in one of th', ' portion and two curving wings, like the claws of a crab, thrown out on each side. in one of these w', 'ion and two curving wings, like the claws of a crab, thrown out on each side. in one of these wings ', 'nd two curving wings, like the claws of a crab, thrown out on each side. in one of these wings the w', 'o curving wings, like the claws of a crab, thrown out on each side. in one of these wings the window', 'ving wings, like the claws of a crab, thrown out on each side. in one of these wings the windows wer', 'wings, like the claws of a crab, thrown out on each side. in one of these wings the windows were bro', ', like the claws of a crab, thrown out on each side. in one of these wings the windows were broken a', 'e the claws of a crab, thrown out on each side. in one of these wings the windows were broken and bl', ' claws of a crab, thrown out on each side. in one of these wings the windows were broken and blocked', 's of a crab, thrown out on each side. in one of these wings the windows were broken and blocked with', 'a crab, thrown out on each side. in one of these wings the windows were broken and blocked with wood', 'b, thrown out on each side. in one of these wings the windows were broken and blocked with wooden bo', 'rown out on each side. in one of these wings the windows were broken and blocked with wooden boards,', 'out on each side. in one of these wings the windows were broken and blocked with wooden boards, whil', 'n each side. in one of these wings the windows were broken and blocked with wooden boards, while the', 'h side. in one of these wings the windows were broken and blocked with wooden boards, while the roof', 'e. in one of these wings the windows were broken and blocked with wooden boards, while the roof was ', ' one of these wings the windows were broken and blocked with wooden boards, while the roof was partl', 'of these wings the windows were broken and blocked with wooden boards, while the roof was partly cav', 'ese wings the windows were broken and blocked with wooden boards, while the roof was partly caved in', 'ings the windows were broken and blocked with wooden boards, while the roof was partly caved in, a p', 'the windows were broken and blocked with wooden boards, while the roof was partly caved in, a pictur', 'indows were broken and blocked with wooden boards, while the roof was partly caved in, a picture of ', 's were broken and blocked with wooden boards, while the roof was partly caved in, a picture of ruin.', 'e broken and blocked with wooden boards, while the roof was partly caved in, a picture of ruin. the ', 'ken and blocked with wooden boards, while the roof was partly caved in, a picture of ruin. the centr', 'nd blocked with wooden boards, while the roof was partly caved in, a picture of ruin. the central po', 'ocked with wooden boards, while the roof was partly caved in, a picture of ruin. the central portion', ' with wooden boards, while the roof was partly caved in, a picture of ruin. the central portion was ', ' wooden boards, while the roof was partly caved in, a picture of ruin. the central portion was in li', 'en boards, while the roof was partly caved in, a picture of ruin. the central portion was in little ', 'ards, while the roof was partly caved in, a picture of ruin. the central portion was in little bette', ' while the roof was partly caved in, a picture of ruin. the central portion was in little better rep', 'e the roof was partly caved in, a picture of ruin. the central portion was in little better repair, ', ' roof was partly caved in, a picture of ruin. the central portion was in little better repair, but t', ' was partly caved in, a picture of ruin. the central portion was in little better repair, but the ri', 'partly caved in, a picture of ruin. the central portion was in little better repair, but the right-h', 'y caved in, a picture of ruin. the central portion was in little better repair, but the right-hand b', 'ed in, a picture of ruin. the central portion was in little better repair, but the right-hand block ', ', a picture of ruin. the central portion was in little better repair, but the right-hand block was c', 'icture of ruin. the central portion was in little better repair, but the right-hand block was compar', 'e of ruin. the central portion was in little better repair, but the right-hand block was comparative', 'ruin. the central portion was in little better repair, but the right-hand block was comparatively mo', ' the central portion was in little better repair, but the right-hand block was comparatively modern,', 'central portion was in little better repair, but the right-hand block was comparatively modern, and ', 'al portion was in little better repair, but the right-hand block was comparatively modern, and the b', 'rtion was in little better repair, but the right-hand block was comparatively modern, and the blinds', ' was in little better repair, but the right-hand block was comparatively modern, and the blinds in t', 'in little better repair, but the right-hand block was comparatively modern, and the blinds in the wi', 'ttle better repair, but the right-hand block was comparatively modern, and the blinds in the windows', 'better repair, but the right-hand block was comparatively modern, and the blinds in the windows, wit', 'r repair, but the right-hand block was comparatively modern, and the blinds in the windows, with the', 'air, but the right-hand block was comparatively modern, and the blinds in the windows, with the blue', 'but the right-hand block was comparatively modern, and the blinds in the windows, with the blue smok', 'he right-hand block was comparatively modern, and the blinds in the windows, with the blue smoke cur', 'ght-hand block was comparatively modern, and the blinds in the windows, with the blue smoke curling ', 'and block was comparatively modern, and the blinds in the windows, with the blue smoke curling up fr', 'lock was comparatively modern, and the blinds in the windows, with the blue smoke curling up from th', 'was comparatively modern, and the blinds in the windows, with the blue smoke curling up from the chi', 'omparatively modern, and the blinds in the windows, with the blue smoke curling up from the chimneys', 'atively modern, and the blinds in the windows, with the blue smoke curling up from the chimneys, sho', 'ly modern, and the blinds in the windows, with the blue smoke curling up from the chimneys, showed t', 'dern, and the blinds in the windows, with the blue smoke curling up from the chimneys, showed that t', ' and the blinds in the windows, with the blue smoke curling up from the chimneys, showed that this w', 'the blinds in the windows, with the blue smoke curling up from the chimneys, showed that this was wh', 'linds in the windows, with the blue smoke curling up from the chimneys, showed that this was where t', ' in the windows, with the blue smoke curling up from the chimneys, showed that this was where the fa', 'he windows, with the blue smoke curling up from the chimneys, showed that this was where the family ', 'ndows, with the blue smoke curling up from the chimneys, showed that this was where the family resid', ', with the blue smoke curling up from the chimneys, showed that this was where the family resided. s', 'h the blue smoke curling up from the chimneys, showed that this was where the family resided. some s', ' blue smoke curling up from the chimneys, showed that this was where the family resided. some scaffo', ' smoke curling up from the chimneys, showed that this was where the family resided. some scaffolding', 'e curling up from the chimneys, showed that this was where the family resided. some scaffolding had ', 'ling up from the chimneys, showed that this was where the family resided. some scaffolding had been ', 'up from the chimneys, showed that this was where the family resided. some scaffolding had been erect', 'om the chimneys, showed that this was where the family resided. some scaffolding had been erected ag', 'e chimneys, showed that this was where the family resided. some scaffolding had been erected against', 'mneys, showed that this was where the family resided. some scaffolding had been erected against the ', ', showed that this was where the family resided. some scaffolding had been erected against the end w', 'wed that this was where the family resided. some scaffolding had been erected against the end wall, ', 'hat this was where the family resided. some scaffolding had been erected against the end wall, and t', 'his was where the family resided. some scaffolding had been erected against the end wall, and the st', 'as where the family resided. some scaffolding had been erected against the end wall, and the stone-w', 'ere the family resided. some scaffolding had been erected against the end wall, and the stone-work h', 'he family resided. some scaffolding had been erected against the end wall, and the stone-work had be', 'mily resided. some scaffolding had been erected against the end wall, and the stone-work had been br', 'resided. some scaffolding had been erected against the end wall, and the stone-work had been broken ', 'ed. some scaffolding had been erected against the end wall, and the stone-work had been broken into,', 'ome scaffolding had been erected against the end wall, and the stone-work had been broken into, but ', 'caffolding had been erected against the end wall, and the stone-work had been broken into, but there', 'lding had been erected against the end wall, and the stone-work had been broken into, but there were', ' had been erected against the end wall, and the stone-work had been broken into, but there were no s', 'been erected against the end wall, and the stone-work had been broken into, but there were no signs ', 'erected against the end wall, and the stone-work had been broken into, but there were no signs of an', 'ed against the end wall, and the stone-work had been broken into, but there were no signs of any wor', 'ainst the end wall, and the stone-work had been broken into, but there were no signs of any workmen ', ' the end wall, and the stone-work had been broken into, but there were no signs of any workmen at th', 'end wall, and the stone-work had been broken into, but there were no signs of any workmen at the mom', 'all, and the stone-work had been broken into, but there were no signs of any workmen at the moment o', 'and the stone-work had been broken into, but there were no signs of any workmen at the moment of our', 'he stone-work had been broken into, but there were no signs of any workmen at the moment of our visi', 'one-work had been broken into, but there were no signs of any workmen at the moment of our visit. ho', 'ork had been broken into, but there were no signs of any workmen at the moment of our visit. holmes ', 'ad been broken into, but there were no signs of any workmen at the moment of our visit. holmes walke', 'en broken into, but there were no signs of any workmen at the moment of our visit. holmes walked slo', 'oken into, but there were no signs of any workmen at the moment of our visit. holmes walked slowly u', 'into, but there were no signs of any workmen at the moment of our visit. holmes walked slowly up and', ' but there were no signs of any workmen at the moment of our visit. holmes walked slowly up and down', 'there were no signs of any workmen at the moment of our visit. holmes walked slowly up and down the ', ' were no signs of any workmen at the moment of our visit. holmes walked slowly up and down the ill-t', ' no signs of any workmen at the moment of our visit. holmes walked slowly up and down the ill-trimme', 'igns of any workmen at the moment of our visit. holmes walked slowly up and down the ill-trimmed law', 'of any workmen at the moment of our visit. holmes walked slowly up and down the ill-trimmed lawn and', 'y workmen at the moment of our visit. holmes walked slowly up and down the ill-trimmed lawn and exam', 'kmen at the moment of our visit. holmes walked slowly up and down the ill-trimmed lawn and examined ', 'at the moment of our visit. holmes walked slowly up and down the ill-trimmed lawn and examined with ', 'e moment of our visit. holmes walked slowly up and down the ill-trimmed lawn and examined with deep ', 'ent of our visit. holmes walked slowly up and down the ill-trimmed lawn and examined with deep atten', 'f our visit. holmes walked slowly up and down the ill-trimmed lawn and examined with deep attention ', ' visit. holmes walked slowly up and down the ill-trimmed lawn and examined with deep attention the o', 't. holmes walked slowly up and down the ill-trimmed lawn and examined with deep attention the outsid', 'lmes walked slowly up and down the ill-trimmed lawn and examined with deep attention the outsides of', 'walked slowly up and down the ill-trimmed lawn and examined with deep attention the outsides of the ', 'd slowly up and down the ill-trimmed lawn and examined with deep attention the outsides of the windo', 'wly up and down the ill-trimmed lawn and examined with deep attention the outsides of the windows. "', 'p and down the ill-trimmed lawn and examined with deep attention the outsides of the windows. "this,', ' down the ill-trimmed lawn and examined with deep attention the outsides of the windows. "this, i ta', ' the ill-trimmed lawn and examined with deep attention the outsides of the windows. "this, i take it', 'ill-trimmed lawn and examined with deep attention the outsides of the windows. "this, i take it, bel', 'rimmed lawn and examined with deep attention the outsides of the windows. "this, i take it, belongs ', 'd lawn and examined with deep attention the outsides of the windows. "this, i take it, belongs to th', 'n and examined with deep attention the outsides of the windows. "this, i take it, belongs to the roo', ' examined with deep attention the outsides of the windows. "this, i take it, belongs to the room in ', 'ined with deep attention the outsides of the windows. "this, i take it, belongs to the room in which', 'with deep attention the outsides of the windows. "this, i take it, belongs to the room in which you ', 'deep attention the outsides of the windows. "this, i take it, belongs to the room in which you used ', 'attention the outsides of the windows. "this, i take it, belongs to the room in which you used to sl', 'tion the outsides of the windows. "this, i take it, belongs to the room in which you used to sleep, ', 'the outsides of the windows. "this, i take it, belongs to the room in which you used to sleep, the c', 'utsides of the windows. "this, i take it, belongs to the room in which you used to sleep, the centre', 'es of the windows. "this, i take it, belongs to the room in which you used to sleep, the centre one ', ' the windows. "this, i take it, belongs to the room in which you used to sleep, the centre one to yo', 'windows. "this, i take it, belongs to the room in which you used to sleep, the centre one to your si', 'ws. "this, i take it, belongs to the room in which you used to sleep, the centre one to your sister\'', "this, i take it, belongs to the room in which you used to sleep, the centre one to your sister's, an", " i take it, belongs to the room in which you used to sleep, the centre one to your sister's, and the", "ke it, belongs to the room in which you used to sleep, the centre one to your sister's, and the one ", ", belongs to the room in which you used to sleep, the centre one to your sister's, and the one next ", "ongs to the room in which you used to sleep, the centre one to your sister's, and the one next to th", "to the room in which you used to sleep, the centre one to your sister's, and the one next to the mai", "e room in which you used to sleep, the centre one to your sister's, and the one next to the main bui", "m in which you used to sleep, the centre one to your sister's, and the one next to the main building", "which you used to sleep, the centre one to your sister's, and the one next to the main building to d", " you used to sleep, the centre one to your sister's, and the one next to the main building to dr. ro", "used to sleep, the centre one to your sister's, and the one next to the main building to dr. roylott", "to sleep, the centre one to your sister's, and the one next to the main building to dr. roylott's ch", "eep, the centre one to your sister's, and the one next to the main building to dr. roylott's chamber", 'the centre one to your sister\'s, and the one next to the main building to dr. roylott\'s chamber?" "e', 'entre one to your sister\'s, and the one next to the main building to dr. roylott\'s chamber?" "exactl', ' one to your sister\'s, and the one next to the main building to dr. roylott\'s chamber?" "exactly so.', 'to your sister\'s, and the one next to the main building to dr. roylott\'s chamber?" "exactly so. but ', 'ur sister\'s, and the one next to the main building to dr. roylott\'s chamber?" "exactly so. but i am ', 'ster\'s, and the one next to the main building to dr. roylott\'s chamber?" "exactly so. but i am now s', 's, and the one next to the main building to dr. roylott\'s chamber?" "exactly so. but i am now sleepi', 'd the one next to the main building to dr. roylott\'s chamber?" "exactly so. but i am now sleeping in', ' one next to the main building to dr. roylott\'s chamber?" "exactly so. but i am now sleeping in the ', 'next to the main building to dr. roylott\'s chamber?" "exactly so. but i am now sleeping in the middl', 'to the main building to dr. roylott\'s chamber?" "exactly so. but i am now sleeping in the middle one', 'e main building to dr. roylott\'s chamber?" "exactly so. but i am now sleeping in the middle one." "p', 'n building to dr. roylott\'s chamber?" "exactly so. but i am now sleeping in the middle one." "pendin', 'lding to dr. roylott\'s chamber?" "exactly so. but i am now sleeping in the middle one." "pending the', ' to dr. roylott\'s chamber?" "exactly so. but i am now sleeping in the middle one." "pending the alte', 'r. roylott\'s chamber?" "exactly so. but i am now sleeping in the middle one." "pending the alteratio', 'ylott\'s chamber?" "exactly so. but i am now sleeping in the middle one." "pending the alterations, a', '\'s chamber?" "exactly so. but i am now sleeping in the middle one." "pending the alterations, as i u', 'amber?" "exactly so. but i am now sleeping in the middle one." "pending the alterations, as i unders', '?" "exactly so. but i am now sleeping in the middle one." "pending the alterations, as i understand.', 'xactly so. but i am now sleeping in the middle one." "pending the alterations, as i understand. by t', 'y so. but i am now sleeping in the middle one." "pending the alterations, as i understand. by the wa', ' but i am now sleeping in the middle one." "pending the alterations, as i understand. by the way, th', 'i am now sleeping in the middle one." "pending the alterations, as i understand. by the way, there d', 'now sleeping in the middle one." "pending the alterations, as i understand. by the way, there does n', 'leeping in the middle one." "pending the alterations, as i understand. by the way, there does not se', 'ng in the middle one." "pending the alterations, as i understand. by the way, there does not seem to', ' the middle one." "pending the alterations, as i understand. by the way, there does not seem to be a', 'middle one." "pending the alterations, as i understand. by the way, there does not seem to be any ve', 'e one." "pending the alterations, as i understand. by the way, there does not seem to be any very pr', '." "pending the alterations, as i understand. by the way, there does not seem to be any very pressin', 'ending the alterations, as i understand. by the way, there does not seem to be any very pressing nee', 'g the alterations, as i understand. by the way, there does not seem to be any very pressing need for', ' alterations, as i understand. by the way, there does not seem to be any very pressing need for repa', 'rations, as i understand. by the way, there does not seem to be any very pressing need for repairs a', 'ns, as i understand. by the way, there does not seem to be any very pressing need for repairs at tha', 's i understand. by the way, there does not seem to be any very pressing need for repairs at that end', 'nderstand. by the way, there does not seem to be any very pressing need for repairs at that end wall', 'tand. by the way, there does not seem to be any very pressing need for repairs at that end wall." "t', ' by the way, there does not seem to be any very pressing need for repairs at that end wall." "there ', 'he way, there does not seem to be any very pressing need for repairs at that end wall." "there were ', 'y, there does not seem to be any very pressing need for repairs at that end wall." "there were none.', 'ere does not seem to be any very pressing need for repairs at that end wall." "there were none. i be', 'oes not seem to be any very pressing need for repairs at that end wall." "there were none. i believe', 'ot seem to be any very pressing need for repairs at that end wall." "there were none. i believe that', 'em to be any very pressing need for repairs at that end wall." "there were none. i believe that it w', ' be any very pressing need for repairs at that end wall." "there were none. i believe that it was an', 'ny very pressing need for repairs at that end wall." "there were none. i believe that it was an excu', 'ry pressing need for repairs at that end wall." "there were none. i believe that it was an excuse to', 'essing need for repairs at that end wall." "there were none. i believe that it was an excuse to move', 'g need for repairs at that end wall." "there were none. i believe that it was an excuse to move me f', 'd for repairs at that end wall." "there were none. i believe that it was an excuse to move me from m', ' repairs at that end wall." "there were none. i believe that it was an excuse to move me from my roo', 'irs at that end wall." "there were none. i believe that it was an excuse to move me from my room." "', 't that end wall." "there were none. i believe that it was an excuse to move me from my room." "ah! t', 't end wall." "there were none. i believe that it was an excuse to move me from my room." "ah! that i', ' wall." "there were none. i believe that it was an excuse to move me from my room." "ah! that is sug', '." "there were none. i believe that it was an excuse to move me from my room." "ah! that is suggesti', 'here were none. i believe that it was an excuse to move me from my room." "ah! that is suggestive. n', 'were none. i believe that it was an excuse to move me from my room." "ah! that is suggestive. now, o', 'none. i believe that it was an excuse to move me from my room." "ah! that is suggestive. now, on the', ' i believe that it was an excuse to move me from my room." "ah! that is suggestive. now, on the othe', 'lieve that it was an excuse to move me from my room." "ah! that is suggestive. now, on the other sid', ' that it was an excuse to move me from my room." "ah! that is suggestive. now, on the other side of ', ' it was an excuse to move me from my room." "ah! that is suggestive. now, on the other side of this ', 'as an excuse to move me from my room." "ah! that is suggestive. now, on the other side of this narro', ' excuse to move me from my room." "ah! that is suggestive. now, on the other side of this narrow win', 'se to move me from my room." "ah! that is suggestive. now, on the other side of this narrow wing run', ' move me from my room." "ah! that is suggestive. now, on the other side of this narrow wing runs the', ' me from my room." "ah! that is suggestive. now, on the other side of this narrow wing runs the corr', 'rom my room." "ah! that is suggestive. now, on the other side of this narrow wing runs the corridor ', 'y room." "ah! that is suggestive. now, on the other side of this narrow wing runs the corridor from ', 'm." "ah! that is suggestive. now, on the other side of this narrow wing runs the corridor from which', 'ah! that is suggestive. now, on the other side of this narrow wing runs the corridor from which thes', 'hat is suggestive. now, on the other side of this narrow wing runs the corridor from which these thr', 's suggestive. now, on the other side of this narrow wing runs the corridor from which these three ro', 'gestive. now, on the other side of this narrow wing runs the corridor from which these three rooms o', 've. now, on the other side of this narrow wing runs the corridor from which these three rooms open. ', 'ow, on the other side of this narrow wing runs the corridor from which these three rooms open. there', 'n the other side of this narrow wing runs the corridor from which these three rooms open. there are ', ' other side of this narrow wing runs the corridor from which these three rooms open. there are windo', 'r side of this narrow wing runs the corridor from which these three rooms open. there are windows in', 'e of this narrow wing runs the corridor from which these three rooms open. there are windows in it, ', 'this narrow wing runs the corridor from which these three rooms open. there are windows in it, of co', 'narrow wing runs the corridor from which these three rooms open. there are windows in it, of course?', 'w wing runs the corridor from which these three rooms open. there are windows in it, of course?" "ye', 'g runs the corridor from which these three rooms open. there are windows in it, of course?" "yes, bu', 's the corridor from which these three rooms open. there are windows in it, of course?" "yes, but ver', ' corridor from which these three rooms open. there are windows in it, of course?" "yes, but very sma', 'idor from which these three rooms open. there are windows in it, of course?" "yes, but very small on', 'from which these three rooms open. there are windows in it, of course?" "yes, but very small ones. t', 'which these three rooms open. there are windows in it, of course?" "yes, but very small ones. too na', ' these three rooms open. there are windows in it, of course?" "yes, but very small ones. too narrow ', 'e three rooms open. there are windows in it, of course?" "yes, but very small ones. too narrow for a', 'ee rooms open. there are windows in it, of course?" "yes, but very small ones. too narrow for anyone', 'oms open. there are windows in it, of course?" "yes, but very small ones. too narrow for anyone to p', 'pen. there are windows in it, of course?" "yes, but very small ones. too narrow for anyone to pass t', 'there are windows in it, of course?" "yes, but very small ones. too narrow for anyone to pass throug', ' are windows in it, of course?" "yes, but very small ones. too narrow for anyone to pass through." "', 'windows in it, of course?" "yes, but very small ones. too narrow for anyone to pass through." "as yo', 'ws in it, of course?" "yes, but very small ones. too narrow for anyone to pass through." "as you bot', ' it, of course?" "yes, but very small ones. too narrow for anyone to pass through." "as you both loc', 'of course?" "yes, but very small ones. too narrow for anyone to pass through." "as you both locked y', 'urse?" "yes, but very small ones. too narrow for anyone to pass through." "as you both locked your d', '" "yes, but very small ones. too narrow for anyone to pass through." "as you both locked your doors ', 's, but very small ones. too narrow for anyone to pass through." "as you both locked your doors at ni', 't very small ones. too narrow for anyone to pass through." "as you both locked your doors at night, ', 'y small ones. too narrow for anyone to pass through." "as you both locked your doors at night, your ', 'll ones. too narrow for anyone to pass through." "as you both locked your doors at night, your rooms', 'es. too narrow for anyone to pass through." "as you both locked your doors at night, your rooms were', 'oo narrow for anyone to pass through." "as you both locked your doors at night, your rooms were unap', 'rrow for anyone to pass through." "as you both locked your doors at night, your rooms were unapproac', 'for anyone to pass through." "as you both locked your doors at night, your rooms were unapproachable', 'nyone to pass through." "as you both locked your doors at night, your rooms were unapproachable from', ' to pass through." "as you both locked your doors at night, your rooms were unapproachable from that', 'ass through." "as you both locked your doors at night, your rooms were unapproachable from that side', 'hrough." "as you both locked your doors at night, your rooms were unapproachable from that side. now', 'h." "as you both locked your doors at night, your rooms were unapproachable from that side. now, wou', 'as you both locked your doors at night, your rooms were unapproachable from that side. now, would yo', 'u both locked your doors at night, your rooms were unapproachable from that side. now, would you hav', 'h locked your doors at night, your rooms were unapproachable from that side. now, would you have the', 'ked your doors at night, your rooms were unapproachable from that side. now, would you have the kind', 'our doors at night, your rooms were unapproachable from that side. now, would you have the kindness ', 'oors at night, your rooms were unapproachable from that side. now, would you have the kindness to go', 'at night, your rooms were unapproachable from that side. now, would you have the kindness to go into', 'ght, your rooms were unapproachable from that side. now, would you have the kindness to go into your', 'your rooms were unapproachable from that side. now, would you have the kindness to go into your room', 'rooms were unapproachable from that side. now, would you have the kindness to go into your room and ', ' were unapproachable from that side. now, would you have the kindness to go into your room and bar y', ' unapproachable from that side. now, would you have the kindness to go into your room and bar your s', 'proachable from that side. now, would you have the kindness to go into your room and bar your shutte', 'hable from that side. now, would you have the kindness to go into your room and bar your shutters?" ', ' from that side. now, would you have the kindness to go into your room and bar your shutters?" miss ', ' that side. now, would you have the kindness to go into your room and bar your shutters?" miss stone', ' side. now, would you have the kindness to go into your room and bar your shutters?" miss stoner did', '. now, would you have the kindness to go into your room and bar your shutters?" miss stoner did so, ', ', would you have the kindness to go into your room and bar your shutters?" miss stoner did so, and h', 'ld you have the kindness to go into your room and bar your shutters?" miss stoner did so, and holmes', 'u have the kindness to go into your room and bar your shutters?" miss stoner did so, and holmes, aft', 'e the kindness to go into your room and bar your shutters?" miss stoner did so, and holmes, after a ', ' kindness to go into your room and bar your shutters?" miss stoner did so, and holmes, after a caref', 'ness to go into your room and bar your shutters?" miss stoner did so, and holmes, after a careful ex', 'to go into your room and bar your shutters?" miss stoner did so, and holmes, after a careful examina', ' into your room and bar your shutters?" miss stoner did so, and holmes, after a careful examination ', ' your room and bar your shutters?" miss stoner did so, and holmes, after a careful examination throu', ' room and bar your shutters?" miss stoner did so, and holmes, after a careful examination through th', ' and bar your shutters?" miss stoner did so, and holmes, after a careful examination through the ope', 'bar your shutters?" miss stoner did so, and holmes, after a careful examination through the open win', 'our shutters?" miss stoner did so, and holmes, after a careful examination through the open window, ', 'hutters?" miss stoner did so, and holmes, after a careful examination through the open window, endea', 'rs?" miss stoner did so, and holmes, after a careful examination through the open window, endeavoure', 'miss stoner did so, and holmes, after a careful examination through the open window, endeavoured in ', 'stoner did so, and holmes, after a careful examination through the open window, endeavoured in every', 'r did so, and holmes, after a careful examination through the open window, endeavoured in every way ', ' so, and holmes, after a careful examination through the open window, endeavoured in every way to fo', 'and holmes, after a careful examination through the open window, endeavoured in every way to force t', 'olmes, after a careful examination through the open window, endeavoured in every way to force the sh', ', after a careful examination through the open window, endeavoured in every way to force the shutter', 'er a careful examination through the open window, endeavoured in every way to force the shutter open', 'careful examination through the open window, endeavoured in every way to force the shutter open, but', 'ul examination through the open window, endeavoured in every way to force the shutter open, but with', 'amination through the open window, endeavoured in every way to force the shutter open, but without s', 'tion through the open window, endeavoured in every way to force the shutter open, but without succes', 'through the open window, endeavoured in every way to force the shutter open, but without success. th', 'gh the open window, endeavoured in every way to force the shutter open, but without success. there w', 'e open window, endeavoured in every way to force the shutter open, but without success. there was no', 'n window, endeavoured in every way to force the shutter open, but without success. there was no slit', 'dow, endeavoured in every way to force the shutter open, but without success. there was no slit thro', 'endeavoured in every way to force the shutter open, but without success. there was no slit through w', 'voured in every way to force the shutter open, but without success. there was no slit through which ', 'd in every way to force the shutter open, but without success. there was no slit through which a kni', 'every way to force the shutter open, but without success. there was no slit through which a knife co', ' way to force the shutter open, but without success. there was no slit through which a knife could b', 'to force the shutter open, but without success. there was no slit through which a knife could be pas', 'rce the shutter open, but without success. there was no slit through which a knife could be passed t', 'he shutter open, but without success. there was no slit through which a knife could be passed to rai', 'utter open, but without success. there was no slit through which a knife could be passed to raise th', ' open, but without success. there was no slit through which a knife could be passed to raise the bar', ', but without success. there was no slit through which a knife could be passed to raise the bar. the', ' without success. there was no slit through which a knife could be passed to raise the bar. then wit', 'out success. there was no slit through which a knife could be passed to raise the bar. then with his', 'uccess. there was no slit through which a knife could be passed to raise the bar. then with his lens', 's. there was no slit through which a knife could be passed to raise the bar. then with his lens he t', 'ere was no slit through which a knife could be passed to raise the bar. then with his lens he tested', 'as no slit through which a knife could be passed to raise the bar. then with his lens he tested the ', ' slit through which a knife could be passed to raise the bar. then with his lens he tested the hinge', ' through which a knife could be passed to raise the bar. then with his lens he tested the hinges, bu', 'ugh which a knife could be passed to raise the bar. then with his lens he tested the hinges, but the', 'hich a knife could be passed to raise the bar. then with his lens he tested the hinges, but they wer', 'a knife could be passed to raise the bar. then with his lens he tested the hinges, but they were of ', 'fe could be passed to raise the bar. then with his lens he tested the hinges, but they were of solid', 'uld be passed to raise the bar. then with his lens he tested the hinges, but they were of solid iron', 'e passed to raise the bar. then with his lens he tested the hinges, but they were of solid iron, bui', 'sed to raise the bar. then with his lens he tested the hinges, but they were of solid iron, built fi', 'o raise the bar. then with his lens he tested the hinges, but they were of solid iron, built firmly ', 'se the bar. then with his lens he tested the hinges, but they were of solid iron, built firmly into ', 'e bar. then with his lens he tested the hinges, but they were of solid iron, built firmly into the m', '. then with his lens he tested the hinges, but they were of solid iron, built firmly into the massiv', 'n with his lens he tested the hinges, but they were of solid iron, built firmly into the massive mas', 'h his lens he tested the hinges, but they were of solid iron, built firmly into the massive masonry.', ' lens he tested the hinges, but they were of solid iron, built firmly into the massive masonry. "hum', ' he tested the hinges, but they were of solid iron, built firmly into the massive masonry. "hum said', 'ested the hinges, but they were of solid iron, built firmly into the massive masonry. "hum said he, ', ' the hinges, but they were of solid iron, built firmly into the massive masonry. "hum said he, scrat', 'hinges, but they were of solid iron, built firmly into the massive masonry. "hum said he, scratching', 's, but they were of solid iron, built firmly into the massive masonry. "hum said he, scratching his ', 't they were of solid iron, built firmly into the massive masonry. "hum said he, scratching his chin ', 'y were of solid iron, built firmly into the massive masonry. "hum said he, scratching his chin in so', 'e of solid iron, built firmly into the massive masonry. "hum said he, scratching his chin in some pe', 'solid iron, built firmly into the massive masonry. "hum said he, scratching his chin in some perplex', ' iron, built firmly into the massive masonry. "hum said he, scratching his chin in some perplexity, ', ', built firmly into the massive masonry. "hum said he, scratching his chin in some perplexity, "my t', 'lt firmly into the massive masonry. "hum said he, scratching his chin in some perplexity, "my theory', 'rmly into the massive masonry. "hum said he, scratching his chin in some perplexity, "my theory cert', 'into the massive masonry. "hum said he, scratching his chin in some perplexity, "my theory certainly', 'the massive masonry. "hum said he, scratching his chin in some perplexity, "my theory certainly pres', 'assive masonry. "hum said he, scratching his chin in some perplexity, "my theory certainly presents ', 'e masonry. "hum said he, scratching his chin in some perplexity, "my theory certainly presents some ', 'onry. "hum said he, scratching his chin in some perplexity, "my theory certainly presents some diffi', ' "hum said he, scratching his chin in some perplexity, "my theory certainly presents some difficulti', ' said he, scratching his chin in some perplexity, "my theory certainly presents some difficulties. n', ' he, scratching his chin in some perplexity, "my theory certainly presents some difficulties. no one', 'scratching his chin in some perplexity, "my theory certainly presents some difficulties. no one coul', 'ching his chin in some perplexity, "my theory certainly presents some difficulties. no one could pas', ' his chin in some perplexity, "my theory certainly presents some difficulties. no one could pass the', 'chin in some perplexity, "my theory certainly presents some difficulties. no one could pass these sh', 'in some perplexity, "my theory certainly presents some difficulties. no one could pass these shutter', 'me perplexity, "my theory certainly presents some difficulties. no one could pass these shutters if ', 'rplexity, "my theory certainly presents some difficulties. no one could pass these shutters if they ', 'ity, "my theory certainly presents some difficulties. no one could pass these shutters if they were ', '"my theory certainly presents some difficulties. no one could pass these shutters if they were bolte', 'heory certainly presents some difficulties. no one could pass these shutters if they were bolted. we', ' certainly presents some difficulties. no one could pass these shutters if they were bolted. well, w', 'ainly presents some difficulties. no one could pass these shutters if they were bolted. well, we sha', ' presents some difficulties. no one could pass these shutters if they were bolted. well, we shall se', 'ents some difficulties. no one could pass these shutters if they were bolted. well, we shall see if ', 'some difficulties. no one could pass these shutters if they were bolted. well, we shall see if the i', 'difficulties. no one could pass these shutters if they were bolted. well, we shall see if the inside', 'culties. no one could pass these shutters if they were bolted. well, we shall see if the inside thro', 'es. no one could pass these shutters if they were bolted. well, we shall see if the inside throws an', 'o one could pass these shutters if they were bolted. well, we shall see if the inside throws any lig', ' could pass these shutters if they were bolted. well, we shall see if the inside throws any light up', 'd pass these shutters if they were bolted. well, we shall see if the inside throws any light upon th', 's these shutters if they were bolted. well, we shall see if the inside throws any light upon the mat', 'se shutters if they were bolted. well, we shall see if the inside throws any light upon the matter."', 'utters if they were bolted. well, we shall see if the inside throws any light upon the matter." a sm', 's if they were bolted. well, we shall see if the inside throws any light upon the matter." a small s', 'they were bolted. well, we shall see if the inside throws any light upon the matter." a small side d', 'were bolted. well, we shall see if the inside throws any light upon the matter." a small side door l', 'bolted. well, we shall see if the inside throws any light upon the matter." a small side door led in', 'd. well, we shall see if the inside throws any light upon the matter." a small side door led into th', 'll, we shall see if the inside throws any light upon the matter." a small side door led into the whi', 'e shall see if the inside throws any light upon the matter." a small side door led into the whitewas', 'll see if the inside throws any light upon the matter." a small side door led into the whitewashed c', 'e if the inside throws any light upon the matter." a small side door led into the whitewashed corrid', 'the inside throws any light upon the matter." a small side door led into the whitewashed corridor fr', 'nside throws any light upon the matter." a small side door led into the whitewashed corridor from wh', ' throws any light upon the matter." a small side door led into the whitewashed corridor from which t', 'ws any light upon the matter." a small side door led into the whitewashed corridor from which the th', 'y light upon the matter." a small side door led into the whitewashed corridor from which the three b', 'ht upon the matter." a small side door led into the whitewashed corridor from which the three bedroo', 'on the matter." a small side door led into the whitewashed corridor from which the three bedrooms op', 'e matter." a small side door led into the whitewashed corridor from which the three bedrooms opened.', 'ter." a small side door led into the whitewashed corridor from which the three bedrooms opened. holm', ' a small side door led into the whitewashed corridor from which the three bedrooms opened. holmes re', 'all side door led into the whitewashed corridor from which the three bedrooms opened. holmes refused', 'ide door led into the whitewashed corridor from which the three bedrooms opened. holmes refused to e', 'oor led into the whitewashed corridor from which the three bedrooms opened. holmes refused to examin', 'ed into the whitewashed corridor from which the three bedrooms opened. holmes refused to examine the', 'to the whitewashed corridor from which the three bedrooms opened. holmes refused to examine the thir', 'e whitewashed corridor from which the three bedrooms opened. holmes refused to examine the third cha', 'tewashed corridor from which the three bedrooms opened. holmes refused to examine the third chamber,', 'hed corridor from which the three bedrooms opened. holmes refused to examine the third chamber, so w', 'orridor from which the three bedrooms opened. holmes refused to examine the third chamber, so we pas', 'or from which the three bedrooms opened. holmes refused to examine the third chamber, so we passed a', 'om which the three bedrooms opened. holmes refused to examine the third chamber, so we passed at onc', 'ich the three bedrooms opened. holmes refused to examine the third chamber, so we passed at once to ', 'he three bedrooms opened. holmes refused to examine the third chamber, so we passed at once to the s', 'ree bedrooms opened. holmes refused to examine the third chamber, so we passed at once to the second', 'edrooms opened. holmes refused to examine the third chamber, so we passed at once to the second, tha', 'ms opened. holmes refused to examine the third chamber, so we passed at once to the second, that in ', 'ened. holmes refused to examine the third chamber, so we passed at once to the second, that in which', ' holmes refused to examine the third chamber, so we passed at once to the second, that in which miss', 'es refused to examine the third chamber, so we passed at once to the second, that in which miss ston', 'fused to examine the third chamber, so we passed at once to the second, that in which miss stoner wa', ' to examine the third chamber, so we passed at once to the second, that in which miss stoner was now', 'xamine the third chamber, so we passed at once to the second, that in which miss stoner was now slee', 'e the third chamber, so we passed at once to the second, that in which miss stoner was now sleeping,', ' third chamber, so we passed at once to the second, that in which miss stoner was now sleeping, and ', 'd chamber, so we passed at once to the second, that in which miss stoner was now sleeping, and in wh', 'mber, so we passed at once to the second, that in which miss stoner was now sleeping, and in which h', ' so we passed at once to the second, that in which miss stoner was now sleeping, and in which her si', 'e passed at once to the second, that in which miss stoner was now sleeping, and in which her sister ', 'sed at once to the second, that in which miss stoner was now sleeping, and in which her sister had m', 't once to the second, that in which miss stoner was now sleeping, and in which her sister had met wi', 'e to the second, that in which miss stoner was now sleeping, and in which her sister had met with he', 'the second, that in which miss stoner was now sleeping, and in which her sister had met with her fat', 'econd, that in which miss stoner was now sleeping, and in which her sister had met with her fate. it', ', that in which miss stoner was now sleeping, and in which her sister had met with her fate. it was ', 't in which miss stoner was now sleeping, and in which her sister had met with her fate. it was a hom', 'which miss stoner was now sleeping, and in which her sister had met with her fate. it was a homely l', ' miss stoner was now sleeping, and in which her sister had met with her fate. it was a homely little', ' stoner was now sleeping, and in which her sister had met with her fate. it was a homely little room', 'er was now sleeping, and in which her sister had met with her fate. it was a homely little room, wit', 's now sleeping, and in which her sister had met with her fate. it was a homely little room, with a l', ' sleeping, and in which her sister had met with her fate. it was a homely little room, with a low ce', 'ping, and in which her sister had met with her fate. it was a homely little room, with a low ceiling', ' and in which her sister had met with her fate. it was a homely little room, with a low ceiling and ', 'in which her sister had met with her fate. it was a homely little room, with a low ceiling and a gap', 'ich her sister had met with her fate. it was a homely little room, with a low ceiling and a gaping f', 'er sister had met with her fate. it was a homely little room, with a low ceiling and a gaping firepl', 'ster had met with her fate. it was a homely little room, with a low ceiling and a gaping fireplace, ', 'had met with her fate. it was a homely little room, with a low ceiling and a gaping fireplace, after', 'et with her fate. it was a homely little room, with a low ceiling and a gaping fireplace, after the ', 'th her fate. it was a homely little room, with a low ceiling and a gaping fireplace, after the fashi', 'r fate. it was a homely little room, with a low ceiling and a gaping fireplace, after the fashion of', 'e. it was a homely little room, with a low ceiling and a gaping fireplace, after the fashion of old ', ' was a homely little room, with a low ceiling and a gaping fireplace, after the fashion of old count', 'a homely little room, with a low ceiling and a gaping fireplace, after the fashion of old country-ho', 'ely little room, with a low ceiling and a gaping fireplace, after the fashion of old country-houses.', 'ittle room, with a low ceiling and a gaping fireplace, after the fashion of old country-houses. a br', ' room, with a low ceiling and a gaping fireplace, after the fashion of old country-houses. a brown c', ', with a low ceiling and a gaping fireplace, after the fashion of old country-houses. a brown chest ', 'h a low ceiling and a gaping fireplace, after the fashion of old country-houses. a brown chest of dr', 'ow ceiling and a gaping fireplace, after the fashion of old country-houses. a brown chest of drawers', 'iling and a gaping fireplace, after the fashion of old country-houses. a brown chest of drawers stoo', ' and a gaping fireplace, after the fashion of old country-houses. a brown chest of drawers stood in ', 'a gaping fireplace, after the fashion of old country-houses. a brown chest of drawers stood in one c', 'ing fireplace, after the fashion of old country-houses. a brown chest of drawers stood in one corner', 'ireplace, after the fashion of old country-houses. a brown chest of drawers stood in one corner, a n', 'ace, after the fashion of old country-houses. a brown chest of drawers stood in one corner, a narrow', 'after the fashion of old country-houses. a brown chest of drawers stood in one corner, a narrow whit', ' the fashion of old country-houses. a brown chest of drawers stood in one corner, a narrow white-cou', 'fashion of old country-houses. a brown chest of drawers stood in one corner, a narrow white-counterp', 'on of old country-houses. a brown chest of drawers stood in one corner, a narrow white-counterpaned ', ' old country-houses. a brown chest of drawers stood in one corner, a narrow white-counterpaned bed i', 'country-houses. a brown chest of drawers stood in one corner, a narrow white-counterpaned bed in ano', 'ry-houses. a brown chest of drawers stood in one corner, a narrow white-counterpaned bed in another,', 'uses. a brown chest of drawers stood in one corner, a narrow white-counterpaned bed in another, and ', ' a brown chest of drawers stood in one corner, a narrow white-counterpaned bed in another, and a dre', 'own chest of drawers stood in one corner, a narrow white-counterpaned bed in another, and a dressing', 'hest of drawers stood in one corner, a narrow white-counterpaned bed in another, and a dressing-tabl', 'of drawers stood in one corner, a narrow white-counterpaned bed in another, and a dressing-table on ', 'awers stood in one corner, a narrow white-counterpaned bed in another, and a dressing-table on the l', ' stood in one corner, a narrow white-counterpaned bed in another, and a dressing-table on the left-h', 'd in one corner, a narrow white-counterpaned bed in another, and a dressing-table on the left-hand s', 'one corner, a narrow white-counterpaned bed in another, and a dressing-table on the left-hand side o', 'orner, a narrow white-counterpaned bed in another, and a dressing-table on the left-hand side of the', ', a narrow white-counterpaned bed in another, and a dressing-table on the left-hand side of the wind', 'arrow white-counterpaned bed in another, and a dressing-table on the left-hand side of the window. t', ' white-counterpaned bed in another, and a dressing-table on the left-hand side of the window. these ', 'e-counterpaned bed in another, and a dressing-table on the left-hand side of the window. these artic', 'nterpaned bed in another, and a dressing-table on the left-hand side of the window. these articles, ', 'aned bed in another, and a dressing-table on the left-hand side of the window. these articles, with ', 'bed in another, and a dressing-table on the left-hand side of the window. these articles, with two s', 'n another, and a dressing-table on the left-hand side of the window. these articles, with two small ', 'ther, and a dressing-table on the left-hand side of the window. these articles, with two small wicke', ' and a dressing-table on the left-hand side of the window. these articles, with two small wicker-wor', 'a dressing-table on the left-hand side of the window. these articles, with two small wicker-work cha', 'ssing-table on the left-hand side of the window. these articles, with two small wicker-work chairs, ', '-table on the left-hand side of the window. these articles, with two small wicker-work chairs, made ', 'e on the left-hand side of the window. these articles, with two small wicker-work chairs, made up al', 'the left-hand side of the window. these articles, with two small wicker-work chairs, made up all the', 'eft-hand side of the window. these articles, with two small wicker-work chairs, made up all the furn', 'and side of the window. these articles, with two small wicker-work chairs, made up all the furniture', 'ide of the window. these articles, with two small wicker-work chairs, made up all the furniture in t', 'f the window. these articles, with two small wicker-work chairs, made up all the furniture in the ro', ' window. these articles, with two small wicker-work chairs, made up all the furniture in the room sa', 'ow. these articles, with two small wicker-work chairs, made up all the furniture in the room save fo', 'hese articles, with two small wicker-work chairs, made up all the furniture in the room save for a s', 'articles, with two small wicker-work chairs, made up all the furniture in the room save for a square', 'les, with two small wicker-work chairs, made up all the furniture in the room save for a square of w', 'with two small wicker-work chairs, made up all the furniture in the room save for a square of wilton', 'two small wicker-work chairs, made up all the furniture in the room save for a square of wilton carp', 'mall wicker-work chairs, made up all the furniture in the room save for a square of wilton carpet in', 'wicker-work chairs, made up all the furniture in the room save for a square of wilton carpet in the ', 'r-work chairs, made up all the furniture in the room save for a square of wilton carpet in the centr', 'k chairs, made up all the furniture in the room save for a square of wilton carpet in the centre. th', 'irs, made up all the furniture in the room save for a square of wilton carpet in the centre. the boa', 'made up all the furniture in the room save for a square of wilton carpet in the centre. the boards r', 'up all the furniture in the room save for a square of wilton carpet in the centre. the boards round ', 'l the furniture in the room save for a square of wilton carpet in the centre. the boards round and t', ' furniture in the room save for a square of wilton carpet in the centre. the boards round and the pa', 'iture in the room save for a square of wilton carpet in the centre. the boards round and the panelli', ' in the room save for a square of wilton carpet in the centre. the boards round and the panelling of', 'he room save for a square of wilton carpet in the centre. the boards round and the panelling of the ', 'om save for a square of wilton carpet in the centre. the boards round and the panelling of the walls', 've for a square of wilton carpet in the centre. the boards round and the panelling of the walls were', 'r a square of wilton carpet in the centre. the boards round and the panelling of the walls were of b', 'quare of wilton carpet in the centre. the boards round and the panelling of the walls were of brown,', ' of wilton carpet in the centre. the boards round and the panelling of the walls were of brown, worm', 'ilton carpet in the centre. the boards round and the panelling of the walls were of brown, worm-eate', ' carpet in the centre. the boards round and the panelling of the walls were of brown, worm-eaten oak', 'et in the centre. the boards round and the panelling of the walls were of brown, worm-eaten oak, so ', ' the centre. the boards round and the panelling of the walls were of brown, worm-eaten oak, so old a', 'centre. the boards round and the panelling of the walls were of brown, worm-eaten oak, so old and di', 'e. the boards round and the panelling of the walls were of brown, worm-eaten oak, so old and discolo', 'e boards round and the panelling of the walls were of brown, worm-eaten oak, so old and discoloured ', 'rds round and the panelling of the walls were of brown, worm-eaten oak, so old and discoloured that ', 'ound and the panelling of the walls were of brown, worm-eaten oak, so old and discoloured that it ma', 'and the panelling of the walls were of brown, worm-eaten oak, so old and discoloured that it may hav', 'he panelling of the walls were of brown, worm-eaten oak, so old and discoloured that it may have dat', 'nelling of the walls were of brown, worm-eaten oak, so old and discoloured that it may have dated fr', 'ng of the walls were of brown, worm-eaten oak, so old and discoloured that it may have dated from th', ' the walls were of brown, worm-eaten oak, so old and discoloured that it may have dated from the ori', 'walls were of brown, worm-eaten oak, so old and discoloured that it may have dated from the original', ' were of brown, worm-eaten oak, so old and discoloured that it may have dated from the original buil', ' of brown, worm-eaten oak, so old and discoloured that it may have dated from the original building ', 'rown, worm-eaten oak, so old and discoloured that it may have dated from the original building of th', ' worm-eaten oak, so old and discoloured that it may have dated from the original building of the hou', '-eaten oak, so old and discoloured that it may have dated from the original building of the house. h', 'n oak, so old and discoloured that it may have dated from the original building of the house. holmes', ', so old and discoloured that it may have dated from the original building of the house. holmes drew', 'old and discoloured that it may have dated from the original building of the house. holmes drew one ', 'nd discoloured that it may have dated from the original building of the house. holmes drew one of th', 'scoloured that it may have dated from the original building of the house. holmes drew one of the cha', 'ured that it may have dated from the original building of the house. holmes drew one of the chairs i', 'that it may have dated from the original building of the house. holmes drew one of the chairs into a', 'it may have dated from the original building of the house. holmes drew one of the chairs into a corn', 'y have dated from the original building of the house. holmes drew one of the chairs into a corner an', 'e dated from the original building of the house. holmes drew one of the chairs into a corner and sat', 'ed from the original building of the house. holmes drew one of the chairs into a corner and sat sile', 'om the original building of the house. holmes drew one of the chairs into a corner and sat silent, w', 'e original building of the house. holmes drew one of the chairs into a corner and sat silent, while ', 'ginal building of the house. holmes drew one of the chairs into a corner and sat silent, while his e', ' building of the house. holmes drew one of the chairs into a corner and sat silent, while his eyes t', 'ding of the house. holmes drew one of the chairs into a corner and sat silent, while his eyes travel', 'of the house. holmes drew one of the chairs into a corner and sat silent, while his eyes travelled r', 'e house. holmes drew one of the chairs into a corner and sat silent, while his eyes travelled round ', 'se. holmes drew one of the chairs into a corner and sat silent, while his eyes travelled round and r', 'olmes drew one of the chairs into a corner and sat silent, while his eyes travelled round and round ', ' drew one of the chairs into a corner and sat silent, while his eyes travelled round and round and u', ' one of the chairs into a corner and sat silent, while his eyes travelled round and round and up and', 'of the chairs into a corner and sat silent, while his eyes travelled round and round and up and down', 'e chairs into a corner and sat silent, while his eyes travelled round and round and up and down, tak', 'irs into a corner and sat silent, while his eyes travelled round and round and up and down, taking i', 'nto a corner and sat silent, while his eyes travelled round and round and up and down, taking in eve', ' corner and sat silent, while his eyes travelled round and round and up and down, taking in every de', 'er and sat silent, while his eyes travelled round and round and up and down, taking in every detail ', 'd sat silent, while his eyes travelled round and round and up and down, taking in every detail of th', ' silent, while his eyes travelled round and round and up and down, taking in every detail of the apa', 'nt, while his eyes travelled round and round and up and down, taking in every detail of the apartmen', 'hile his eyes travelled round and round and up and down, taking in every detail of the apartment. "w', 'his eyes travelled round and round and up and down, taking in every detail of the apartment. "where ', 'yes travelled round and round and up and down, taking in every detail of the apartment. "where does ', 'ravelled round and round and up and down, taking in every detail of the apartment. "where does that ', 'led round and round and up and down, taking in every detail of the apartment. "where does that bell ', 'ound and round and up and down, taking in every detail of the apartment. "where does that bell commu', 'and round and up and down, taking in every detail of the apartment. "where does that bell communicat', 'ound and up and down, taking in every detail of the apartment. "where does that bell communicate wit', 'and up and down, taking in every detail of the apartment. "where does that bell communicate with?" h', 'p and down, taking in every detail of the apartment. "where does that bell communicate with?" he ask', ' down, taking in every detail of the apartment. "where does that bell communicate with?" he asked at', ', taking in every detail of the apartment. "where does that bell communicate with?" he asked at last', 'ing in every detail of the apartment. "where does that bell communicate with?" he asked at last poin', 'n every detail of the apartment. "where does that bell communicate with?" he asked at last pointing ', 'ry detail of the apartment. "where does that bell communicate with?" he asked at last pointing to a ', 'tail of the apartment. "where does that bell communicate with?" he asked at last pointing to a thick', 'of the apartment. "where does that bell communicate with?" he asked at last pointing to a thick bell', 'e apartment. "where does that bell communicate with?" he asked at last pointing to a thick bell-rope', 'rtment. "where does that bell communicate with?" he asked at last pointing to a thick bell-rope whic', 't. "where does that bell communicate with?" he asked at last pointing to a thick bell-rope which hun', 'here does that bell communicate with?" he asked at last pointing to a thick bell-rope which hung dow', 'does that bell communicate with?" he asked at last pointing to a thick bell-rope which hung down bes', 'that bell communicate with?" he asked at last pointing to a thick bell-rope which hung down beside t', 'bell communicate with?" he asked at last pointing to a thick bell-rope which hung down beside the be', 'communicate with?" he asked at last pointing to a thick bell-rope which hung down beside the bed, th', 'nicate with?" he asked at last pointing to a thick bell-rope which hung down beside the bed, the tas', 'e with?" he asked at last pointing to a thick bell-rope which hung down beside the bed, the tassel a', 'h?" he asked at last pointing to a thick bell-rope which hung down beside the bed, the tassel actual', 'e asked at last pointing to a thick bell-rope which hung down beside the bed, the tassel actually ly', 'ed at last pointing to a thick bell-rope which hung down beside the bed, the tassel actually lying u', ' last pointing to a thick bell-rope which hung down beside the bed, the tassel actually lying upon t', ' pointing to a thick bell-rope which hung down beside the bed, the tassel actually lying upon the pi', 'ting to a thick bell-rope which hung down beside the bed, the tassel actually lying upon the pillow.', 'to a thick bell-rope which hung down beside the bed, the tassel actually lying upon the pillow. "it ', 'thick bell-rope which hung down beside the bed, the tassel actually lying upon the pillow. "it goes ', ' bell-rope which hung down beside the bed, the tassel actually lying upon the pillow. "it goes to th', '-rope which hung down beside the bed, the tassel actually lying upon the pillow. "it goes to the hou', ' which hung down beside the bed, the tassel actually lying upon the pillow. "it goes to the housekee', 'h hung down beside the bed, the tassel actually lying upon the pillow. "it goes to the housekeeper\'s', 'g down beside the bed, the tassel actually lying upon the pillow. "it goes to the housekeeper\'s room', 'n beside the bed, the tassel actually lying upon the pillow. "it goes to the housekeeper\'s room." "i', 'ide the bed, the tassel actually lying upon the pillow. "it goes to the housekeeper\'s room." "it loo', 'he bed, the tassel actually lying upon the pillow. "it goes to the housekeeper\'s room." "it looks ne', 'd, the tassel actually lying upon the pillow. "it goes to the housekeeper\'s room." "it looks newer t', 'e tassel actually lying upon the pillow. "it goes to the housekeeper\'s room." "it looks newer than t', 'sel actually lying upon the pillow. "it goes to the housekeeper\'s room." "it looks newer than the ot', 'ctually lying upon the pillow. "it goes to the housekeeper\'s room." "it looks newer than the other t', 'ly lying upon the pillow. "it goes to the housekeeper\'s room." "it looks newer than the other things', 'ing upon the pillow. "it goes to the housekeeper\'s room." "it looks newer than the other things?" "y', 'pon the pillow. "it goes to the housekeeper\'s room." "it looks newer than the other things?" "yes, i', 'he pillow. "it goes to the housekeeper\'s room." "it looks newer than the other things?" "yes, it was', 'llow. "it goes to the housekeeper\'s room." "it looks newer than the other things?" "yes, it was only', ' "it goes to the housekeeper\'s room." "it looks newer than the other things?" "yes, it was only put ', 'goes to the housekeeper\'s room." "it looks newer than the other things?" "yes, it was only put there', 'to the housekeeper\'s room." "it looks newer than the other things?" "yes, it was only put there a co', 'e housekeeper\'s room." "it looks newer than the other things?" "yes, it was only put there a couple ', 'sekeeper\'s room." "it looks newer than the other things?" "yes, it was only put there a couple of ye', 'per\'s room." "it looks newer than the other things?" "yes, it was only put there a couple of years a', ' room." "it looks newer than the other things?" "yes, it was only put there a couple of years ago." ', '." "it looks newer than the other things?" "yes, it was only put there a couple of years ago." "your', 't looks newer than the other things?" "yes, it was only put there a couple of years ago." "your sist', 'ks newer than the other things?" "yes, it was only put there a couple of years ago." "your sister as', 'wer than the other things?" "yes, it was only put there a couple of years ago." "your sister asked f', 'han the other things?" "yes, it was only put there a couple of years ago." "your sister asked for it', 'he other things?" "yes, it was only put there a couple of years ago." "your sister asked for it, i s', 'her things?" "yes, it was only put there a couple of years ago." "your sister asked for it, i suppos', 'hings?" "yes, it was only put there a couple of years ago." "your sister asked for it, i suppose?" "', '?" "yes, it was only put there a couple of years ago." "your sister asked for it, i suppose?" "no, i', 'es, it was only put there a couple of years ago." "your sister asked for it, i suppose?" "no, i neve', 't was only put there a couple of years ago." "your sister asked for it, i suppose?" "no, i never hea', ' only put there a couple of years ago." "your sister asked for it, i suppose?" "no, i never heard of', ' put there a couple of years ago." "your sister asked for it, i suppose?" "no, i never heard of her ', 'there a couple of years ago." "your sister asked for it, i suppose?" "no, i never heard of her using', ' a couple of years ago." "your sister asked for it, i suppose?" "no, i never heard of her using it. ', 'uple of years ago." "your sister asked for it, i suppose?" "no, i never heard of her using it. we us', 'of years ago." "your sister asked for it, i suppose?" "no, i never heard of her using it. we used al', 'ars ago." "your sister asked for it, i suppose?" "no, i never heard of her using it. we used always ', 'go." "your sister asked for it, i suppose?" "no, i never heard of her using it. we used always to ge', '"your sister asked for it, i suppose?" "no, i never heard of her using it. we used always to get wha', ' sister asked for it, i suppose?" "no, i never heard of her using it. we used always to get what we ', 'er asked for it, i suppose?" "no, i never heard of her using it. we used always to get what we wante', 'ked for it, i suppose?" "no, i never heard of her using it. we used always to get what we wanted for', 'or it, i suppose?" "no, i never heard of her using it. we used always to get what we wanted for ours', ', i suppose?" "no, i never heard of her using it. we used always to get what we wanted for ourselves', 'uppose?" "no, i never heard of her using it. we used always to get what we wanted for ourselves." "i', 'e?" "no, i never heard of her using it. we used always to get what we wanted for ourselves." "indeed', 'no, i never heard of her using it. we used always to get what we wanted for ourselves." "indeed, it ', ' never heard of her using it. we used always to get what we wanted for ourselves." "indeed, it seeme', 'r heard of her using it. we used always to get what we wanted for ourselves." "indeed, it seemed unn', 'rd of her using it. we used always to get what we wanted for ourselves." "indeed, it seemed unnecess', ' her using it. we used always to get what we wanted for ourselves." "indeed, it seemed unnecessary t', 'using it. we used always to get what we wanted for ourselves." "indeed, it seemed unnecessary to put', ' it. we used always to get what we wanted for ourselves." "indeed, it seemed unnecessary to put so n', 'we used always to get what we wanted for ourselves." "indeed, it seemed unnecessary to put so nice a', 'ed always to get what we wanted for ourselves." "indeed, it seemed unnecessary to put so nice a bell', 'ways to get what we wanted for ourselves." "indeed, it seemed unnecessary to put so nice a bell-pull', 'to get what we wanted for ourselves." "indeed, it seemed unnecessary to put so nice a bell-pull ther', 't what we wanted for ourselves." "indeed, it seemed unnecessary to put so nice a bell-pull there. yo', 't we wanted for ourselves." "indeed, it seemed unnecessary to put so nice a bell-pull there. you wil', 'wanted for ourselves." "indeed, it seemed unnecessary to put so nice a bell-pull there. you will exc', 'd for ourselves." "indeed, it seemed unnecessary to put so nice a bell-pull there. you will excuse m', ' ourselves." "indeed, it seemed unnecessary to put so nice a bell-pull there. you will excuse me for', 'elves." "indeed, it seemed unnecessary to put so nice a bell-pull there. you will excuse me for a fe', '." "indeed, it seemed unnecessary to put so nice a bell-pull there. you will excuse me for a few min', 'ndeed, it seemed unnecessary to put so nice a bell-pull there. you will excuse me for a few minutes ', ', it seemed unnecessary to put so nice a bell-pull there. you will excuse me for a few minutes while', 'seemed unnecessary to put so nice a bell-pull there. you will excuse me for a few minutes while i sa', 'd unnecessary to put so nice a bell-pull there. you will excuse me for a few minutes while i satisfy', 'ecessary to put so nice a bell-pull there. you will excuse me for a few minutes while i satisfy myse', 'ary to put so nice a bell-pull there. you will excuse me for a few minutes while i satisfy myself as', 'o put so nice a bell-pull there. you will excuse me for a few minutes while i satisfy myself as to t', ' so nice a bell-pull there. you will excuse me for a few minutes while i satisfy myself as to this f', 'ice a bell-pull there. you will excuse me for a few minutes while i satisfy myself as to this floor.', ' bell-pull there. you will excuse me for a few minutes while i satisfy myself as to this floor." he ', '-pull there. you will excuse me for a few minutes while i satisfy myself as to this floor." he threw', ' there. you will excuse me for a few minutes while i satisfy myself as to this floor." he threw hims', 'e. you will excuse me for a few minutes while i satisfy myself as to this floor." he threw himself d', 'u will excuse me for a few minutes while i satisfy myself as to this floor." he threw himself down u', 'l excuse me for a few minutes while i satisfy myself as to this floor." he threw himself down upon h', 'use me for a few minutes while i satisfy myself as to this floor." he threw himself down upon his fa', 'e for a few minutes while i satisfy myself as to this floor." he threw himself down upon his face wi', ' a few minutes while i satisfy myself as to this floor." he threw himself down upon his face with hi', 'w minutes while i satisfy myself as to this floor." he threw himself down upon his face with his len', 'utes while i satisfy myself as to this floor." he threw himself down upon his face with his lens in ', 'while i satisfy myself as to this floor." he threw himself down upon his face with his lens in his h', ' i satisfy myself as to this floor." he threw himself down upon his face with his lens in his hand a', 'tisfy myself as to this floor." he threw himself down upon his face with his lens in his hand and cr', ' myself as to this floor." he threw himself down upon his face with his lens in his hand and crawled', 'lf as to this floor." he threw himself down upon his face with his lens in his hand and crawled swif', ' to this floor." he threw himself down upon his face with his lens in his hand and crawled swiftly b', 'his floor." he threw himself down upon his face with his lens in his hand and crawled swiftly backwa', 'loor." he threw himself down upon his face with his lens in his hand and crawled swiftly backward an', '" he threw himself down upon his face with his lens in his hand and crawled swiftly backward and for', 'threw himself down upon his face with his lens in his hand and crawled swiftly backward and forward,', ' himself down upon his face with his lens in his hand and crawled swiftly backward and forward, exam', 'elf down upon his face with his lens in his hand and crawled swiftly backward and forward, examining', 'own upon his face with his lens in his hand and crawled swiftly backward and forward, examining minu', 'pon his face with his lens in his hand and crawled swiftly backward and forward, examining minutely ', 'is face with his lens in his hand and crawled swiftly backward and forward, examining minutely the c', 'ce with his lens in his hand and crawled swiftly backward and forward, examining minutely the cracks', 'th his lens in his hand and crawled swiftly backward and forward, examining minutely the cracks betw', 's lens in his hand and crawled swiftly backward and forward, examining minutely the cracks between t', 's in his hand and crawled swiftly backward and forward, examining minutely the cracks between the bo', 'his hand and crawled swiftly backward and forward, examining minutely the cracks between the boards.', 'and and crawled swiftly backward and forward, examining minutely the cracks between the boards. then', 'nd crawled swiftly backward and forward, examining minutely the cracks between the boards. then he d', 'awled swiftly backward and forward, examining minutely the cracks between the boards. then he did th', ' swiftly backward and forward, examining minutely the cracks between the boards. then he did the sam', 'tly backward and forward, examining minutely the cracks between the boards. then he did the same wit', 'ackward and forward, examining minutely the cracks between the boards. then he did the same with the', 'rd and forward, examining minutely the cracks between the boards. then he did the same with the wood', 'd forward, examining minutely the cracks between the boards. then he did the same with the wood-work', 'ward, examining minutely the cracks between the boards. then he did the same with the wood-work with', ' examining minutely the cracks between the boards. then he did the same with the wood-work with whic', 'ining minutely the cracks between the boards. then he did the same with the wood-work with which the', ' minutely the cracks between the boards. then he did the same with the wood-work with which the cham', 'tely the cracks between the boards. then he did the same with the wood-work with which the chamber w', 'the cracks between the boards. then he did the same with the wood-work with which the chamber was pa', 'racks between the boards. then he did the same with the wood-work with which the chamber was panelle', ' between the boards. then he did the same with the wood-work with which the chamber was panelled. fi', 'een the boards. then he did the same with the wood-work with which the chamber was panelled. finally', 'he boards. then he did the same with the wood-work with which the chamber was panelled. finally he w', 'ards. then he did the same with the wood-work with which the chamber was panelled. finally he walked', ' then he did the same with the wood-work with which the chamber was panelled. finally he walked over', ' he did the same with the wood-work with which the chamber was panelled. finally he walked over to t', 'id the same with the wood-work with which the chamber was panelled. finally he walked over to the be', 'e same with the wood-work with which the chamber was panelled. finally he walked over to the bed and', 'e with the wood-work with which the chamber was panelled. finally he walked over to the bed and spen', 'h the wood-work with which the chamber was panelled. finally he walked over to the bed and spent som', ' wood-work with which the chamber was panelled. finally he walked over to the bed and spent some tim', '-work with which the chamber was panelled. finally he walked over to the bed and spent some time in ', ' with which the chamber was panelled. finally he walked over to the bed and spent some time in stari', ' which the chamber was panelled. finally he walked over to the bed and spent some time in staring at', 'h the chamber was panelled. finally he walked over to the bed and spent some time in staring at it a', ' chamber was panelled. finally he walked over to the bed and spent some time in staring at it and in', 'ber was panelled. finally he walked over to the bed and spent some time in staring at it and in runn', 'as panelled. finally he walked over to the bed and spent some time in staring at it and in running h', 'nelled. finally he walked over to the bed and spent some time in staring at it and in running his ey', 'd. finally he walked over to the bed and spent some time in staring at it and in running his eye up ', 'nally he walked over to the bed and spent some time in staring at it and in running his eye up and d', ' he walked over to the bed and spent some time in staring at it and in running his eye up and down t', 'alked over to the bed and spent some time in staring at it and in running his eye up and down the wa', ' over to the bed and spent some time in staring at it and in running his eye up and down the wall. f', ' to the bed and spent some time in staring at it and in running his eye up and down the wall. finall', 'he bed and spent some time in staring at it and in running his eye up and down the wall. finally he ', 'd and spent some time in staring at it and in running his eye up and down the wall. finally he took ', ' spent some time in staring at it and in running his eye up and down the wall. finally he took the b', 't some time in staring at it and in running his eye up and down the wall. finally he took the bell-r', 'e time in staring at it and in running his eye up and down the wall. finally he took the bell-rope i', 'e in staring at it and in running his eye up and down the wall. finally he took the bell-rope in his', 'staring at it and in running his eye up and down the wall. finally he took the bell-rope in his hand', 'ng at it and in running his eye up and down the wall. finally he took the bell-rope in his hand and ', ' it and in running his eye up and down the wall. finally he took the bell-rope in his hand and gave ', 'nd in running his eye up and down the wall. finally he took the bell-rope in his hand and gave it a ', ' running his eye up and down the wall. finally he took the bell-rope in his hand and gave it a brisk', 'ing his eye up and down the wall. finally he took the bell-rope in his hand and gave it a brisk tug.', 'is eye up and down the wall. finally he took the bell-rope in his hand and gave it a brisk tug. "why', 'e up and down the wall. finally he took the bell-rope in his hand and gave it a brisk tug. "why, it\'', 'and down the wall. finally he took the bell-rope in his hand and gave it a brisk tug. "why, it\'s a d', 'own the wall. finally he took the bell-rope in his hand and gave it a brisk tug. "why, it\'s a dummy,', 'he wall. finally he took the bell-rope in his hand and gave it a brisk tug. "why, it\'s a dummy," sai', 'll. finally he took the bell-rope in his hand and gave it a brisk tug. "why, it\'s a dummy," said he.', 'inally he took the bell-rope in his hand and gave it a brisk tug. "why, it\'s a dummy," said he. "won', 'y he took the bell-rope in his hand and gave it a brisk tug. "why, it\'s a dummy," said he. "won\'t it', 'took the bell-rope in his hand and gave it a brisk tug. "why, it\'s a dummy," said he. "won\'t it ring', 'the bell-rope in his hand and gave it a brisk tug. "why, it\'s a dummy," said he. "won\'t it ring?" "n', 'ell-rope in his hand and gave it a brisk tug. "why, it\'s a dummy," said he. "won\'t it ring?" "no, it', 'ope in his hand and gave it a brisk tug. "why, it\'s a dummy," said he. "won\'t it ring?" "no, it is n', 'n his hand and gave it a brisk tug. "why, it\'s a dummy," said he. "won\'t it ring?" "no, it is not ev', ' hand and gave it a brisk tug. "why, it\'s a dummy," said he. "won\'t it ring?" "no, it is not even at', ' and gave it a brisk tug. "why, it\'s a dummy," said he. "won\'t it ring?" "no, it is not even attache', 'gave it a brisk tug. "why, it\'s a dummy," said he. "won\'t it ring?" "no, it is not even attached to ', 'it a brisk tug. "why, it\'s a dummy," said he. "won\'t it ring?" "no, it is not even attached to a wir', 'brisk tug. "why, it\'s a dummy," said he. "won\'t it ring?" "no, it is not even attached to a wire. th', ' tug. "why, it\'s a dummy," said he. "won\'t it ring?" "no, it is not even attached to a wire. this is', ' "why, it\'s a dummy," said he. "won\'t it ring?" "no, it is not even attached to a wire. this is very', ', it\'s a dummy," said he. "won\'t it ring?" "no, it is not even attached to a wire. this is very inte', 's a dummy," said he. "won\'t it ring?" "no, it is not even attached to a wire. this is very interesti', 'ummy," said he. "won\'t it ring?" "no, it is not even attached to a wire. this is very interesting. y', '" said he. "won\'t it ring?" "no, it is not even attached to a wire. this is very interesting. you ca', 'd he. "won\'t it ring?" "no, it is not even attached to a wire. this is very interesting. you can see', ' "won\'t it ring?" "no, it is not even attached to a wire. this is very interesting. you can see now ', '\'t it ring?" "no, it is not even attached to a wire. this is very interesting. you can see now that ', ' ring?" "no, it is not even attached to a wire. this is very interesting. you can see now that it is', '?" "no, it is not even attached to a wire. this is very interesting. you can see now that it is fast', 'o, it is not even attached to a wire. this is very interesting. you can see now that it is fastened ', ' is not even attached to a wire. this is very interesting. you can see now that it is fastened to a ', 'ot even attached to a wire. this is very interesting. you can see now that it is fastened to a hook ', 'en attached to a wire. this is very interesting. you can see now that it is fastened to a hook just ', 'tached to a wire. this is very interesting. you can see now that it is fastened to a hook just above', 'd to a wire. this is very interesting. you can see now that it is fastened to a hook just above wher', 'a wire. this is very interesting. you can see now that it is fastened to a hook just above where the', 'e. this is very interesting. you can see now that it is fastened to a hook just above where the litt', 'is is very interesting. you can see now that it is fastened to a hook just above where the little op', ' very interesting. you can see now that it is fastened to a hook just above where the little opening', ' interesting. you can see now that it is fastened to a hook just above where the little opening for ', 'resting. you can see now that it is fastened to a hook just above where the little opening for the v', 'ng. you can see now that it is fastened to a hook just above where the little opening for the ventil', 'ou can see now that it is fastened to a hook just above where the little opening for the ventilator ', 'n see now that it is fastened to a hook just above where the little opening for the ventilator is." ', ' now that it is fastened to a hook just above where the little opening for the ventilator is." "how ', 'that it is fastened to a hook just above where the little opening for the ventilator is." "how very ', 'it is fastened to a hook just above where the little opening for the ventilator is." "how very absur', ' fastened to a hook just above where the little opening for the ventilator is." "how very absurd! i ', 'ened to a hook just above where the little opening for the ventilator is." "how very absurd! i never', 'to a hook just above where the little opening for the ventilator is." "how very absurd! i never noti', 'hook just above where the little opening for the ventilator is." "how very absurd! i never noticed t', 'just above where the little opening for the ventilator is." "how very absurd! i never noticed that b', 'above where the little opening for the ventilator is." "how very absurd! i never noticed that before', ' where the little opening for the ventilator is." "how very absurd! i never noticed that before." "v', 'e the little opening for the ventilator is." "how very absurd! i never noticed that before." "very s', ' little opening for the ventilator is." "how very absurd! i never noticed that before." "very strang', 'le opening for the ventilator is." "how very absurd! i never noticed that before." "very strange mut', 'ening for the ventilator is." "how very absurd! i never noticed that before." "very strange muttered', ' for the ventilator is." "how very absurd! i never noticed that before." "very strange muttered holm', 'the ventilator is." "how very absurd! i never noticed that before." "very strange muttered holmes, p', 'entilator is." "how very absurd! i never noticed that before." "very strange muttered holmes, pullin', 'ator is." "how very absurd! i never noticed that before." "very strange muttered holmes, pulling at ', 'is." "how very absurd! i never noticed that before." "very strange muttered holmes, pulling at the r', '"how very absurd! i never noticed that before." "very strange muttered holmes, pulling at the rope. ', 'very absurd! i never noticed that before." "very strange muttered holmes, pulling at the rope. "ther', 'absurd! i never noticed that before." "very strange muttered holmes, pulling at the rope. "there are', 'd! i never noticed that before." "very strange muttered holmes, pulling at the rope. "there are one ', 'never noticed that before." "very strange muttered holmes, pulling at the rope. "there are one or tw', ' noticed that before." "very strange muttered holmes, pulling at the rope. "there are one or two ver', 'ced that before." "very strange muttered holmes, pulling at the rope. "there are one or two very sin', 'hat before." "very strange muttered holmes, pulling at the rope. "there are one or two very singular', 'efore." "very strange muttered holmes, pulling at the rope. "there are one or two very singular poin', '." "very strange muttered holmes, pulling at the rope. "there are one or two very singular points ab', 'ery strange muttered holmes, pulling at the rope. "there are one or two very singular points about t', 'trange muttered holmes, pulling at the rope. "there are one or two very singular points about this r', 'e muttered holmes, pulling at the rope. "there are one or two very singular points about this room. ', 'tered holmes, pulling at the rope. "there are one or two very singular points about this room. for e', ' holmes, pulling at the rope. "there are one or two very singular points about this room. for exampl', 'es, pulling at the rope. "there are one or two very singular points about this room. for example, wh', 'ulling at the rope. "there are one or two very singular points about this room. for example, what a ', 'g at the rope. "there are one or two very singular points about this room. for example, what a fool ', 'the rope. "there are one or two very singular points about this room. for example, what a fool a bui', 'ope. "there are one or two very singular points about this room. for example, what a fool a builder ', '"there are one or two very singular points about this room. for example, what a fool a builder must ', 'e are one or two very singular points about this room. for example, what a fool a builder must be to', ' one or two very singular points about this room. for example, what a fool a builder must be to open', 'or two very singular points about this room. for example, what a fool a builder must be to open a ve', 'o very singular points about this room. for example, what a fool a builder must be to open a ventila', 'y singular points about this room. for example, what a fool a builder must be to open a ventilator i', 'gular points about this room. for example, what a fool a builder must be to open a ventilator into a', ' points about this room. for example, what a fool a builder must be to open a ventilator into anothe', 'ts about this room. for example, what a fool a builder must be to open a ventilator into another roo', 'out this room. for example, what a fool a builder must be to open a ventilator into another room, wh', 'his room. for example, what a fool a builder must be to open a ventilator into another room, when, w', 'oom. for example, what a fool a builder must be to open a ventilator into another room, when, with t', 'for example, what a fool a builder must be to open a ventilator into another room, when, with the sa', 'xample, what a fool a builder must be to open a ventilator into another room, when, with the same tr', 'e, what a fool a builder must be to open a ventilator into another room, when, with the same trouble', 'at a fool a builder must be to open a ventilator into another room, when, with the same trouble, he ', 'fool a builder must be to open a ventilator into another room, when, with the same trouble, he might', 'a builder must be to open a ventilator into another room, when, with the same trouble, he might have', 'lder must be to open a ventilator into another room, when, with the same trouble, he might have comm', 'must be to open a ventilator into another room, when, with the same trouble, he might have communica', 'be to open a ventilator into another room, when, with the same trouble, he might have communicated w', ' open a ventilator into another room, when, with the same trouble, he might have communicated with t', ' a ventilator into another room, when, with the same trouble, he might have communicated with the ou', 'ntilator into another room, when, with the same trouble, he might have communicated with the outside', 'tor into another room, when, with the same trouble, he might have communicated with the outside air ', 'nto another room, when, with the same trouble, he might have communicated with the outside air "tha', 'nother room, when, with the same trouble, he might have communicated with the outside air "that is ', 'r room, when, with the same trouble, he might have communicated with the outside air "that is also ', 'm, when, with the same trouble, he might have communicated with the outside air "that is also quite', 'en, with the same trouble, he might have communicated with the outside air "that is also quite mode', 'ith the same trouble, he might have communicated with the outside air "that is also quite modern," ', 'he same trouble, he might have communicated with the outside air "that is also quite modern," said ', 'me trouble, he might have communicated with the outside air "that is also quite modern," said the l', 'ouble, he might have communicated with the outside air "that is also quite modern," said the lady. ', ', he might have communicated with the outside air "that is also quite modern," said the lady. "done', 'might have communicated with the outside air "that is also quite modern," said the lady. "done abou', ' have communicated with the outside air "that is also quite modern," said the lady. "done about the', ' communicated with the outside air "that is also quite modern," said the lady. "done about the same', 'unicated with the outside air "that is also quite modern," said the lady. "done about the same time', 'ted with the outside air "that is also quite modern," said the lady. "done about the same time as t', 'ith the outside air "that is also quite modern," said the lady. "done about the same time as the be', 'he outside air "that is also quite modern," said the lady. "done about the same time as the bell-ro', 'tside air "that is also quite modern," said the lady. "done about the same time as the bell-rope?" ', ' air "that is also quite modern," said the lady. "done about the same time as the bell-rope?" remar', ' "that is also quite modern," said the lady. "done about the same time as the bell-rope?" remarked h', 't is also quite modern," said the lady. "done about the same time as the bell-rope?" remarked holmes', 'also quite modern," said the lady. "done about the same time as the bell-rope?" remarked holmes. "ye', 'quite modern," said the lady. "done about the same time as the bell-rope?" remarked holmes. "yes, th', ' modern," said the lady. "done about the same time as the bell-rope?" remarked holmes. "yes, there w', 'rn," said the lady. "done about the same time as the bell-rope?" remarked holmes. "yes, there were s', 'said the lady. "done about the same time as the bell-rope?" remarked holmes. "yes, there were severa', 'the lady. "done about the same time as the bell-rope?" remarked holmes. "yes, there were several lit', 'ady. "done about the same time as the bell-rope?" remarked holmes. "yes, there were several little c', '"done about the same time as the bell-rope?" remarked holmes. "yes, there were several little change', ' about the same time as the bell-rope?" remarked holmes. "yes, there were several little changes car', 't the same time as the bell-rope?" remarked holmes. "yes, there were several little changes carried ', ' same time as the bell-rope?" remarked holmes. "yes, there were several little changes carried out a', ' time as the bell-rope?" remarked holmes. "yes, there were several little changes carried out about ', ' as the bell-rope?" remarked holmes. "yes, there were several little changes carried out about that ', 'he bell-rope?" remarked holmes. "yes, there were several little changes carried out about that time.', 'll-rope?" remarked holmes. "yes, there were several little changes carried out about that time." "th', 'pe?" remarked holmes. "yes, there were several little changes carried out about that time." "they se', 'remarked holmes. "yes, there were several little changes carried out about that time." "they seem to', 'ked holmes. "yes, there were several little changes carried out about that time." "they seem to have', 'olmes. "yes, there were several little changes carried out about that time." "they seem to have been', '. "yes, there were several little changes carried out about that time." "they seem to have been of a', 's, there were several little changes carried out about that time." "they seem to have been of a most', 'ere were several little changes carried out about that time." "they seem to have been of a most inte', 'ere several little changes carried out about that time." "they seem to have been of a most interesti', 'everal little changes carried out about that time." "they seem to have been of a most interesting ch', 'l little changes carried out about that time." "they seem to have been of a most interesting charact', 'tle changes carried out about that time." "they seem to have been of a most interesting characterdum', 'hanges carried out about that time." "they seem to have been of a most interesting characterdummy be', 's carried out about that time." "they seem to have been of a most interesting characterdummy bell-ro', 'ried out about that time." "they seem to have been of a most interesting characterdummy bell-ropes, ', 'out about that time." "they seem to have been of a most interesting characterdummy bell-ropes, and v', 'bout that time." "they seem to have been of a most interesting characterdummy bell-ropes, and ventil', 'that time." "they seem to have been of a most interesting characterdummy bell-ropes, and ventilators', 'time." "they seem to have been of a most interesting characterdummy bell-ropes, and ventilators whic', '" "they seem to have been of a most interesting characterdummy bell-ropes, and ventilators which do ', 'ey seem to have been of a most interesting characterdummy bell-ropes, and ventilators which do not v', 'em to have been of a most interesting characterdummy bell-ropes, and ventilators which do not ventil', ' have been of a most interesting characterdummy bell-ropes, and ventilators which do not ventilate. ', ' been of a most interesting characterdummy bell-ropes, and ventilators which do not ventilate. with ', ' of a most interesting characterdummy bell-ropes, and ventilators which do not ventilate. with your ', ' most interesting characterdummy bell-ropes, and ventilators which do not ventilate. with your permi', ' interesting characterdummy bell-ropes, and ventilators which do not ventilate. with your permission', 'resting characterdummy bell-ropes, and ventilators which do not ventilate. with your permission, mis', 'ng characterdummy bell-ropes, and ventilators which do not ventilate. with your permission, miss sto', 'aracterdummy bell-ropes, and ventilators which do not ventilate. with your permission, miss stoner, ', 'erdummy bell-ropes, and ventilators which do not ventilate. with your permission, miss stoner, we sh', 'my bell-ropes, and ventilators which do not ventilate. with your permission, miss stoner, we shall n', 'll-ropes, and ventilators which do not ventilate. with your permission, miss stoner, we shall now ca', 'pes, and ventilators which do not ventilate. with your permission, miss stoner, we shall now carry o', 'and ventilators which do not ventilate. with your permission, miss stoner, we shall now carry our re', 'entilators which do not ventilate. with your permission, miss stoner, we shall now carry our researc', 'ators which do not ventilate. with your permission, miss stoner, we shall now carry our researches i', ' which do not ventilate. with your permission, miss stoner, we shall now carry our researches into t', 'h do not ventilate. with your permission, miss stoner, we shall now carry our researches into the in', 'not ventilate. with your permission, miss stoner, we shall now carry our researches into the inner a', 'entilate. with your permission, miss stoner, we shall now carry our researches into the inner apartm', 'ate. with your permission, miss stoner, we shall now carry our researches into the inner apartment."', 'with your permission, miss stoner, we shall now carry our researches into the inner apartment." dr. ', 'your permission, miss stoner, we shall now carry our researches into the inner apartment." dr. grime', 'permission, miss stoner, we shall now carry our researches into the inner apartment." dr. grimesby r', 'ssion, miss stoner, we shall now carry our researches into the inner apartment." dr. grimesby roylot', ', miss stoner, we shall now carry our researches into the inner apartment." dr. grimesby roylott\'s c', 's stoner, we shall now carry our researches into the inner apartment." dr. grimesby roylott\'s chambe', 'ner, we shall now carry our researches into the inner apartment." dr. grimesby roylott\'s chamber was', 'we shall now carry our researches into the inner apartment." dr. grimesby roylott\'s chamber was larg', 'all now carry our researches into the inner apartment." dr. grimesby roylott\'s chamber was larger th', 'ow carry our researches into the inner apartment." dr. grimesby roylott\'s chamber was larger than th', 'rry our researches into the inner apartment." dr. grimesby roylott\'s chamber was larger than that of', 'ur researches into the inner apartment." dr. grimesby roylott\'s chamber was larger than that of his ', 'searches into the inner apartment." dr. grimesby roylott\'s chamber was larger than that of his step-', 'hes into the inner apartment." dr. grimesby roylott\'s chamber was larger than that of his step-daugh', 'nto the inner apartment." dr. grimesby roylott\'s chamber was larger than that of his step-daughter, ', 'he inner apartment." dr. grimesby roylott\'s chamber was larger than that of his step-daughter, but w', 'ner apartment." dr. grimesby roylott\'s chamber was larger than that of his step-daughter, but was as', 'partment." dr. grimesby roylott\'s chamber was larger than that of his step-daughter, but was as plai', 'ent." dr. grimesby roylott\'s chamber was larger than that of his step-daughter, but was as plainly f', " dr. grimesby roylott's chamber was larger than that of his step-daughter, but was as plainly furnis", "grimesby roylott's chamber was larger than that of his step-daughter, but was as plainly furnished. ", "sby roylott's chamber was larger than that of his step-daughter, but was as plainly furnished. a cam", "oylott's chamber was larger than that of his step-daughter, but was as plainly furnished. a camp-bed", "t's chamber was larger than that of his step-daughter, but was as plainly furnished. a camp-bed, a s", 'hamber was larger than that of his step-daughter, but was as plainly furnished. a camp-bed, a small ', 'r was larger than that of his step-daughter, but was as plainly furnished. a camp-bed, a small woode', ' larger than that of his step-daughter, but was as plainly furnished. a camp-bed, a small wooden she', 'er than that of his step-daughter, but was as plainly furnished. a camp-bed, a small wooden shelf fu', 'an that of his step-daughter, but was as plainly furnished. a camp-bed, a small wooden shelf full of', 'at of his step-daughter, but was as plainly furnished. a camp-bed, a small wooden shelf full of book', ' his step-daughter, but was as plainly furnished. a camp-bed, a small wooden shelf full of books, mo', 'step-daughter, but was as plainly furnished. a camp-bed, a small wooden shelf full of books, mostly ', 'daughter, but was as plainly furnished. a camp-bed, a small wooden shelf full of books, mostly of a ', 'ter, but was as plainly furnished. a camp-bed, a small wooden shelf full of books, mostly of a techn', 'but was as plainly furnished. a camp-bed, a small wooden shelf full of books, mostly of a technical ', 'as as plainly furnished. a camp-bed, a small wooden shelf full of books, mostly of a technical chara', ' plainly furnished. a camp-bed, a small wooden shelf full of books, mostly of a technical character,', 'nly furnished. a camp-bed, a small wooden shelf full of books, mostly of a technical character, an a', 'urnished. a camp-bed, a small wooden shelf full of books, mostly of a technical character, an armcha', 'hed. a camp-bed, a small wooden shelf full of books, mostly of a technical character, an armchair be', 'a camp-bed, a small wooden shelf full of books, mostly of a technical character, an armchair beside ', 'p-bed, a small wooden shelf full of books, mostly of a technical character, an armchair beside the b', ', a small wooden shelf full of books, mostly of a technical character, an armchair beside the bed, a', 'mall wooden shelf full of books, mostly of a technical character, an armchair beside the bed, a plai', 'wooden shelf full of books, mostly of a technical character, an armchair beside the bed, a plain woo', 'n shelf full of books, mostly of a technical character, an armchair beside the bed, a plain wooden c', 'lf full of books, mostly of a technical character, an armchair beside the bed, a plain wooden chair ', 'll of books, mostly of a technical character, an armchair beside the bed, a plain wooden chair again', ' books, mostly of a technical character, an armchair beside the bed, a plain wooden chair against th', 's, mostly of a technical character, an armchair beside the bed, a plain wooden chair against the wal', 'stly of a technical character, an armchair beside the bed, a plain wooden chair against the wall, a ', 'of a technical character, an armchair beside the bed, a plain wooden chair against the wall, a round', 'technical character, an armchair beside the bed, a plain wooden chair against the wall, a round tabl', 'ical character, an armchair beside the bed, a plain wooden chair against the wall, a round table, an', 'character, an armchair beside the bed, a plain wooden chair against the wall, a round table, and a l', 'cter, an armchair beside the bed, a plain wooden chair against the wall, a round table, and a large ', ' an armchair beside the bed, a plain wooden chair against the wall, a round table, and a large iron ', 'rmchair beside the bed, a plain wooden chair against the wall, a round table, and a large iron safe ', 'ir beside the bed, a plain wooden chair against the wall, a round table, and a large iron safe were ', 'side the bed, a plain wooden chair against the wall, a round table, and a large iron safe were the p', 'the bed, a plain wooden chair against the wall, a round table, and a large iron safe were the princi', 'ed, a plain wooden chair against the wall, a round table, and a large iron safe were the principal t', ' plain wooden chair against the wall, a round table, and a large iron safe were the principal things', 'n wooden chair against the wall, a round table, and a large iron safe were the principal things whic', 'den chair against the wall, a round table, and a large iron safe were the principal things which met', 'hair against the wall, a round table, and a large iron safe were the principal things which met the ', 'against the wall, a round table, and a large iron safe were the principal things which met the eye. ', 'st the wall, a round table, and a large iron safe were the principal things which met the eye. holme', 'e wall, a round table, and a large iron safe were the principal things which met the eye. holmes wal', 'l, a round table, and a large iron safe were the principal things which met the eye. holmes walked s', 'round table, and a large iron safe were the principal things which met the eye. holmes walked slowly', ' table, and a large iron safe were the principal things which met the eye. holmes walked slowly roun', 'e, and a large iron safe were the principal things which met the eye. holmes walked slowly round and', 'd a large iron safe were the principal things which met the eye. holmes walked slowly round and exam', 'arge iron safe were the principal things which met the eye. holmes walked slowly round and examined ', 'iron safe were the principal things which met the eye. holmes walked slowly round and examined each ', 'safe were the principal things which met the eye. holmes walked slowly round and examined each and a', 'were the principal things which met the eye. holmes walked slowly round and examined each and all of', 'the principal things which met the eye. holmes walked slowly round and examined each and all of them', 'rincipal things which met the eye. holmes walked slowly round and examined each and all of them with', 'pal things which met the eye. holmes walked slowly round and examined each and all of them with the ', 'hings which met the eye. holmes walked slowly round and examined each and all of them with the keene', ' which met the eye. holmes walked slowly round and examined each and all of them with the keenest in', 'h met the eye. holmes walked slowly round and examined each and all of them with the keenest interes', ' the eye. holmes walked slowly round and examined each and all of them with the keenest interest. "w', 'eye. holmes walked slowly round and examined each and all of them with the keenest interest. "what\'s', 'holmes walked slowly round and examined each and all of them with the keenest interest. "what\'s in h', 's walked slowly round and examined each and all of them with the keenest interest. "what\'s in here?"', 'ked slowly round and examined each and all of them with the keenest interest. "what\'s in here?" he a', 'lowly round and examined each and all of them with the keenest interest. "what\'s in here?" he asked,', ' round and examined each and all of them with the keenest interest. "what\'s in here?" he asked, tapp', 'd and examined each and all of them with the keenest interest. "what\'s in here?" he asked, tapping t', ' examined each and all of them with the keenest interest. "what\'s in here?" he asked, tapping the sa', 'ined each and all of them with the keenest interest. "what\'s in here?" he asked, tapping the safe. "', 'each and all of them with the keenest interest. "what\'s in here?" he asked, tapping the safe. "my st', 'and all of them with the keenest interest. "what\'s in here?" he asked, tapping the safe. "my stepfat', 'll of them with the keenest interest. "what\'s in here?" he asked, tapping the safe. "my stepfather\'s', ' them with the keenest interest. "what\'s in here?" he asked, tapping the safe. "my stepfather\'s busi', ' with the keenest interest. "what\'s in here?" he asked, tapping the safe. "my stepfather\'s business ', ' the keenest interest. "what\'s in here?" he asked, tapping the safe. "my stepfather\'s business paper', 'keenest interest. "what\'s in here?" he asked, tapping the safe. "my stepfather\'s business papers." "', 'st interest. "what\'s in here?" he asked, tapping the safe. "my stepfather\'s business papers." "oh! y', 'terest. "what\'s in here?" he asked, tapping the safe. "my stepfather\'s business papers." "oh! you ha', 't. "what\'s in here?" he asked, tapping the safe. "my stepfather\'s business papers." "oh! you have se', 'hat\'s in here?" he asked, tapping the safe. "my stepfather\'s business papers." "oh! you have seen in', ' in here?" he asked, tapping the safe. "my stepfather\'s business papers." "oh! you have seen inside,', 'ere?" he asked, tapping the safe. "my stepfather\'s business papers." "oh! you have seen inside, then', ' he asked, tapping the safe. "my stepfather\'s business papers." "oh! you have seen inside, then?" "o', 'sked, tapping the safe. "my stepfather\'s business papers." "oh! you have seen inside, then?" "only o', ' tapping the safe. "my stepfather\'s business papers." "oh! you have seen inside, then?" "only once, ', 'ing the safe. "my stepfather\'s business papers." "oh! you have seen inside, then?" "only once, some ', 'he safe. "my stepfather\'s business papers." "oh! you have seen inside, then?" "only once, some years', 'fe. "my stepfather\'s business papers." "oh! you have seen inside, then?" "only once, some years ago.', 'my stepfather\'s business papers." "oh! you have seen inside, then?" "only once, some years ago. i re', 'epfather\'s business papers." "oh! you have seen inside, then?" "only once, some years ago. i remembe', 'her\'s business papers." "oh! you have seen inside, then?" "only once, some years ago. i remember tha', ' business papers." "oh! you have seen inside, then?" "only once, some years ago. i remember that it ', 'ness papers." "oh! you have seen inside, then?" "only once, some years ago. i remember that it was f', 'papers." "oh! you have seen inside, then?" "only once, some years ago. i remember that it was full o', 's." "oh! you have seen inside, then?" "only once, some years ago. i remember that it was full of pap', 'oh! you have seen inside, then?" "only once, some years ago. i remember that it was full of papers."', 'ou have seen inside, then?" "only once, some years ago. i remember that it was full of papers." "the', 've seen inside, then?" "only once, some years ago. i remember that it was full of papers." "there is', 'en inside, then?" "only once, some years ago. i remember that it was full of papers." "there isn\'t a', 'side, then?" "only once, some years ago. i remember that it was full of papers." "there isn\'t a cat ', ' then?" "only once, some years ago. i remember that it was full of papers." "there isn\'t a cat in it', '?" "only once, some years ago. i remember that it was full of papers." "there isn\'t a cat in it, for', 'nly once, some years ago. i remember that it was full of papers." "there isn\'t a cat in it, for exam', 'nce, some years ago. i remember that it was full of papers." "there isn\'t a cat in it, for example?"', 'some years ago. i remember that it was full of papers." "there isn\'t a cat in it, for example?" "no.', 'years ago. i remember that it was full of papers." "there isn\'t a cat in it, for example?" "no. what', ' ago. i remember that it was full of papers." "there isn\'t a cat in it, for example?" "no. what a st', ' i remember that it was full of papers." "there isn\'t a cat in it, for example?" "no. what a strange', 'member that it was full of papers." "there isn\'t a cat in it, for example?" "no. what a strange idea', 'r that it was full of papers." "there isn\'t a cat in it, for example?" "no. what a strange idea "we', 't it was full of papers." "there isn\'t a cat in it, for example?" "no. what a strange idea "well, l', 'was full of papers." "there isn\'t a cat in it, for example?" "no. what a strange idea "well, look a', 'ull of papers." "there isn\'t a cat in it, for example?" "no. what a strange idea "well, look at thi', 'f papers." "there isn\'t a cat in it, for example?" "no. what a strange idea "well, look at this he ', 'ers." "there isn\'t a cat in it, for example?" "no. what a strange idea "well, look at this he took ', ' "there isn\'t a cat in it, for example?" "no. what a strange idea "well, look at this he took up a ', 're isn\'t a cat in it, for example?" "no. what a strange idea "well, look at this he took up a small', 'n\'t a cat in it, for example?" "no. what a strange idea "well, look at this he took up a small sauc', ' cat in it, for example?" "no. what a strange idea "well, look at this he took up a small saucer of', 'in it, for example?" "no. what a strange idea "well, look at this he took up a small saucer of milk', ', for example?" "no. what a strange idea "well, look at this he took up a small saucer of milk whic', ' example?" "no. what a strange idea "well, look at this he took up a small saucer of milk which sto', 'ple?" "no. what a strange idea "well, look at this he took up a small saucer of milk which stood on', ' "no. what a strange idea "well, look at this he took up a small saucer of milk which stood on the ', ' what a strange idea "well, look at this he took up a small saucer of milk which stood on the top o', ' a strange idea "well, look at this he took up a small saucer of milk which stood on the top of it.', 'range idea "well, look at this he took up a small saucer of milk which stood on the top of it. "no;', ' idea "well, look at this he took up a small saucer of milk which stood on the top of it. "no; we d', ' "well, look at this he took up a small saucer of milk which stood on the top of it. "no; we don\'t ', 'll, look at this he took up a small saucer of milk which stood on the top of it. "no; we don\'t keep ', 'ook at this he took up a small saucer of milk which stood on the top of it. "no; we don\'t keep a cat', 't this he took up a small saucer of milk which stood on the top of it. "no; we don\'t keep a cat. but', 's he took up a small saucer of milk which stood on the top of it. "no; we don\'t keep a cat. but ther', 'took up a small saucer of milk which stood on the top of it. "no; we don\'t keep a cat. but there is ', 'up a small saucer of milk which stood on the top of it. "no; we don\'t keep a cat. but there is a che', 'small saucer of milk which stood on the top of it. "no; we don\'t keep a cat. but there is a cheetah ', ' saucer of milk which stood on the top of it. "no; we don\'t keep a cat. but there is a cheetah and a', 'er of milk which stood on the top of it. "no; we don\'t keep a cat. but there is a cheetah and a babo', ' milk which stood on the top of it. "no; we don\'t keep a cat. but there is a cheetah and a baboon." ', ' which stood on the top of it. "no; we don\'t keep a cat. but there is a cheetah and a baboon." "ah, ', 'h stood on the top of it. "no; we don\'t keep a cat. but there is a cheetah and a baboon." "ah, yes, ', 'od on the top of it. "no; we don\'t keep a cat. but there is a cheetah and a baboon." "ah, yes, of co', ' the top of it. "no; we don\'t keep a cat. but there is a cheetah and a baboon." "ah, yes, of course!', 'top of it. "no; we don\'t keep a cat. but there is a cheetah and a baboon." "ah, yes, of course! well', 'f it. "no; we don\'t keep a cat. but there is a cheetah and a baboon." "ah, yes, of course! well, a c', ' "no; we don\'t keep a cat. but there is a cheetah and a baboon." "ah, yes, of course! well, a cheeta', ' we don\'t keep a cat. but there is a cheetah and a baboon." "ah, yes, of course! well, a cheetah is ', 'on\'t keep a cat. but there is a cheetah and a baboon." "ah, yes, of course! well, a cheetah is just ', 'keep a cat. but there is a cheetah and a baboon." "ah, yes, of course! well, a cheetah is just a big', 'a cat. but there is a cheetah and a baboon." "ah, yes, of course! well, a cheetah is just a big cat,', '. but there is a cheetah and a baboon." "ah, yes, of course! well, a cheetah is just a big cat, and ', ' there is a cheetah and a baboon." "ah, yes, of course! well, a cheetah is just a big cat, and yet a', 'e is a cheetah and a baboon." "ah, yes, of course! well, a cheetah is just a big cat, and yet a sauc', 'a cheetah and a baboon." "ah, yes, of course! well, a cheetah is just a big cat, and yet a saucer of', 'etah and a baboon." "ah, yes, of course! well, a cheetah is just a big cat, and yet a saucer of milk', 'and a baboon." "ah, yes, of course! well, a cheetah is just a big cat, and yet a saucer of milk does', ' baboon." "ah, yes, of course! well, a cheetah is just a big cat, and yet a saucer of milk does not ', 'on." "ah, yes, of course! well, a cheetah is just a big cat, and yet a saucer of milk does not go ve', '"ah, yes, of course! well, a cheetah is just a big cat, and yet a saucer of milk does not go very fa', 'yes, of course! well, a cheetah is just a big cat, and yet a saucer of milk does not go very far in ', 'of course! well, a cheetah is just a big cat, and yet a saucer of milk does not go very far in satis', 'urse! well, a cheetah is just a big cat, and yet a saucer of milk does not go very far in satisfying', ' well, a cheetah is just a big cat, and yet a saucer of milk does not go very far in satisfying its ', ', a cheetah is just a big cat, and yet a saucer of milk does not go very far in satisfying its wants', 'heetah is just a big cat, and yet a saucer of milk does not go very far in satisfying its wants, i d', 'h is just a big cat, and yet a saucer of milk does not go very far in satisfying its wants, i daresa', 'just a big cat, and yet a saucer of milk does not go very far in satisfying its wants, i daresay. th', 'a big cat, and yet a saucer of milk does not go very far in satisfying its wants, i daresay. there i', ' cat, and yet a saucer of milk does not go very far in satisfying its wants, i daresay. there is one', ' and yet a saucer of milk does not go very far in satisfying its wants, i daresay. there is one poin', 'yet a saucer of milk does not go very far in satisfying its wants, i daresay. there is one point whi', ' saucer of milk does not go very far in satisfying its wants, i daresay. there is one point which i ', 'er of milk does not go very far in satisfying its wants, i daresay. there is one point which i shoul', ' milk does not go very far in satisfying its wants, i daresay. there is one point which i should wis', ' does not go very far in satisfying its wants, i daresay. there is one point which i should wish to ', ' not go very far in satisfying its wants, i daresay. there is one point which i should wish to deter', 'go very far in satisfying its wants, i daresay. there is one point which i should wish to determine.', 'ry far in satisfying its wants, i daresay. there is one point which i should wish to determine." he ', 'r in satisfying its wants, i daresay. there is one point which i should wish to determine." he squat', 'satisfying its wants, i daresay. there is one point which i should wish to determine." he squatted d', 'fying its wants, i daresay. there is one point which i should wish to determine." he squatted down i', ' its wants, i daresay. there is one point which i should wish to determine." he squatted down in fro', 'wants, i daresay. there is one point which i should wish to determine." he squatted down in front of', ', i daresay. there is one point which i should wish to determine." he squatted down in front of the ', 'aresay. there is one point which i should wish to determine." he squatted down in front of the woode', 'y. there is one point which i should wish to determine." he squatted down in front of the wooden cha', 'ere is one point which i should wish to determine." he squatted down in front of the wooden chair an', 's one point which i should wish to determine." he squatted down in front of the wooden chair and exa', ' point which i should wish to determine." he squatted down in front of the wooden chair and examined', 't which i should wish to determine." he squatted down in front of the wooden chair and examined the ', 'ch i should wish to determine." he squatted down in front of the wooden chair and examined the seat ', 'should wish to determine." he squatted down in front of the wooden chair and examined the seat of it', 'd wish to determine." he squatted down in front of the wooden chair and examined the seat of it with', 'h to determine." he squatted down in front of the wooden chair and examined the seat of it with the ', 'determine." he squatted down in front of the wooden chair and examined the seat of it with the great', 'mine." he squatted down in front of the wooden chair and examined the seat of it with the greatest a', '" he squatted down in front of the wooden chair and examined the seat of it with the greatest attent', 'squatted down in front of the wooden chair and examined the seat of it with the greatest attention. ', 'ted down in front of the wooden chair and examined the seat of it with the greatest attention. "than', 'own in front of the wooden chair and examined the seat of it with the greatest attention. "thank you', 'n front of the wooden chair and examined the seat of it with the greatest attention. "thank you. tha', 'nt of the wooden chair and examined the seat of it with the greatest attention. "thank you. that is ', ' the wooden chair and examined the seat of it with the greatest attention. "thank you. that is quite', 'wooden chair and examined the seat of it with the greatest attention. "thank you. that is quite sett', 'n chair and examined the seat of it with the greatest attention. "thank you. that is quite settled,"', 'ir and examined the seat of it with the greatest attention. "thank you. that is quite settled," said', 'd examined the seat of it with the greatest attention. "thank you. that is quite settled," said he, ', 'mined the seat of it with the greatest attention. "thank you. that is quite settled," said he, risin', ' the seat of it with the greatest attention. "thank you. that is quite settled," said he, rising and', 'seat of it with the greatest attention. "thank you. that is quite settled," said he, rising and putt', 'of it with the greatest attention. "thank you. that is quite settled," said he, rising and putting h', ' with the greatest attention. "thank you. that is quite settled," said he, rising and putting his le', ' the greatest attention. "thank you. that is quite settled," said he, rising and putting his lens in', 'greatest attention. "thank you. that is quite settled," said he, rising and putting his lens in his ', 'est attention. "thank you. that is quite settled," said he, rising and putting his lens in his pocke', 'ttention. "thank you. that is quite settled," said he, rising and putting his lens in his pocket. "h', 'ion. "thank you. that is quite settled," said he, rising and putting his lens in his pocket. "hullo!', '"thank you. that is quite settled," said he, rising and putting his lens in his pocket. "hullo! here', 'k you. that is quite settled," said he, rising and putting his lens in his pocket. "hullo! here is s', '. that is quite settled," said he, rising and putting his lens in his pocket. "hullo! here is someth', 't is quite settled," said he, rising and putting his lens in his pocket. "hullo! here is something i', 'quite settled," said he, rising and putting his lens in his pocket. "hullo! here is something intere', ' settled," said he, rising and putting his lens in his pocket. "hullo! here is something interesting', 'led," said he, rising and putting his lens in his pocket. "hullo! here is something interesting the', ' said he, rising and putting his lens in his pocket. "hullo! here is something interesting the obje', ' he, rising and putting his lens in his pocket. "hullo! here is something interesting the object wh', 'rising and putting his lens in his pocket. "hullo! here is something interesting the object which h', 'g and putting his lens in his pocket. "hullo! here is something interesting the object which had ca', ' putting his lens in his pocket. "hullo! here is something interesting the object which had caught ', 'ing his lens in his pocket. "hullo! here is something interesting the object which had caught his e', 'is lens in his pocket. "hullo! here is something interesting the object which had caught his eye wa', 'ns in his pocket. "hullo! here is something interesting the object which had caught his eye was a s', ' his pocket. "hullo! here is something interesting the object which had caught his eye was a small ', 'pocket. "hullo! here is something interesting the object which had caught his eye was a small dog l', 't. "hullo! here is something interesting the object which had caught his eye was a small dog lash h', 'ullo! here is something interesting the object which had caught his eye was a small dog lash hung o', ' here is something interesting the object which had caught his eye was a small dog lash hung on one', ' is something interesting the object which had caught his eye was a small dog lash hung on one corn', 'omething interesting the object which had caught his eye was a small dog lash hung on one corner of', 'ing interesting the object which had caught his eye was a small dog lash hung on one corner of the ', 'nteresting the object which had caught his eye was a small dog lash hung on one corner of the bed. ', 'sting the object which had caught his eye was a small dog lash hung on one corner of the bed. the l', ' the object which had caught his eye was a small dog lash hung on one corner of the bed. the lash, ', ' object which had caught his eye was a small dog lash hung on one corner of the bed. the lash, howev', 'ct which had caught his eye was a small dog lash hung on one corner of the bed. the lash, however, w', 'ich had caught his eye was a small dog lash hung on one corner of the bed. the lash, however, was cu', 'ad caught his eye was a small dog lash hung on one corner of the bed. the lash, however, was curled ', 'ught his eye was a small dog lash hung on one corner of the bed. the lash, however, was curled upon ', 'his eye was a small dog lash hung on one corner of the bed. the lash, however, was curled upon itsel', 'ye was a small dog lash hung on one corner of the bed. the lash, however, was curled upon itself and', 's a small dog lash hung on one corner of the bed. the lash, however, was curled upon itself and tied', 'mall dog lash hung on one corner of the bed. the lash, however, was curled upon itself and tied so a', 'dog lash hung on one corner of the bed. the lash, however, was curled upon itself and tied so as to ', 'ash hung on one corner of the bed. the lash, however, was curled upon itself and tied so as to make ', 'ung on one corner of the bed. the lash, however, was curled upon itself and tied so as to make a loo', 'n one corner of the bed. the lash, however, was curled upon itself and tied so as to make a loop of ', ' corner of the bed. the lash, however, was curled upon itself and tied so as to make a loop of whipc', 'er of the bed. the lash, however, was curled upon itself and tied so as to make a loop of whipcord. ', ' the bed. the lash, however, was curled upon itself and tied so as to make a loop of whipcord. "what', 'bed. the lash, however, was curled upon itself and tied so as to make a loop of whipcord. "what do y', 'the lash, however, was curled upon itself and tied so as to make a loop of whipcord. "what do you ma', 'ash, however, was curled upon itself and tied so as to make a loop of whipcord. "what do you make of', 'however, was curled upon itself and tied so as to make a loop of whipcord. "what do you make of that', 'er, was curled upon itself and tied so as to make a loop of whipcord. "what do you make of that, wat', 'as curled upon itself and tied so as to make a loop of whipcord. "what do you make of that, watson?"', 'rled upon itself and tied so as to make a loop of whipcord. "what do you make of that, watson?" "it\'', 'upon itself and tied so as to make a loop of whipcord. "what do you make of that, watson?" "it\'s a c', 'itself and tied so as to make a loop of whipcord. "what do you make of that, watson?" "it\'s a common', 'f and tied so as to make a loop of whipcord. "what do you make of that, watson?" "it\'s a common enou', ' tied so as to make a loop of whipcord. "what do you make of that, watson?" "it\'s a common enough la', ' so as to make a loop of whipcord. "what do you make of that, watson?" "it\'s a common enough lash. b', 's to make a loop of whipcord. "what do you make of that, watson?" "it\'s a common enough lash. but i ', 'make a loop of whipcord. "what do you make of that, watson?" "it\'s a common enough lash. but i don\'t', 'a loop of whipcord. "what do you make of that, watson?" "it\'s a common enough lash. but i don\'t know', 'p of whipcord. "what do you make of that, watson?" "it\'s a common enough lash. but i don\'t know why ', 'whipcord. "what do you make of that, watson?" "it\'s a common enough lash. but i don\'t know why it sh', 'ord. "what do you make of that, watson?" "it\'s a common enough lash. but i don\'t know why it should ', '"what do you make of that, watson?" "it\'s a common enough lash. but i don\'t know why it should be ti', ' do you make of that, watson?" "it\'s a common enough lash. but i don\'t know why it should be tied." ', 'ou make of that, watson?" "it\'s a common enough lash. but i don\'t know why it should be tied." "that', 'ke of that, watson?" "it\'s a common enough lash. but i don\'t know why it should be tied." "that is n', ' that, watson?" "it\'s a common enough lash. but i don\'t know why it should be tied." "that is not qu', ', watson?" "it\'s a common enough lash. but i don\'t know why it should be tied." "that is not quite s', 'son?" "it\'s a common enough lash. but i don\'t know why it should be tied." "that is not quite so com', ' "it\'s a common enough lash. but i don\'t know why it should be tied." "that is not quite so common, ', 's a common enough lash. but i don\'t know why it should be tied." "that is not quite so common, is it', 'ommon enough lash. but i don\'t know why it should be tied." "that is not quite so common, is it? ah,', ' enough lash. but i don\'t know why it should be tied." "that is not quite so common, is it? ah, me! ', 'gh lash. but i don\'t know why it should be tied." "that is not quite so common, is it? ah, me! it\'s ', 'sh. but i don\'t know why it should be tied." "that is not quite so common, is it? ah, me! it\'s a wic', 'ut i don\'t know why it should be tied." "that is not quite so common, is it? ah, me! it\'s a wicked w', 'don\'t know why it should be tied." "that is not quite so common, is it? ah, me! it\'s a wicked world,', ' know why it should be tied." "that is not quite so common, is it? ah, me! it\'s a wicked world, and ', ' why it should be tied." "that is not quite so common, is it? ah, me! it\'s a wicked world, and when ', 'it should be tied." "that is not quite so common, is it? ah, me! it\'s a wicked world, and when a cle', 'ould be tied." "that is not quite so common, is it? ah, me! it\'s a wicked world, and when a clever m', 'be tied." "that is not quite so common, is it? ah, me! it\'s a wicked world, and when a clever man tu', 'ed." "that is not quite so common, is it? ah, me! it\'s a wicked world, and when a clever man turns h', '"that is not quite so common, is it? ah, me! it\'s a wicked world, and when a clever man turns his br', " is not quite so common, is it? ah, me! it's a wicked world, and when a clever man turns his brains ", "ot quite so common, is it? ah, me! it's a wicked world, and when a clever man turns his brains to cr", "ite so common, is it? ah, me! it's a wicked world, and when a clever man turns his brains to crime i", "o common, is it? ah, me! it's a wicked world, and when a clever man turns his brains to crime it is ", "mon, is it? ah, me! it's a wicked world, and when a clever man turns his brains to crime it is the w", "is it? ah, me! it's a wicked world, and when a clever man turns his brains to crime it is the worst ", "? ah, me! it's a wicked world, and when a clever man turns his brains to crime it is the worst of al", " me! it's a wicked world, and when a clever man turns his brains to crime it is the worst of all. i ", "it's a wicked world, and when a clever man turns his brains to crime it is the worst of all. i think", 'a wicked world, and when a clever man turns his brains to crime it is the worst of all. i think that', 'ked world, and when a clever man turns his brains to crime it is the worst of all. i think that i ha', 'orld, and when a clever man turns his brains to crime it is the worst of all. i think that i have se', ' and when a clever man turns his brains to crime it is the worst of all. i think that i have seen en', 'when a clever man turns his brains to crime it is the worst of all. i think that i have seen enough ', 'a clever man turns his brains to crime it is the worst of all. i think that i have seen enough now, ', 'ver man turns his brains to crime it is the worst of all. i think that i have seen enough now, miss ', 'an turns his brains to crime it is the worst of all. i think that i have seen enough now, miss stone', 'rns his brains to crime it is the worst of all. i think that i have seen enough now, miss stoner, an', 'is brains to crime it is the worst of all. i think that i have seen enough now, miss stoner, and wit', 'ains to crime it is the worst of all. i think that i have seen enough now, miss stoner, and with you', 'to crime it is the worst of all. i think that i have seen enough now, miss stoner, and with your per', 'ime it is the worst of all. i think that i have seen enough now, miss stoner, and with your permissi', 't is the worst of all. i think that i have seen enough now, miss stoner, and with your permission we', 'the worst of all. i think that i have seen enough now, miss stoner, and with your permission we shal', 'orst of all. i think that i have seen enough now, miss stoner, and with your permission we shall wal', 'of all. i think that i have seen enough now, miss stoner, and with your permission we shall walk out', 'l. i think that i have seen enough now, miss stoner, and with your permission we shall walk out upon', 'think that i have seen enough now, miss stoner, and with your permission we shall walk out upon the ', ' that i have seen enough now, miss stoner, and with your permission we shall walk out upon the lawn.', ' i have seen enough now, miss stoner, and with your permission we shall walk out upon the lawn." i h', 've seen enough now, miss stoner, and with your permission we shall walk out upon the lawn." i had ne', 'en enough now, miss stoner, and with your permission we shall walk out upon the lawn." i had never s', 'ough now, miss stoner, and with your permission we shall walk out upon the lawn." i had never seen m', 'now, miss stoner, and with your permission we shall walk out upon the lawn." i had never seen my fri', 'miss stoner, and with your permission we shall walk out upon the lawn." i had never seen my friend\'s', 'stoner, and with your permission we shall walk out upon the lawn." i had never seen my friend\'s face', 'r, and with your permission we shall walk out upon the lawn." i had never seen my friend\'s face so g', 'd with your permission we shall walk out upon the lawn." i had never seen my friend\'s face so grim o', 'h your permission we shall walk out upon the lawn." i had never seen my friend\'s face so grim or his', 'r permission we shall walk out upon the lawn." i had never seen my friend\'s face so grim or his brow', 'mission we shall walk out upon the lawn." i had never seen my friend\'s face so grim or his brow so d', 'on we shall walk out upon the lawn." i had never seen my friend\'s face so grim or his brow so dark a', ' shall walk out upon the lawn." i had never seen my friend\'s face so grim or his brow so dark as it ', 'l walk out upon the lawn." i had never seen my friend\'s face so grim or his brow so dark as it was w', 'k out upon the lawn." i had never seen my friend\'s face so grim or his brow so dark as it was when w', ' upon the lawn." i had never seen my friend\'s face so grim or his brow so dark as it was when we tur', ' the lawn." i had never seen my friend\'s face so grim or his brow so dark as it was when we turned f', 'lawn." i had never seen my friend\'s face so grim or his brow so dark as it was when we turned from t', '" i had never seen my friend\'s face so grim or his brow so dark as it was when we turned from the sc', "ad never seen my friend's face so grim or his brow so dark as it was when we turned from the scene o", "ver seen my friend's face so grim or his brow so dark as it was when we turned from the scene of thi", "een my friend's face so grim or his brow so dark as it was when we turned from the scene of this inv", "y friend's face so grim or his brow so dark as it was when we turned from the scene of this investig", "end's face so grim or his brow so dark as it was when we turned from the scene of this investigation", ' face so grim or his brow so dark as it was when we turned from the scene of this investigation. we ', ' so grim or his brow so dark as it was when we turned from the scene of this investigation. we had w', 'rim or his brow so dark as it was when we turned from the scene of this investigation. we had walked', 'r his brow so dark as it was when we turned from the scene of this investigation. we had walked seve', ' brow so dark as it was when we turned from the scene of this investigation. we had walked several t', ' so dark as it was when we turned from the scene of this investigation. we had walked several times ', 'ark as it was when we turned from the scene of this investigation. we had walked several times up an', 's it was when we turned from the scene of this investigation. we had walked several times up and dow', 'was when we turned from the scene of this investigation. we had walked several times up and down the', 'hen we turned from the scene of this investigation. we had walked several times up and down the lawn', 'e turned from the scene of this investigation. we had walked several times up and down the lawn, nei', 'ned from the scene of this investigation. we had walked several times up and down the lawn, neither ', 'rom the scene of this investigation. we had walked several times up and down the lawn, neither miss ', 'he scene of this investigation. we had walked several times up and down the lawn, neither miss stone', 'ene of this investigation. we had walked several times up and down the lawn, neither miss stoner nor', 'f this investigation. we had walked several times up and down the lawn, neither miss stoner nor myse', 's investigation. we had walked several times up and down the lawn, neither miss stoner nor myself li', 'estigation. we had walked several times up and down the lawn, neither miss stoner nor myself liking ', 'ation. we had walked several times up and down the lawn, neither miss stoner nor myself liking to br', '. we had walked several times up and down the lawn, neither miss stoner nor myself liking to break i', 'had walked several times up and down the lawn, neither miss stoner nor myself liking to break in upo', 'alked several times up and down the lawn, neither miss stoner nor myself liking to break in upon his', ' several times up and down the lawn, neither miss stoner nor myself liking to break in upon his thou', 'ral times up and down the lawn, neither miss stoner nor myself liking to break in upon his thoughts ', 'imes up and down the lawn, neither miss stoner nor myself liking to break in upon his thoughts befor', 'up and down the lawn, neither miss stoner nor myself liking to break in upon his thoughts before he ', 'd down the lawn, neither miss stoner nor myself liking to break in upon his thoughts before he rouse', 'n the lawn, neither miss stoner nor myself liking to break in upon his thoughts before he roused him', ' lawn, neither miss stoner nor myself liking to break in upon his thoughts before he roused himself ', ', neither miss stoner nor myself liking to break in upon his thoughts before he roused himself from ', 'ther miss stoner nor myself liking to break in upon his thoughts before he roused himself from his r', 'miss stoner nor myself liking to break in upon his thoughts before he roused himself from his reveri', 'stoner nor myself liking to break in upon his thoughts before he roused himself from his reverie. "i', 'r nor myself liking to break in upon his thoughts before he roused himself from his reverie. "it is ', ' myself liking to break in upon his thoughts before he roused himself from his reverie. "it is very ', 'lf liking to break in upon his thoughts before he roused himself from his reverie. "it is very essen', 'king to break in upon his thoughts before he roused himself from his reverie. "it is very essential,', 'to break in upon his thoughts before he roused himself from his reverie. "it is very essential, miss', 'eak in upon his thoughts before he roused himself from his reverie. "it is very essential, miss ston', 'n upon his thoughts before he roused himself from his reverie. "it is very essential, miss stoner," ', 'n his thoughts before he roused himself from his reverie. "it is very essential, miss stoner," said ', ' thoughts before he roused himself from his reverie. "it is very essential, miss stoner," said he, "', 'ghts before he roused himself from his reverie. "it is very essential, miss stoner," said he, "that ', 'before he roused himself from his reverie. "it is very essential, miss stoner," said he, "that you s', 'e he roused himself from his reverie. "it is very essential, miss stoner," said he, "that you should', 'roused himself from his reverie. "it is very essential, miss stoner," said he, "that you should abso', 'd himself from his reverie. "it is very essential, miss stoner," said he, "that you should absolutel', 'self from his reverie. "it is very essential, miss stoner," said he, "that you should absolutely fol', 'from his reverie. "it is very essential, miss stoner," said he, "that you should absolutely follow m', 'his reverie. "it is very essential, miss stoner," said he, "that you should absolutely follow my adv', 'everie. "it is very essential, miss stoner," said he, "that you should absolutely follow my advice i', 'e. "it is very essential, miss stoner," said he, "that you should absolutely follow my advice in eve', 't is very essential, miss stoner," said he, "that you should absolutely follow my advice in every re', 'very essential, miss stoner," said he, "that you should absolutely follow my advice in every respect', 'essential, miss stoner," said he, "that you should absolutely follow my advice in every respect." "i', 'tial, miss stoner," said he, "that you should absolutely follow my advice in every respect." "i shal', ' miss stoner," said he, "that you should absolutely follow my advice in every respect." "i shall mos', ' stoner," said he, "that you should absolutely follow my advice in every respect." "i shall most cer', 'er," said he, "that you should absolutely follow my advice in every respect." "i shall most certainl', 'said he, "that you should absolutely follow my advice in every respect." "i shall most certainly do ', 'he, "that you should absolutely follow my advice in every respect." "i shall most certainly do so." ', 'that you should absolutely follow my advice in every respect." "i shall most certainly do so." "the ', 'you should absolutely follow my advice in every respect." "i shall most certainly do so." "the matte', 'hould absolutely follow my advice in every respect." "i shall most certainly do so." "the matter is ', ' absolutely follow my advice in every respect." "i shall most certainly do so." "the matter is too s', 'lutely follow my advice in every respect." "i shall most certainly do so." "the matter is too seriou', 'y follow my advice in every respect." "i shall most certainly do so." "the matter is too serious for', 'low my advice in every respect." "i shall most certainly do so." "the matter is too serious for any ', 'y advice in every respect." "i shall most certainly do so." "the matter is too serious for any hesit', 'ice in every respect." "i shall most certainly do so." "the matter is too serious for any hesitation', 'n every respect." "i shall most certainly do so." "the matter is too serious for any hesitation. you', 'ry respect." "i shall most certainly do so." "the matter is too serious for any hesitation. your lif', 'spect." "i shall most certainly do so." "the matter is too serious for any hesitation. your life may', '." "i shall most certainly do so." "the matter is too serious for any hesitation. your life may depe', ' shall most certainly do so." "the matter is too serious for any hesitation. your life may depend up', 'l most certainly do so." "the matter is too serious for any hesitation. your life may depend upon yo', 't certainly do so." "the matter is too serious for any hesitation. your life may depend upon your co', 'tainly do so." "the matter is too serious for any hesitation. your life may depend upon your complia', 'y do so." "the matter is too serious for any hesitation. your life may depend upon your compliance."', 'so." "the matter is too serious for any hesitation. your life may depend upon your compliance." "i a', '"the matter is too serious for any hesitation. your life may depend upon your compliance." "i assure', 'matter is too serious for any hesitation. your life may depend upon your compliance." "i assure you ', 'r is too serious for any hesitation. your life may depend upon your compliance." "i assure you that ', 'too serious for any hesitation. your life may depend upon your compliance." "i assure you that i am ', 'erious for any hesitation. your life may depend upon your compliance." "i assure you that i am in yo', 's for any hesitation. your life may depend upon your compliance." "i assure you that i am in your ha', ' any hesitation. your life may depend upon your compliance." "i assure you that i am in your hands."', 'hesitation. your life may depend upon your compliance." "i assure you that i am in your hands." "in ', 'ation. your life may depend upon your compliance." "i assure you that i am in your hands." "in the f', '. your life may depend upon your compliance." "i assure you that i am in your hands." "in the first ', 'r life may depend upon your compliance." "i assure you that i am in your hands." "in the first place', 'e may depend upon your compliance." "i assure you that i am in your hands." "in the first place, bot', ' depend upon your compliance." "i assure you that i am in your hands." "in the first place, both my ', 'nd upon your compliance." "i assure you that i am in your hands." "in the first place, both my frien', 'on your compliance." "i assure you that i am in your hands." "in the first place, both my friend and', 'ur compliance." "i assure you that i am in your hands." "in the first place, both my friend and i mu', 'mpliance." "i assure you that i am in your hands." "in the first place, both my friend and i must sp', 'nce." "i assure you that i am in your hands." "in the first place, both my friend and i must spend t', ' "i assure you that i am in your hands." "in the first place, both my friend and i must spend the ni', 'ssure you that i am in your hands." "in the first place, both my friend and i must spend the night i', ' you that i am in your hands." "in the first place, both my friend and i must spend the night in you', 'that i am in your hands." "in the first place, both my friend and i must spend the night in your roo', 'i am in your hands." "in the first place, both my friend and i must spend the night in your room." b', 'in your hands." "in the first place, both my friend and i must spend the night in your room." both m', 'ur hands." "in the first place, both my friend and i must spend the night in your room." both miss s', 'nds." "in the first place, both my friend and i must spend the night in your room." both miss stoner', ' "in the first place, both my friend and i must spend the night in your room." both miss stoner and ', 'the first place, both my friend and i must spend the night in your room." both miss stoner and i gaz', 'irst place, both my friend and i must spend the night in your room." both miss stoner and i gazed at', 'place, both my friend and i must spend the night in your room." both miss stoner and i gazed at him ', ', both my friend and i must spend the night in your room." both miss stoner and i gazed at him in as', 'h my friend and i must spend the night in your room." both miss stoner and i gazed at him in astonis', 'friend and i must spend the night in your room." both miss stoner and i gazed at him in astonishment', 'd and i must spend the night in your room." both miss stoner and i gazed at him in astonishment. "ye', ' i must spend the night in your room." both miss stoner and i gazed at him in astonishment. "yes, it', 'st spend the night in your room." both miss stoner and i gazed at him in astonishment. "yes, it must', 'end the night in your room." both miss stoner and i gazed at him in astonishment. "yes, it must be s', 'he night in your room." both miss stoner and i gazed at him in astonishment. "yes, it must be so. le', 'ght in your room." both miss stoner and i gazed at him in astonishment. "yes, it must be so. let me ', 'n your room." both miss stoner and i gazed at him in astonishment. "yes, it must be so. let me expla', 'r room." both miss stoner and i gazed at him in astonishment. "yes, it must be so. let me explain. i', 'm." both miss stoner and i gazed at him in astonishment. "yes, it must be so. let me explain. i beli', 'oth miss stoner and i gazed at him in astonishment. "yes, it must be so. let me explain. i believe t', 'iss stoner and i gazed at him in astonishment. "yes, it must be so. let me explain. i believe that t', 'toner and i gazed at him in astonishment. "yes, it must be so. let me explain. i believe that that i', ' and i gazed at him in astonishment. "yes, it must be so. let me explain. i believe that that is the', 'i gazed at him in astonishment. "yes, it must be so. let me explain. i believe that that is the vill', 'ed at him in astonishment. "yes, it must be so. let me explain. i believe that that is the village i', ' him in astonishment. "yes, it must be so. let me explain. i believe that that is the village inn ov', 'in astonishment. "yes, it must be so. let me explain. i believe that that is the village inn over th', 'tonishment. "yes, it must be so. let me explain. i believe that that is the village inn over there?"', 'hment. "yes, it must be so. let me explain. i believe that that is the village inn over there?" "yes', '. "yes, it must be so. let me explain. i believe that that is the village inn over there?" "yes, tha', 's, it must be so. let me explain. i believe that that is the village inn over there?" "yes, that is ', ' must be so. let me explain. i believe that that is the village inn over there?" "yes, that is the c', ' be so. let me explain. i believe that that is the village inn over there?" "yes, that is the crown.', 'o. let me explain. i believe that that is the village inn over there?" "yes, that is the crown." "ve', 't me explain. i believe that that is the village inn over there?" "yes, that is the crown." "very go', 'explain. i believe that that is the village inn over there?" "yes, that is the crown." "very good. y', 'in. i believe that that is the village inn over there?" "yes, that is the crown." "very good. your w', ' believe that that is the village inn over there?" "yes, that is the crown." "very good. your window', 'eve that that is the village inn over there?" "yes, that is the crown." "very good. your windows wou', 'hat that is the village inn over there?" "yes, that is the crown." "very good. your windows would be', 'hat is the village inn over there?" "yes, that is the crown." "very good. your windows would be visi', 's the village inn over there?" "yes, that is the crown." "very good. your windows would be visible f', ' village inn over there?" "yes, that is the crown." "very good. your windows would be visible from t', 'age inn over there?" "yes, that is the crown." "very good. your windows would be visible from there?', 'nn over there?" "yes, that is the crown." "very good. your windows would be visible from there?" "ce', 'er there?" "yes, that is the crown." "very good. your windows would be visible from there?" "certain', 'ere?" "yes, that is the crown." "very good. your windows would be visible from there?" "certainly." ', ' "yes, that is the crown." "very good. your windows would be visible from there?" "certainly." "you ', ', that is the crown." "very good. your windows would be visible from there?" "certainly." "you must ', 't is the crown." "very good. your windows would be visible from there?" "certainly." "you must confi', 'the crown." "very good. your windows would be visible from there?" "certainly." "you must confine yo', 'rown." "very good. your windows would be visible from there?" "certainly." "you must confine yoursel', '" "very good. your windows would be visible from there?" "certainly." "you must confine yourself to ', 'ry good. your windows would be visible from there?" "certainly." "you must confine yourself to your ', 'od. your windows would be visible from there?" "certainly." "you must confine yourself to your room,', 'our windows would be visible from there?" "certainly." "you must confine yourself to your room, on p', 'indows would be visible from there?" "certainly." "you must confine yourself to your room, on preten', 's would be visible from there?" "certainly." "you must confine yourself to your room, on pretence of', 'ld be visible from there?" "certainly." "you must confine yourself to your room, on pretence of a he', ' visible from there?" "certainly." "you must confine yourself to your room, on pretence of a headach', 'ble from there?" "certainly." "you must confine yourself to your room, on pretence of a headache, wh', 'rom there?" "certainly." "you must confine yourself to your room, on pretence of a headache, when yo', 'here?" "certainly." "you must confine yourself to your room, on pretence of a headache, when your st', '" "certainly." "you must confine yourself to your room, on pretence of a headache, when your stepfat', 'rtainly." "you must confine yourself to your room, on pretence of a headache, when your stepfather c', 'ly." "you must confine yourself to your room, on pretence of a headache, when your stepfather comes ', '"you must confine yourself to your room, on pretence of a headache, when your stepfather comes back.', 'must confine yourself to your room, on pretence of a headache, when your stepfather comes back. then', 'confine yourself to your room, on pretence of a headache, when your stepfather comes back. then when', 'ne yourself to your room, on pretence of a headache, when your stepfather comes back. then when you ', 'urself to your room, on pretence of a headache, when your stepfather comes back. then when you hear ', 'f to your room, on pretence of a headache, when your stepfather comes back. then when you hear him r', 'your room, on pretence of a headache, when your stepfather comes back. then when you hear him retire', 'room, on pretence of a headache, when your stepfather comes back. then when you hear him retire for ', ' on pretence of a headache, when your stepfather comes back. then when you hear him retire for the n', 'retence of a headache, when your stepfather comes back. then when you hear him retire for the night,', 'ce of a headache, when your stepfather comes back. then when you hear him retire for the night, you ', ' a headache, when your stepfather comes back. then when you hear him retire for the night, you must ', 'adache, when your stepfather comes back. then when you hear him retire for the night, you must open ', 'e, when your stepfather comes back. then when you hear him retire for the night, you must open the s', 'en your stepfather comes back. then when you hear him retire for the night, you must open the shutte', 'ur stepfather comes back. then when you hear him retire for the night, you must open the shutters of', 'epfather comes back. then when you hear him retire for the night, you must open the shutters of your', 'her comes back. then when you hear him retire for the night, you must open the shutters of your wind', 'omes back. then when you hear him retire for the night, you must open the shutters of your window, u', 'back. then when you hear him retire for the night, you must open the shutters of your window, undo t', ' then when you hear him retire for the night, you must open the shutters of your window, undo the ha', ' when you hear him retire for the night, you must open the shutters of your window, undo the hasp, p', ' you hear him retire for the night, you must open the shutters of your window, undo the hasp, put yo', 'hear him retire for the night, you must open the shutters of your window, undo the hasp, put your la', 'him retire for the night, you must open the shutters of your window, undo the hasp, put your lamp th', 'etire for the night, you must open the shutters of your window, undo the hasp, put your lamp there a', ' for the night, you must open the shutters of your window, undo the hasp, put your lamp there as a s', 'the night, you must open the shutters of your window, undo the hasp, put your lamp there as a signal', 'ight, you must open the shutters of your window, undo the hasp, put your lamp there as a signal to u', ' you must open the shutters of your window, undo the hasp, put your lamp there as a signal to us, an', 'must open the shutters of your window, undo the hasp, put your lamp there as a signal to us, and the', 'open the shutters of your window, undo the hasp, put your lamp there as a signal to us, and then wit', 'the shutters of your window, undo the hasp, put your lamp there as a signal to us, and then withdraw', 'hutters of your window, undo the hasp, put your lamp there as a signal to us, and then withdraw quie', 'rs of your window, undo the hasp, put your lamp there as a signal to us, and then withdraw quietly w', ' your window, undo the hasp, put your lamp there as a signal to us, and then withdraw quietly with e', ' window, undo the hasp, put your lamp there as a signal to us, and then withdraw quietly with everyt', 'ow, undo the hasp, put your lamp there as a signal to us, and then withdraw quietly with everything ', 'ndo the hasp, put your lamp there as a signal to us, and then withdraw quietly with everything which', 'he hasp, put your lamp there as a signal to us, and then withdraw quietly with everything which you ', 'sp, put your lamp there as a signal to us, and then withdraw quietly with everything which you are l', 'ut your lamp there as a signal to us, and then withdraw quietly with everything which you are likely', 'ur lamp there as a signal to us, and then withdraw quietly with everything which you are likely to w', 'mp there as a signal to us, and then withdraw quietly with everything which you are likely to want i', 'ere as a signal to us, and then withdraw quietly with everything which you are likely to want into t', 's a signal to us, and then withdraw quietly with everything which you are likely to want into the ro', 'ignal to us, and then withdraw quietly with everything which you are likely to want into the room wh', ' to us, and then withdraw quietly with everything which you are likely to want into the room which y', 's, and then withdraw quietly with everything which you are likely to want into the room which you us', 'd then withdraw quietly with everything which you are likely to want into the room which you used to', 'n withdraw quietly with everything which you are likely to want into the room which you used to occu', 'hdraw quietly with everything which you are likely to want into the room which you used to occupy. i', ' quietly with everything which you are likely to want into the room which you used to occupy. i have', 'tly with everything which you are likely to want into the room which you used to occupy. i have no d', 'ith everything which you are likely to want into the room which you used to occupy. i have no doubt ', 'verything which you are likely to want into the room which you used to occupy. i have no doubt that,', 'hing which you are likely to want into the room which you used to occupy. i have no doubt that, in s', 'which you are likely to want into the room which you used to occupy. i have no doubt that, in spite ', ' you are likely to want into the room which you used to occupy. i have no doubt that, in spite of th', 'are likely to want into the room which you used to occupy. i have no doubt that, in spite of the rep', 'ikely to want into the room which you used to occupy. i have no doubt that, in spite of the repairs,', ' to want into the room which you used to occupy. i have no doubt that, in spite of the repairs, you ', 'ant into the room which you used to occupy. i have no doubt that, in spite of the repairs, you could', 'nto the room which you used to occupy. i have no doubt that, in spite of the repairs, you could mana', 'he room which you used to occupy. i have no doubt that, in spite of the repairs, you could manage th', 'om which you used to occupy. i have no doubt that, in spite of the repairs, you could manage there f', 'ich you used to occupy. i have no doubt that, in spite of the repairs, you could manage there for on', 'ou used to occupy. i have no doubt that, in spite of the repairs, you could manage there for one nig', 'ed to occupy. i have no doubt that, in spite of the repairs, you could manage there for one night." ', ' occupy. i have no doubt that, in spite of the repairs, you could manage there for one night." "oh, ', 'py. i have no doubt that, in spite of the repairs, you could manage there for one night." "oh, yes, ', ' have no doubt that, in spite of the repairs, you could manage there for one night." "oh, yes, easil', ' no doubt that, in spite of the repairs, you could manage there for one night." "oh, yes, easily." "', 'oubt that, in spite of the repairs, you could manage there for one night." "oh, yes, easily." "the r', 'that, in spite of the repairs, you could manage there for one night." "oh, yes, easily." "the rest y', ' in spite of the repairs, you could manage there for one night." "oh, yes, easily." "the rest you wi', 'pite of the repairs, you could manage there for one night." "oh, yes, easily." "the rest you will le', 'of the repairs, you could manage there for one night." "oh, yes, easily." "the rest you will leave i', 'e repairs, you could manage there for one night." "oh, yes, easily." "the rest you will leave in our', 'airs, you could manage there for one night." "oh, yes, easily." "the rest you will leave in our hand', ' you could manage there for one night." "oh, yes, easily." "the rest you will leave in our hands." "', 'could manage there for one night." "oh, yes, easily." "the rest you will leave in our hands." "but w', ' manage there for one night." "oh, yes, easily." "the rest you will leave in our hands." "but what w', 'ge there for one night." "oh, yes, easily." "the rest you will leave in our hands." "but what will y', 'ere for one night." "oh, yes, easily." "the rest you will leave in our hands." "but what will you do', 'or one night." "oh, yes, easily." "the rest you will leave in our hands." "but what will you do?" "w', 'e night." "oh, yes, easily." "the rest you will leave in our hands." "but what will you do?" "we sha', 'ht." "oh, yes, easily." "the rest you will leave in our hands." "but what will you do?" "we shall sp', '"oh, yes, easily." "the rest you will leave in our hands." "but what will you do?" "we shall spend t', 'yes, easily." "the rest you will leave in our hands." "but what will you do?" "we shall spend the ni', 'easily." "the rest you will leave in our hands." "but what will you do?" "we shall spend the night i', 'y." "the rest you will leave in our hands." "but what will you do?" "we shall spend the night in you', 'the rest you will leave in our hands." "but what will you do?" "we shall spend the night in your roo', 'est you will leave in our hands." "but what will you do?" "we shall spend the night in your room, an', 'ou will leave in our hands." "but what will you do?" "we shall spend the night in your room, and we ', 'll leave in our hands." "but what will you do?" "we shall spend the night in your room, and we shall', 'ave in our hands." "but what will you do?" "we shall spend the night in your room, and we shall inve', 'n our hands." "but what will you do?" "we shall spend the night in your room, and we shall investiga', ' hands." "but what will you do?" "we shall spend the night in your room, and we shall investigate th', 's." "but what will you do?" "we shall spend the night in your room, and we shall investigate the cau', 'but what will you do?" "we shall spend the night in your room, and we shall investigate the cause of', 'hat will you do?" "we shall spend the night in your room, and we shall investigate the cause of this', 'ill you do?" "we shall spend the night in your room, and we shall investigate the cause of this nois', 'ou do?" "we shall spend the night in your room, and we shall investigate the cause of this noise whi', '?" "we shall spend the night in your room, and we shall investigate the cause of this noise which ha', 'e shall spend the night in your room, and we shall investigate the cause of this noise which has dis', 'll spend the night in your room, and we shall investigate the cause of this noise which has disturbe', 'end the night in your room, and we shall investigate the cause of this noise which has disturbed you', 'he night in your room, and we shall investigate the cause of this noise which has disturbed you." "i', 'ght in your room, and we shall investigate the cause of this noise which has disturbed you." "i beli', 'n your room, and we shall investigate the cause of this noise which has disturbed you." "i believe, ', 'r room, and we shall investigate the cause of this noise which has disturbed you." "i believe, mr. h', 'm, and we shall investigate the cause of this noise which has disturbed you." "i believe, mr. holmes', 'd we shall investigate the cause of this noise which has disturbed you." "i believe, mr. holmes, tha', 'shall investigate the cause of this noise which has disturbed you." "i believe, mr. holmes, that you', ' investigate the cause of this noise which has disturbed you." "i believe, mr. holmes, that you have', 'stigate the cause of this noise which has disturbed you." "i believe, mr. holmes, that you have alre', 'te the cause of this noise which has disturbed you." "i believe, mr. holmes, that you have already m', 'e cause of this noise which has disturbed you." "i believe, mr. holmes, that you have already made u', 'se of this noise which has disturbed you." "i believe, mr. holmes, that you have already made up you', ' this noise which has disturbed you." "i believe, mr. holmes, that you have already made up your min', ' noise which has disturbed you." "i believe, mr. holmes, that you have already made up your mind," s', 'e which has disturbed you." "i believe, mr. holmes, that you have already made up your mind," said m', 'ch has disturbed you." "i believe, mr. holmes, that you have already made up your mind," said miss s', 's disturbed you." "i believe, mr. holmes, that you have already made up your mind," said miss stoner', 'turbed you." "i believe, mr. holmes, that you have already made up your mind," said miss stoner, lay', 'd you." "i believe, mr. holmes, that you have already made up your mind," said miss stoner, laying h', '." "i believe, mr. holmes, that you have already made up your mind," said miss stoner, laying her ha', ' believe, mr. holmes, that you have already made up your mind," said miss stoner, laying her hand up', 'eve, mr. holmes, that you have already made up your mind," said miss stoner, laying her hand upon my', 'mr. holmes, that you have already made up your mind," said miss stoner, laying her hand upon my comp', 'olmes, that you have already made up your mind," said miss stoner, laying her hand upon my companion', ', that you have already made up your mind," said miss stoner, laying her hand upon my companion\'s sl', 't you have already made up your mind," said miss stoner, laying her hand upon my companion\'s sleeve.', ' have already made up your mind," said miss stoner, laying her hand upon my companion\'s sleeve. "per', ' already made up your mind," said miss stoner, laying her hand upon my companion\'s sleeve. "perhaps ', 'ady made up your mind," said miss stoner, laying her hand upon my companion\'s sleeve. "perhaps i hav', 'ade up your mind," said miss stoner, laying her hand upon my companion\'s sleeve. "perhaps i have." "', 'p your mind," said miss stoner, laying her hand upon my companion\'s sleeve. "perhaps i have." "then,', 'r mind," said miss stoner, laying her hand upon my companion\'s sleeve. "perhaps i have." "then, for ', 'd," said miss stoner, laying her hand upon my companion\'s sleeve. "perhaps i have." "then, for pity\'', 'aid miss stoner, laying her hand upon my companion\'s sleeve. "perhaps i have." "then, for pity\'s sak', 'iss stoner, laying her hand upon my companion\'s sleeve. "perhaps i have." "then, for pity\'s sake, te', 'toner, laying her hand upon my companion\'s sleeve. "perhaps i have." "then, for pity\'s sake, tell me', ', laying her hand upon my companion\'s sleeve. "perhaps i have." "then, for pity\'s sake, tell me what', 'ing her hand upon my companion\'s sleeve. "perhaps i have." "then, for pity\'s sake, tell me what was ', 'er hand upon my companion\'s sleeve. "perhaps i have." "then, for pity\'s sake, tell me what was the c', 'nd upon my companion\'s sleeve. "perhaps i have." "then, for pity\'s sake, tell me what was the cause ', 'on my companion\'s sleeve. "perhaps i have." "then, for pity\'s sake, tell me what was the cause of my', ' companion\'s sleeve. "perhaps i have." "then, for pity\'s sake, tell me what was the cause of my sist', 'anion\'s sleeve. "perhaps i have." "then, for pity\'s sake, tell me what was the cause of my sister\'s ', '\'s sleeve. "perhaps i have." "then, for pity\'s sake, tell me what was the cause of my sister\'s death', 'eeve. "perhaps i have." "then, for pity\'s sake, tell me what was the cause of my sister\'s death." "i', ' "perhaps i have." "then, for pity\'s sake, tell me what was the cause of my sister\'s death." "i shou', 'haps i have." "then, for pity\'s sake, tell me what was the cause of my sister\'s death." "i should pr', 'i have." "then, for pity\'s sake, tell me what was the cause of my sister\'s death." "i should prefer ', 'e." "then, for pity\'s sake, tell me what was the cause of my sister\'s death." "i should prefer to ha', 'then, for pity\'s sake, tell me what was the cause of my sister\'s death." "i should prefer to have cl', ' for pity\'s sake, tell me what was the cause of my sister\'s death." "i should prefer to have clearer', 'pity\'s sake, tell me what was the cause of my sister\'s death." "i should prefer to have clearer proo', 's sake, tell me what was the cause of my sister\'s death." "i should prefer to have clearer proofs be', 'e, tell me what was the cause of my sister\'s death." "i should prefer to have clearer proofs before ', 'll me what was the cause of my sister\'s death." "i should prefer to have clearer proofs before i spe', ' what was the cause of my sister\'s death." "i should prefer to have clearer proofs before i speak." ', ' was the cause of my sister\'s death." "i should prefer to have clearer proofs before i speak." "you ', 'the cause of my sister\'s death." "i should prefer to have clearer proofs before i speak." "you can a', 'ause of my sister\'s death." "i should prefer to have clearer proofs before i speak." "you can at lea', 'of my sister\'s death." "i should prefer to have clearer proofs before i speak." "you can at least te', ' sister\'s death." "i should prefer to have clearer proofs before i speak." "you can at least tell me', 'er\'s death." "i should prefer to have clearer proofs before i speak." "you can at least tell me whet', 'death." "i should prefer to have clearer proofs before i speak." "you can at least tell me whether m', '." "i should prefer to have clearer proofs before i speak." "you can at least tell me whether my own', ' should prefer to have clearer proofs before i speak." "you can at least tell me whether my own thou', 'ld prefer to have clearer proofs before i speak." "you can at least tell me whether my own thought i', 'efer to have clearer proofs before i speak." "you can at least tell me whether my own thought is cor', 'to have clearer proofs before i speak." "you can at least tell me whether my own thought is correct,', 've clearer proofs before i speak." "you can at least tell me whether my own thought is correct, and ', 'earer proofs before i speak." "you can at least tell me whether my own thought is correct, and if sh', ' proofs before i speak." "you can at least tell me whether my own thought is correct, and if she die', 'fs before i speak." "you can at least tell me whether my own thought is correct, and if she died fro', 'fore i speak." "you can at least tell me whether my own thought is correct, and if she died from som', 'i speak." "you can at least tell me whether my own thought is correct, and if she died from some sud', 'ak." "you can at least tell me whether my own thought is correct, and if she died from some sudden f', '"you can at least tell me whether my own thought is correct, and if she died from some sudden fright', 'can at least tell me whether my own thought is correct, and if she died from some sudden fright." "n', 't least tell me whether my own thought is correct, and if she died from some sudden fright." "no, i ', 'st tell me whether my own thought is correct, and if she died from some sudden fright." "no, i do no', 'll me whether my own thought is correct, and if she died from some sudden fright." "no, i do not thi', ' whether my own thought is correct, and if she died from some sudden fright." "no, i do not think so', 'her my own thought is correct, and if she died from some sudden fright." "no, i do not think so. i t', 'y own thought is correct, and if she died from some sudden fright." "no, i do not think so. i think ', ' thought is correct, and if she died from some sudden fright." "no, i do not think so. i think that ', 'ght is correct, and if she died from some sudden fright." "no, i do not think so. i think that there', 's correct, and if she died from some sudden fright." "no, i do not think so. i think that there was ', 'rect, and if she died from some sudden fright." "no, i do not think so. i think that there was proba', ' and if she died from some sudden fright." "no, i do not think so. i think that there was probably s', 'if she died from some sudden fright." "no, i do not think so. i think that there was probably some m', 'e died from some sudden fright." "no, i do not think so. i think that there was probably some more t', 'd from some sudden fright." "no, i do not think so. i think that there was probably some more tangib', 'm some sudden fright." "no, i do not think so. i think that there was probably some more tangible ca', 'e sudden fright." "no, i do not think so. i think that there was probably some more tangible cause. ', 'den fright." "no, i do not think so. i think that there was probably some more tangible cause. and n', 'right." "no, i do not think so. i think that there was probably some more tangible cause. and now, m', '." "no, i do not think so. i think that there was probably some more tangible cause. and now, miss s', 'o, i do not think so. i think that there was probably some more tangible cause. and now, miss stoner', 'do not think so. i think that there was probably some more tangible cause. and now, miss stoner, we ', 't think so. i think that there was probably some more tangible cause. and now, miss stoner, we must ', 'nk so. i think that there was probably some more tangible cause. and now, miss stoner, we must leave', '. i think that there was probably some more tangible cause. and now, miss stoner, we must leave you ', 'hink that there was probably some more tangible cause. and now, miss stoner, we must leave you for i', 'that there was probably some more tangible cause. and now, miss stoner, we must leave you for if dr.', 'there was probably some more tangible cause. and now, miss stoner, we must leave you for if dr. royl', ' was probably some more tangible cause. and now, miss stoner, we must leave you for if dr. roylott r', 'probably some more tangible cause. and now, miss stoner, we must leave you for if dr. roylott return', 'bly some more tangible cause. and now, miss stoner, we must leave you for if dr. roylott returned an', 'ome more tangible cause. and now, miss stoner, we must leave you for if dr. roylott returned and saw', 'ore tangible cause. and now, miss stoner, we must leave you for if dr. roylott returned and saw us o', 'angible cause. and now, miss stoner, we must leave you for if dr. roylott returned and saw us our jo', 'le cause. and now, miss stoner, we must leave you for if dr. roylott returned and saw us our journey', 'use. and now, miss stoner, we must leave you for if dr. roylott returned and saw us our journey woul', 'and now, miss stoner, we must leave you for if dr. roylott returned and saw us our journey would be ', 'ow, miss stoner, we must leave you for if dr. roylott returned and saw us our journey would be in va', 'iss stoner, we must leave you for if dr. roylott returned and saw us our journey would be in vain. g', 'toner, we must leave you for if dr. roylott returned and saw us our journey would be in vain. good-b', ', we must leave you for if dr. roylott returned and saw us our journey would be in vain. good-bye, a', 'must leave you for if dr. roylott returned and saw us our journey would be in vain. good-bye, and be', 'leave you for if dr. roylott returned and saw us our journey would be in vain. good-bye, and be brav', ' you for if dr. roylott returned and saw us our journey would be in vain. good-bye, and be brave, fo', 'for if dr. roylott returned and saw us our journey would be in vain. good-bye, and be brave, for if ', 'f dr. roylott returned and saw us our journey would be in vain. good-bye, and be brave, for if you w', ' roylott returned and saw us our journey would be in vain. good-bye, and be brave, for if you will d', 'ott returned and saw us our journey would be in vain. good-bye, and be brave, for if you will do wha', 'eturned and saw us our journey would be in vain. good-bye, and be brave, for if you will do what i h', 'ed and saw us our journey would be in vain. good-bye, and be brave, for if you will do what i have t', 'd saw us our journey would be in vain. good-bye, and be brave, for if you will do what i have told y', ' us our journey would be in vain. good-bye, and be brave, for if you will do what i have told you, y', 'ur journey would be in vain. good-bye, and be brave, for if you will do what i have told you, you ma', 'urney would be in vain. good-bye, and be brave, for if you will do what i have told you, you may res', ' would be in vain. good-bye, and be brave, for if you will do what i have told you, you may rest ass', 'd be in vain. good-bye, and be brave, for if you will do what i have told you, you may rest assured ', 'in vain. good-bye, and be brave, for if you will do what i have told you, you may rest assured that ', 'in. good-bye, and be brave, for if you will do what i have told you, you may rest assured that we sh', 'ood-bye, and be brave, for if you will do what i have told you, you may rest assured that we shall s', 'ye, and be brave, for if you will do what i have told you, you may rest assured that we shall soon d', 'nd be brave, for if you will do what i have told you, you may rest assured that we shall soon drive ', ' brave, for if you will do what i have told you, you may rest assured that we shall soon drive away ', 'e, for if you will do what i have told you, you may rest assured that we shall soon drive away the d', 'r if you will do what i have told you, you may rest assured that we shall soon drive away the danger', 'you will do what i have told you, you may rest assured that we shall soon drive away the dangers tha', 'ill do what i have told you, you may rest assured that we shall soon drive away the dangers that thr', 'o what i have told you, you may rest assured that we shall soon drive away the dangers that threaten', 't i have told you, you may rest assured that we shall soon drive away the dangers that threaten you.', 'ave told you, you may rest assured that we shall soon drive away the dangers that threaten you." she', 'old you, you may rest assured that we shall soon drive away the dangers that threaten you." sherlock', 'ou, you may rest assured that we shall soon drive away the dangers that threaten you." sherlock holm', 'ou may rest assured that we shall soon drive away the dangers that threaten you." sherlock holmes an', 'y rest assured that we shall soon drive away the dangers that threaten you." sherlock holmes and i h', 't assured that we shall soon drive away the dangers that threaten you." sherlock holmes and i had no', 'ured that we shall soon drive away the dangers that threaten you." sherlock holmes and i had no diff', 'that we shall soon drive away the dangers that threaten you." sherlock holmes and i had no difficult', 'we shall soon drive away the dangers that threaten you." sherlock holmes and i had no difficulty in ', 'all soon drive away the dangers that threaten you." sherlock holmes and i had no difficulty in engag', 'oon drive away the dangers that threaten you." sherlock holmes and i had no difficulty in engaging a', 'rive away the dangers that threaten you." sherlock holmes and i had no difficulty in engaging a bedr', 'away the dangers that threaten you." sherlock holmes and i had no difficulty in engaging a bedroom a', 'the dangers that threaten you." sherlock holmes and i had no difficulty in engaging a bedroom and si', 'angers that threaten you." sherlock holmes and i had no difficulty in engaging a bedroom and sitting', 's that threaten you." sherlock holmes and i had no difficulty in engaging a bedroom and sitting-room', 't threaten you." sherlock holmes and i had no difficulty in engaging a bedroom and sitting-room at t', 'eaten you." sherlock holmes and i had no difficulty in engaging a bedroom and sitting-room at the cr', ' you." sherlock holmes and i had no difficulty in engaging a bedroom and sitting-room at the crown i', '" sherlock holmes and i had no difficulty in engaging a bedroom and sitting-room at the crown inn. t', 'rlock holmes and i had no difficulty in engaging a bedroom and sitting-room at the crown inn. they w', ' holmes and i had no difficulty in engaging a bedroom and sitting-room at the crown inn. they were o', 'es and i had no difficulty in engaging a bedroom and sitting-room at the crown inn. they were on the', 'd i had no difficulty in engaging a bedroom and sitting-room at the crown inn. they were on the uppe', 'ad no difficulty in engaging a bedroom and sitting-room at the crown inn. they were on the upper flo', ' difficulty in engaging a bedroom and sitting-room at the crown inn. they were on the upper floor, a', 'iculty in engaging a bedroom and sitting-room at the crown inn. they were on the upper floor, and fr', 'y in engaging a bedroom and sitting-room at the crown inn. they were on the upper floor, and from ou', 'engaging a bedroom and sitting-room at the crown inn. they were on the upper floor, and from our win', 'ing a bedroom and sitting-room at the crown inn. they were on the upper floor, and from our window w', ' bedroom and sitting-room at the crown inn. they were on the upper floor, and from our window we cou', 'oom and sitting-room at the crown inn. they were on the upper floor, and from our window we could co', 'nd sitting-room at the crown inn. they were on the upper floor, and from our window we could command', 'tting-room at the crown inn. they were on the upper floor, and from our window we could command a vi', '-room at the crown inn. they were on the upper floor, and from our window we could command a view of', ' at the crown inn. they were on the upper floor, and from our window we could command a view of the ', 'he crown inn. they were on the upper floor, and from our window we could command a view of the avenu', 'own inn. they were on the upper floor, and from our window we could command a view of the avenue gat', 'nn. they were on the upper floor, and from our window we could command a view of the avenue gate, an', 'hey were on the upper floor, and from our window we could command a view of the avenue gate, and of ', 'ere on the upper floor, and from our window we could command a view of the avenue gate, and of the i', 'n the upper floor, and from our window we could command a view of the avenue gate, and of the inhabi', ' upper floor, and from our window we could command a view of the avenue gate, and of the inhabited w', 'r floor, and from our window we could command a view of the avenue gate, and of the inhabited wing o', 'or, and from our window we could command a view of the avenue gate, and of the inhabited wing of sto', 'nd from our window we could command a view of the avenue gate, and of the inhabited wing of stoke mo', 'om our window we could command a view of the avenue gate, and of the inhabited wing of stoke moran m', 'r window we could command a view of the avenue gate, and of the inhabited wing of stoke moran manor ', 'dow we could command a view of the avenue gate, and of the inhabited wing of stoke moran manor house', 'e could command a view of the avenue gate, and of the inhabited wing of stoke moran manor house. at ', 'ld command a view of the avenue gate, and of the inhabited wing of stoke moran manor house. at dusk ', 'mmand a view of the avenue gate, and of the inhabited wing of stoke moran manor house. at dusk we sa', ' a view of the avenue gate, and of the inhabited wing of stoke moran manor house. at dusk we saw dr.', 'ew of the avenue gate, and of the inhabited wing of stoke moran manor house. at dusk we saw dr. grim', ' the avenue gate, and of the inhabited wing of stoke moran manor house. at dusk we saw dr. grimesby ', 'avenue gate, and of the inhabited wing of stoke moran manor house. at dusk we saw dr. grimesby roylo', 'e gate, and of the inhabited wing of stoke moran manor house. at dusk we saw dr. grimesby roylott dr', 'e, and of the inhabited wing of stoke moran manor house. at dusk we saw dr. grimesby roylott drive p', 'd of the inhabited wing of stoke moran manor house. at dusk we saw dr. grimesby roylott drive past, ', 'the inhabited wing of stoke moran manor house. at dusk we saw dr. grimesby roylott drive past, his h', 'nhabited wing of stoke moran manor house. at dusk we saw dr. grimesby roylott drive past, his huge f', 'ted wing of stoke moran manor house. at dusk we saw dr. grimesby roylott drive past, his huge form l', 'ing of stoke moran manor house. at dusk we saw dr. grimesby roylott drive past, his huge form loomin', 'f stoke moran manor house. at dusk we saw dr. grimesby roylott drive past, his huge form looming up ', 'ke moran manor house. at dusk we saw dr. grimesby roylott drive past, his huge form looming up besid', 'ran manor house. at dusk we saw dr. grimesby roylott drive past, his huge form looming up beside the', 'anor house. at dusk we saw dr. grimesby roylott drive past, his huge form looming up beside the litt', 'house. at dusk we saw dr. grimesby roylott drive past, his huge form looming up beside the little fi', '. at dusk we saw dr. grimesby roylott drive past, his huge form looming up beside the little figure ', 'dusk we saw dr. grimesby roylott drive past, his huge form looming up beside the little figure of th', 'we saw dr. grimesby roylott drive past, his huge form looming up beside the little figure of the lad', 'w dr. grimesby roylott drive past, his huge form looming up beside the little figure of the lad who ', ' grimesby roylott drive past, his huge form looming up beside the little figure of the lad who drove', 'esby roylott drive past, his huge form looming up beside the little figure of the lad who drove him.', 'roylott drive past, his huge form looming up beside the little figure of the lad who drove him. the ', 'tt drive past, his huge form looming up beside the little figure of the lad who drove him. the boy h', 'ive past, his huge form looming up beside the little figure of the lad who drove him. the boy had so', 'ast, his huge form looming up beside the little figure of the lad who drove him. the boy had some sl', 'his huge form looming up beside the little figure of the lad who drove him. the boy had some slight ', 'uge form looming up beside the little figure of the lad who drove him. the boy had some slight diffi', 'orm looming up beside the little figure of the lad who drove him. the boy had some slight difficulty', 'ooming up beside the little figure of the lad who drove him. the boy had some slight difficulty in u', 'g up beside the little figure of the lad who drove him. the boy had some slight difficulty in undoin', 'beside the little figure of the lad who drove him. the boy had some slight difficulty in undoing the', 'e the little figure of the lad who drove him. the boy had some slight difficulty in undoing the heav', ' little figure of the lad who drove him. the boy had some slight difficulty in undoing the heavy iro', 'le figure of the lad who drove him. the boy had some slight difficulty in undoing the heavy iron gat', 'gure of the lad who drove him. the boy had some slight difficulty in undoing the heavy iron gates, a', 'of the lad who drove him. the boy had some slight difficulty in undoing the heavy iron gates, and we', 'e lad who drove him. the boy had some slight difficulty in undoing the heavy iron gates, and we hear', ' who drove him. the boy had some slight difficulty in undoing the heavy iron gates, and we heard the', 'drove him. the boy had some slight difficulty in undoing the heavy iron gates, and we heard the hoar', ' him. the boy had some slight difficulty in undoing the heavy iron gates, and we heard the hoarse ro', ' the boy had some slight difficulty in undoing the heavy iron gates, and we heard the hoarse roar of', 'boy had some slight difficulty in undoing the heavy iron gates, and we heard the hoarse roar of the ', 'ad some slight difficulty in undoing the heavy iron gates, and we heard the hoarse roar of the docto', "me slight difficulty in undoing the heavy iron gates, and we heard the hoarse roar of the doctor's v", "ight difficulty in undoing the heavy iron gates, and we heard the hoarse roar of the doctor's voice ", "difficulty in undoing the heavy iron gates, and we heard the hoarse roar of the doctor's voice and s", "culty in undoing the heavy iron gates, and we heard the hoarse roar of the doctor's voice and saw th", " in undoing the heavy iron gates, and we heard the hoarse roar of the doctor's voice and saw the fur", "ndoing the heavy iron gates, and we heard the hoarse roar of the doctor's voice and saw the fury wit", "g the heavy iron gates, and we heard the hoarse roar of the doctor's voice and saw the fury with whi", " heavy iron gates, and we heard the hoarse roar of the doctor's voice and saw the fury with which he", "y iron gates, and we heard the hoarse roar of the doctor's voice and saw the fury with which he shoo", "n gates, and we heard the hoarse roar of the doctor's voice and saw the fury with which he shook his", "es, and we heard the hoarse roar of the doctor's voice and saw the fury with which he shook his clin", "nd we heard the hoarse roar of the doctor's voice and saw the fury with which he shook his clinched ", " heard the hoarse roar of the doctor's voice and saw the fury with which he shook his clinched fists", "d the hoarse roar of the doctor's voice and saw the fury with which he shook his clinched fists at h", " hoarse roar of the doctor's voice and saw the fury with which he shook his clinched fists at him. t", "se roar of the doctor's voice and saw the fury with which he shook his clinched fists at him. the tr", "ar of the doctor's voice and saw the fury with which he shook his clinched fists at him. the trap dr", " the doctor's voice and saw the fury with which he shook his clinched fists at him. the trap drove o", "doctor's voice and saw the fury with which he shook his clinched fists at him. the trap drove on, an", "r's voice and saw the fury with which he shook his clinched fists at him. the trap drove on, and a f", 'oice and saw the fury with which he shook his clinched fists at him. the trap drove on, and a few mi', 'and saw the fury with which he shook his clinched fists at him. the trap drove on, and a few minutes', 'aw the fury with which he shook his clinched fists at him. the trap drove on, and a few minutes late', 'e fury with which he shook his clinched fists at him. the trap drove on, and a few minutes later we ', 'y with which he shook his clinched fists at him. the trap drove on, and a few minutes later we saw a', 'h which he shook his clinched fists at him. the trap drove on, and a few minutes later we saw a sudd', 'ch he shook his clinched fists at him. the trap drove on, and a few minutes later we saw a sudden li', ' shook his clinched fists at him. the trap drove on, and a few minutes later we saw a sudden light s', 'k his clinched fists at him. the trap drove on, and a few minutes later we saw a sudden light spring', ' clinched fists at him. the trap drove on, and a few minutes later we saw a sudden light spring up a', 'ched fists at him. the trap drove on, and a few minutes later we saw a sudden light spring up among ', 'fists at him. the trap drove on, and a few minutes later we saw a sudden light spring up among the t', ' at him. the trap drove on, and a few minutes later we saw a sudden light spring up among the trees ', 'im. the trap drove on, and a few minutes later we saw a sudden light spring up among the trees as th', 'he trap drove on, and a few minutes later we saw a sudden light spring up among the trees as the lam', 'ap drove on, and a few minutes later we saw a sudden light spring up among the trees as the lamp was', 'ove on, and a few minutes later we saw a sudden light spring up among the trees as the lamp was lit ', 'n, and a few minutes later we saw a sudden light spring up among the trees as the lamp was lit in on', 'd a few minutes later we saw a sudden light spring up among the trees as the lamp was lit in one of ', 'ew minutes later we saw a sudden light spring up among the trees as the lamp was lit in one of the s', 'nutes later we saw a sudden light spring up among the trees as the lamp was lit in one of the sittin', ' later we saw a sudden light spring up among the trees as the lamp was lit in one of the sitting-roo', 'r we saw a sudden light spring up among the trees as the lamp was lit in one of the sitting-rooms. "', 'saw a sudden light spring up among the trees as the lamp was lit in one of the sitting-rooms. "do yo', ' sudden light spring up among the trees as the lamp was lit in one of the sitting-rooms. "do you kno', 'en light spring up among the trees as the lamp was lit in one of the sitting-rooms. "do you know, wa', 'ght spring up among the trees as the lamp was lit in one of the sitting-rooms. "do you know, watson,', 'pring up among the trees as the lamp was lit in one of the sitting-rooms. "do you know, watson," sai', ' up among the trees as the lamp was lit in one of the sitting-rooms. "do you know, watson," said hol', 'mong the trees as the lamp was lit in one of the sitting-rooms. "do you know, watson," said holmes a', 'the trees as the lamp was lit in one of the sitting-rooms. "do you know, watson," said holmes as we ', 'rees as the lamp was lit in one of the sitting-rooms. "do you know, watson," said holmes as we sat t', 'as the lamp was lit in one of the sitting-rooms. "do you know, watson," said holmes as we sat togeth', 'e lamp was lit in one of the sitting-rooms. "do you know, watson," said holmes as we sat together in', 'p was lit in one of the sitting-rooms. "do you know, watson," said holmes as we sat together in the ', ' lit in one of the sitting-rooms. "do you know, watson," said holmes as we sat together in the gathe', 'in one of the sitting-rooms. "do you know, watson," said holmes as we sat together in the gathering ', 'e of the sitting-rooms. "do you know, watson," said holmes as we sat together in the gathering darkn', 'the sitting-rooms. "do you know, watson," said holmes as we sat together in the gathering darkness, ', 'itting-rooms. "do you know, watson," said holmes as we sat together in the gathering darkness, "i ha', 'g-rooms. "do you know, watson," said holmes as we sat together in the gathering darkness, "i have re', 'ms. "do you know, watson," said holmes as we sat together in the gathering darkness, "i have really ', 'do you know, watson," said holmes as we sat together in the gathering darkness, "i have really some ', 'u know, watson," said holmes as we sat together in the gathering darkness, "i have really some scrup', 'w, watson," said holmes as we sat together in the gathering darkness, "i have really some scruples a', 'tson," said holmes as we sat together in the gathering darkness, "i have really some scruples as to ', '" said holmes as we sat together in the gathering darkness, "i have really some scruples as to takin', 'd holmes as we sat together in the gathering darkness, "i have really some scruples as to taking you', 'mes as we sat together in the gathering darkness, "i have really some scruples as to taking you to-n', 's we sat together in the gathering darkness, "i have really some scruples as to taking you to-night.', 'sat together in the gathering darkness, "i have really some scruples as to taking you to-night. ther', 'ogether in the gathering darkness, "i have really some scruples as to taking you to-night. there is ', 'er in the gathering darkness, "i have really some scruples as to taking you to-night. there is a dis', ' the gathering darkness, "i have really some scruples as to taking you to-night. there is a distinct', 'gathering darkness, "i have really some scruples as to taking you to-night. there is a distinct elem', 'ring darkness, "i have really some scruples as to taking you to-night. there is a distinct element o', 'darkness, "i have really some scruples as to taking you to-night. there is a distinct element of dan', 'ess, "i have really some scruples as to taking you to-night. there is a distinct element of danger."', '"i have really some scruples as to taking you to-night. there is a distinct element of danger." "can', 've really some scruples as to taking you to-night. there is a distinct element of danger." "can i be', 'ally some scruples as to taking you to-night. there is a distinct element of danger." "can i be of a', 'some scruples as to taking you to-night. there is a distinct element of danger." "can i be of assist', 'scruples as to taking you to-night. there is a distinct element of danger." "can i be of assistance?', 'les as to taking you to-night. there is a distinct element of danger." "can i be of assistance?" "yo', 's to taking you to-night. there is a distinct element of danger." "can i be of assistance?" "your pr', 'taking you to-night. there is a distinct element of danger." "can i be of assistance?" "your presenc', 'g you to-night. there is a distinct element of danger." "can i be of assistance?" "your presence mig', ' to-night. there is a distinct element of danger." "can i be of assistance?" "your presence might be', 'ight. there is a distinct element of danger." "can i be of assistance?" "your presence might be inva', ' there is a distinct element of danger." "can i be of assistance?" "your presence might be invaluabl', 'e is a distinct element of danger." "can i be of assistance?" "your presence might be invaluable." "', 'a distinct element of danger." "can i be of assistance?" "your presence might be invaluable." "then ', 'tinct element of danger." "can i be of assistance?" "your presence might be invaluable." "then i sha', ' element of danger." "can i be of assistance?" "your presence might be invaluable." "then i shall ce', 'ent of danger." "can i be of assistance?" "your presence might be invaluable." "then i shall certain', 'f danger." "can i be of assistance?" "your presence might be invaluable." "then i shall certainly co', 'ger." "can i be of assistance?" "your presence might be invaluable." "then i shall certainly come." ', ' "can i be of assistance?" "your presence might be invaluable." "then i shall certainly come." "it i', ' i be of assistance?" "your presence might be invaluable." "then i shall certainly come." "it is ver', ' of assistance?" "your presence might be invaluable." "then i shall certainly come." "it is very kin', 'ssistance?" "your presence might be invaluable." "then i shall certainly come." "it is very kind of ', 'ance?" "your presence might be invaluable." "then i shall certainly come." "it is very kind of you."', '" "your presence might be invaluable." "then i shall certainly come." "it is very kind of you." "you', 'ur presence might be invaluable." "then i shall certainly come." "it is very kind of you." "you spea', 'esence might be invaluable." "then i shall certainly come." "it is very kind of you." "you speak of ', 'e might be invaluable." "then i shall certainly come." "it is very kind of you." "you speak of dange', 'ht be invaluable." "then i shall certainly come." "it is very kind of you." "you speak of danger. yo', ' invaluable." "then i shall certainly come." "it is very kind of you." "you speak of danger. you hav', 'luable." "then i shall certainly come." "it is very kind of you." "you speak of danger. you have evi', 'e." "then i shall certainly come." "it is very kind of you." "you speak of danger. you have evidentl', 'then i shall certainly come." "it is very kind of you." "you speak of danger. you have evidently see', 'i shall certainly come." "it is very kind of you." "you speak of danger. you have evidently seen mor', 'll certainly come." "it is very kind of you." "you speak of danger. you have evidently seen more in ', 'rtainly come." "it is very kind of you." "you speak of danger. you have evidently seen more in these', 'ly come." "it is very kind of you." "you speak of danger. you have evidently seen more in these room', 'me." "it is very kind of you." "you speak of danger. you have evidently seen more in these rooms tha', '"it is very kind of you." "you speak of danger. you have evidently seen more in these rooms than was', 's very kind of you." "you speak of danger. you have evidently seen more in these rooms than was visi', 'y kind of you." "you speak of danger. you have evidently seen more in these rooms than was visible t', 'd of you." "you speak of danger. you have evidently seen more in these rooms than was visible to me.', 'you." "you speak of danger. you have evidently seen more in these rooms than was visible to me." "no', ' "you speak of danger. you have evidently seen more in these rooms than was visible to me." "no, but', ' speak of danger. you have evidently seen more in these rooms than was visible to me." "no, but i fa', 'k of danger. you have evidently seen more in these rooms than was visible to me." "no, but i fancy t', 'danger. you have evidently seen more in these rooms than was visible to me." "no, but i fancy that i', 'r. you have evidently seen more in these rooms than was visible to me." "no, but i fancy that i may ', 'u have evidently seen more in these rooms than was visible to me." "no, but i fancy that i may have ', 'e evidently seen more in these rooms than was visible to me." "no, but i fancy that i may have deduc', 'dently seen more in these rooms than was visible to me." "no, but i fancy that i may have deduced a ', 'y seen more in these rooms than was visible to me." "no, but i fancy that i may have deduced a littl', 'n more in these rooms than was visible to me." "no, but i fancy that i may have deduced a little mor', 'e in these rooms than was visible to me." "no, but i fancy that i may have deduced a little more. i ', 'these rooms than was visible to me." "no, but i fancy that i may have deduced a little more. i imagi', ' rooms than was visible to me." "no, but i fancy that i may have deduced a little more. i imagine th', 's than was visible to me." "no, but i fancy that i may have deduced a little more. i imagine that yo', 'n was visible to me." "no, but i fancy that i may have deduced a little more. i imagine that you saw', ' visible to me." "no, but i fancy that i may have deduced a little more. i imagine that you saw all ', 'ble to me." "no, but i fancy that i may have deduced a little more. i imagine that you saw all that ', 'o me." "no, but i fancy that i may have deduced a little more. i imagine that you saw all that i did', '" "no, but i fancy that i may have deduced a little more. i imagine that you saw all that i did." "i', ', but i fancy that i may have deduced a little more. i imagine that you saw all that i did." "i saw ', ' i fancy that i may have deduced a little more. i imagine that you saw all that i did." "i saw nothi', 'ncy that i may have deduced a little more. i imagine that you saw all that i did." "i saw nothing re', 'hat i may have deduced a little more. i imagine that you saw all that i did." "i saw nothing remarka', ' may have deduced a little more. i imagine that you saw all that i did." "i saw nothing remarkable s', 'have deduced a little more. i imagine that you saw all that i did." "i saw nothing remarkable save t', 'deduced a little more. i imagine that you saw all that i did." "i saw nothing remarkable save the be', 'ed a little more. i imagine that you saw all that i did." "i saw nothing remarkable save the bell-ro', 'little more. i imagine that you saw all that i did." "i saw nothing remarkable save the bell-rope, a', 'e more. i imagine that you saw all that i did." "i saw nothing remarkable save the bell-rope, and wh', 'e. i imagine that you saw all that i did." "i saw nothing remarkable save the bell-rope, and what pu', 'imagine that you saw all that i did." "i saw nothing remarkable save the bell-rope, and what purpose', 'ne that you saw all that i did." "i saw nothing remarkable save the bell-rope, and what purpose that', 'at you saw all that i did." "i saw nothing remarkable save the bell-rope, and what purpose that coul', 'u saw all that i did." "i saw nothing remarkable save the bell-rope, and what purpose that could ans', ' all that i did." "i saw nothing remarkable save the bell-rope, and what purpose that could answer i', 'that i did." "i saw nothing remarkable save the bell-rope, and what purpose that could answer i conf', 'i did." "i saw nothing remarkable save the bell-rope, and what purpose that could answer i confess i', '." "i saw nothing remarkable save the bell-rope, and what purpose that could answer i confess is mor', ' saw nothing remarkable save the bell-rope, and what purpose that could answer i confess is more tha', 'nothing remarkable save the bell-rope, and what purpose that could answer i confess is more than i c', 'ng remarkable save the bell-rope, and what purpose that could answer i confess is more than i can im', 'markable save the bell-rope, and what purpose that could answer i confess is more than i can imagine', 'ble save the bell-rope, and what purpose that could answer i confess is more than i can imagine." "y', 'ave the bell-rope, and what purpose that could answer i confess is more than i can imagine." "you sa', 'he bell-rope, and what purpose that could answer i confess is more than i can imagine." "you saw the', 'll-rope, and what purpose that could answer i confess is more than i can imagine." "you saw the vent', 'pe, and what purpose that could answer i confess is more than i can imagine." "you saw the ventilato', 'nd what purpose that could answer i confess is more than i can imagine." "you saw the ventilator, to', 'at purpose that could answer i confess is more than i can imagine." "you saw the ventilator, too?" "', 'rpose that could answer i confess is more than i can imagine." "you saw the ventilator, too?" "yes, ', ' that could answer i confess is more than i can imagine." "you saw the ventilator, too?" "yes, but i', ' could answer i confess is more than i can imagine." "you saw the ventilator, too?" "yes, but i do n', 'd answer i confess is more than i can imagine." "you saw the ventilator, too?" "yes, but i do not th', 'wer i confess is more than i can imagine." "you saw the ventilator, too?" "yes, but i do not think t', ' confess is more than i can imagine." "you saw the ventilator, too?" "yes, but i do not think that i', 'ess is more than i can imagine." "you saw the ventilator, too?" "yes, but i do not think that it is ', 's more than i can imagine." "you saw the ventilator, too?" "yes, but i do not think that it is such ', 'e than i can imagine." "you saw the ventilator, too?" "yes, but i do not think that it is such a ver', 'n i can imagine." "you saw the ventilator, too?" "yes, but i do not think that it is such a very unu', 'an imagine." "you saw the ventilator, too?" "yes, but i do not think that it is such a very unusual ', 'agine." "you saw the ventilator, too?" "yes, but i do not think that it is such a very unusual thing', '." "you saw the ventilator, too?" "yes, but i do not think that it is such a very unusual thing to h', 'ou saw the ventilator, too?" "yes, but i do not think that it is such a very unusual thing to have a', 'w the ventilator, too?" "yes, but i do not think that it is such a very unusual thing to have a smal', ' ventilator, too?" "yes, but i do not think that it is such a very unusual thing to have a small ope', 'ilator, too?" "yes, but i do not think that it is such a very unusual thing to have a small opening ', 'r, too?" "yes, but i do not think that it is such a very unusual thing to have a small opening betwe', 'o?" "yes, but i do not think that it is such a very unusual thing to have a small opening between tw', 'yes, but i do not think that it is such a very unusual thing to have a small opening between two roo', 'but i do not think that it is such a very unusual thing to have a small opening between two rooms. i', ' do not think that it is such a very unusual thing to have a small opening between two rooms. it was', 'ot think that it is such a very unusual thing to have a small opening between two rooms. it was so s', 'ink that it is such a very unusual thing to have a small opening between two rooms. it was so small ', 'hat it is such a very unusual thing to have a small opening between two rooms. it was so small that ', 't is such a very unusual thing to have a small opening between two rooms. it was so small that a rat', 'such a very unusual thing to have a small opening between two rooms. it was so small that a rat coul', 'a very unusual thing to have a small opening between two rooms. it was so small that a rat could har', 'y unusual thing to have a small opening between two rooms. it was so small that a rat could hardly p', 'sual thing to have a small opening between two rooms. it was so small that a rat could hardly pass t', 'thing to have a small opening between two rooms. it was so small that a rat could hardly pass throug', ' to have a small opening between two rooms. it was so small that a rat could hardly pass through." "', 'ave a small opening between two rooms. it was so small that a rat could hardly pass through." "i kne', ' small opening between two rooms. it was so small that a rat could hardly pass through." "i knew tha', 'l opening between two rooms. it was so small that a rat could hardly pass through." "i knew that we ', 'ning between two rooms. it was so small that a rat could hardly pass through." "i knew that we shoul', 'between two rooms. it was so small that a rat could hardly pass through." "i knew that we should fin', 'en two rooms. it was so small that a rat could hardly pass through." "i knew that we should find a v', 'o rooms. it was so small that a rat could hardly pass through." "i knew that we should find a ventil', 'ms. it was so small that a rat could hardly pass through." "i knew that we should find a ventilator ', 't was so small that a rat could hardly pass through." "i knew that we should find a ventilator befor', ' so small that a rat could hardly pass through." "i knew that we should find a ventilator before eve', 'mall that a rat could hardly pass through." "i knew that we should find a ventilator before ever we ', 'that a rat could hardly pass through." "i knew that we should find a ventilator before ever we came ', 'a rat could hardly pass through." "i knew that we should find a ventilator before ever we came to st', ' could hardly pass through." "i knew that we should find a ventilator before ever we came to stoke m', 'd hardly pass through." "i knew that we should find a ventilator before ever we came to stoke moran.', 'dly pass through." "i knew that we should find a ventilator before ever we came to stoke moran." "my', 'ass through." "i knew that we should find a ventilator before ever we came to stoke moran." "my dear', 'hrough." "i knew that we should find a ventilator before ever we came to stoke moran." "my dear holm', 'h." "i knew that we should find a ventilator before ever we came to stoke moran." "my dear holmes "', 'i knew that we should find a ventilator before ever we came to stoke moran." "my dear holmes "oh, y', 'w that we should find a ventilator before ever we came to stoke moran." "my dear holmes "oh, yes, i', 't we should find a ventilator before ever we came to stoke moran." "my dear holmes "oh, yes, i did.', 'should find a ventilator before ever we came to stoke moran." "my dear holmes "oh, yes, i did. you ', 'd find a ventilator before ever we came to stoke moran." "my dear holmes "oh, yes, i did. you remem', 'd a ventilator before ever we came to stoke moran." "my dear holmes "oh, yes, i did. you remember i', 'entilator before ever we came to stoke moran." "my dear holmes "oh, yes, i did. you remember in her', 'ator before ever we came to stoke moran." "my dear holmes "oh, yes, i did. you remember in her stat', 'before ever we came to stoke moran." "my dear holmes "oh, yes, i did. you remember in her statement', 'e ever we came to stoke moran." "my dear holmes "oh, yes, i did. you remember in her statement she ', 'r we came to stoke moran." "my dear holmes "oh, yes, i did. you remember in her statement she said ', 'came to stoke moran." "my dear holmes "oh, yes, i did. you remember in her statement she said that ', 'to stoke moran." "my dear holmes "oh, yes, i did. you remember in her statement she said that her s', 'oke moran." "my dear holmes "oh, yes, i did. you remember in her statement she said that her sister', 'oran." "my dear holmes "oh, yes, i did. you remember in her statement she said that her sister coul', '" "my dear holmes "oh, yes, i did. you remember in her statement she said that her sister could sme', ' dear holmes "oh, yes, i did. you remember in her statement she said that her sister could smell dr', ' holmes "oh, yes, i did. you remember in her statement she said that her sister could smell dr. roy', 'es "oh, yes, i did. you remember in her statement she said that her sister could smell dr. roylott\'', "oh, yes, i did. you remember in her statement she said that her sister could smell dr. roylott's cig", "es, i did. you remember in her statement she said that her sister could smell dr. roylott's cigar. n", " did. you remember in her statement she said that her sister could smell dr. roylott's cigar. now, o", " you remember in her statement she said that her sister could smell dr. roylott's cigar. now, of cou", "remember in her statement she said that her sister could smell dr. roylott's cigar. now, of course t", "ber in her statement she said that her sister could smell dr. roylott's cigar. now, of course that s", "n her statement she said that her sister could smell dr. roylott's cigar. now, of course that sugges", " statement she said that her sister could smell dr. roylott's cigar. now, of course that suggested a", "ement she said that her sister could smell dr. roylott's cigar. now, of course that suggested at onc", " she said that her sister could smell dr. roylott's cigar. now, of course that suggested at once tha", "said that her sister could smell dr. roylott's cigar. now, of course that suggested at once that the", "that her sister could smell dr. roylott's cigar. now, of course that suggested at once that there mu", "her sister could smell dr. roylott's cigar. now, of course that suggested at once that there must be", "ister could smell dr. roylott's cigar. now, of course that suggested at once that there must be a co", " could smell dr. roylott's cigar. now, of course that suggested at once that there must be a communi", "d smell dr. roylott's cigar. now, of course that suggested at once that there must be a communicatio", "ll dr. roylott's cigar. now, of course that suggested at once that there must be a communication bet", ". roylott's cigar. now, of course that suggested at once that there must be a communication between ", "lott's cigar. now, of course that suggested at once that there must be a communication between the t", 's cigar. now, of course that suggested at once that there must be a communication between the two ro', 'ar. now, of course that suggested at once that there must be a communication between the two rooms. ', 'ow, of course that suggested at once that there must be a communication between the two rooms. it co', 'f course that suggested at once that there must be a communication between the two rooms. it could o', 'rse that suggested at once that there must be a communication between the two rooms. it could only b', 'hat suggested at once that there must be a communication between the two rooms. it could only be a s', 'uggested at once that there must be a communication between the two rooms. it could only be a small ', 'ted at once that there must be a communication between the two rooms. it could only be a small one, ', 't once that there must be a communication between the two rooms. it could only be a small one, or it', 'e that there must be a communication between the two rooms. it could only be a small one, or it woul', 't there must be a communication between the two rooms. it could only be a small one, or it would hav', 're must be a communication between the two rooms. it could only be a small one, or it would have bee', 'st be a communication between the two rooms. it could only be a small one, or it would have been rem', ' a communication between the two rooms. it could only be a small one, or it would have been remarked', 'mmunication between the two rooms. it could only be a small one, or it would have been remarked upon', 'cation between the two rooms. it could only be a small one, or it would have been remarked upon at t', 'n between the two rooms. it could only be a small one, or it would have been remarked upon at the co', 'ween the two rooms. it could only be a small one, or it would have been remarked upon at the coroner', "the two rooms. it could only be a small one, or it would have been remarked upon at the coroner's in", "wo rooms. it could only be a small one, or it would have been remarked upon at the coroner's inquiry", "oms. it could only be a small one, or it would have been remarked upon at the coroner's inquiry. i d", "it could only be a small one, or it would have been remarked upon at the coroner's inquiry. i deduce", "uld only be a small one, or it would have been remarked upon at the coroner's inquiry. i deduced a v", "nly be a small one, or it would have been remarked upon at the coroner's inquiry. i deduced a ventil", "e a small one, or it would have been remarked upon at the coroner's inquiry. i deduced a ventilator.", 'mall one, or it would have been remarked upon at the coroner\'s inquiry. i deduced a ventilator." "bu', 'one, or it would have been remarked upon at the coroner\'s inquiry. i deduced a ventilator." "but wha', 'or it would have been remarked upon at the coroner\'s inquiry. i deduced a ventilator." "but what har', ' would have been remarked upon at the coroner\'s inquiry. i deduced a ventilator." "but what harm can', 'd have been remarked upon at the coroner\'s inquiry. i deduced a ventilator." "but what harm can ther', 'e been remarked upon at the coroner\'s inquiry. i deduced a ventilator." "but what harm can there be ', 'n remarked upon at the coroner\'s inquiry. i deduced a ventilator." "but what harm can there be in th', 'arked upon at the coroner\'s inquiry. i deduced a ventilator." "but what harm can there be in that?" ', ' upon at the coroner\'s inquiry. i deduced a ventilator." "but what harm can there be in that?" "well', ' at the coroner\'s inquiry. i deduced a ventilator." "but what harm can there be in that?" "well, the', 'he coroner\'s inquiry. i deduced a ventilator." "but what harm can there be in that?" "well, there is', 'roner\'s inquiry. i deduced a ventilator." "but what harm can there be in that?" "well, there is at l', '\'s inquiry. i deduced a ventilator." "but what harm can there be in that?" "well, there is at least ', 'quiry. i deduced a ventilator." "but what harm can there be in that?" "well, there is at least a cur', '. i deduced a ventilator." "but what harm can there be in that?" "well, there is at least a curious ', 'educed a ventilator." "but what harm can there be in that?" "well, there is at least a curious coinc', 'd a ventilator." "but what harm can there be in that?" "well, there is at least a curious coincidenc', 'entilator." "but what harm can there be in that?" "well, there is at least a curious coincidence of ', 'ator." "but what harm can there be in that?" "well, there is at least a curious coincidence of dates', '" "but what harm can there be in that?" "well, there is at least a curious coincidence of dates. a v', 't what harm can there be in that?" "well, there is at least a curious coincidence of dates. a ventil', 't harm can there be in that?" "well, there is at least a curious coincidence of dates. a ventilator ', 'm can there be in that?" "well, there is at least a curious coincidence of dates. a ventilator is ma', ' there be in that?" "well, there is at least a curious coincidence of dates. a ventilator is made, a', 'e be in that?" "well, there is at least a curious coincidence of dates. a ventilator is made, a cord', 'in that?" "well, there is at least a curious coincidence of dates. a ventilator is made, a cord is h', 'at?" "well, there is at least a curious coincidence of dates. a ventilator is made, a cord is hung, ', '"well, there is at least a curious coincidence of dates. a ventilator is made, a cord is hung, and a', ', there is at least a curious coincidence of dates. a ventilator is made, a cord is hung, and a lady', 're is at least a curious coincidence of dates. a ventilator is made, a cord is hung, and a lady who ', ' at least a curious coincidence of dates. a ventilator is made, a cord is hung, and a lady who sleep', 'east a curious coincidence of dates. a ventilator is made, a cord is hung, and a lady who sleeps in ', 'a curious coincidence of dates. a ventilator is made, a cord is hung, and a lady who sleeps in the b', 'ious coincidence of dates. a ventilator is made, a cord is hung, and a lady who sleeps in the bed di', 'coincidence of dates. a ventilator is made, a cord is hung, and a lady who sleeps in the bed dies. d', 'idence of dates. a ventilator is made, a cord is hung, and a lady who sleeps in the bed dies. does n', 'e of dates. a ventilator is made, a cord is hung, and a lady who sleeps in the bed dies. does not th', 'dates. a ventilator is made, a cord is hung, and a lady who sleeps in the bed dies. does not that st', '. a ventilator is made, a cord is hung, and a lady who sleeps in the bed dies. does not that strike ', 'entilator is made, a cord is hung, and a lady who sleeps in the bed dies. does not that strike you?"', 'ator is made, a cord is hung, and a lady who sleeps in the bed dies. does not that strike you?" "i c', 'is made, a cord is hung, and a lady who sleeps in the bed dies. does not that strike you?" "i cannot', 'de, a cord is hung, and a lady who sleeps in the bed dies. does not that strike you?" "i cannot as y', ' cord is hung, and a lady who sleeps in the bed dies. does not that strike you?" "i cannot as yet se', ' is hung, and a lady who sleeps in the bed dies. does not that strike you?" "i cannot as yet see any', 'ung, and a lady who sleeps in the bed dies. does not that strike you?" "i cannot as yet see any conn', 'and a lady who sleeps in the bed dies. does not that strike you?" "i cannot as yet see any connectio', ' lady who sleeps in the bed dies. does not that strike you?" "i cannot as yet see any connection." "', ' who sleeps in the bed dies. does not that strike you?" "i cannot as yet see any connection." "did y', 'sleeps in the bed dies. does not that strike you?" "i cannot as yet see any connection." "did you ob', 's in the bed dies. does not that strike you?" "i cannot as yet see any connection." "did you observe', 'the bed dies. does not that strike you?" "i cannot as yet see any connection." "did you observe anyt', 'ed dies. does not that strike you?" "i cannot as yet see any connection." "did you observe anything ', 'es. does not that strike you?" "i cannot as yet see any connection." "did you observe anything very ', 'oes not that strike you?" "i cannot as yet see any connection." "did you observe anything very pecul', 'ot that strike you?" "i cannot as yet see any connection." "did you observe anything very peculiar a', 'at strike you?" "i cannot as yet see any connection." "did you observe anything very peculiar about ', 'rike you?" "i cannot as yet see any connection." "did you observe anything very peculiar about that ', 'you?" "i cannot as yet see any connection." "did you observe anything very peculiar about that bed?"', ' "i cannot as yet see any connection." "did you observe anything very peculiar about that bed?" "no.', 'annot as yet see any connection." "did you observe anything very peculiar about that bed?" "no." "it', ' as yet see any connection." "did you observe anything very peculiar about that bed?" "no." "it was ', 'et see any connection." "did you observe anything very peculiar about that bed?" "no." "it was clamp', 'e any connection." "did you observe anything very peculiar about that bed?" "no." "it was clamped to', ' connection." "did you observe anything very peculiar about that bed?" "no." "it was clamped to the ', 'ection." "did you observe anything very peculiar about that bed?" "no." "it was clamped to the floor', 'n." "did you observe anything very peculiar about that bed?" "no." "it was clamped to the floor. did', 'did you observe anything very peculiar about that bed?" "no." "it was clamped to the floor. did you ', 'ou observe anything very peculiar about that bed?" "no." "it was clamped to the floor. did you ever ', 'serve anything very peculiar about that bed?" "no." "it was clamped to the floor. did you ever see a', ' anything very peculiar about that bed?" "no." "it was clamped to the floor. did you ever see a bed ', 'hing very peculiar about that bed?" "no." "it was clamped to the floor. did you ever see a bed faste', 'very peculiar about that bed?" "no." "it was clamped to the floor. did you ever see a bed fastened l', 'peculiar about that bed?" "no." "it was clamped to the floor. did you ever see a bed fastened like t', 'iar about that bed?" "no." "it was clamped to the floor. did you ever see a bed fastened like that b', 'bout that bed?" "no." "it was clamped to the floor. did you ever see a bed fastened like that before', 'that bed?" "no." "it was clamped to the floor. did you ever see a bed fastened like that before?" "i', 'bed?" "no." "it was clamped to the floor. did you ever see a bed fastened like that before?" "i cann', ' "no." "it was clamped to the floor. did you ever see a bed fastened like that before?" "i cannot sa', '" "it was clamped to the floor. did you ever see a bed fastened like that before?" "i cannot say tha', ' was clamped to the floor. did you ever see a bed fastened like that before?" "i cannot say that i h', 'clamped to the floor. did you ever see a bed fastened like that before?" "i cannot say that i have."', 'ed to the floor. did you ever see a bed fastened like that before?" "i cannot say that i have." "the', ' the floor. did you ever see a bed fastened like that before?" "i cannot say that i have." "the lady', 'floor. did you ever see a bed fastened like that before?" "i cannot say that i have." "the lady coul', '. did you ever see a bed fastened like that before?" "i cannot say that i have." "the lady could not', ' you ever see a bed fastened like that before?" "i cannot say that i have." "the lady could not move', 'ever see a bed fastened like that before?" "i cannot say that i have." "the lady could not move her ', 'see a bed fastened like that before?" "i cannot say that i have." "the lady could not move her bed. ', ' bed fastened like that before?" "i cannot say that i have." "the lady could not move her bed. it mu', 'fastened like that before?" "i cannot say that i have." "the lady could not move her bed. it must al', 'ned like that before?" "i cannot say that i have." "the lady could not move her bed. it must always ', 'ike that before?" "i cannot say that i have." "the lady could not move her bed. it must always be in', 'hat before?" "i cannot say that i have." "the lady could not move her bed. it must always be in the ', 'efore?" "i cannot say that i have." "the lady could not move her bed. it must always be in the same ', '?" "i cannot say that i have." "the lady could not move her bed. it must always be in the same relat', ' cannot say that i have." "the lady could not move her bed. it must always be in the same relative p', 'ot say that i have." "the lady could not move her bed. it must always be in the same relative positi', 'y that i have." "the lady could not move her bed. it must always be in the same relative position to', 't i have." "the lady could not move her bed. it must always be in the same relative position to the ', 'ave." "the lady could not move her bed. it must always be in the same relative position to the venti', ' "the lady could not move her bed. it must always be in the same relative position to the ventilator', ' lady could not move her bed. it must always be in the same relative position to the ventilator and ', ' could not move her bed. it must always be in the same relative position to the ventilator and to th', 'd not move her bed. it must always be in the same relative position to the ventilator and to the rop', ' move her bed. it must always be in the same relative position to the ventilator and to the ropeor s', ' her bed. it must always be in the same relative position to the ventilator and to the ropeor so we ', 'bed. it must always be in the same relative position to the ventilator and to the ropeor so we may c', 'it must always be in the same relative position to the ventilator and to the ropeor so we may call i', 'st always be in the same relative position to the ventilator and to the ropeor so we may call it, si', 'ways be in the same relative position to the ventilator and to the ropeor so we may call it, since i', 'be in the same relative position to the ventilator and to the ropeor so we may call it, since it was', ' the same relative position to the ventilator and to the ropeor so we may call it, since it was clea', 'same relative position to the ventilator and to the ropeor so we may call it, since it was clearly n', 'relative position to the ventilator and to the ropeor so we may call it, since it was clearly never ', 'ive position to the ventilator and to the ropeor so we may call it, since it was clearly never meant', 'osition to the ventilator and to the ropeor so we may call it, since it was clearly never meant for ', 'on to the ventilator and to the ropeor so we may call it, since it was clearly never meant for a bel', ' the ventilator and to the ropeor so we may call it, since it was clearly never meant for a bell-pul', 'ventilator and to the ropeor so we may call it, since it was clearly never meant for a bell-pull." "', 'lator and to the ropeor so we may call it, since it was clearly never meant for a bell-pull." "holme', ' and to the ropeor so we may call it, since it was clearly never meant for a bell-pull." "holmes," i', 'to the ropeor so we may call it, since it was clearly never meant for a bell-pull." "holmes," i crie', 'e ropeor so we may call it, since it was clearly never meant for a bell-pull." "holmes," i cried, "i', 'eor so we may call it, since it was clearly never meant for a bell-pull." "holmes," i cried, "i seem', 'o we may call it, since it was clearly never meant for a bell-pull." "holmes," i cried, "i seem to s', 'may call it, since it was clearly never meant for a bell-pull." "holmes," i cried, "i seem to see di', 'all it, since it was clearly never meant for a bell-pull." "holmes," i cried, "i seem to see dimly w', 't, since it was clearly never meant for a bell-pull." "holmes," i cried, "i seem to see dimly what y', 'nce it was clearly never meant for a bell-pull." "holmes," i cried, "i seem to see dimly what you ar', 't was clearly never meant for a bell-pull." "holmes," i cried, "i seem to see dimly what you are hin', ' clearly never meant for a bell-pull." "holmes," i cried, "i seem to see dimly what you are hinting ', 'rly never meant for a bell-pull." "holmes," i cried, "i seem to see dimly what you are hinting at. w', 'ever meant for a bell-pull." "holmes," i cried, "i seem to see dimly what you are hinting at. we are', 'meant for a bell-pull." "holmes," i cried, "i seem to see dimly what you are hinting at. we are only', ' for a bell-pull." "holmes," i cried, "i seem to see dimly what you are hinting at. we are only just', 'a bell-pull." "holmes," i cried, "i seem to see dimly what you are hinting at. we are only just in t', 'l-pull." "holmes," i cried, "i seem to see dimly what you are hinting at. we are only just in time t', 'l." "holmes," i cried, "i seem to see dimly what you are hinting at. we are only just in time to pre', 'holmes," i cried, "i seem to see dimly what you are hinting at. we are only just in time to prevent ', 's," i cried, "i seem to see dimly what you are hinting at. we are only just in time to prevent some ', ' cried, "i seem to see dimly what you are hinting at. we are only just in time to prevent some subtl', 'd, "i seem to see dimly what you are hinting at. we are only just in time to prevent some subtle and', ' seem to see dimly what you are hinting at. we are only just in time to prevent some subtle and horr', ' to see dimly what you are hinting at. we are only just in time to prevent some subtle and horrible ', 'ee dimly what you are hinting at. we are only just in time to prevent some subtle and horrible crime', 'mly what you are hinting at. we are only just in time to prevent some subtle and horrible crime." "s', 'hat you are hinting at. we are only just in time to prevent some subtle and horrible crime." "subtle', 'ou are hinting at. we are only just in time to prevent some subtle and horrible crime." "subtle enou', 'e hinting at. we are only just in time to prevent some subtle and horrible crime." "subtle enough an', 'ting at. we are only just in time to prevent some subtle and horrible crime." "subtle enough and hor', 'at. we are only just in time to prevent some subtle and horrible crime." "subtle enough and horrible', 'e are only just in time to prevent some subtle and horrible crime." "subtle enough and horrible enou', ' only just in time to prevent some subtle and horrible crime." "subtle enough and horrible enough. w', ' just in time to prevent some subtle and horrible crime." "subtle enough and horrible enough. when a', ' in time to prevent some subtle and horrible crime." "subtle enough and horrible enough. when a doct', 'ime to prevent some subtle and horrible crime." "subtle enough and horrible enough. when a doctor do', 'o prevent some subtle and horrible crime." "subtle enough and horrible enough. when a doctor does go', 'vent some subtle and horrible crime." "subtle enough and horrible enough. when a doctor does go wron', 'some subtle and horrible crime." "subtle enough and horrible enough. when a doctor does go wrong he ', 'subtle and horrible crime." "subtle enough and horrible enough. when a doctor does go wrong he is th', 'e and horrible crime." "subtle enough and horrible enough. when a doctor does go wrong he is the fir', ' horrible crime." "subtle enough and horrible enough. when a doctor does go wrong he is the first of', 'ible crime." "subtle enough and horrible enough. when a doctor does go wrong he is the first of crim', 'crime." "subtle enough and horrible enough. when a doctor does go wrong he is the first of criminals', '." "subtle enough and horrible enough. when a doctor does go wrong he is the first of criminals. he ', 'ubtle enough and horrible enough. when a doctor does go wrong he is the first of criminals. he has n', ' enough and horrible enough. when a doctor does go wrong he is the first of criminals. he has nerve ', 'gh and horrible enough. when a doctor does go wrong he is the first of criminals. he has nerve and h', 'd horrible enough. when a doctor does go wrong he is the first of criminals. he has nerve and he has', 'rible enough. when a doctor does go wrong he is the first of criminals. he has nerve and he has know', ' enough. when a doctor does go wrong he is the first of criminals. he has nerve and he has knowledge', 'gh. when a doctor does go wrong he is the first of criminals. he has nerve and he has knowledge. pal', 'hen a doctor does go wrong he is the first of criminals. he has nerve and he has knowledge. palmer a', ' doctor does go wrong he is the first of criminals. he has nerve and he has knowledge. palmer and pr', 'or does go wrong he is the first of criminals. he has nerve and he has knowledge. palmer and pritcha', 'es go wrong he is the first of criminals. he has nerve and he has knowledge. palmer and pritchard we', ' wrong he is the first of criminals. he has nerve and he has knowledge. palmer and pritchard were am', 'g he is the first of criminals. he has nerve and he has knowledge. palmer and pritchard were among t', 'is the first of criminals. he has nerve and he has knowledge. palmer and pritchard were among the he', 'e first of criminals. he has nerve and he has knowledge. palmer and pritchard were among the heads o', 'st of criminals. he has nerve and he has knowledge. palmer and pritchard were among the heads of the', ' criminals. he has nerve and he has knowledge. palmer and pritchard were among the heads of their pr', 'inals. he has nerve and he has knowledge. palmer and pritchard were among the heads of their profess', '. he has nerve and he has knowledge. palmer and pritchard were among the heads of their profession. ', 'has nerve and he has knowledge. palmer and pritchard were among the heads of their profession. this ', 'erve and he has knowledge. palmer and pritchard were among the heads of their profession. this man s', 'and he has knowledge. palmer and pritchard were among the heads of their profession. this man strike', 'e has knowledge. palmer and pritchard were among the heads of their profession. this man strikes eve', ' knowledge. palmer and pritchard were among the heads of their profession. this man strikes even dee', 'ledge. palmer and pritchard were among the heads of their profession. this man strikes even deeper, ', '. palmer and pritchard were among the heads of their profession. this man strikes even deeper, but i', 'mer and pritchard were among the heads of their profession. this man strikes even deeper, but i thin', 'nd pritchard were among the heads of their profession. this man strikes even deeper, but i think, wa', 'itchard were among the heads of their profession. this man strikes even deeper, but i think, watson,', 'rd were among the heads of their profession. this man strikes even deeper, but i think, watson, that', 're among the heads of their profession. this man strikes even deeper, but i think, watson, that we s', 'ong the heads of their profession. this man strikes even deeper, but i think, watson, that we shall ', 'he heads of their profession. this man strikes even deeper, but i think, watson, that we shall be ab', 'ads of their profession. this man strikes even deeper, but i think, watson, that we shall be able to', 'f their profession. this man strikes even deeper, but i think, watson, that we shall be able to stri', 'ir profession. this man strikes even deeper, but i think, watson, that we shall be able to strike de', 'ofession. this man strikes even deeper, but i think, watson, that we shall be able to strike deeper ', 'ion. this man strikes even deeper, but i think, watson, that we shall be able to strike deeper still', 'this man strikes even deeper, but i think, watson, that we shall be able to strike deeper still. but', 'man strikes even deeper, but i think, watson, that we shall be able to strike deeper still. but we s', 'trikes even deeper, but i think, watson, that we shall be able to strike deeper still. but we shall ', 's even deeper, but i think, watson, that we shall be able to strike deeper still. but we shall have ', 'n deeper, but i think, watson, that we shall be able to strike deeper still. but we shall have horro', 'per, but i think, watson, that we shall be able to strike deeper still. but we shall have horrors en', 'but i think, watson, that we shall be able to strike deeper still. but we shall have horrors enough ', ' think, watson, that we shall be able to strike deeper still. but we shall have horrors enough befor', 'k, watson, that we shall be able to strike deeper still. but we shall have horrors enough before the', 'tson, that we shall be able to strike deeper still. but we shall have horrors enough before the nigh', ' that we shall be able to strike deeper still. but we shall have horrors enough before the night is ', ' we shall be able to strike deeper still. but we shall have horrors enough before the night is over;', 'hall be able to strike deeper still. but we shall have horrors enough before the night is over; for ', 'be able to strike deeper still. but we shall have horrors enough before the night is over; for goodn', "le to strike deeper still. but we shall have horrors enough before the night is over; for goodness' ", " strike deeper still. but we shall have horrors enough before the night is over; for goodness' sake ", "ke deeper still. but we shall have horrors enough before the night is over; for goodness' sake let u", "eper still. but we shall have horrors enough before the night is over; for goodness' sake let us hav", "still. but we shall have horrors enough before the night is over; for goodness' sake let us have a q", ". but we shall have horrors enough before the night is over; for goodness' sake let us have a quiet ", " we shall have horrors enough before the night is over; for goodness' sake let us have a quiet pipe ", "hall have horrors enough before the night is over; for goodness' sake let us have a quiet pipe and t", "have horrors enough before the night is over; for goodness' sake let us have a quiet pipe and turn o", "horrors enough before the night is over; for goodness' sake let us have a quiet pipe and turn our mi", "rs enough before the night is over; for goodness' sake let us have a quiet pipe and turn our minds f", "ough before the night is over; for goodness' sake let us have a quiet pipe and turn our minds for a ", "before the night is over; for goodness' sake let us have a quiet pipe and turn our minds for a few h", "e the night is over; for goodness' sake let us have a quiet pipe and turn our minds for a few hours ", " night is over; for goodness' sake let us have a quiet pipe and turn our minds for a few hours to so", "t is over; for goodness' sake let us have a quiet pipe and turn our minds for a few hours to somethi", "over; for goodness' sake let us have a quiet pipe and turn our minds for a few hours to something mo", " for goodness' sake let us have a quiet pipe and turn our minds for a few hours to something more ch", "goodness' sake let us have a quiet pipe and turn our minds for a few hours to something more cheerfu", 'ess\' sake let us have a quiet pipe and turn our minds for a few hours to something more cheerful." ', 'sake let us have a quiet pipe and turn our minds for a few hours to something more cheerful." about', 'let us have a quiet pipe and turn our minds for a few hours to something more cheerful." about nine', 's have a quiet pipe and turn our minds for a few hours to something more cheerful." about nine o\'cl', 'e a quiet pipe and turn our minds for a few hours to something more cheerful." about nine o\'clock t', 'uiet pipe and turn our minds for a few hours to something more cheerful." about nine o\'clock the li', 'pipe and turn our minds for a few hours to something more cheerful." about nine o\'clock the light a', 'and turn our minds for a few hours to something more cheerful." about nine o\'clock the light among ', 'urn our minds for a few hours to something more cheerful." about nine o\'clock the light among the t', 'ur minds for a few hours to something more cheerful." about nine o\'clock the light among the trees ', 'nds for a few hours to something more cheerful." about nine o\'clock the light among the trees was e', 'or a few hours to something more cheerful." about nine o\'clock the light among the trees was exting', 'few hours to something more cheerful." about nine o\'clock the light among the trees was extinguishe', 'ours to something more cheerful." about nine o\'clock the light among the trees was extinguished, an', 'to something more cheerful." about nine o\'clock the light among the trees was extinguished, and all', 'mething more cheerful." about nine o\'clock the light among the trees was extinguished, and all was ', 'ng more cheerful." about nine o\'clock the light among the trees was extinguished, and all was dark ', 're cheerful." about nine o\'clock the light among the trees was extinguished, and all was dark in th', 'eerful." about nine o\'clock the light among the trees was extinguished, and all was dark in the dir', 'l." about nine o\'clock the light among the trees was extinguished, and all was dark in the directio', "about nine o'clock the light among the trees was extinguished, and all was dark in the direction of ", " nine o'clock the light among the trees was extinguished, and all was dark in the direction of the m", " o'clock the light among the trees was extinguished, and all was dark in the direction of the manor ", 'ock the light among the trees was extinguished, and all was dark in the direction of the manor house', 'he light among the trees was extinguished, and all was dark in the direction of the manor house. two', 'ght among the trees was extinguished, and all was dark in the direction of the manor house. two hour', 'mong the trees was extinguished, and all was dark in the direction of the manor house. two hours pas', 'the trees was extinguished, and all was dark in the direction of the manor house. two hours passed s', 'rees was extinguished, and all was dark in the direction of the manor house. two hours passed slowly', 'was extinguished, and all was dark in the direction of the manor house. two hours passed slowly away', 'xtinguished, and all was dark in the direction of the manor house. two hours passed slowly away, and', 'uished, and all was dark in the direction of the manor house. two hours passed slowly away, and then', 'd, and all was dark in the direction of the manor house. two hours passed slowly away, and then, sud', 'd all was dark in the direction of the manor house. two hours passed slowly away, and then, suddenly', ' was dark in the direction of the manor house. two hours passed slowly away, and then, suddenly, jus', 'dark in the direction of the manor house. two hours passed slowly away, and then, suddenly, just at ', 'in the direction of the manor house. two hours passed slowly away, and then, suddenly, just at the s', 'e direction of the manor house. two hours passed slowly away, and then, suddenly, just at the stroke', 'ection of the manor house. two hours passed slowly away, and then, suddenly, just at the stroke of e', 'n of the manor house. two hours passed slowly away, and then, suddenly, just at the stroke of eleven', 'the manor house. two hours passed slowly away, and then, suddenly, just at the stroke of eleven, a s', 'anor house. two hours passed slowly away, and then, suddenly, just at the stroke of eleven, a single', 'house. two hours passed slowly away, and then, suddenly, just at the stroke of eleven, a single brig', '. two hours passed slowly away, and then, suddenly, just at the stroke of eleven, a single bright li', ' hours passed slowly away, and then, suddenly, just at the stroke of eleven, a single bright light s', 's passed slowly away, and then, suddenly, just at the stroke of eleven, a single bright light shone ', 'sed slowly away, and then, suddenly, just at the stroke of eleven, a single bright light shone out r', 'lowly away, and then, suddenly, just at the stroke of eleven, a single bright light shone out right ', ' away, and then, suddenly, just at the stroke of eleven, a single bright light shone out right in fr', ', and then, suddenly, just at the stroke of eleven, a single bright light shone out right in front o', ' then, suddenly, just at the stroke of eleven, a single bright light shone out right in front of us.', ', suddenly, just at the stroke of eleven, a single bright light shone out right in front of us. "tha', 'denly, just at the stroke of eleven, a single bright light shone out right in front of us. "that is ', ', just at the stroke of eleven, a single bright light shone out right in front of us. "that is our s', 't at the stroke of eleven, a single bright light shone out right in front of us. "that is our signal', 'the stroke of eleven, a single bright light shone out right in front of us. "that is our signal," sa', 'troke of eleven, a single bright light shone out right in front of us. "that is our signal," said ho', ' of eleven, a single bright light shone out right in front of us. "that is our signal," said holmes,', 'leven, a single bright light shone out right in front of us. "that is our signal," said holmes, spri', ', a single bright light shone out right in front of us. "that is our signal," said holmes, springing', 'ingle bright light shone out right in front of us. "that is our signal," said holmes, springing to h', ' bright light shone out right in front of us. "that is our signal," said holmes, springing to his fe', 'ht light shone out right in front of us. "that is our signal," said holmes, springing to his feet; "', 'ght shone out right in front of us. "that is our signal," said holmes, springing to his feet; "it co', 'hone out right in front of us. "that is our signal," said holmes, springing to his feet; "it comes f', 'out right in front of us. "that is our signal," said holmes, springing to his feet; "it comes from t', 'ight in front of us. "that is our signal," said holmes, springing to his feet; "it comes from the mi', 'in front of us. "that is our signal," said holmes, springing to his feet; "it comes from the middle ', 'ont of us. "that is our signal," said holmes, springing to his feet; "it comes from the middle windo', 'f us. "that is our signal," said holmes, springing to his feet; "it comes from the middle window." a', ' "that is our signal," said holmes, springing to his feet; "it comes from the middle window." as we ', 't is our signal," said holmes, springing to his feet; "it comes from the middle window." as we passe', 'our signal," said holmes, springing to his feet; "it comes from the middle window." as we passed out', 'ignal," said holmes, springing to his feet; "it comes from the middle window." as we passed out he e', '," said holmes, springing to his feet; "it comes from the middle window." as we passed out he exchan', 'id holmes, springing to his feet; "it comes from the middle window." as we passed out he exchanged a', 'lmes, springing to his feet; "it comes from the middle window." as we passed out he exchanged a few ', ' springing to his feet; "it comes from the middle window." as we passed out he exchanged a few words', 'nging to his feet; "it comes from the middle window." as we passed out he exchanged a few words with', ' to his feet; "it comes from the middle window." as we passed out he exchanged a few words with the ', 'is feet; "it comes from the middle window." as we passed out he exchanged a few words with the landl', 'et; "it comes from the middle window." as we passed out he exchanged a few words with the landlord, ', 'it comes from the middle window." as we passed out he exchanged a few words with the landlord, expla', 'mes from the middle window." as we passed out he exchanged a few words with the landlord, explaining', 'rom the middle window." as we passed out he exchanged a few words with the landlord, explaining that', 'he middle window." as we passed out he exchanged a few words with the landlord, explaining that we w', 'ddle window." as we passed out he exchanged a few words with the landlord, explaining that we were g', 'window." as we passed out he exchanged a few words with the landlord, explaining that we were going ', 'w." as we passed out he exchanged a few words with the landlord, explaining that we were going on a ', 's we passed out he exchanged a few words with the landlord, explaining that we were going on a late ', 'passed out he exchanged a few words with the landlord, explaining that we were going on a late visit', 'd out he exchanged a few words with the landlord, explaining that we were going on a late visit to a', ' he exchanged a few words with the landlord, explaining that we were going on a late visit to an acq', 'xchanged a few words with the landlord, explaining that we were going on a late visit to an acquaint', 'ged a few words with the landlord, explaining that we were going on a late visit to an acquaintance,', ' few words with the landlord, explaining that we were going on a late visit to an acquaintance, and ', 'words with the landlord, explaining that we were going on a late visit to an acquaintance, and that ', ' with the landlord, explaining that we were going on a late visit to an acquaintance, and that it wa', ' the landlord, explaining that we were going on a late visit to an acquaintance, and that it was pos', 'landlord, explaining that we were going on a late visit to an acquaintance, and that it was possible', 'ord, explaining that we were going on a late visit to an acquaintance, and that it was possible that', 'explaining that we were going on a late visit to an acquaintance, and that it was possible that we m', 'ining that we were going on a late visit to an acquaintance, and that it was possible that we might ', ' that we were going on a late visit to an acquaintance, and that it was possible that we might spend', ' we were going on a late visit to an acquaintance, and that it was possible that we might spend the ', 'ere going on a late visit to an acquaintance, and that it was possible that we might spend the night', 'oing on a late visit to an acquaintance, and that it was possible that we might spend the night ther', 'on a late visit to an acquaintance, and that it was possible that we might spend the night there. a ', 'late visit to an acquaintance, and that it was possible that we might spend the night there. a momen', 'visit to an acquaintance, and that it was possible that we might spend the night there. a moment lat', ' to an acquaintance, and that it was possible that we might spend the night there. a moment later we', 'n acquaintance, and that it was possible that we might spend the night there. a moment later we were', 'uaintance, and that it was possible that we might spend the night there. a moment later we were out ', 'ance, and that it was possible that we might spend the night there. a moment later we were out on th', ' and that it was possible that we might spend the night there. a moment later we were out on the dar', 'that it was possible that we might spend the night there. a moment later we were out on the dark roa', 'it was possible that we might spend the night there. a moment later we were out on the dark road, a ', 's possible that we might spend the night there. a moment later we were out on the dark road, a chill', 'sible that we might spend the night there. a moment later we were out on the dark road, a chill wind', ' that we might spend the night there. a moment later we were out on the dark road, a chill wind blow', ' we might spend the night there. a moment later we were out on the dark road, a chill wind blowing i', 'ight spend the night there. a moment later we were out on the dark road, a chill wind blowing in our', 'spend the night there. a moment later we were out on the dark road, a chill wind blowing in our face', ' the night there. a moment later we were out on the dark road, a chill wind blowing in our faces, an', 'night there. a moment later we were out on the dark road, a chill wind blowing in our faces, and one', ' there. a moment later we were out on the dark road, a chill wind blowing in our faces, and one yell', 'e. a moment later we were out on the dark road, a chill wind blowing in our faces, and one yellow li', 'moment later we were out on the dark road, a chill wind blowing in our faces, and one yellow light t', 't later we were out on the dark road, a chill wind blowing in our faces, and one yellow light twinkl', 'er we were out on the dark road, a chill wind blowing in our faces, and one yellow light twinkling i', ' were out on the dark road, a chill wind blowing in our faces, and one yellow light twinkling in fro', ' out on the dark road, a chill wind blowing in our faces, and one yellow light twinkling in front of', 'on the dark road, a chill wind blowing in our faces, and one yellow light twinkling in front of us t', 'e dark road, a chill wind blowing in our faces, and one yellow light twinkling in front of us throug', 'k road, a chill wind blowing in our faces, and one yellow light twinkling in front of us through the', 'd, a chill wind blowing in our faces, and one yellow light twinkling in front of us through the gloo', 'chill wind blowing in our faces, and one yellow light twinkling in front of us through the gloom to ', ' wind blowing in our faces, and one yellow light twinkling in front of us through the gloom to guide', ' blowing in our faces, and one yellow light twinkling in front of us through the gloom to guide us o', 'ing in our faces, and one yellow light twinkling in front of us through the gloom to guide us on our', 'n our faces, and one yellow light twinkling in front of us through the gloom to guide us on our somb', ' faces, and one yellow light twinkling in front of us through the gloom to guide us on our sombre er', 's, and one yellow light twinkling in front of us through the gloom to guide us on our sombre errand.', 'd one yellow light twinkling in front of us through the gloom to guide us on our sombre errand. ther', ' yellow light twinkling in front of us through the gloom to guide us on our sombre errand. there was', 'ow light twinkling in front of us through the gloom to guide us on our sombre errand. there was litt', 'ght twinkling in front of us through the gloom to guide us on our sombre errand. there was little di', 'winkling in front of us through the gloom to guide us on our sombre errand. there was little difficu', 'ing in front of us through the gloom to guide us on our sombre errand. there was little difficulty i', 'n front of us through the gloom to guide us on our sombre errand. there was little difficulty in ent', 'nt of us through the gloom to guide us on our sombre errand. there was little difficulty in entering', ' us through the gloom to guide us on our sombre errand. there was little difficulty in entering the ', 'hrough the gloom to guide us on our sombre errand. there was little difficulty in entering the groun', 'h the gloom to guide us on our sombre errand. there was little difficulty in entering the grounds, f', ' gloom to guide us on our sombre errand. there was little difficulty in entering the grounds, for un', 'm to guide us on our sombre errand. there was little difficulty in entering the grounds, for unrepai', 'guide us on our sombre errand. there was little difficulty in entering the grounds, for unrepaired b', ' us on our sombre errand. there was little difficulty in entering the grounds, for unrepaired breach', 'n our sombre errand. there was little difficulty in entering the grounds, for unrepaired breaches ga', ' sombre errand. there was little difficulty in entering the grounds, for unrepaired breaches gaped i', 're errand. there was little difficulty in entering the grounds, for unrepaired breaches gaped in the', 'rand. there was little difficulty in entering the grounds, for unrepaired breaches gaped in the old ', ' there was little difficulty in entering the grounds, for unrepaired breaches gaped in the old park ', 'e was little difficulty in entering the grounds, for unrepaired breaches gaped in the old park wall.', ' little difficulty in entering the grounds, for unrepaired breaches gaped in the old park wall. maki', 'le difficulty in entering the grounds, for unrepaired breaches gaped in the old park wall. making ou', 'fficulty in entering the grounds, for unrepaired breaches gaped in the old park wall. making our way', 'lty in entering the grounds, for unrepaired breaches gaped in the old park wall. making our way amon', 'n entering the grounds, for unrepaired breaches gaped in the old park wall. making our way among the', 'ering the grounds, for unrepaired breaches gaped in the old park wall. making our way among the tree', ' the grounds, for unrepaired breaches gaped in the old park wall. making our way among the trees, we', 'grounds, for unrepaired breaches gaped in the old park wall. making our way among the trees, we reac', 'ds, for unrepaired breaches gaped in the old park wall. making our way among the trees, we reached t', 'or unrepaired breaches gaped in the old park wall. making our way among the trees, we reached the la', 'repaired breaches gaped in the old park wall. making our way among the trees, we reached the lawn, c', 'red breaches gaped in the old park wall. making our way among the trees, we reached the lawn, crosse', 'reaches gaped in the old park wall. making our way among the trees, we reached the lawn, crossed it,', 'es gaped in the old park wall. making our way among the trees, we reached the lawn, crossed it, and ', 'ped in the old park wall. making our way among the trees, we reached the lawn, crossed it, and were ', 'n the old park wall. making our way among the trees, we reached the lawn, crossed it, and were about', ' old park wall. making our way among the trees, we reached the lawn, crossed it, and were about to e', 'park wall. making our way among the trees, we reached the lawn, crossed it, and were about to enter ', 'wall. making our way among the trees, we reached the lawn, crossed it, and were about to enter throu', ' making our way among the trees, we reached the lawn, crossed it, and were about to enter through th', 'ng our way among the trees, we reached the lawn, crossed it, and were about to enter through the win', 'r way among the trees, we reached the lawn, crossed it, and were about to enter through the window w', ' among the trees, we reached the lawn, crossed it, and were about to enter through the window when o', 'g the trees, we reached the lawn, crossed it, and were about to enter through the window when out fr', ' trees, we reached the lawn, crossed it, and were about to enter through the window when out from a ', 's, we reached the lawn, crossed it, and were about to enter through the window when out from a clump', ' reached the lawn, crossed it, and were about to enter through the window when out from a clump of l', 'hed the lawn, crossed it, and were about to enter through the window when out from a clump of laurel', 'he lawn, crossed it, and were about to enter through the window when out from a clump of laurel bush', 'wn, crossed it, and were about to enter through the window when out from a clump of laurel bushes th', 'rossed it, and were about to enter through the window when out from a clump of laurel bushes there d', 'd it, and were about to enter through the window when out from a clump of laurel bushes there darted', ' and were about to enter through the window when out from a clump of laurel bushes there darted what', 'were about to enter through the window when out from a clump of laurel bushes there darted what seem', 'about to enter through the window when out from a clump of laurel bushes there darted what seemed to', ' to enter through the window when out from a clump of laurel bushes there darted what seemed to be a', 'nter through the window when out from a clump of laurel bushes there darted what seemed to be a hide', 'through the window when out from a clump of laurel bushes there darted what seemed to be a hideous a', 'gh the window when out from a clump of laurel bushes there darted what seemed to be a hideous and di', 'e window when out from a clump of laurel bushes there darted what seemed to be a hideous and distort', 'dow when out from a clump of laurel bushes there darted what seemed to be a hideous and distorted ch', 'hen out from a clump of laurel bushes there darted what seemed to be a hideous and distorted child, ', 'ut from a clump of laurel bushes there darted what seemed to be a hideous and distorted child, who t', 'om a clump of laurel bushes there darted what seemed to be a hideous and distorted child, who threw ', 'clump of laurel bushes there darted what seemed to be a hideous and distorted child, who threw itsel', ' of laurel bushes there darted what seemed to be a hideous and distorted child, who threw itself upo', 'aurel bushes there darted what seemed to be a hideous and distorted child, who threw itself upon the', ' bushes there darted what seemed to be a hideous and distorted child, who threw itself upon the gras', 'es there darted what seemed to be a hideous and distorted child, who threw itself upon the grass wit', 'ere darted what seemed to be a hideous and distorted child, who threw itself upon the grass with wri', 'arted what seemed to be a hideous and distorted child, who threw itself upon the grass with writhing', ' what seemed to be a hideous and distorted child, who threw itself upon the grass with writhing limb', ' seemed to be a hideous and distorted child, who threw itself upon the grass with writhing limbs and', 'ed to be a hideous and distorted child, who threw itself upon the grass with writhing limbs and then', ' be a hideous and distorted child, who threw itself upon the grass with writhing limbs and then ran ', ' hideous and distorted child, who threw itself upon the grass with writhing limbs and then ran swift', 'ous and distorted child, who threw itself upon the grass with writhing limbs and then ran swiftly ac', 'nd distorted child, who threw itself upon the grass with writhing limbs and then ran swiftly across ', 'storted child, who threw itself upon the grass with writhing limbs and then ran swiftly across the l', 'ed child, who threw itself upon the grass with writhing limbs and then ran swiftly across the lawn i', 'ild, who threw itself upon the grass with writhing limbs and then ran swiftly across the lawn into t', 'who threw itself upon the grass with writhing limbs and then ran swiftly across the lawn into the da', 'hrew itself upon the grass with writhing limbs and then ran swiftly across the lawn into the darknes', 'itself upon the grass with writhing limbs and then ran swiftly across the lawn into the darkness. "m', 'f upon the grass with writhing limbs and then ran swiftly across the lawn into the darkness. "my god', 'n the grass with writhing limbs and then ran swiftly across the lawn into the darkness. "my god i wh', ' grass with writhing limbs and then ran swiftly across the lawn into the darkness. "my god i whisper', 's with writhing limbs and then ran swiftly across the lawn into the darkness. "my god i whispered; "', 'h writhing limbs and then ran swiftly across the lawn into the darkness. "my god i whispered; "did y', 'thing limbs and then ran swiftly across the lawn into the darkness. "my god i whispered; "did you se', ' limbs and then ran swiftly across the lawn into the darkness. "my god i whispered; "did you see it?', 's and then ran swiftly across the lawn into the darkness. "my god i whispered; "did you see it?" hol', ' then ran swiftly across the lawn into the darkness. "my god i whispered; "did you see it?" holmes w', ' ran swiftly across the lawn into the darkness. "my god i whispered; "did you see it?" holmes was fo', 'swiftly across the lawn into the darkness. "my god i whispered; "did you see it?" holmes was for the', 'ly across the lawn into the darkness. "my god i whispered; "did you see it?" holmes was for the mome', 'ross the lawn into the darkness. "my god i whispered; "did you see it?" holmes was for the moment as', 'the lawn into the darkness. "my god i whispered; "did you see it?" holmes was for the moment as star', 'awn into the darkness. "my god i whispered; "did you see it?" holmes was for the moment as startled ', 'nto the darkness. "my god i whispered; "did you see it?" holmes was for the moment as startled as i.', 'he darkness. "my god i whispered; "did you see it?" holmes was for the moment as startled as i. his ', 'rkness. "my god i whispered; "did you see it?" holmes was for the moment as startled as i. his hand ', 's. "my god i whispered; "did you see it?" holmes was for the moment as startled as i. his hand close', 'y god i whispered; "did you see it?" holmes was for the moment as startled as i. his hand closed lik', ' i whispered; "did you see it?" holmes was for the moment as startled as i. his hand closed like a v', 'ispered; "did you see it?" holmes was for the moment as startled as i. his hand closed like a vice u', 'ed; "did you see it?" holmes was for the moment as startled as i. his hand closed like a vice upon m', 'did you see it?" holmes was for the moment as startled as i. his hand closed like a vice upon my wri', 'ou see it?" holmes was for the moment as startled as i. his hand closed like a vice upon my wrist in', 'e it?" holmes was for the moment as startled as i. his hand closed like a vice upon my wrist in his ', '" holmes was for the moment as startled as i. his hand closed like a vice upon my wrist in his agita', 'mes was for the moment as startled as i. his hand closed like a vice upon my wrist in his agitation.', 'as for the moment as startled as i. his hand closed like a vice upon my wrist in his agitation. then', 'r the moment as startled as i. his hand closed like a vice upon my wrist in his agitation. then he b', ' moment as startled as i. his hand closed like a vice upon my wrist in his agitation. then he broke ', 'nt as startled as i. his hand closed like a vice upon my wrist in his agitation. then he broke into ', ' startled as i. his hand closed like a vice upon my wrist in his agitation. then he broke into a low', 'tled as i. his hand closed like a vice upon my wrist in his agitation. then he broke into a low laug', 'as i. his hand closed like a vice upon my wrist in his agitation. then he broke into a low laugh and', ' his hand closed like a vice upon my wrist in his agitation. then he broke into a low laugh and put ', 'hand closed like a vice upon my wrist in his agitation. then he broke into a low laugh and put his l', 'closed like a vice upon my wrist in his agitation. then he broke into a low laugh and put his lips t', 'd like a vice upon my wrist in his agitation. then he broke into a low laugh and put his lips to my ', 'e a vice upon my wrist in his agitation. then he broke into a low laugh and put his lips to my ear. ', 'ice upon my wrist in his agitation. then he broke into a low laugh and put his lips to my ear. "it i', 'pon my wrist in his agitation. then he broke into a low laugh and put his lips to my ear. "it is a n', 'y wrist in his agitation. then he broke into a low laugh and put his lips to my ear. "it is a nice h', 'st in his agitation. then he broke into a low laugh and put his lips to my ear. "it is a nice househ', ' his agitation. then he broke into a low laugh and put his lips to my ear. "it is a nice household,"', 'agitation. then he broke into a low laugh and put his lips to my ear. "it is a nice household," he m', 'tion. then he broke into a low laugh and put his lips to my ear. "it is a nice household," he murmur', ' then he broke into a low laugh and put his lips to my ear. "it is a nice household," he murmured. "', ' he broke into a low laugh and put his lips to my ear. "it is a nice household," he murmured. "that ', 'roke into a low laugh and put his lips to my ear. "it is a nice household," he murmured. "that is th', 'into a low laugh and put his lips to my ear. "it is a nice household," he murmured. "that is the bab', 'a low laugh and put his lips to my ear. "it is a nice household," he murmured. "that is the baboon."', ' laugh and put his lips to my ear. "it is a nice household," he murmured. "that is the baboon." i ha', 'h and put his lips to my ear. "it is a nice household," he murmured. "that is the baboon." i had for', ' put his lips to my ear. "it is a nice household," he murmured. "that is the baboon." i had forgotte', 'his lips to my ear. "it is a nice household," he murmured. "that is the baboon." i had forgotten the', 'ips to my ear. "it is a nice household," he murmured. "that is the baboon." i had forgotten the stra', 'o my ear. "it is a nice household," he murmured. "that is the baboon." i had forgotten the strange p', 'ear. "it is a nice household," he murmured. "that is the baboon." i had forgotten the strange pets w', '"it is a nice household," he murmured. "that is the baboon." i had forgotten the strange pets which ', 's a nice household," he murmured. "that is the baboon." i had forgotten the strange pets which the d', 'ice household," he murmured. "that is the baboon." i had forgotten the strange pets which the doctor', 'ousehold," he murmured. "that is the baboon." i had forgotten the strange pets which the doctor affe', 'old," he murmured. "that is the baboon." i had forgotten the strange pets which the doctor affected.', ' he murmured. "that is the baboon." i had forgotten the strange pets which the doctor affected. ther', 'urmured. "that is the baboon." i had forgotten the strange pets which the doctor affected. there was', 'ed. "that is the baboon." i had forgotten the strange pets which the doctor affected. there was a ch', 'that is the baboon." i had forgotten the strange pets which the doctor affected. there was a cheetah', 'is the baboon." i had forgotten the strange pets which the doctor affected. there was a cheetah, too', 'e baboon." i had forgotten the strange pets which the doctor affected. there was a cheetah, too; per', 'oon." i had forgotten the strange pets which the doctor affected. there was a cheetah, too; perhaps ', ' i had forgotten the strange pets which the doctor affected. there was a cheetah, too; perhaps we mi', 'd forgotten the strange pets which the doctor affected. there was a cheetah, too; perhaps we might f', 'gotten the strange pets which the doctor affected. there was a cheetah, too; perhaps we might find i', 'n the strange pets which the doctor affected. there was a cheetah, too; perhaps we might find it upo', ' strange pets which the doctor affected. there was a cheetah, too; perhaps we might find it upon our', 'nge pets which the doctor affected. there was a cheetah, too; perhaps we might find it upon our shou', 'ets which the doctor affected. there was a cheetah, too; perhaps we might find it upon our shoulders', 'hich the doctor affected. there was a cheetah, too; perhaps we might find it upon our shoulders at a', 'the doctor affected. there was a cheetah, too; perhaps we might find it upon our shoulders at any mo', 'octor affected. there was a cheetah, too; perhaps we might find it upon our shoulders at any moment.', ' affected. there was a cheetah, too; perhaps we might find it upon our shoulders at any moment. i co', 'cted. there was a cheetah, too; perhaps we might find it upon our shoulders at any moment. i confess', ' there was a cheetah, too; perhaps we might find it upon our shoulders at any moment. i confess that', 'e was a cheetah, too; perhaps we might find it upon our shoulders at any moment. i confess that i fe', ' a cheetah, too; perhaps we might find it upon our shoulders at any moment. i confess that i felt ea', 'eetah, too; perhaps we might find it upon our shoulders at any moment. i confess that i felt easier ', ', too; perhaps we might find it upon our shoulders at any moment. i confess that i felt easier in my', '; perhaps we might find it upon our shoulders at any moment. i confess that i felt easier in my mind', 'haps we might find it upon our shoulders at any moment. i confess that i felt easier in my mind when', 'we might find it upon our shoulders at any moment. i confess that i felt easier in my mind when, aft', 'ght find it upon our shoulders at any moment. i confess that i felt easier in my mind when, after fo', 'ind it upon our shoulders at any moment. i confess that i felt easier in my mind when, after followi', 't upon our shoulders at any moment. i confess that i felt easier in my mind when, after following ho', "n our shoulders at any moment. i confess that i felt easier in my mind when, after following holmes'", " shoulders at any moment. i confess that i felt easier in my mind when, after following holmes' exam", "lders at any moment. i confess that i felt easier in my mind when, after following holmes' example a", " at any moment. i confess that i felt easier in my mind when, after following holmes' example and sl", "ny moment. i confess that i felt easier in my mind when, after following holmes' example and slippin", "ment. i confess that i felt easier in my mind when, after following holmes' example and slipping off", " i confess that i felt easier in my mind when, after following holmes' example and slipping off my s", "nfess that i felt easier in my mind when, after following holmes' example and slipping off my shoes,", " that i felt easier in my mind when, after following holmes' example and slipping off my shoes, i fo", " i felt easier in my mind when, after following holmes' example and slipping off my shoes, i found m", "lt easier in my mind when, after following holmes' example and slipping off my shoes, i found myself", "sier in my mind when, after following holmes' example and slipping off my shoes, i found myself insi", "in my mind when, after following holmes' example and slipping off my shoes, i found myself inside th", " mind when, after following holmes' example and slipping off my shoes, i found myself inside the bed", " when, after following holmes' example and slipping off my shoes, i found myself inside the bedroom.", ", after following holmes' example and slipping off my shoes, i found myself inside the bedroom. my c", "er following holmes' example and slipping off my shoes, i found myself inside the bedroom. my compan", "llowing holmes' example and slipping off my shoes, i found myself inside the bedroom. my companion n", "ng holmes' example and slipping off my shoes, i found myself inside the bedroom. my companion noisel", "lmes' example and slipping off my shoes, i found myself inside the bedroom. my companion noiselessly", ' example and slipping off my shoes, i found myself inside the bedroom. my companion noiselessly clos', 'ple and slipping off my shoes, i found myself inside the bedroom. my companion noiselessly closed th', 'nd slipping off my shoes, i found myself inside the bedroom. my companion noiselessly closed the shu', 'ipping off my shoes, i found myself inside the bedroom. my companion noiselessly closed the shutters', 'g off my shoes, i found myself inside the bedroom. my companion noiselessly closed the shutters, mov', ' my shoes, i found myself inside the bedroom. my companion noiselessly closed the shutters, moved th', 'hoes, i found myself inside the bedroom. my companion noiselessly closed the shutters, moved the lam', ' i found myself inside the bedroom. my companion noiselessly closed the shutters, moved the lamp ont', 'und myself inside the bedroom. my companion noiselessly closed the shutters, moved the lamp onto the', 'yself inside the bedroom. my companion noiselessly closed the shutters, moved the lamp onto the tabl', ' inside the bedroom. my companion noiselessly closed the shutters, moved the lamp onto the table, an', 'de the bedroom. my companion noiselessly closed the shutters, moved the lamp onto the table, and cas', 'e bedroom. my companion noiselessly closed the shutters, moved the lamp onto the table, and cast his', 'room. my companion noiselessly closed the shutters, moved the lamp onto the table, and cast his eyes', ' my companion noiselessly closed the shutters, moved the lamp onto the table, and cast his eyes roun', 'ompanion noiselessly closed the shutters, moved the lamp onto the table, and cast his eyes round the', 'ion noiselessly closed the shutters, moved the lamp onto the table, and cast his eyes round the room', 'oiselessly closed the shutters, moved the lamp onto the table, and cast his eyes round the room. all', 'essly closed the shutters, moved the lamp onto the table, and cast his eyes round the room. all was ', ' closed the shutters, moved the lamp onto the table, and cast his eyes round the room. all was as we', 'ed the shutters, moved the lamp onto the table, and cast his eyes round the room. all was as we had ', 'e shutters, moved the lamp onto the table, and cast his eyes round the room. all was as we had seen ', 'tters, moved the lamp onto the table, and cast his eyes round the room. all was as we had seen it in', ', moved the lamp onto the table, and cast his eyes round the room. all was as we had seen it in the ', 'ed the lamp onto the table, and cast his eyes round the room. all was as we had seen it in the dayti', 'e lamp onto the table, and cast his eyes round the room. all was as we had seen it in the daytime. t', 'p onto the table, and cast his eyes round the room. all was as we had seen it in the daytime. then c', 'o the table, and cast his eyes round the room. all was as we had seen it in the daytime. then creepi', ' table, and cast his eyes round the room. all was as we had seen it in the daytime. then creeping up', 'e, and cast his eyes round the room. all was as we had seen it in the daytime. then creeping up to m', 'd cast his eyes round the room. all was as we had seen it in the daytime. then creeping up to me and', 't his eyes round the room. all was as we had seen it in the daytime. then creeping up to me and maki', ' eyes round the room. all was as we had seen it in the daytime. then creeping up to me and making a ', ' round the room. all was as we had seen it in the daytime. then creeping up to me and making a trump', 'd the room. all was as we had seen it in the daytime. then creeping up to me and making a trumpet of', ' room. all was as we had seen it in the daytime. then creeping up to me and making a trumpet of his ', '. all was as we had seen it in the daytime. then creeping up to me and making a trumpet of his hand,', ' was as we had seen it in the daytime. then creeping up to me and making a trumpet of his hand, he w', 'as we had seen it in the daytime. then creeping up to me and making a trumpet of his hand, he whispe', ' had seen it in the daytime. then creeping up to me and making a trumpet of his hand, he whispered i', 'seen it in the daytime. then creeping up to me and making a trumpet of his hand, he whispered into m', 'it in the daytime. then creeping up to me and making a trumpet of his hand, he whispered into my ear', ' the daytime. then creeping up to me and making a trumpet of his hand, he whispered into my ear agai', 'daytime. then creeping up to me and making a trumpet of his hand, he whispered into my ear again so ', 'me. then creeping up to me and making a trumpet of his hand, he whispered into my ear again so gentl', 'hen creeping up to me and making a trumpet of his hand, he whispered into my ear again so gently tha', 'reeping up to me and making a trumpet of his hand, he whispered into my ear again so gently that it ', 'ng up to me and making a trumpet of his hand, he whispered into my ear again so gently that it was a', ' to me and making a trumpet of his hand, he whispered into my ear again so gently that it was all th', 'e and making a trumpet of his hand, he whispered into my ear again so gently that it was all that i ', ' making a trumpet of his hand, he whispered into my ear again so gently that it was all that i could', 'ng a trumpet of his hand, he whispered into my ear again so gently that it was all that i could do t', 'trumpet of his hand, he whispered into my ear again so gently that it was all that i could do to dis', 'et of his hand, he whispered into my ear again so gently that it was all that i could do to distingu', ' his hand, he whispered into my ear again so gently that it was all that i could do to distinguish t', 'hand, he whispered into my ear again so gently that it was all that i could do to distinguish the wo', ' he whispered into my ear again so gently that it was all that i could do to distinguish the words: ', 'hispered into my ear again so gently that it was all that i could do to distinguish the words: "the ', 'red into my ear again so gently that it was all that i could do to distinguish the words: "the least', 'nto my ear again so gently that it was all that i could do to distinguish the words: "the least soun', 'y ear again so gently that it was all that i could do to distinguish the words: "the least sound wou', ' again so gently that it was all that i could do to distinguish the words: "the least sound would be', 'n so gently that it was all that i could do to distinguish the words: "the least sound would be fata', 'gently that it was all that i could do to distinguish the words: "the least sound would be fatal to ', 'y that it was all that i could do to distinguish the words: "the least sound would be fatal to our p', 't it was all that i could do to distinguish the words: "the least sound would be fatal to our plans.', 'was all that i could do to distinguish the words: "the least sound would be fatal to our plans." i n', 'll that i could do to distinguish the words: "the least sound would be fatal to our plans." i nodded', 'at i could do to distinguish the words: "the least sound would be fatal to our plans." i nodded to s', 'could do to distinguish the words: "the least sound would be fatal to our plans." i nodded to show t', ' do to distinguish the words: "the least sound would be fatal to our plans." i nodded to show that i', 'o distinguish the words: "the least sound would be fatal to our plans." i nodded to show that i had ', 'tinguish the words: "the least sound would be fatal to our plans." i nodded to show that i had heard', 'ish the words: "the least sound would be fatal to our plans." i nodded to show that i had heard. "we', 'he words: "the least sound would be fatal to our plans." i nodded to show that i had heard. "we must', 'rds: "the least sound would be fatal to our plans." i nodded to show that i had heard. "we must sit ', '"the least sound would be fatal to our plans." i nodded to show that i had heard. "we must sit witho', 'least sound would be fatal to our plans." i nodded to show that i had heard. "we must sit without li', ' sound would be fatal to our plans." i nodded to show that i had heard. "we must sit without light. ', 'd would be fatal to our plans." i nodded to show that i had heard. "we must sit without light. he wo', 'ld be fatal to our plans." i nodded to show that i had heard. "we must sit without light. he would s', ' fatal to our plans." i nodded to show that i had heard. "we must sit without light. he would see it', 'l to our plans." i nodded to show that i had heard. "we must sit without light. he would see it thro', 'our plans." i nodded to show that i had heard. "we must sit without light. he would see it through t', 'lans." i nodded to show that i had heard. "we must sit without light. he would see it through the ve', '" i nodded to show that i had heard. "we must sit without light. he would see it through the ventila', 'odded to show that i had heard. "we must sit without light. he would see it through the ventilator."', ' to show that i had heard. "we must sit without light. he would see it through the ventilator." i no', 'how that i had heard. "we must sit without light. he would see it through the ventilator." i nodded ', 'hat i had heard. "we must sit without light. he would see it through the ventilator." i nodded again', ' had heard. "we must sit without light. he would see it through the ventilator." i nodded again. "do', 'heard. "we must sit without light. he would see it through the ventilator." i nodded again. "do not ', '. "we must sit without light. he would see it through the ventilator." i nodded again. "do not go as', ' must sit without light. he would see it through the ventilator." i nodded again. "do not go asleep;', ' sit without light. he would see it through the ventilator." i nodded again. "do not go asleep; your', 'without light. he would see it through the ventilator." i nodded again. "do not go asleep; your very', 'ut light. he would see it through the ventilator." i nodded again. "do not go asleep; your very life', 'ght. he would see it through the ventilator." i nodded again. "do not go asleep; your very life may ', 'he would see it through the ventilator." i nodded again. "do not go asleep; your very life may depen', 'uld see it through the ventilator." i nodded again. "do not go asleep; your very life may depend upo', 'ee it through the ventilator." i nodded again. "do not go asleep; your very life may depend upon it.', ' through the ventilator." i nodded again. "do not go asleep; your very life may depend upon it. have', 'ugh the ventilator." i nodded again. "do not go asleep; your very life may depend upon it. have your', 'he ventilator." i nodded again. "do not go asleep; your very life may depend upon it. have your pist', 'ntilator." i nodded again. "do not go asleep; your very life may depend upon it. have your pistol re', 'tor." i nodded again. "do not go asleep; your very life may depend upon it. have your pistol ready i', ' i nodded again. "do not go asleep; your very life may depend upon it. have your pistol ready in cas', 'dded again. "do not go asleep; your very life may depend upon it. have your pistol ready in case we ', 'again. "do not go asleep; your very life may depend upon it. have your pistol ready in case we shoul', '. "do not go asleep; your very life may depend upon it. have your pistol ready in case we should nee', ' not go asleep; your very life may depend upon it. have your pistol ready in case we should need it.', 'go asleep; your very life may depend upon it. have your pistol ready in case we should need it. i wi', 'leep; your very life may depend upon it. have your pistol ready in case we should need it. i will si', ' your very life may depend upon it. have your pistol ready in case we should need it. i will sit on ', ' very life may depend upon it. have your pistol ready in case we should need it. i will sit on the s', ' life may depend upon it. have your pistol ready in case we should need it. i will sit on the side o', ' may depend upon it. have your pistol ready in case we should need it. i will sit on the side of the', 'depend upon it. have your pistol ready in case we should need it. i will sit on the side of the bed,', 'd upon it. have your pistol ready in case we should need it. i will sit on the side of the bed, and ', 'n it. have your pistol ready in case we should need it. i will sit on the side of the bed, and you i', ' have your pistol ready in case we should need it. i will sit on the side of the bed, and you in tha', ' your pistol ready in case we should need it. i will sit on the side of the bed, and you in that cha', ' pistol ready in case we should need it. i will sit on the side of the bed, and you in that chair." ', 'ol ready in case we should need it. i will sit on the side of the bed, and you in that chair." i too', 'ady in case we should need it. i will sit on the side of the bed, and you in that chair." i took out', 'n case we should need it. i will sit on the side of the bed, and you in that chair." i took out my r', 'e we should need it. i will sit on the side of the bed, and you in that chair." i took out my revolv', 'should need it. i will sit on the side of the bed, and you in that chair." i took out my revolver an', 'd need it. i will sit on the side of the bed, and you in that chair." i took out my revolver and lai', 'd it. i will sit on the side of the bed, and you in that chair." i took out my revolver and laid it ', ' i will sit on the side of the bed, and you in that chair." i took out my revolver and laid it on th', 'll sit on the side of the bed, and you in that chair." i took out my revolver and laid it on the cor', 't on the side of the bed, and you in that chair." i took out my revolver and laid it on the corner o', 'the side of the bed, and you in that chair." i took out my revolver and laid it on the corner of the', 'ide of the bed, and you in that chair." i took out my revolver and laid it on the corner of the tabl', 'f the bed, and you in that chair." i took out my revolver and laid it on the corner of the table. ho', ' bed, and you in that chair." i took out my revolver and laid it on the corner of the table. holmes ', ' and you in that chair." i took out my revolver and laid it on the corner of the table. holmes had b', 'you in that chair." i took out my revolver and laid it on the corner of the table. holmes had brough', 'n that chair." i took out my revolver and laid it on the corner of the table. holmes had brought up ', 't chair." i took out my revolver and laid it on the corner of the table. holmes had brought up a lon', 'ir." i took out my revolver and laid it on the corner of the table. holmes had brought up a long thi', 'i took out my revolver and laid it on the corner of the table. holmes had brought up a long thin can', 'k out my revolver and laid it on the corner of the table. holmes had brought up a long thin cane, an', ' my revolver and laid it on the corner of the table. holmes had brought up a long thin cane, and thi', 'evolver and laid it on the corner of the table. holmes had brought up a long thin cane, and this he ', 'er and laid it on the corner of the table. holmes had brought up a long thin cane, and this he place', 'd laid it on the corner of the table. holmes had brought up a long thin cane, and this he placed upo', 'd it on the corner of the table. holmes had brought up a long thin cane, and this he placed upon the', 'on the corner of the table. holmes had brought up a long thin cane, and this he placed upon the bed ', 'e corner of the table. holmes had brought up a long thin cane, and this he placed upon the bed besid', 'ner of the table. holmes had brought up a long thin cane, and this he placed upon the bed beside him', 'f the table. holmes had brought up a long thin cane, and this he placed upon the bed beside him. by ', ' table. holmes had brought up a long thin cane, and this he placed upon the bed beside him. by it he', 'e. holmes had brought up a long thin cane, and this he placed upon the bed beside him. by it he laid', 'lmes had brought up a long thin cane, and this he placed upon the bed beside him. by it he laid the ', 'had brought up a long thin cane, and this he placed upon the bed beside him. by it he laid the box o', 'rought up a long thin cane, and this he placed upon the bed beside him. by it he laid the box of mat', 't up a long thin cane, and this he placed upon the bed beside him. by it he laid the box of matches ', 'a long thin cane, and this he placed upon the bed beside him. by it he laid the box of matches and t', 'g thin cane, and this he placed upon the bed beside him. by it he laid the box of matches and the st', 'n cane, and this he placed upon the bed beside him. by it he laid the box of matches and the stump o', 'e, and this he placed upon the bed beside him. by it he laid the box of matches and the stump of a c', 'd this he placed upon the bed beside him. by it he laid the box of matches and the stump of a candle', 's he placed upon the bed beside him. by it he laid the box of matches and the stump of a candle. the', 'placed upon the bed beside him. by it he laid the box of matches and the stump of a candle. then he ', 'd upon the bed beside him. by it he laid the box of matches and the stump of a candle. then he turne', 'n the bed beside him. by it he laid the box of matches and the stump of a candle. then he turned dow', ' bed beside him. by it he laid the box of matches and the stump of a candle. then he turned down the', 'beside him. by it he laid the box of matches and the stump of a candle. then he turned down the lamp', 'e him. by it he laid the box of matches and the stump of a candle. then he turned down the lamp, and', '. by it he laid the box of matches and the stump of a candle. then he turned down the lamp, and we w', 'it he laid the box of matches and the stump of a candle. then he turned down the lamp, and we were l', ' laid the box of matches and the stump of a candle. then he turned down the lamp, and we were left i', ' the box of matches and the stump of a candle. then he turned down the lamp, and we were left in dar', 'box of matches and the stump of a candle. then he turned down the lamp, and we were left in darkness', 'f matches and the stump of a candle. then he turned down the lamp, and we were left in darkness. how', 'ches and the stump of a candle. then he turned down the lamp, and we were left in darkness. how shal', 'and the stump of a candle. then he turned down the lamp, and we were left in darkness. how shall i e', 'he stump of a candle. then he turned down the lamp, and we were left in darkness. how shall i ever f', 'ump of a candle. then he turned down the lamp, and we were left in darkness. how shall i ever forget', 'f a candle. then he turned down the lamp, and we were left in darkness. how shall i ever forget that', 'andle. then he turned down the lamp, and we were left in darkness. how shall i ever forget that drea', '. then he turned down the lamp, and we were left in darkness. how shall i ever forget that dreadful ', 'n he turned down the lamp, and we were left in darkness. how shall i ever forget that dreadful vigil', 'turned down the lamp, and we were left in darkness. how shall i ever forget that dreadful vigil? i c', 'd down the lamp, and we were left in darkness. how shall i ever forget that dreadful vigil? i could ', 'n the lamp, and we were left in darkness. how shall i ever forget that dreadful vigil? i could not h', ' lamp, and we were left in darkness. how shall i ever forget that dreadful vigil? i could not hear a', ', and we were left in darkness. how shall i ever forget that dreadful vigil? i could not hear a soun', ' we were left in darkness. how shall i ever forget that dreadful vigil? i could not hear a sound, no', 'ere left in darkness. how shall i ever forget that dreadful vigil? i could not hear a sound, not eve', 'eft in darkness. how shall i ever forget that dreadful vigil? i could not hear a sound, not even the', 'n darkness. how shall i ever forget that dreadful vigil? i could not hear a sound, not even the draw', 'kness. how shall i ever forget that dreadful vigil? i could not hear a sound, not even the drawing o', '. how shall i ever forget that dreadful vigil? i could not hear a sound, not even the drawing of a b', ' shall i ever forget that dreadful vigil? i could not hear a sound, not even the drawing of a breath', 'l i ever forget that dreadful vigil? i could not hear a sound, not even the drawing of a breath, and', 'ver forget that dreadful vigil? i could not hear a sound, not even the drawing of a breath, and yet ', 'orget that dreadful vigil? i could not hear a sound, not even the drawing of a breath, and yet i kne', ' that dreadful vigil? i could not hear a sound, not even the drawing of a breath, and yet i knew tha', ' dreadful vigil? i could not hear a sound, not even the drawing of a breath, and yet i knew that my ', 'dful vigil? i could not hear a sound, not even the drawing of a breath, and yet i knew that my compa', 'vigil? i could not hear a sound, not even the drawing of a breath, and yet i knew that my companion ', '? i could not hear a sound, not even the drawing of a breath, and yet i knew that my companion sat o', 'ould not hear a sound, not even the drawing of a breath, and yet i knew that my companion sat open-e', 'not hear a sound, not even the drawing of a breath, and yet i knew that my companion sat open-eyed, ', 'ear a sound, not even the drawing of a breath, and yet i knew that my companion sat open-eyed, withi', ' sound, not even the drawing of a breath, and yet i knew that my companion sat open-eyed, within a f', 'd, not even the drawing of a breath, and yet i knew that my companion sat open-eyed, within a few fe', 't even the drawing of a breath, and yet i knew that my companion sat open-eyed, within a few feet of', 'n the drawing of a breath, and yet i knew that my companion sat open-eyed, within a few feet of me, ', ' drawing of a breath, and yet i knew that my companion sat open-eyed, within a few feet of me, in th', 'ing of a breath, and yet i knew that my companion sat open-eyed, within a few feet of me, in the sam', 'f a breath, and yet i knew that my companion sat open-eyed, within a few feet of me, in the same sta', 'reath, and yet i knew that my companion sat open-eyed, within a few feet of me, in the same state of', ', and yet i knew that my companion sat open-eyed, within a few feet of me, in the same state of nerv', ' yet i knew that my companion sat open-eyed, within a few feet of me, in the same state of nervous t', 'i knew that my companion sat open-eyed, within a few feet of me, in the same state of nervous tensio', 'w that my companion sat open-eyed, within a few feet of me, in the same state of nervous tension in ', 't my companion sat open-eyed, within a few feet of me, in the same state of nervous tension in which', 'companion sat open-eyed, within a few feet of me, in the same state of nervous tension in which i wa', 'nion sat open-eyed, within a few feet of me, in the same state of nervous tension in which i was mys', 'sat open-eyed, within a few feet of me, in the same state of nervous tension in which i was myself. ', 'pen-eyed, within a few feet of me, in the same state of nervous tension in which i was myself. the s', 'yed, within a few feet of me, in the same state of nervous tension in which i was myself. the shutte', 'within a few feet of me, in the same state of nervous tension in which i was myself. the shutters cu', 'n a few feet of me, in the same state of nervous tension in which i was myself. the shutters cut off', 'ew feet of me, in the same state of nervous tension in which i was myself. the shutters cut off the ', 'et of me, in the same state of nervous tension in which i was myself. the shutters cut off the least', ' me, in the same state of nervous tension in which i was myself. the shutters cut off the least ray ', 'in the same state of nervous tension in which i was myself. the shutters cut off the least ray of li', 'e same state of nervous tension in which i was myself. the shutters cut off the least ray of light, ', 'e state of nervous tension in which i was myself. the shutters cut off the least ray of light, and w', 'te of nervous tension in which i was myself. the shutters cut off the least ray of light, and we wai', ' nervous tension in which i was myself. the shutters cut off the least ray of light, and we waited i', 'ous tension in which i was myself. the shutters cut off the least ray of light, and we waited in abs', 'ension in which i was myself. the shutters cut off the least ray of light, and we waited in absolute', 'n in which i was myself. the shutters cut off the least ray of light, and we waited in absolute dark', 'which i was myself. the shutters cut off the least ray of light, and we waited in absolute darkness.', ' i was myself. the shutters cut off the least ray of light, and we waited in absolute darkness. from', 's myself. the shutters cut off the least ray of light, and we waited in absolute darkness. from outs', 'elf. the shutters cut off the least ray of light, and we waited in absolute darkness. from outside c', 'the shutters cut off the least ray of light, and we waited in absolute darkness. from outside came t', 'hutters cut off the least ray of light, and we waited in absolute darkness. from outside came the oc', 'rs cut off the least ray of light, and we waited in absolute darkness. from outside came the occasio', 't off the least ray of light, and we waited in absolute darkness. from outside came the occasional c', ' the least ray of light, and we waited in absolute darkness. from outside came the occasional cry of', 'least ray of light, and we waited in absolute darkness. from outside came the occasional cry of a ni', ' ray of light, and we waited in absolute darkness. from outside came the occasional cry of a night-b', 'of light, and we waited in absolute darkness. from outside came the occasional cry of a night-bird, ', 'ght, and we waited in absolute darkness. from outside came the occasional cry of a night-bird, and o', 'and we waited in absolute darkness. from outside came the occasional cry of a night-bird, and once a', 'e waited in absolute darkness. from outside came the occasional cry of a night-bird, and once at our', 'ted in absolute darkness. from outside came the occasional cry of a night-bird, and once at our very', 'n absolute darkness. from outside came the occasional cry of a night-bird, and once at our very wind', 'olute darkness. from outside came the occasional cry of a night-bird, and once at our very window a ', ' darkness. from outside came the occasional cry of a night-bird, and once at our very window a long ', 'ness. from outside came the occasional cry of a night-bird, and once at our very window a long drawn', ' from outside came the occasional cry of a night-bird, and once at our very window a long drawn catl', ' outside came the occasional cry of a night-bird, and once at our very window a long drawn catlike w', 'ide came the occasional cry of a night-bird, and once at our very window a long drawn catlike whine,', 'ame the occasional cry of a night-bird, and once at our very window a long drawn catlike whine, whic', 'he occasional cry of a night-bird, and once at our very window a long drawn catlike whine, which tol', 'casional cry of a night-bird, and once at our very window a long drawn catlike whine, which told us ', 'nal cry of a night-bird, and once at our very window a long drawn catlike whine, which told us that ', 'ry of a night-bird, and once at our very window a long drawn catlike whine, which told us that the c', ' a night-bird, and once at our very window a long drawn catlike whine, which told us that the cheeta', 'ght-bird, and once at our very window a long drawn catlike whine, which told us that the cheetah was', 'ird, and once at our very window a long drawn catlike whine, which told us that the cheetah was inde', 'and once at our very window a long drawn catlike whine, which told us that the cheetah was indeed at', 'nce at our very window a long drawn catlike whine, which told us that the cheetah was indeed at libe', 't our very window a long drawn catlike whine, which told us that the cheetah was indeed at liberty. ', ' very window a long drawn catlike whine, which told us that the cheetah was indeed at liberty. far a', ' window a long drawn catlike whine, which told us that the cheetah was indeed at liberty. far away w', 'ow a long drawn catlike whine, which told us that the cheetah was indeed at liberty. far away we cou', 'long drawn catlike whine, which told us that the cheetah was indeed at liberty. far away we could he', 'drawn catlike whine, which told us that the cheetah was indeed at liberty. far away we could hear th', ' catlike whine, which told us that the cheetah was indeed at liberty. far away we could hear the dee', 'ike whine, which told us that the cheetah was indeed at liberty. far away we could hear the deep ton', 'hine, which told us that the cheetah was indeed at liberty. far away we could hear the deep tones of', ' which told us that the cheetah was indeed at liberty. far away we could hear the deep tones of the ', 'h told us that the cheetah was indeed at liberty. far away we could hear the deep tones of the paris', 'd us that the cheetah was indeed at liberty. far away we could hear the deep tones of the parish clo', 'that the cheetah was indeed at liberty. far away we could hear the deep tones of the parish clock, w', 'the cheetah was indeed at liberty. far away we could hear the deep tones of the parish clock, which ', 'heetah was indeed at liberty. far away we could hear the deep tones of the parish clock, which boome', 'h was indeed at liberty. far away we could hear the deep tones of the parish clock, which boomed out', ' indeed at liberty. far away we could hear the deep tones of the parish clock, which boomed out ever', 'ed at liberty. far away we could hear the deep tones of the parish clock, which boomed out every qua', ' liberty. far away we could hear the deep tones of the parish clock, which boomed out every quarter ', 'rty. far away we could hear the deep tones of the parish clock, which boomed out every quarter of an', 'far away we could hear the deep tones of the parish clock, which boomed out every quarter of an hour', 'way we could hear the deep tones of the parish clock, which boomed out every quarter of an hour. how', 'e could hear the deep tones of the parish clock, which boomed out every quarter of an hour. how long', 'ld hear the deep tones of the parish clock, which boomed out every quarter of an hour. how long they', 'ar the deep tones of the parish clock, which boomed out every quarter of an hour. how long they seem', 'e deep tones of the parish clock, which boomed out every quarter of an hour. how long they seemed, t', 'p tones of the parish clock, which boomed out every quarter of an hour. how long they seemed, those ', 'es of the parish clock, which boomed out every quarter of an hour. how long they seemed, those quart', ' the parish clock, which boomed out every quarter of an hour. how long they seemed, those quarters! ', 'parish clock, which boomed out every quarter of an hour. how long they seemed, those quarters! twelv', 'h clock, which boomed out every quarter of an hour. how long they seemed, those quarters! twelve str', 'ck, which boomed out every quarter of an hour. how long they seemed, those quarters! twelve struck, ', 'hich boomed out every quarter of an hour. how long they seemed, those quarters! twelve struck, and o', 'boomed out every quarter of an hour. how long they seemed, those quarters! twelve struck, and one an', 'd out every quarter of an hour. how long they seemed, those quarters! twelve struck, and one and two', ' every quarter of an hour. how long they seemed, those quarters! twelve struck, and one and two and ', 'y quarter of an hour. how long they seemed, those quarters! twelve struck, and one and two and three', 'rter of an hour. how long they seemed, those quarters! twelve struck, and one and two and three, and', 'of an hour. how long they seemed, those quarters! twelve struck, and one and two and three, and stil', ' hour. how long they seemed, those quarters! twelve struck, and one and two and three, and still we ', '. how long they seemed, those quarters! twelve struck, and one and two and three, and still we sat w', ' long they seemed, those quarters! twelve struck, and one and two and three, and still we sat waitin', ' they seemed, those quarters! twelve struck, and one and two and three, and still we sat waiting sil', ' seemed, those quarters! twelve struck, and one and two and three, and still we sat waiting silently', 'ed, those quarters! twelve struck, and one and two and three, and still we sat waiting silently for ', 'hose quarters! twelve struck, and one and two and three, and still we sat waiting silently for whate', 'quarters! twelve struck, and one and two and three, and still we sat waiting silently for whatever m', 'ers! twelve struck, and one and two and three, and still we sat waiting silently for whatever might ', 'twelve struck, and one and two and three, and still we sat waiting silently for whatever might befal', 'e struck, and one and two and three, and still we sat waiting silently for whatever might befall. su', 'uck, and one and two and three, and still we sat waiting silently for whatever might befall. suddenl', 'and one and two and three, and still we sat waiting silently for whatever might befall. suddenly the', 'ne and two and three, and still we sat waiting silently for whatever might befall. suddenly there wa', 'd two and three, and still we sat waiting silently for whatever might befall. suddenly there was the', ' and three, and still we sat waiting silently for whatever might befall. suddenly there was the mome', 'three, and still we sat waiting silently for whatever might befall. suddenly there was the momentary', ', and still we sat waiting silently for whatever might befall. suddenly there was the momentary glea', ' still we sat waiting silently for whatever might befall. suddenly there was the momentary gleam of ', 'l we sat waiting silently for whatever might befall. suddenly there was the momentary gleam of a lig', 'sat waiting silently for whatever might befall. suddenly there was the momentary gleam of a light up', 'aiting silently for whatever might befall. suddenly there was the momentary gleam of a light up in t', 'g silently for whatever might befall. suddenly there was the momentary gleam of a light up in the di', 'ently for whatever might befall. suddenly there was the momentary gleam of a light up in the directi', ' for whatever might befall. suddenly there was the momentary gleam of a light up in the direction of', 'whatever might befall. suddenly there was the momentary gleam of a light up in the direction of the ', 'ver might befall. suddenly there was the momentary gleam of a light up in the direction of the venti', 'ight befall. suddenly there was the momentary gleam of a light up in the direction of the ventilator', 'befall. suddenly there was the momentary gleam of a light up in the direction of the ventilator, whi', 'l. suddenly there was the momentary gleam of a light up in the direction of the ventilator, which va', 'ddenly there was the momentary gleam of a light up in the direction of the ventilator, which vanishe', 'y there was the momentary gleam of a light up in the direction of the ventilator, which vanished imm', 're was the momentary gleam of a light up in the direction of the ventilator, which vanished immediat', 's the momentary gleam of a light up in the direction of the ventilator, which vanished immediately, ', ' momentary gleam of a light up in the direction of the ventilator, which vanished immediately, but w', 'ntary gleam of a light up in the direction of the ventilator, which vanished immediately, but was su', ' gleam of a light up in the direction of the ventilator, which vanished immediately, but was succeed', 'm of a light up in the direction of the ventilator, which vanished immediately, but was succeeded by', 'a light up in the direction of the ventilator, which vanished immediately, but was succeeded by a st', 'ht up in the direction of the ventilator, which vanished immediately, but was succeeded by a strong ', ' in the direction of the ventilator, which vanished immediately, but was succeeded by a strong smell', 'he direction of the ventilator, which vanished immediately, but was succeeded by a strong smell of b', 'rection of the ventilator, which vanished immediately, but was succeeded by a strong smell of burnin', 'on of the ventilator, which vanished immediately, but was succeeded by a strong smell of burning oil', ' the ventilator, which vanished immediately, but was succeeded by a strong smell of burning oil and ', 'ventilator, which vanished immediately, but was succeeded by a strong smell of burning oil and heate', 'lator, which vanished immediately, but was succeeded by a strong smell of burning oil and heated met', ', which vanished immediately, but was succeeded by a strong smell of burning oil and heated metal. s', 'ch vanished immediately, but was succeeded by a strong smell of burning oil and heated metal. someon', 'nished immediately, but was succeeded by a strong smell of burning oil and heated metal. someone in ', 'd immediately, but was succeeded by a strong smell of burning oil and heated metal. someone in the n', 'ediately, but was succeeded by a strong smell of burning oil and heated metal. someone in the next r', 'ely, but was succeeded by a strong smell of burning oil and heated metal. someone in the next room h', 'but was succeeded by a strong smell of burning oil and heated metal. someone in the next room had li', 'as succeeded by a strong smell of burning oil and heated metal. someone in the next room had lit a d', 'cceeded by a strong smell of burning oil and heated metal. someone in the next room had lit a dark-l', 'ed by a strong smell of burning oil and heated metal. someone in the next room had lit a dark-lanter', ' a strong smell of burning oil and heated metal. someone in the next room had lit a dark-lantern. i ', 'rong smell of burning oil and heated metal. someone in the next room had lit a dark-lantern. i heard', 'smell of burning oil and heated metal. someone in the next room had lit a dark-lantern. i heard a ge', ' of burning oil and heated metal. someone in the next room had lit a dark-lantern. i heard a gentle ', 'urning oil and heated metal. someone in the next room had lit a dark-lantern. i heard a gentle sound', 'g oil and heated metal. someone in the next room had lit a dark-lantern. i heard a gentle sound of m', ' and heated metal. someone in the next room had lit a dark-lantern. i heard a gentle sound of moveme', 'heated metal. someone in the next room had lit a dark-lantern. i heard a gentle sound of movement, a', 'd metal. someone in the next room had lit a dark-lantern. i heard a gentle sound of movement, and th', 'al. someone in the next room had lit a dark-lantern. i heard a gentle sound of movement, and then al', 'omeone in the next room had lit a dark-lantern. i heard a gentle sound of movement, and then all was', 'e in the next room had lit a dark-lantern. i heard a gentle sound of movement, and then all was sile', 'the next room had lit a dark-lantern. i heard a gentle sound of movement, and then all was silent on', 'ext room had lit a dark-lantern. i heard a gentle sound of movement, and then all was silent once mo', 'oom had lit a dark-lantern. i heard a gentle sound of movement, and then all was silent once more, t', 'ad lit a dark-lantern. i heard a gentle sound of movement, and then all was silent once more, though', 't a dark-lantern. i heard a gentle sound of movement, and then all was silent once more, though the ', 'ark-lantern. i heard a gentle sound of movement, and then all was silent once more, though the smell', 'antern. i heard a gentle sound of movement, and then all was silent once more, though the smell grew', 'n. i heard a gentle sound of movement, and then all was silent once more, though the smell grew stro', 'heard a gentle sound of movement, and then all was silent once more, though the smell grew stronger.', ' a gentle sound of movement, and then all was silent once more, though the smell grew stronger. for ', 'ntle sound of movement, and then all was silent once more, though the smell grew stronger. for half ', 'sound of movement, and then all was silent once more, though the smell grew stronger. for half an ho', ' of movement, and then all was silent once more, though the smell grew stronger. for half an hour i ', 'ovement, and then all was silent once more, though the smell grew stronger. for half an hour i sat w', 'nt, and then all was silent once more, though the smell grew stronger. for half an hour i sat with s', 'nd then all was silent once more, though the smell grew stronger. for half an hour i sat with strain', 'en all was silent once more, though the smell grew stronger. for half an hour i sat with straining e', 'l was silent once more, though the smell grew stronger. for half an hour i sat with straining ears. ', ' silent once more, though the smell grew stronger. for half an hour i sat with straining ears. then ', 'nt once more, though the smell grew stronger. for half an hour i sat with straining ears. then sudde', 'ce more, though the smell grew stronger. for half an hour i sat with straining ears. then suddenly a', 're, though the smell grew stronger. for half an hour i sat with straining ears. then suddenly anothe', 'hough the smell grew stronger. for half an hour i sat with straining ears. then suddenly another sou', ' the smell grew stronger. for half an hour i sat with straining ears. then suddenly another sound be', 'smell grew stronger. for half an hour i sat with straining ears. then suddenly another sound became ', ' grew stronger. for half an hour i sat with straining ears. then suddenly another sound became audib', ' stronger. for half an hour i sat with straining ears. then suddenly another sound became audiblea v', 'nger. for half an hour i sat with straining ears. then suddenly another sound became audiblea very g', ' for half an hour i sat with straining ears. then suddenly another sound became audiblea very gentle', 'half an hour i sat with straining ears. then suddenly another sound became audiblea very gentle, soo', 'an hour i sat with straining ears. then suddenly another sound became audiblea very gentle, soothing', 'ur i sat with straining ears. then suddenly another sound became audiblea very gentle, soothing soun', 'sat with straining ears. then suddenly another sound became audiblea very gentle, soothing sound, li', 'ith straining ears. then suddenly another sound became audiblea very gentle, soothing sound, like th', 'training ears. then suddenly another sound became audiblea very gentle, soothing sound, like that of', 'ing ears. then suddenly another sound became audiblea very gentle, soothing sound, like that of a sm', 'ars. then suddenly another sound became audiblea very gentle, soothing sound, like that of a small j', 'then suddenly another sound became audiblea very gentle, soothing sound, like that of a small jet of', 'suddenly another sound became audiblea very gentle, soothing sound, like that of a small jet of stea', 'nly another sound became audiblea very gentle, soothing sound, like that of a small jet of steam esc', 'nother sound became audiblea very gentle, soothing sound, like that of a small jet of steam escaping', 'r sound became audiblea very gentle, soothing sound, like that of a small jet of steam escaping cont', 'nd became audiblea very gentle, soothing sound, like that of a small jet of steam escaping continual', 'came audiblea very gentle, soothing sound, like that of a small jet of steam escaping continually fr', 'audiblea very gentle, soothing sound, like that of a small jet of steam escaping continually from a ', 'lea very gentle, soothing sound, like that of a small jet of steam escaping continually from a kettl', 'ery gentle, soothing sound, like that of a small jet of steam escaping continually from a kettle. th', 'entle, soothing sound, like that of a small jet of steam escaping continually from a kettle. the ins', ', soothing sound, like that of a small jet of steam escaping continually from a kettle. the instant ', 'thing sound, like that of a small jet of steam escaping continually from a kettle. the instant that ', ' sound, like that of a small jet of steam escaping continually from a kettle. the instant that we he', 'd, like that of a small jet of steam escaping continually from a kettle. the instant that we heard i', 'ke that of a small jet of steam escaping continually from a kettle. the instant that we heard it, ho', 'at of a small jet of steam escaping continually from a kettle. the instant that we heard it, holmes ', ' a small jet of steam escaping continually from a kettle. the instant that we heard it, holmes spran', 'all jet of steam escaping continually from a kettle. the instant that we heard it, holmes sprang fro', 'et of steam escaping continually from a kettle. the instant that we heard it, holmes sprang from the', ' steam escaping continually from a kettle. the instant that we heard it, holmes sprang from the bed,', 'm escaping continually from a kettle. the instant that we heard it, holmes sprang from the bed, stru', 'aping continually from a kettle. the instant that we heard it, holmes sprang from the bed, struck a ', ' continually from a kettle. the instant that we heard it, holmes sprang from the bed, struck a match', 'inually from a kettle. the instant that we heard it, holmes sprang from the bed, struck a match, and', 'ly from a kettle. the instant that we heard it, holmes sprang from the bed, struck a match, and lash', 'om a kettle. the instant that we heard it, holmes sprang from the bed, struck a match, and lashed fu', 'kettle. the instant that we heard it, holmes sprang from the bed, struck a match, and lashed furious', 'e. the instant that we heard it, holmes sprang from the bed, struck a match, and lashed furiously wi', 'e instant that we heard it, holmes sprang from the bed, struck a match, and lashed furiously with hi', 'tant that we heard it, holmes sprang from the bed, struck a match, and lashed furiously with his can', 'that we heard it, holmes sprang from the bed, struck a match, and lashed furiously with his cane at ', 'we heard it, holmes sprang from the bed, struck a match, and lashed furiously with his cane at the b', 'ard it, holmes sprang from the bed, struck a match, and lashed furiously with his cane at the bell-p', 't, holmes sprang from the bed, struck a match, and lashed furiously with his cane at the bell-pull. ', 'lmes sprang from the bed, struck a match, and lashed furiously with his cane at the bell-pull. "you ', 'sprang from the bed, struck a match, and lashed furiously with his cane at the bell-pull. "you see i', 'g from the bed, struck a match, and lashed furiously with his cane at the bell-pull. "you see it, wa', 'm the bed, struck a match, and lashed furiously with his cane at the bell-pull. "you see it, watson?', ' bed, struck a match, and lashed furiously with his cane at the bell-pull. "you see it, watson?" he ', ' struck a match, and lashed furiously with his cane at the bell-pull. "you see it, watson?" he yelle', 'ck a match, and lashed furiously with his cane at the bell-pull. "you see it, watson?" he yelled. "y', 'match, and lashed furiously with his cane at the bell-pull. "you see it, watson?" he yelled. "you se', ', and lashed furiously with his cane at the bell-pull. "you see it, watson?" he yelled. "you see it?', ' lashed furiously with his cane at the bell-pull. "you see it, watson?" he yelled. "you see it?" but', 'ed furiously with his cane at the bell-pull. "you see it, watson?" he yelled. "you see it?" but i sa', 'riously with his cane at the bell-pull. "you see it, watson?" he yelled. "you see it?" but i saw not', 'ly with his cane at the bell-pull. "you see it, watson?" he yelled. "you see it?" but i saw nothing.', 'th his cane at the bell-pull. "you see it, watson?" he yelled. "you see it?" but i saw nothing. at t', 's cane at the bell-pull. "you see it, watson?" he yelled. "you see it?" but i saw nothing. at the mo', 'e at the bell-pull. "you see it, watson?" he yelled. "you see it?" but i saw nothing. at the moment ', 'the bell-pull. "you see it, watson?" he yelled. "you see it?" but i saw nothing. at the moment when ', 'ell-pull. "you see it, watson?" he yelled. "you see it?" but i saw nothing. at the moment when holme', 'ull. "you see it, watson?" he yelled. "you see it?" but i saw nothing. at the moment when holmes str', '"you see it, watson?" he yelled. "you see it?" but i saw nothing. at the moment when holmes struck t', 'see it, watson?" he yelled. "you see it?" but i saw nothing. at the moment when holmes struck the li', 't, watson?" he yelled. "you see it?" but i saw nothing. at the moment when holmes struck the light i', 'tson?" he yelled. "you see it?" but i saw nothing. at the moment when holmes struck the light i hear', '" he yelled. "you see it?" but i saw nothing. at the moment when holmes struck the light i heard a l', 'yelled. "you see it?" but i saw nothing. at the moment when holmes struck the light i heard a low, c', 'd. "you see it?" but i saw nothing. at the moment when holmes struck the light i heard a low, clear ', 'ou see it?" but i saw nothing. at the moment when holmes struck the light i heard a low, clear whist', 'e it?" but i saw nothing. at the moment when holmes struck the light i heard a low, clear whistle, b', '" but i saw nothing. at the moment when holmes struck the light i heard a low, clear whistle, but th', ' i saw nothing. at the moment when holmes struck the light i heard a low, clear whistle, but the sud', 'w nothing. at the moment when holmes struck the light i heard a low, clear whistle, but the sudden g', 'hing. at the moment when holmes struck the light i heard a low, clear whistle, but the sudden glare ', ' at the moment when holmes struck the light i heard a low, clear whistle, but the sudden glare flash', 'he moment when holmes struck the light i heard a low, clear whistle, but the sudden glare flashing i', 'ment when holmes struck the light i heard a low, clear whistle, but the sudden glare flashing into m', 'when holmes struck the light i heard a low, clear whistle, but the sudden glare flashing into my wea', 'holmes struck the light i heard a low, clear whistle, but the sudden glare flashing into my weary ey', 's struck the light i heard a low, clear whistle, but the sudden glare flashing into my weary eyes ma', 'uck the light i heard a low, clear whistle, but the sudden glare flashing into my weary eyes made it', 'he light i heard a low, clear whistle, but the sudden glare flashing into my weary eyes made it impo', 'ght i heard a low, clear whistle, but the sudden glare flashing into my weary eyes made it impossibl', ' heard a low, clear whistle, but the sudden glare flashing into my weary eyes made it impossible for', 'd a low, clear whistle, but the sudden glare flashing into my weary eyes made it impossible for me t', 'ow, clear whistle, but the sudden glare flashing into my weary eyes made it impossible for me to tel', 'lear whistle, but the sudden glare flashing into my weary eyes made it impossible for me to tell wha', 'whistle, but the sudden glare flashing into my weary eyes made it impossible for me to tell what it ', 'le, but the sudden glare flashing into my weary eyes made it impossible for me to tell what it was a', 'ut the sudden glare flashing into my weary eyes made it impossible for me to tell what it was at whi', 'e sudden glare flashing into my weary eyes made it impossible for me to tell what it was at which my', 'den glare flashing into my weary eyes made it impossible for me to tell what it was at which my frie', 'lare flashing into my weary eyes made it impossible for me to tell what it was at which my friend la', 'flashing into my weary eyes made it impossible for me to tell what it was at which my friend lashed ', 'ing into my weary eyes made it impossible for me to tell what it was at which my friend lashed so sa', 'nto my weary eyes made it impossible for me to tell what it was at which my friend lashed so savagel', 'y weary eyes made it impossible for me to tell what it was at which my friend lashed so savagely. i ', 'ry eyes made it impossible for me to tell what it was at which my friend lashed so savagely. i could', 'es made it impossible for me to tell what it was at which my friend lashed so savagely. i could, how', 'de it impossible for me to tell what it was at which my friend lashed so savagely. i could, however,', ' impossible for me to tell what it was at which my friend lashed so savagely. i could, however, see ', 'ssible for me to tell what it was at which my friend lashed so savagely. i could, however, see that ', 'e for me to tell what it was at which my friend lashed so savagely. i could, however, see that his f', ' me to tell what it was at which my friend lashed so savagely. i could, however, see that his face w', 'o tell what it was at which my friend lashed so savagely. i could, however, see that his face was de', 'l what it was at which my friend lashed so savagely. i could, however, see that his face was deadly ', 't it was at which my friend lashed so savagely. i could, however, see that his face was deadly pale ', 'was at which my friend lashed so savagely. i could, however, see that his face was deadly pale and f', 't which my friend lashed so savagely. i could, however, see that his face was deadly pale and filled', 'ch my friend lashed so savagely. i could, however, see that his face was deadly pale and filled with', ' friend lashed so savagely. i could, however, see that his face was deadly pale and filled with horr', 'nd lashed so savagely. i could, however, see that his face was deadly pale and filled with horror an', 'shed so savagely. i could, however, see that his face was deadly pale and filled with horror and loa', 'so savagely. i could, however, see that his face was deadly pale and filled with horror and loathing', 'vagely. i could, however, see that his face was deadly pale and filled with horror and loathing. he ', 'y. i could, however, see that his face was deadly pale and filled with horror and loathing. he had c', 'could, however, see that his face was deadly pale and filled with horror and loathing. he had ceased', ', however, see that his face was deadly pale and filled with horror and loathing. he had ceased to s', 'ever, see that his face was deadly pale and filled with horror and loathing. he had ceased to strike', ' see that his face was deadly pale and filled with horror and loathing. he had ceased to strike and ', 'that his face was deadly pale and filled with horror and loathing. he had ceased to strike and was g', 'his face was deadly pale and filled with horror and loathing. he had ceased to strike and was gazing', 'ace was deadly pale and filled with horror and loathing. he had ceased to strike and was gazing up a', 'as deadly pale and filled with horror and loathing. he had ceased to strike and was gazing up at the', 'adly pale and filled with horror and loathing. he had ceased to strike and was gazing up at the vent', 'pale and filled with horror and loathing. he had ceased to strike and was gazing up at the ventilato', 'and filled with horror and loathing. he had ceased to strike and was gazing up at the ventilator whe', 'illed with horror and loathing. he had ceased to strike and was gazing up at the ventilator when sud', ' with horror and loathing. he had ceased to strike and was gazing up at the ventilator when suddenly', ' horror and loathing. he had ceased to strike and was gazing up at the ventilator when suddenly ther', 'or and loathing. he had ceased to strike and was gazing up at the ventilator when suddenly there bro', 'd loathing. he had ceased to strike and was gazing up at the ventilator when suddenly there broke fr', 'thing. he had ceased to strike and was gazing up at the ventilator when suddenly there broke from th', '. he had ceased to strike and was gazing up at the ventilator when suddenly there broke from the sil', 'had ceased to strike and was gazing up at the ventilator when suddenly there broke from the silence ', 'eased to strike and was gazing up at the ventilator when suddenly there broke from the silence of th', ' to strike and was gazing up at the ventilator when suddenly there broke from the silence of the nig', 'trike and was gazing up at the ventilator when suddenly there broke from the silence of the night th', ' and was gazing up at the ventilator when suddenly there broke from the silence of the night the mos', 'was gazing up at the ventilator when suddenly there broke from the silence of the night the most hor', 'azing up at the ventilator when suddenly there broke from the silence of the night the most horrible', ' up at the ventilator when suddenly there broke from the silence of the night the most horrible cry ', 't the ventilator when suddenly there broke from the silence of the night the most horrible cry to wh', ' ventilator when suddenly there broke from the silence of the night the most horrible cry to which i', 'ilator when suddenly there broke from the silence of the night the most horrible cry to which i have', 'r when suddenly there broke from the silence of the night the most horrible cry to which i have ever', 'n suddenly there broke from the silence of the night the most horrible cry to which i have ever list', 'denly there broke from the silence of the night the most horrible cry to which i have ever listened.', ' there broke from the silence of the night the most horrible cry to which i have ever listened. it s', 'e broke from the silence of the night the most horrible cry to which i have ever listened. it swelle', 'ke from the silence of the night the most horrible cry to which i have ever listened. it swelled up ', 'om the silence of the night the most horrible cry to which i have ever listened. it swelled up loude', 'e silence of the night the most horrible cry to which i have ever listened. it swelled up louder and', 'ence of the night the most horrible cry to which i have ever listened. it swelled up louder and loud', 'of the night the most horrible cry to which i have ever listened. it swelled up louder and louder, a', 'e night the most horrible cry to which i have ever listened. it swelled up louder and louder, a hoar', 'ht the most horrible cry to which i have ever listened. it swelled up louder and louder, a hoarse ye', 'e most horrible cry to which i have ever listened. it swelled up louder and louder, a hoarse yell of', 't horrible cry to which i have ever listened. it swelled up louder and louder, a hoarse yell of pain', 'rible cry to which i have ever listened. it swelled up louder and louder, a hoarse yell of pain and ', ' cry to which i have ever listened. it swelled up louder and louder, a hoarse yell of pain and fear ', 'to which i have ever listened. it swelled up louder and louder, a hoarse yell of pain and fear and a', 'ich i have ever listened. it swelled up louder and louder, a hoarse yell of pain and fear and anger ', ' have ever listened. it swelled up louder and louder, a hoarse yell of pain and fear and anger all m', ' ever listened. it swelled up louder and louder, a hoarse yell of pain and fear and anger all mingle', ' listened. it swelled up louder and louder, a hoarse yell of pain and fear and anger all mingled in ', 'ened. it swelled up louder and louder, a hoarse yell of pain and fear and anger all mingled in the o', ' it swelled up louder and louder, a hoarse yell of pain and fear and anger all mingled in the one dr', 'welled up louder and louder, a hoarse yell of pain and fear and anger all mingled in the one dreadfu', 'd up louder and louder, a hoarse yell of pain and fear and anger all mingled in the one dreadful shr', 'louder and louder, a hoarse yell of pain and fear and anger all mingled in the one dreadful shriek. ', 'r and louder, a hoarse yell of pain and fear and anger all mingled in the one dreadful shriek. they ', ' louder, a hoarse yell of pain and fear and anger all mingled in the one dreadful shriek. they say t', 'er, a hoarse yell of pain and fear and anger all mingled in the one dreadful shriek. they say that a', ' hoarse yell of pain and fear and anger all mingled in the one dreadful shriek. they say that away d', 'se yell of pain and fear and anger all mingled in the one dreadful shriek. they say that away down i', 'll of pain and fear and anger all mingled in the one dreadful shriek. they say that away down in the', ' pain and fear and anger all mingled in the one dreadful shriek. they say that away down in the vill', ' and fear and anger all mingled in the one dreadful shriek. they say that away down in the village, ', 'fear and anger all mingled in the one dreadful shriek. they say that away down in the village, and e', 'and anger all mingled in the one dreadful shriek. they say that away down in the village, and even i', 'nger all mingled in the one dreadful shriek. they say that away down in the village, and even in the', 'all mingled in the one dreadful shriek. they say that away down in the village, and even in the dist', 'ingled in the one dreadful shriek. they say that away down in the village, and even in the distant p', 'd in the one dreadful shriek. they say that away down in the village, and even in the distant parson', 'the one dreadful shriek. they say that away down in the village, and even in the distant parsonage, ', 'ne dreadful shriek. they say that away down in the village, and even in the distant parsonage, that ', 'eadful shriek. they say that away down in the village, and even in the distant parsonage, that cry r', 'l shriek. they say that away down in the village, and even in the distant parsonage, that cry raised', 'iek. they say that away down in the village, and even in the distant parsonage, that cry raised the ', 'they say that away down in the village, and even in the distant parsonage, that cry raised the sleep', 'say that away down in the village, and even in the distant parsonage, that cry raised the sleepers f', 'hat away down in the village, and even in the distant parsonage, that cry raised the sleepers from t', 'way down in the village, and even in the distant parsonage, that cry raised the sleepers from their ', 'own in the village, and even in the distant parsonage, that cry raised the sleepers from their beds.', 'n the village, and even in the distant parsonage, that cry raised the sleepers from their beds. it s', ' village, and even in the distant parsonage, that cry raised the sleepers from their beds. it struck', 'age, and even in the distant parsonage, that cry raised the sleepers from their beds. it struck cold', 'and even in the distant parsonage, that cry raised the sleepers from their beds. it struck cold to o', 'ven in the distant parsonage, that cry raised the sleepers from their beds. it struck cold to our he', 'n the distant parsonage, that cry raised the sleepers from their beds. it struck cold to our hearts,', ' distant parsonage, that cry raised the sleepers from their beds. it struck cold to our hearts, and ', 'ant parsonage, that cry raised the sleepers from their beds. it struck cold to our hearts, and i sto', 'arsonage, that cry raised the sleepers from their beds. it struck cold to our hearts, and i stood ga', 'age, that cry raised the sleepers from their beds. it struck cold to our hearts, and i stood gazing ', 'that cry raised the sleepers from their beds. it struck cold to our hearts, and i stood gazing at ho', 'cry raised the sleepers from their beds. it struck cold to our hearts, and i stood gazing at holmes,', 'aised the sleepers from their beds. it struck cold to our hearts, and i stood gazing at holmes, and ', ' the sleepers from their beds. it struck cold to our hearts, and i stood gazing at holmes, and he at', 'sleepers from their beds. it struck cold to our hearts, and i stood gazing at holmes, and he at me, ', 'ers from their beds. it struck cold to our hearts, and i stood gazing at holmes, and he at me, until', 'rom their beds. it struck cold to our hearts, and i stood gazing at holmes, and he at me, until the ', 'heir beds. it struck cold to our hearts, and i stood gazing at holmes, and he at me, until the last ', 'beds. it struck cold to our hearts, and i stood gazing at holmes, and he at me, until the last echoe', ' it struck cold to our hearts, and i stood gazing at holmes, and he at me, until the last echoes of ', 'truck cold to our hearts, and i stood gazing at holmes, and he at me, until the last echoes of it ha', ' cold to our hearts, and i stood gazing at holmes, and he at me, until the last echoes of it had die', ' to our hearts, and i stood gazing at holmes, and he at me, until the last echoes of it had died awa', 'ur hearts, and i stood gazing at holmes, and he at me, until the last echoes of it had died away int', 'arts, and i stood gazing at holmes, and he at me, until the last echoes of it had died away into the', ' and i stood gazing at holmes, and he at me, until the last echoes of it had died away into the sile', 'i stood gazing at holmes, and he at me, until the last echoes of it had died away into the silence f', 'od gazing at holmes, and he at me, until the last echoes of it had died away into the silence from w', 'zing at holmes, and he at me, until the last echoes of it had died away into the silence from which ', 'at holmes, and he at me, until the last echoes of it had died away into the silence from which it ro', 'lmes, and he at me, until the last echoes of it had died away into the silence from which it rose. "', ' and he at me, until the last echoes of it had died away into the silence from which it rose. "what ', 'he at me, until the last echoes of it had died away into the silence from which it rose. "what can i', ' me, until the last echoes of it had died away into the silence from which it rose. "what can it mea', 'until the last echoes of it had died away into the silence from which it rose. "what can it mean?" i', ' the last echoes of it had died away into the silence from which it rose. "what can it mean?" i gasp', 'last echoes of it had died away into the silence from which it rose. "what can it mean?" i gasped. "', 'echoes of it had died away into the silence from which it rose. "what can it mean?" i gasped. "it me', 's of it had died away into the silence from which it rose. "what can it mean?" i gasped. "it means t', 'it had died away into the silence from which it rose. "what can it mean?" i gasped. "it means that i', 'd died away into the silence from which it rose. "what can it mean?" i gasped. "it means that it is ', 'd away into the silence from which it rose. "what can it mean?" i gasped. "it means that it is all o', 'y into the silence from which it rose. "what can it mean?" i gasped. "it means that it is all over,"', 'o the silence from which it rose. "what can it mean?" i gasped. "it means that it is all over," holm', ' silence from which it rose. "what can it mean?" i gasped. "it means that it is all over," holmes an', 'nce from which it rose. "what can it mean?" i gasped. "it means that it is all over," holmes answere', 'rom which it rose. "what can it mean?" i gasped. "it means that it is all over," holmes answered. "a', 'hich it rose. "what can it mean?" i gasped. "it means that it is all over," holmes answered. "and pe', 'it rose. "what can it mean?" i gasped. "it means that it is all over," holmes answered. "and perhaps', 'se. "what can it mean?" i gasped. "it means that it is all over," holmes answered. "and perhaps, aft', 'what can it mean?" i gasped. "it means that it is all over," holmes answered. "and perhaps, after al', 'can it mean?" i gasped. "it means that it is all over," holmes answered. "and perhaps, after all, it', 't mean?" i gasped. "it means that it is all over," holmes answered. "and perhaps, after all, it is f', 'n?" i gasped. "it means that it is all over," holmes answered. "and perhaps, after all, it is for th', ' gasped. "it means that it is all over," holmes answered. "and perhaps, after all, it is for the bes', 'ed. "it means that it is all over," holmes answered. "and perhaps, after all, it is for the best. ta', 'it means that it is all over," holmes answered. "and perhaps, after all, it is for the best. take yo', 'ans that it is all over," holmes answered. "and perhaps, after all, it is for the best. take your pi', 'hat it is all over," holmes answered. "and perhaps, after all, it is for the best. take your pistol,', 't is all over," holmes answered. "and perhaps, after all, it is for the best. take your pistol, and ', 'all over," holmes answered. "and perhaps, after all, it is for the best. take your pistol, and we wi', 'ver," holmes answered. "and perhaps, after all, it is for the best. take your pistol, and we will en', ' holmes answered. "and perhaps, after all, it is for the best. take your pistol, and we will enter d', 'es answered. "and perhaps, after all, it is for the best. take your pistol, and we will enter dr. ro', 'swered. "and perhaps, after all, it is for the best. take your pistol, and we will enter dr. roylott', 'd. "and perhaps, after all, it is for the best. take your pistol, and we will enter dr. roylott\'s ro', 'nd perhaps, after all, it is for the best. take your pistol, and we will enter dr. roylott\'s room." ', 'rhaps, after all, it is for the best. take your pistol, and we will enter dr. roylott\'s room." with ', ', after all, it is for the best. take your pistol, and we will enter dr. roylott\'s room." with a gra', 'er all, it is for the best. take your pistol, and we will enter dr. roylott\'s room." with a grave fa', 'l, it is for the best. take your pistol, and we will enter dr. roylott\'s room." with a grave face he', ' is for the best. take your pistol, and we will enter dr. roylott\'s room." with a grave face he lit ', 'or the best. take your pistol, and we will enter dr. roylott\'s room." with a grave face he lit the l', 'e best. take your pistol, and we will enter dr. roylott\'s room." with a grave face he lit the lamp a', 't. take your pistol, and we will enter dr. roylott\'s room." with a grave face he lit the lamp and le', 'ke your pistol, and we will enter dr. roylott\'s room." with a grave face he lit the lamp and led the', 'ur pistol, and we will enter dr. roylott\'s room." with a grave face he lit the lamp and led the way ', 'stol, and we will enter dr. roylott\'s room." with a grave face he lit the lamp and led the way down ', ' and we will enter dr. roylott\'s room." with a grave face he lit the lamp and led the way down the c', 'we will enter dr. roylott\'s room." with a grave face he lit the lamp and led the way down the corrid', 'll enter dr. roylott\'s room." with a grave face he lit the lamp and led the way down the corridor. t', 'ter dr. roylott\'s room." with a grave face he lit the lamp and led the way down the corridor. twice ', 'r. roylott\'s room." with a grave face he lit the lamp and led the way down the corridor. twice he st', 'ylott\'s room." with a grave face he lit the lamp and led the way down the corridor. twice he struck ', '\'s room." with a grave face he lit the lamp and led the way down the corridor. twice he struck at th', 'om." with a grave face he lit the lamp and led the way down the corridor. twice he struck at the cha', 'with a grave face he lit the lamp and led the way down the corridor. twice he struck at the chamber ', 'a grave face he lit the lamp and led the way down the corridor. twice he struck at the chamber door ', 've face he lit the lamp and led the way down the corridor. twice he struck at the chamber door witho', 'ce he lit the lamp and led the way down the corridor. twice he struck at the chamber door without an', ' lit the lamp and led the way down the corridor. twice he struck at the chamber door without any rep', 'the lamp and led the way down the corridor. twice he struck at the chamber door without any reply fr', 'amp and led the way down the corridor. twice he struck at the chamber door without any reply from wi', 'nd led the way down the corridor. twice he struck at the chamber door without any reply from within.', 'd the way down the corridor. twice he struck at the chamber door without any reply from within. then', ' way down the corridor. twice he struck at the chamber door without any reply from within. then he t', 'down the corridor. twice he struck at the chamber door without any reply from within. then he turned', 'the corridor. twice he struck at the chamber door without any reply from within. then he turned the ', 'orridor. twice he struck at the chamber door without any reply from within. then he turned the handl', 'or. twice he struck at the chamber door without any reply from within. then he turned the handle and', 'wice he struck at the chamber door without any reply from within. then he turned the handle and ente', 'he struck at the chamber door without any reply from within. then he turned the handle and entered, ', 'ruck at the chamber door without any reply from within. then he turned the handle and entered, i at ', 'at the chamber door without any reply from within. then he turned the handle and entered, i at his h', 'e chamber door without any reply from within. then he turned the handle and entered, i at his heels,', 'mber door without any reply from within. then he turned the handle and entered, i at his heels, with', 'door without any reply from within. then he turned the handle and entered, i at his heels, with the ', 'without any reply from within. then he turned the handle and entered, i at his heels, with the cocke', 'ut any reply from within. then he turned the handle and entered, i at his heels, with the cocked pis', 'y reply from within. then he turned the handle and entered, i at his heels, with the cocked pistol i', 'ly from within. then he turned the handle and entered, i at his heels, with the cocked pistol in my ', 'om within. then he turned the handle and entered, i at his heels, with the cocked pistol in my hand.', 'thin. then he turned the handle and entered, i at his heels, with the cocked pistol in my hand. it w', ' then he turned the handle and entered, i at his heels, with the cocked pistol in my hand. it was a ', ' he turned the handle and entered, i at his heels, with the cocked pistol in my hand. it was a singu', 'urned the handle and entered, i at his heels, with the cocked pistol in my hand. it was a singular s', ' the handle and entered, i at his heels, with the cocked pistol in my hand. it was a singular sight ', 'handle and entered, i at his heels, with the cocked pistol in my hand. it was a singular sight which', 'e and entered, i at his heels, with the cocked pistol in my hand. it was a singular sight which met ', ' entered, i at his heels, with the cocked pistol in my hand. it was a singular sight which met our e', 'red, i at his heels, with the cocked pistol in my hand. it was a singular sight which met our eyes. ', 'i at his heels, with the cocked pistol in my hand. it was a singular sight which met our eyes. on th', 'his heels, with the cocked pistol in my hand. it was a singular sight which met our eyes. on the tab', 'eels, with the cocked pistol in my hand. it was a singular sight which met our eyes. on the table st', ' with the cocked pistol in my hand. it was a singular sight which met our eyes. on the table stood a', ' the cocked pistol in my hand. it was a singular sight which met our eyes. on the table stood a dark', 'cocked pistol in my hand. it was a singular sight which met our eyes. on the table stood a dark-lant', 'd pistol in my hand. it was a singular sight which met our eyes. on the table stood a dark-lantern w', 'tol in my hand. it was a singular sight which met our eyes. on the table stood a dark-lantern with t', 'n my hand. it was a singular sight which met our eyes. on the table stood a dark-lantern with the sh', 'hand. it was a singular sight which met our eyes. on the table stood a dark-lantern with the shutter', ' it was a singular sight which met our eyes. on the table stood a dark-lantern with the shutter half', 'as a singular sight which met our eyes. on the table stood a dark-lantern with the shutter half open', 'singular sight which met our eyes. on the table stood a dark-lantern with the shutter half open, thr', 'lar sight which met our eyes. on the table stood a dark-lantern with the shutter half open, throwing', 'ight which met our eyes. on the table stood a dark-lantern with the shutter half open, throwing a br', 'which met our eyes. on the table stood a dark-lantern with the shutter half open, throwing a brillia', ' met our eyes. on the table stood a dark-lantern with the shutter half open, throwing a brilliant be', 'our eyes. on the table stood a dark-lantern with the shutter half open, throwing a brilliant beam of', 'yes. on the table stood a dark-lantern with the shutter half open, throwing a brilliant beam of ligh', 'on the table stood a dark-lantern with the shutter half open, throwing a brilliant beam of light upo', 'e table stood a dark-lantern with the shutter half open, throwing a brilliant beam of light upon the', 'le stood a dark-lantern with the shutter half open, throwing a brilliant beam of light upon the iron', 'ood a dark-lantern with the shutter half open, throwing a brilliant beam of light upon the iron safe', ' dark-lantern with the shutter half open, throwing a brilliant beam of light upon the iron safe, the', '-lantern with the shutter half open, throwing a brilliant beam of light upon the iron safe, the door', 'ern with the shutter half open, throwing a brilliant beam of light upon the iron safe, the door of w', 'ith the shutter half open, throwing a brilliant beam of light upon the iron safe, the door of which ', 'he shutter half open, throwing a brilliant beam of light upon the iron safe, the door of which was a', 'utter half open, throwing a brilliant beam of light upon the iron safe, the door of which was ajar. ', ' half open, throwing a brilliant beam of light upon the iron safe, the door of which was ajar. besid', ' open, throwing a brilliant beam of light upon the iron safe, the door of which was ajar. beside thi', ', throwing a brilliant beam of light upon the iron safe, the door of which was ajar. beside this tab', 'owing a brilliant beam of light upon the iron safe, the door of which was ajar. beside this table, o', ' a brilliant beam of light upon the iron safe, the door of which was ajar. beside this table, on the', 'illiant beam of light upon the iron safe, the door of which was ajar. beside this table, on the wood', 'nt beam of light upon the iron safe, the door of which was ajar. beside this table, on the wooden ch', 'am of light upon the iron safe, the door of which was ajar. beside this table, on the wooden chair, ', ' light upon the iron safe, the door of which was ajar. beside this table, on the wooden chair, sat d', 't upon the iron safe, the door of which was ajar. beside this table, on the wooden chair, sat dr. gr', 'n the iron safe, the door of which was ajar. beside this table, on the wooden chair, sat dr. grimesb', ' iron safe, the door of which was ajar. beside this table, on the wooden chair, sat dr. grimesby roy', ' safe, the door of which was ajar. beside this table, on the wooden chair, sat dr. grimesby roylott ', ', the door of which was ajar. beside this table, on the wooden chair, sat dr. grimesby roylott clad ', ' door of which was ajar. beside this table, on the wooden chair, sat dr. grimesby roylott clad in a ', ' of which was ajar. beside this table, on the wooden chair, sat dr. grimesby roylott clad in a long ', 'hich was ajar. beside this table, on the wooden chair, sat dr. grimesby roylott clad in a long grey ', 'was ajar. beside this table, on the wooden chair, sat dr. grimesby roylott clad in a long grey dress', 'jar. beside this table, on the wooden chair, sat dr. grimesby roylott clad in a long grey dressing-g', 'beside this table, on the wooden chair, sat dr. grimesby roylott clad in a long grey dressing-gown, ', 'e this table, on the wooden chair, sat dr. grimesby roylott clad in a long grey dressing-gown, his b', 's table, on the wooden chair, sat dr. grimesby roylott clad in a long grey dressing-gown, his bare a', 'le, on the wooden chair, sat dr. grimesby roylott clad in a long grey dressing-gown, his bare ankles', 'n the wooden chair, sat dr. grimesby roylott clad in a long grey dressing-gown, his bare ankles prot', ' wooden chair, sat dr. grimesby roylott clad in a long grey dressing-gown, his bare ankles protrudin', 'en chair, sat dr. grimesby roylott clad in a long grey dressing-gown, his bare ankles protruding ben', 'air, sat dr. grimesby roylott clad in a long grey dressing-gown, his bare ankles protruding beneath,', 'sat dr. grimesby roylott clad in a long grey dressing-gown, his bare ankles protruding beneath, and ', 'r. grimesby roylott clad in a long grey dressing-gown, his bare ankles protruding beneath, and his f', 'imesby roylott clad in a long grey dressing-gown, his bare ankles protruding beneath, and his feet t', 'y roylott clad in a long grey dressing-gown, his bare ankles protruding beneath, and his feet thrust', 'lott clad in a long grey dressing-gown, his bare ankles protruding beneath, and his feet thrust into', 'clad in a long grey dressing-gown, his bare ankles protruding beneath, and his feet thrust into red ', 'in a long grey dressing-gown, his bare ankles protruding beneath, and his feet thrust into red heell', 'long grey dressing-gown, his bare ankles protruding beneath, and his feet thrust into red heelless t', 'grey dressing-gown, his bare ankles protruding beneath, and his feet thrust into red heelless turkis', 'dressing-gown, his bare ankles protruding beneath, and his feet thrust into red heelless turkish sli', 'ing-gown, his bare ankles protruding beneath, and his feet thrust into red heelless turkish slippers', 'own, his bare ankles protruding beneath, and his feet thrust into red heelless turkish slippers. acr', 'his bare ankles protruding beneath, and his feet thrust into red heelless turkish slippers. across h', 'are ankles protruding beneath, and his feet thrust into red heelless turkish slippers. across his la', 'nkles protruding beneath, and his feet thrust into red heelless turkish slippers. across his lap lay', ' protruding beneath, and his feet thrust into red heelless turkish slippers. across his lap lay the ', 'ruding beneath, and his feet thrust into red heelless turkish slippers. across his lap lay the short', 'g beneath, and his feet thrust into red heelless turkish slippers. across his lap lay the short stoc', 'eath, and his feet thrust into red heelless turkish slippers. across his lap lay the short stock wit', ' and his feet thrust into red heelless turkish slippers. across his lap lay the short stock with the', 'his feet thrust into red heelless turkish slippers. across his lap lay the short stock with the long', 'eet thrust into red heelless turkish slippers. across his lap lay the short stock with the long lash', 'hrust into red heelless turkish slippers. across his lap lay the short stock with the long lash whic', ' into red heelless turkish slippers. across his lap lay the short stock with the long lash which we ', ' red heelless turkish slippers. across his lap lay the short stock with the long lash which we had n', 'heelless turkish slippers. across his lap lay the short stock with the long lash which we had notice', 'ess turkish slippers. across his lap lay the short stock with the long lash which we had noticed dur', 'urkish slippers. across his lap lay the short stock with the long lash which we had noticed during t', 'h slippers. across his lap lay the short stock with the long lash which we had noticed during the da', 'ppers. across his lap lay the short stock with the long lash which we had noticed during the day. hi', '. across his lap lay the short stock with the long lash which we had noticed during the day. his chi', 'oss his lap lay the short stock with the long lash which we had noticed during the day. his chin was', 'is lap lay the short stock with the long lash which we had noticed during the day. his chin was cock', 'p lay the short stock with the long lash which we had noticed during the day. his chin was cocked up', ' the short stock with the long lash which we had noticed during the day. his chin was cocked upward ', 'short stock with the long lash which we had noticed during the day. his chin was cocked upward and h', ' stock with the long lash which we had noticed during the day. his chin was cocked upward and his ey', 'k with the long lash which we had noticed during the day. his chin was cocked upward and his eyes we', 'h the long lash which we had noticed during the day. his chin was cocked upward and his eyes were fi', ' long lash which we had noticed during the day. his chin was cocked upward and his eyes were fixed i', ' lash which we had noticed during the day. his chin was cocked upward and his eyes were fixed in a d', ' which we had noticed during the day. his chin was cocked upward and his eyes were fixed in a dreadf', 'h we had noticed during the day. his chin was cocked upward and his eyes were fixed in a dreadful, r', 'had noticed during the day. his chin was cocked upward and his eyes were fixed in a dreadful, rigid ', 'oticed during the day. his chin was cocked upward and his eyes were fixed in a dreadful, rigid stare', 'd during the day. his chin was cocked upward and his eyes were fixed in a dreadful, rigid stare at t', 'ing the day. his chin was cocked upward and his eyes were fixed in a dreadful, rigid stare at the co', 'he day. his chin was cocked upward and his eyes were fixed in a dreadful, rigid stare at the corner ', 'y. his chin was cocked upward and his eyes were fixed in a dreadful, rigid stare at the corner of th', 's chin was cocked upward and his eyes were fixed in a dreadful, rigid stare at the corner of the cei', 'n was cocked upward and his eyes were fixed in a dreadful, rigid stare at the corner of the ceiling.', ' cocked upward and his eyes were fixed in a dreadful, rigid stare at the corner of the ceiling. roun', 'ed upward and his eyes were fixed in a dreadful, rigid stare at the corner of the ceiling. round his', 'ward and his eyes were fixed in a dreadful, rigid stare at the corner of the ceiling. round his brow', 'and his eyes were fixed in a dreadful, rigid stare at the corner of the ceiling. round his brow he h', 'is eyes were fixed in a dreadful, rigid stare at the corner of the ceiling. round his brow he had a ', 'es were fixed in a dreadful, rigid stare at the corner of the ceiling. round his brow he had a pecul', 're fixed in a dreadful, rigid stare at the corner of the ceiling. round his brow he had a peculiar y', 'xed in a dreadful, rigid stare at the corner of the ceiling. round his brow he had a peculiar yellow', 'n a dreadful, rigid stare at the corner of the ceiling. round his brow he had a peculiar yellow band', 'readful, rigid stare at the corner of the ceiling. round his brow he had a peculiar yellow band, wit', 'ul, rigid stare at the corner of the ceiling. round his brow he had a peculiar yellow band, with bro', 'igid stare at the corner of the ceiling. round his brow he had a peculiar yellow band, with brownish', 'stare at the corner of the ceiling. round his brow he had a peculiar yellow band, with brownish spec', ' at the corner of the ceiling. round his brow he had a peculiar yellow band, with brownish speckles,', 'he corner of the ceiling. round his brow he had a peculiar yellow band, with brownish speckles, whic', 'rner of the ceiling. round his brow he had a peculiar yellow band, with brownish speckles, which see', 'of the ceiling. round his brow he had a peculiar yellow band, with brownish speckles, which seemed t', 'e ceiling. round his brow he had a peculiar yellow band, with brownish speckles, which seemed to be ', 'ling. round his brow he had a peculiar yellow band, with brownish speckles, which seemed to be bound', ' round his brow he had a peculiar yellow band, with brownish speckles, which seemed to be bound tigh', 'd his brow he had a peculiar yellow band, with brownish speckles, which seemed to be bound tightly r', ' brow he had a peculiar yellow band, with brownish speckles, which seemed to be bound tightly round ', ' he had a peculiar yellow band, with brownish speckles, which seemed to be bound tightly round his h', 'ad a peculiar yellow band, with brownish speckles, which seemed to be bound tightly round his head. ', 'peculiar yellow band, with brownish speckles, which seemed to be bound tightly round his head. as we', 'iar yellow band, with brownish speckles, which seemed to be bound tightly round his head. as we ente', 'ellow band, with brownish speckles, which seemed to be bound tightly round his head. as we entered h', ' band, with brownish speckles, which seemed to be bound tightly round his head. as we entered he mad', ', with brownish speckles, which seemed to be bound tightly round his head. as we entered he made nei', 'h brownish speckles, which seemed to be bound tightly round his head. as we entered he made neither ', 'wnish speckles, which seemed to be bound tightly round his head. as we entered he made neither sound', ' speckles, which seemed to be bound tightly round his head. as we entered he made neither sound nor ', 'kles, which seemed to be bound tightly round his head. as we entered he made neither sound nor motio', ' which seemed to be bound tightly round his head. as we entered he made neither sound nor motion. "t', 'h seemed to be bound tightly round his head. as we entered he made neither sound nor motion. "the ba', 'med to be bound tightly round his head. as we entered he made neither sound nor motion. "the band! t', 'o be bound tightly round his head. as we entered he made neither sound nor motion. "the band! the sp', 'bound tightly round his head. as we entered he made neither sound nor motion. "the band! the speckle', ' tightly round his head. as we entered he made neither sound nor motion. "the band! the speckled ban', 'tly round his head. as we entered he made neither sound nor motion. "the band! the speckled band whi', 'ound his head. as we entered he made neither sound nor motion. "the band! the speckled band whispere', 'his head. as we entered he made neither sound nor motion. "the band! the speckled band whispered hol', 'ead. as we entered he made neither sound nor motion. "the band! the speckled band whispered holmes. ', 'as we entered he made neither sound nor motion. "the band! the speckled band whispered holmes. i too', ' entered he made neither sound nor motion. "the band! the speckled band whispered holmes. i took a s', 'red he made neither sound nor motion. "the band! the speckled band whispered holmes. i took a step f', 'e made neither sound nor motion. "the band! the speckled band whispered holmes. i took a step forwar', 'e neither sound nor motion. "the band! the speckled band whispered holmes. i took a step forward. in', 'ther sound nor motion. "the band! the speckled band whispered holmes. i took a step forward. in an i', 'sound nor motion. "the band! the speckled band whispered holmes. i took a step forward. in an instan', ' nor motion. "the band! the speckled band whispered holmes. i took a step forward. in an instant his', 'motion. "the band! the speckled band whispered holmes. i took a step forward. in an instant his stra', 'n. "the band! the speckled band whispered holmes. i took a step forward. in an instant his strange h', 'he band! the speckled band whispered holmes. i took a step forward. in an instant his strange headge', 'nd! the speckled band whispered holmes. i took a step forward. in an instant his strange headgear be', 'he speckled band whispered holmes. i took a step forward. in an instant his strange headgear began t', 'eckled band whispered holmes. i took a step forward. in an instant his strange headgear began to mov', 'd band whispered holmes. i took a step forward. in an instant his strange headgear began to move, an', 'd whispered holmes. i took a step forward. in an instant his strange headgear began to move, and the', 'spered holmes. i took a step forward. in an instant his strange headgear began to move, and there re', 'd holmes. i took a step forward. in an instant his strange headgear began to move, and there reared ', 'mes. i took a step forward. in an instant his strange headgear began to move, and there reared itsel', 'i took a step forward. in an instant his strange headgear began to move, and there reared itself fro', 'k a step forward. in an instant his strange headgear began to move, and there reared itself from amo', 'tep forward. in an instant his strange headgear began to move, and there reared itself from among hi', 'orward. in an instant his strange headgear began to move, and there reared itself from among his hai', 'd. in an instant his strange headgear began to move, and there reared itself from among his hair the', ' an instant his strange headgear began to move, and there reared itself from among his hair the squa', 'nstant his strange headgear began to move, and there reared itself from among his hair the squat dia', 't his strange headgear began to move, and there reared itself from among his hair the squat diamond-', ' strange headgear began to move, and there reared itself from among his hair the squat diamond-shape', 'nge headgear began to move, and there reared itself from among his hair the squat diamond-shaped hea', 'eadgear began to move, and there reared itself from among his hair the squat diamond-shaped head and', 'ar began to move, and there reared itself from among his hair the squat diamond-shaped head and puff', 'gan to move, and there reared itself from among his hair the squat diamond-shaped head and puffed ne', 'o move, and there reared itself from among his hair the squat diamond-shaped head and puffed neck of', 'e, and there reared itself from among his hair the squat diamond-shaped head and puffed neck of a lo', 'd there reared itself from among his hair the squat diamond-shaped head and puffed neck of a loathso', 're reared itself from among his hair the squat diamond-shaped head and puffed neck of a loathsome se', 'ared itself from among his hair the squat diamond-shaped head and puffed neck of a loathsome serpent', 'itself from among his hair the squat diamond-shaped head and puffed neck of a loathsome serpent. "it', 'f from among his hair the squat diamond-shaped head and puffed neck of a loathsome serpent. "it is a', 'm among his hair the squat diamond-shaped head and puffed neck of a loathsome serpent. "it is a swam', 'ng his hair the squat diamond-shaped head and puffed neck of a loathsome serpent. "it is a swamp add', 's hair the squat diamond-shaped head and puffed neck of a loathsome serpent. "it is a swamp adder cr', 'r the squat diamond-shaped head and puffed neck of a loathsome serpent. "it is a swamp adder cried h', ' squat diamond-shaped head and puffed neck of a loathsome serpent. "it is a swamp adder cried holmes', 't diamond-shaped head and puffed neck of a loathsome serpent. "it is a swamp adder cried holmes; "th', 'mond-shaped head and puffed neck of a loathsome serpent. "it is a swamp adder cried holmes; "the dea', 'shaped head and puffed neck of a loathsome serpent. "it is a swamp adder cried holmes; "the deadlies', 'd head and puffed neck of a loathsome serpent. "it is a swamp adder cried holmes; "the deadliest sna', 'd and puffed neck of a loathsome serpent. "it is a swamp adder cried holmes; "the deadliest snake in', ' puffed neck of a loathsome serpent. "it is a swamp adder cried holmes; "the deadliest snake in indi', 'ed neck of a loathsome serpent. "it is a swamp adder cried holmes; "the deadliest snake in india. he', 'ck of a loathsome serpent. "it is a swamp adder cried holmes; "the deadliest snake in india. he has ', ' a loathsome serpent. "it is a swamp adder cried holmes; "the deadliest snake in india. he has died ', 'athsome serpent. "it is a swamp adder cried holmes; "the deadliest snake in india. he has died withi', 'me serpent. "it is a swamp adder cried holmes; "the deadliest snake in india. he has died within ten', 'rpent. "it is a swamp adder cried holmes; "the deadliest snake in india. he has died within ten seco', '. "it is a swamp adder cried holmes; "the deadliest snake in india. he has died within ten seconds o', ' is a swamp adder cried holmes; "the deadliest snake in india. he has died within ten seconds of bei', ' swamp adder cried holmes; "the deadliest snake in india. he has died within ten seconds of being bi', 'p adder cried holmes; "the deadliest snake in india. he has died within ten seconds of being bitten.', 'er cried holmes; "the deadliest snake in india. he has died within ten seconds of being bitten. viol', 'ied holmes; "the deadliest snake in india. he has died within ten seconds of being bitten. violence ', 'olmes; "the deadliest snake in india. he has died within ten seconds of being bitten. violence does,', '; "the deadliest snake in india. he has died within ten seconds of being bitten. violence does, in t', 'e deadliest snake in india. he has died within ten seconds of being bitten. violence does, in truth,', 'dliest snake in india. he has died within ten seconds of being bitten. violence does, in truth, reco', 't snake in india. he has died within ten seconds of being bitten. violence does, in truth, recoil up', 'ke in india. he has died within ten seconds of being bitten. violence does, in truth, recoil upon th', ' india. he has died within ten seconds of being bitten. violence does, in truth, recoil upon the vio', 'a. he has died within ten seconds of being bitten. violence does, in truth, recoil upon the violent,', ' has died within ten seconds of being bitten. violence does, in truth, recoil upon the violent, and ', 'died within ten seconds of being bitten. violence does, in truth, recoil upon the violent, and the s', 'within ten seconds of being bitten. violence does, in truth, recoil upon the violent, and the scheme', 'n ten seconds of being bitten. violence does, in truth, recoil upon the violent, and the schemer fal', ' seconds of being bitten. violence does, in truth, recoil upon the violent, and the schemer falls in', 'nds of being bitten. violence does, in truth, recoil upon the violent, and the schemer falls into th', 'f being bitten. violence does, in truth, recoil upon the violent, and the schemer falls into the pit', 'ng bitten. violence does, in truth, recoil upon the violent, and the schemer falls into the pit whic', 'tten. violence does, in truth, recoil upon the violent, and the schemer falls into the pit which he ', ' violence does, in truth, recoil upon the violent, and the schemer falls into the pit which he digs ', 'ence does, in truth, recoil upon the violent, and the schemer falls into the pit which he digs for a', 'does, in truth, recoil upon the violent, and the schemer falls into the pit which he digs for anothe', ' in truth, recoil upon the violent, and the schemer falls into the pit which he digs for another. le', 'ruth, recoil upon the violent, and the schemer falls into the pit which he digs for another. let us ', ' recoil upon the violent, and the schemer falls into the pit which he digs for another. let us thrus', 'il upon the violent, and the schemer falls into the pit which he digs for another. let us thrust thi', 'on the violent, and the schemer falls into the pit which he digs for another. let us thrust this cre', 'e violent, and the schemer falls into the pit which he digs for another. let us thrust this creature', 'lent, and the schemer falls into the pit which he digs for another. let us thrust this creature back', ' and the schemer falls into the pit which he digs for another. let us thrust this creature back into', 'the schemer falls into the pit which he digs for another. let us thrust this creature back into its ', 'chemer falls into the pit which he digs for another. let us thrust this creature back into its den, ', 'r falls into the pit which he digs for another. let us thrust this creature back into its den, and w', 'ls into the pit which he digs for another. let us thrust this creature back into its den, and we can', 'to the pit which he digs for another. let us thrust this creature back into its den, and we can then', 'e pit which he digs for another. let us thrust this creature back into its den, and we can then remo', ' which he digs for another. let us thrust this creature back into its den, and we can then remove mi', 'h he digs for another. let us thrust this creature back into its den, and we can then remove miss st', 'digs for another. let us thrust this creature back into its den, and we can then remove miss stoner ', 'for another. let us thrust this creature back into its den, and we can then remove miss stoner to so', 'nother. let us thrust this creature back into its den, and we can then remove miss stoner to some pl', 'r. let us thrust this creature back into its den, and we can then remove miss stoner to some place o', 't us thrust this creature back into its den, and we can then remove miss stoner to some place of she', 'thrust this creature back into its den, and we can then remove miss stoner to some place of shelter ', 't this creature back into its den, and we can then remove miss stoner to some place of shelter and l', 's creature back into its den, and we can then remove miss stoner to some place of shelter and let th', 'ature back into its den, and we can then remove miss stoner to some place of shelter and let the cou', ' back into its den, and we can then remove miss stoner to some place of shelter and let the county p', ' into its den, and we can then remove miss stoner to some place of shelter and let the county police', ' its den, and we can then remove miss stoner to some place of shelter and let the county police know', 'den, and we can then remove miss stoner to some place of shelter and let the county police know what', 'and we can then remove miss stoner to some place of shelter and let the county police know what has ', 'e can then remove miss stoner to some place of shelter and let the county police know what has happe', ' then remove miss stoner to some place of shelter and let the county police know what has happened."', ' remove miss stoner to some place of shelter and let the county police know what has happened." as h', 've miss stoner to some place of shelter and let the county police know what has happened." as he spo', 'ss stoner to some place of shelter and let the county police know what has happened." as he spoke he', 'oner to some place of shelter and let the county police know what has happened." as he spoke he drew', 'to some place of shelter and let the county police know what has happened." as he spoke he drew the ', 'me place of shelter and let the county police know what has happened." as he spoke he drew the dog-w', 'ace of shelter and let the county police know what has happened." as he spoke he drew the dog-whip s', 'f shelter and let the county police know what has happened." as he spoke he drew the dog-whip swiftl', 'lter and let the county police know what has happened." as he spoke he drew the dog-whip swiftly fro', 'and let the county police know what has happened." as he spoke he drew the dog-whip swiftly from the', 'et the county police know what has happened." as he spoke he drew the dog-whip swiftly from the dead', 'e county police know what has happened." as he spoke he drew the dog-whip swiftly from the dead man\'', 'nty police know what has happened." as he spoke he drew the dog-whip swiftly from the dead man\'s lap', 'olice know what has happened." as he spoke he drew the dog-whip swiftly from the dead man\'s lap, and', ' know what has happened." as he spoke he drew the dog-whip swiftly from the dead man\'s lap, and thro', ' what has happened." as he spoke he drew the dog-whip swiftly from the dead man\'s lap, and throwing ', ' has happened." as he spoke he drew the dog-whip swiftly from the dead man\'s lap, and throwing the n', 'happened." as he spoke he drew the dog-whip swiftly from the dead man\'s lap, and throwing the noose ', 'ned." as he spoke he drew the dog-whip swiftly from the dead man\'s lap, and throwing the noose round', " as he spoke he drew the dog-whip swiftly from the dead man's lap, and throwing the noose round the ", "e spoke he drew the dog-whip swiftly from the dead man's lap, and throwing the noose round the repti", "ke he drew the dog-whip swiftly from the dead man's lap, and throwing the noose round the reptile's ", " drew the dog-whip swiftly from the dead man's lap, and throwing the noose round the reptile's neck ", " the dog-whip swiftly from the dead man's lap, and throwing the noose round the reptile's neck he dr", "dog-whip swiftly from the dead man's lap, and throwing the noose round the reptile's neck he drew it", "hip swiftly from the dead man's lap, and throwing the noose round the reptile's neck he drew it from", "wiftly from the dead man's lap, and throwing the noose round the reptile's neck he drew it from its ", "y from the dead man's lap, and throwing the noose round the reptile's neck he drew it from its horri", "m the dead man's lap, and throwing the noose round the reptile's neck he drew it from its horrid per", " dead man's lap, and throwing the noose round the reptile's neck he drew it from its horrid perch an", " man's lap, and throwing the noose round the reptile's neck he drew it from its horrid perch and, ca", "s lap, and throwing the noose round the reptile's neck he drew it from its horrid perch and, carryin", ", and throwing the noose round the reptile's neck he drew it from its horrid perch and, carrying it ", " throwing the noose round the reptile's neck he drew it from its horrid perch and, carrying it at ar", "wing the noose round the reptile's neck he drew it from its horrid perch and, carrying it at arm's l", "the noose round the reptile's neck he drew it from its horrid perch and, carrying it at arm's length", "oose round the reptile's neck he drew it from its horrid perch and, carrying it at arm's length, thr", "round the reptile's neck he drew it from its horrid perch and, carrying it at arm's length, threw it", " the reptile's neck he drew it from its horrid perch and, carrying it at arm's length, threw it into", "reptile's neck he drew it from its horrid perch and, carrying it at arm's length, threw it into the ", "le's neck he drew it from its horrid perch and, carrying it at arm's length, threw it into the iron ", "neck he drew it from its horrid perch and, carrying it at arm's length, threw it into the iron safe,", "he drew it from its horrid perch and, carrying it at arm's length, threw it into the iron safe, whic", "ew it from its horrid perch and, carrying it at arm's length, threw it into the iron safe, which he ", " from its horrid perch and, carrying it at arm's length, threw it into the iron safe, which he close", " its horrid perch and, carrying it at arm's length, threw it into the iron safe, which he closed upo", "horrid perch and, carrying it at arm's length, threw it into the iron safe, which he closed upon it.", "d perch and, carrying it at arm's length, threw it into the iron safe, which he closed upon it. such", "ch and, carrying it at arm's length, threw it into the iron safe, which he closed upon it. such are ", "d, carrying it at arm's length, threw it into the iron safe, which he closed upon it. such are the t", "rrying it at arm's length, threw it into the iron safe, which he closed upon it. such are the true f", "g it at arm's length, threw it into the iron safe, which he closed upon it. such are the true facts ", "at arm's length, threw it into the iron safe, which he closed upon it. such are the true facts of th", "m's length, threw it into the iron safe, which he closed upon it. such are the true facts of the dea", 'ength, threw it into the iron safe, which he closed upon it. such are the true facts of the death of', ', threw it into the iron safe, which he closed upon it. such are the true facts of the death of dr. ', 'ew it into the iron safe, which he closed upon it. such are the true facts of the death of dr. grime', ' into the iron safe, which he closed upon it. such are the true facts of the death of dr. grimesby r', ' the iron safe, which he closed upon it. such are the true facts of the death of dr. grimesby roylot', 'iron safe, which he closed upon it. such are the true facts of the death of dr. grimesby roylott, of', 'safe, which he closed upon it. such are the true facts of the death of dr. grimesby roylott, of stok', ' which he closed upon it. such are the true facts of the death of dr. grimesby roylott, of stoke mor', 'h he closed upon it. such are the true facts of the death of dr. grimesby roylott, of stoke moran. i', 'closed upon it. such are the true facts of the death of dr. grimesby roylott, of stoke moran. it is ', 'd upon it. such are the true facts of the death of dr. grimesby roylott, of stoke moran. it is not n', 'n it. such are the true facts of the death of dr. grimesby roylott, of stoke moran. it is not necess', ' such are the true facts of the death of dr. grimesby roylott, of stoke moran. it is not necessary t', ' are the true facts of the death of dr. grimesby roylott, of stoke moran. it is not necessary that i', 'the true facts of the death of dr. grimesby roylott, of stoke moran. it is not necessary that i shou', 'rue facts of the death of dr. grimesby roylott, of stoke moran. it is not necessary that i should pr', 'acts of the death of dr. grimesby roylott, of stoke moran. it is not necessary that i should prolong', 'of the death of dr. grimesby roylott, of stoke moran. it is not necessary that i should prolong a na', 'e death of dr. grimesby roylott, of stoke moran. it is not necessary that i should prolong a narrati', 'th of dr. grimesby roylott, of stoke moran. it is not necessary that i should prolong a narrative wh', ' dr. grimesby roylott, of stoke moran. it is not necessary that i should prolong a narrative which h', 'grimesby roylott, of stoke moran. it is not necessary that i should prolong a narrative which has al', 'sby roylott, of stoke moran. it is not necessary that i should prolong a narrative which has already', 'oylott, of stoke moran. it is not necessary that i should prolong a narrative which has already run ', 't, of stoke moran. it is not necessary that i should prolong a narrative which has already run to to', ' stoke moran. it is not necessary that i should prolong a narrative which has already run to too gre', 'e moran. it is not necessary that i should prolong a narrative which has already run to too great a ', 'an. it is not necessary that i should prolong a narrative which has already run to too great a lengt', 't is not necessary that i should prolong a narrative which has already run to too great a length by ', 'not necessary that i should prolong a narrative which has already run to too great a length by telli', 'ecessary that i should prolong a narrative which has already run to too great a length by telling ho', 'ary that i should prolong a narrative which has already run to too great a length by telling how we ', 'hat i should prolong a narrative which has already run to too great a length by telling how we broke', ' should prolong a narrative which has already run to too great a length by telling how we broke the ', 'ld prolong a narrative which has already run to too great a length by telling how we broke the sad n', 'olong a narrative which has already run to too great a length by telling how we broke the sad news t', ' a narrative which has already run to too great a length by telling how we broke the sad news to the', 'rrative which has already run to too great a length by telling how we broke the sad news to the terr', 've which has already run to too great a length by telling how we broke the sad news to the terrified', 'ich has already run to too great a length by telling how we broke the sad news to the terrified girl', 'as already run to too great a length by telling how we broke the sad news to the terrified girl, how', 'ready run to too great a length by telling how we broke the sad news to the terrified girl, how we c', ' run to too great a length by telling how we broke the sad news to the terrified girl, how we convey', 'to too great a length by telling how we broke the sad news to the terrified girl, how we conveyed he', 'o great a length by telling how we broke the sad news to the terrified girl, how we conveyed her by ', 'at a length by telling how we broke the sad news to the terrified girl, how we conveyed her by the m', 'length by telling how we broke the sad news to the terrified girl, how we conveyed her by the mornin', 'h by telling how we broke the sad news to the terrified girl, how we conveyed her by the morning tra', 'telling how we broke the sad news to the terrified girl, how we conveyed her by the morning train to', 'ng how we broke the sad news to the terrified girl, how we conveyed her by the morning train to the ', 'w we broke the sad news to the terrified girl, how we conveyed her by the morning train to the care ', 'broke the sad news to the terrified girl, how we conveyed her by the morning train to the care of he', ' the sad news to the terrified girl, how we conveyed her by the morning train to the care of her goo', 'sad news to the terrified girl, how we conveyed her by the morning train to the care of her good aun', 'ews to the terrified girl, how we conveyed her by the morning train to the care of her good aunt at ', 'o the terrified girl, how we conveyed her by the morning train to the care of her good aunt at harro', ' terrified girl, how we conveyed her by the morning train to the care of her good aunt at harrow, of', 'ified girl, how we conveyed her by the morning train to the care of her good aunt at harrow, of how ', ' girl, how we conveyed her by the morning train to the care of her good aunt at harrow, of how the s', ', how we conveyed her by the morning train to the care of her good aunt at harrow, of how the slow p', ' we conveyed her by the morning train to the care of her good aunt at harrow, of how the slow proces', 'onveyed her by the morning train to the care of her good aunt at harrow, of how the slow process of ', 'ed her by the morning train to the care of her good aunt at harrow, of how the slow process of offic', 'r by the morning train to the care of her good aunt at harrow, of how the slow process of official i', 'the morning train to the care of her good aunt at harrow, of how the slow process of official inquir', 'orning train to the care of her good aunt at harrow, of how the slow process of official inquiry cam', 'g train to the care of her good aunt at harrow, of how the slow process of official inquiry came to ', 'in to the care of her good aunt at harrow, of how the slow process of official inquiry came to the c', ' the care of her good aunt at harrow, of how the slow process of official inquiry came to the conclu', 'care of her good aunt at harrow, of how the slow process of official inquiry came to the conclusion ', 'of her good aunt at harrow, of how the slow process of official inquiry came to the conclusion that ', 'r good aunt at harrow, of how the slow process of official inquiry came to the conclusion that the d', 'd aunt at harrow, of how the slow process of official inquiry came to the conclusion that the doctor', 't at harrow, of how the slow process of official inquiry came to the conclusion that the doctor met ', 'harrow, of how the slow process of official inquiry came to the conclusion that the doctor met his f', 'w, of how the slow process of official inquiry came to the conclusion that the doctor met his fate w', ' how the slow process of official inquiry came to the conclusion that the doctor met his fate while ', 'the slow process of official inquiry came to the conclusion that the doctor met his fate while indis', 'low process of official inquiry came to the conclusion that the doctor met his fate while indiscreet', 'rocess of official inquiry came to the conclusion that the doctor met his fate while indiscreetly pl', 's of official inquiry came to the conclusion that the doctor met his fate while indiscreetly playing', 'official inquiry came to the conclusion that the doctor met his fate while indiscreetly playing with', 'ial inquiry came to the conclusion that the doctor met his fate while indiscreetly playing with a da', 'nquiry came to the conclusion that the doctor met his fate while indiscreetly playing with a dangero', 'y came to the conclusion that the doctor met his fate while indiscreetly playing with a dangerous pe', 'e to the conclusion that the doctor met his fate while indiscreetly playing with a dangerous pet. th', 'the conclusion that the doctor met his fate while indiscreetly playing with a dangerous pet. the lit', 'onclusion that the doctor met his fate while indiscreetly playing with a dangerous pet. the little w', 'sion that the doctor met his fate while indiscreetly playing with a dangerous pet. the little which ', 'that the doctor met his fate while indiscreetly playing with a dangerous pet. the little which i had', 'the doctor met his fate while indiscreetly playing with a dangerous pet. the little which i had yet ', 'octor met his fate while indiscreetly playing with a dangerous pet. the little which i had yet to le', ' met his fate while indiscreetly playing with a dangerous pet. the little which i had yet to learn o', 'his fate while indiscreetly playing with a dangerous pet. the little which i had yet to learn of the', 'ate while indiscreetly playing with a dangerous pet. the little which i had yet to learn of the case', 'hile indiscreetly playing with a dangerous pet. the little which i had yet to learn of the case was ', 'indiscreetly playing with a dangerous pet. the little which i had yet to learn of the case was told ', 'creetly playing with a dangerous pet. the little which i had yet to learn of the case was told me by', 'ly playing with a dangerous pet. the little which i had yet to learn of the case was told me by sher', 'aying with a dangerous pet. the little which i had yet to learn of the case was told me by sherlock ', ' with a dangerous pet. the little which i had yet to learn of the case was told me by sherlock holme', ' a dangerous pet. the little which i had yet to learn of the case was told me by sherlock holmes as ', 'ngerous pet. the little which i had yet to learn of the case was told me by sherlock holmes as we tr', 'us pet. the little which i had yet to learn of the case was told me by sherlock holmes as we travell', 't. the little which i had yet to learn of the case was told me by sherlock holmes as we travelled ba', 'e little which i had yet to learn of the case was told me by sherlock holmes as we travelled back ne', 'tle which i had yet to learn of the case was told me by sherlock holmes as we travelled back next da', 'hich i had yet to learn of the case was told me by sherlock holmes as we travelled back next day. "i', 'i had yet to learn of the case was told me by sherlock holmes as we travelled back next day. "i had,', ' yet to learn of the case was told me by sherlock holmes as we travelled back next day. "i had," sai', 'to learn of the case was told me by sherlock holmes as we travelled back next day. "i had," said he,', 'arn of the case was told me by sherlock holmes as we travelled back next day. "i had," said he, "com', 'f the case was told me by sherlock holmes as we travelled back next day. "i had," said he, "come to ', ' case was told me by sherlock holmes as we travelled back next day. "i had," said he, "come to an en', ' was told me by sherlock holmes as we travelled back next day. "i had," said he, "come to an entirel', 'told me by sherlock holmes as we travelled back next day. "i had," said he, "come to an entirely err', 'me by sherlock holmes as we travelled back next day. "i had," said he, "come to an entirely erroneou', ' sherlock holmes as we travelled back next day. "i had," said he, "come to an entirely erroneous con', 'lock holmes as we travelled back next day. "i had," said he, "come to an entirely erroneous conclusi', 'holmes as we travelled back next day. "i had," said he, "come to an entirely erroneous conclusion wh', 's as we travelled back next day. "i had," said he, "come to an entirely erroneous conclusion which s', 'we travelled back next day. "i had," said he, "come to an entirely erroneous conclusion which shows,', 'avelled back next day. "i had," said he, "come to an entirely erroneous conclusion which shows, my d', 'ed back next day. "i had," said he, "come to an entirely erroneous conclusion which shows, my dear w', 'ck next day. "i had," said he, "come to an entirely erroneous conclusion which shows, my dear watson', 'xt day. "i had," said he, "come to an entirely erroneous conclusion which shows, my dear watson, how', 'y. "i had," said he, "come to an entirely erroneous conclusion which shows, my dear watson, how dang', ' had," said he, "come to an entirely erroneous conclusion which shows, my dear watson, how dangerous', '" said he, "come to an entirely erroneous conclusion which shows, my dear watson, how dangerous it a', 'd he, "come to an entirely erroneous conclusion which shows, my dear watson, how dangerous it always', ' "come to an entirely erroneous conclusion which shows, my dear watson, how dangerous it always is t', 'e to an entirely erroneous conclusion which shows, my dear watson, how dangerous it always is to rea', 'an entirely erroneous conclusion which shows, my dear watson, how dangerous it always is to reason f', 'tirely erroneous conclusion which shows, my dear watson, how dangerous it always is to reason from i', 'y erroneous conclusion which shows, my dear watson, how dangerous it always is to reason from insuff', 'oneous conclusion which shows, my dear watson, how dangerous it always is to reason from insufficien', 's conclusion which shows, my dear watson, how dangerous it always is to reason from insufficient dat', 'clusion which shows, my dear watson, how dangerous it always is to reason from insufficient data. th', 'on which shows, my dear watson, how dangerous it always is to reason from insufficient data. the pre', 'ich shows, my dear watson, how dangerous it always is to reason from insufficient data. the presence', 'hows, my dear watson, how dangerous it always is to reason from insufficient data. the presence of t', ' my dear watson, how dangerous it always is to reason from insufficient data. the presence of the gi', 'ear watson, how dangerous it always is to reason from insufficient data. the presence of the gipsies', 'atson, how dangerous it always is to reason from insufficient data. the presence of the gipsies, and', ', how dangerous it always is to reason from insufficient data. the presence of the gipsies, and the ', ' dangerous it always is to reason from insufficient data. the presence of the gipsies, and the use o', 'erous it always is to reason from insufficient data. the presence of the gipsies, and the use of the', ' it always is to reason from insufficient data. the presence of the gipsies, and the use of the word', "lways is to reason from insufficient data. the presence of the gipsies, and the use of the word 'ban", " is to reason from insufficient data. the presence of the gipsies, and the use of the word 'band,' w", "o reason from insufficient data. the presence of the gipsies, and the use of the word 'band,' which ", "son from insufficient data. the presence of the gipsies, and the use of the word 'band,' which was u", "rom insufficient data. the presence of the gipsies, and the use of the word 'band,' which was used b", "nsufficient data. the presence of the gipsies, and the use of the word 'band,' which was used by the", "icient data. the presence of the gipsies, and the use of the word 'band,' which was used by the poor", "t data. the presence of the gipsies, and the use of the word 'band,' which was used by the poor girl", "a. the presence of the gipsies, and the use of the word 'band,' which was used by the poor girl, no ", "e presence of the gipsies, and the use of the word 'band,' which was used by the poor girl, no doubt", "sence of the gipsies, and the use of the word 'band,' which was used by the poor girl, no doubt, to ", " of the gipsies, and the use of the word 'band,' which was used by the poor girl, no doubt, to expla", "he gipsies, and the use of the word 'band,' which was used by the poor girl, no doubt, to explain th", "psies, and the use of the word 'band,' which was used by the poor girl, no doubt, to explain the app", ", and the use of the word 'band,' which was used by the poor girl, no doubt, to explain the appearan", " the use of the word 'band,' which was used by the poor girl, no doubt, to explain the appearance wh", "use of the word 'band,' which was used by the poor girl, no doubt, to explain the appearance which s", "f the word 'band,' which was used by the poor girl, no doubt, to explain the appearance which she ha", " word 'band,' which was used by the poor girl, no doubt, to explain the appearance which she had cau", " 'band,' which was used by the poor girl, no doubt, to explain the appearance which she had caught a", "d,' which was used by the poor girl, no doubt, to explain the appearance which she had caught a hurr", 'hich was used by the poor girl, no doubt, to explain the appearance which she had caught a hurried g', 'was used by the poor girl, no doubt, to explain the appearance which she had caught a hurried glimps', 'sed by the poor girl, no doubt, to explain the appearance which she had caught a hurried glimpse of ', 'y the poor girl, no doubt, to explain the appearance which she had caught a hurried glimpse of by th', ' poor girl, no doubt, to explain the appearance which she had caught a hurried glimpse of by the lig', ' girl, no doubt, to explain the appearance which she had caught a hurried glimpse of by the light of', ', no doubt, to explain the appearance which she had caught a hurried glimpse of by the light of her ', 'doubt, to explain the appearance which she had caught a hurried glimpse of by the light of her match', ', to explain the appearance which she had caught a hurried glimpse of by the light of her match, wer', 'explain the appearance which she had caught a hurried glimpse of by the light of her match, were suf', 'in the appearance which she had caught a hurried glimpse of by the light of her match, were sufficie', 'e appearance which she had caught a hurried glimpse of by the light of her match, were sufficient to', 'earance which she had caught a hurried glimpse of by the light of her match, were sufficient to put ', 'ce which she had caught a hurried glimpse of by the light of her match, were sufficient to put me up', 'ich she had caught a hurried glimpse of by the light of her match, were sufficient to put me upon an', 'he had caught a hurried glimpse of by the light of her match, were sufficient to put me upon an enti', 'd caught a hurried glimpse of by the light of her match, were sufficient to put me upon an entirely ', 'ght a hurried glimpse of by the light of her match, were sufficient to put me upon an entirely wrong', ' hurried glimpse of by the light of her match, were sufficient to put me upon an entirely wrong scen', 'ied glimpse of by the light of her match, were sufficient to put me upon an entirely wrong scent. i ', 'limpse of by the light of her match, were sufficient to put me upon an entirely wrong scent. i can o', 'e of by the light of her match, were sufficient to put me upon an entirely wrong scent. i can only c', 'by the light of her match, were sufficient to put me upon an entirely wrong scent. i can only claim ', 'e light of her match, were sufficient to put me upon an entirely wrong scent. i can only claim the m', 'ht of her match, were sufficient to put me upon an entirely wrong scent. i can only claim the merit ', ' her match, were sufficient to put me upon an entirely wrong scent. i can only claim the merit that ', 'match, were sufficient to put me upon an entirely wrong scent. i can only claim the merit that i ins', ', were sufficient to put me upon an entirely wrong scent. i can only claim the merit that i instantl', 'e sufficient to put me upon an entirely wrong scent. i can only claim the merit that i instantly rec', 'ficient to put me upon an entirely wrong scent. i can only claim the merit that i instantly reconsid', 'nt to put me upon an entirely wrong scent. i can only claim the merit that i instantly reconsidered ', ' put me upon an entirely wrong scent. i can only claim the merit that i instantly reconsidered my po', 'me upon an entirely wrong scent. i can only claim the merit that i instantly reconsidered my positio', 'on an entirely wrong scent. i can only claim the merit that i instantly reconsidered my position whe', ' entirely wrong scent. i can only claim the merit that i instantly reconsidered my position when, ho', 'rely wrong scent. i can only claim the merit that i instantly reconsidered my position when, however', 'wrong scent. i can only claim the merit that i instantly reconsidered my position when, however, it ', ' scent. i can only claim the merit that i instantly reconsidered my position when, however, it becam', 't. i can only claim the merit that i instantly reconsidered my position when, however, it became cle', 'can only claim the merit that i instantly reconsidered my position when, however, it became clear to', 'nly claim the merit that i instantly reconsidered my position when, however, it became clear to me t', 'laim the merit that i instantly reconsidered my position when, however, it became clear to me that w', 'the merit that i instantly reconsidered my position when, however, it became clear to me that whatev', 'erit that i instantly reconsidered my position when, however, it became clear to me that whatever da', 'that i instantly reconsidered my position when, however, it became clear to me that whatever danger ', 'i instantly reconsidered my position when, however, it became clear to me that whatever danger threa', 'tantly reconsidered my position when, however, it became clear to me that whatever danger threatened', 'y reconsidered my position when, however, it became clear to me that whatever danger threatened an o', 'onsidered my position when, however, it became clear to me that whatever danger threatened an occupa', 'ered my position when, however, it became clear to me that whatever danger threatened an occupant of', 'my position when, however, it became clear to me that whatever danger threatened an occupant of the ', 'sition when, however, it became clear to me that whatever danger threatened an occupant of the room ', 'n when, however, it became clear to me that whatever danger threatened an occupant of the room could', 'n, however, it became clear to me that whatever danger threatened an occupant of the room could not ', 'wever, it became clear to me that whatever danger threatened an occupant of the room could not come ', ', it became clear to me that whatever danger threatened an occupant of the room could not come eithe', 'became clear to me that whatever danger threatened an occupant of the room could not come either fro', 'e clear to me that whatever danger threatened an occupant of the room could not come either from the', 'ar to me that whatever danger threatened an occupant of the room could not come either from the wind', ' me that whatever danger threatened an occupant of the room could not come either from the window or', 'hat whatever danger threatened an occupant of the room could not come either from the window or the ', 'hatever danger threatened an occupant of the room could not come either from the window or the door.', 'er danger threatened an occupant of the room could not come either from the window or the door. my a', 'nger threatened an occupant of the room could not come either from the window or the door. my attent', 'threatened an occupant of the room could not come either from the window or the door. my attention w', 'tened an occupant of the room could not come either from the window or the door. my attention was sp', ' an occupant of the room could not come either from the window or the door. my attention was speedil', 'ccupant of the room could not come either from the window or the door. my attention was speedily dra', 'nt of the room could not come either from the window or the door. my attention was speedily drawn, a', ' the room could not come either from the window or the door. my attention was speedily drawn, as i h', 'room could not come either from the window or the door. my attention was speedily drawn, as i have a', 'could not come either from the window or the door. my attention was speedily drawn, as i have alread', ' not come either from the window or the door. my attention was speedily drawn, as i have already rem', 'come either from the window or the door. my attention was speedily drawn, as i have already remarked', 'either from the window or the door. my attention was speedily drawn, as i have already remarked to y', 'r from the window or the door. my attention was speedily drawn, as i have already remarked to you, t', 'm the window or the door. my attention was speedily drawn, as i have already remarked to you, to thi', ' window or the door. my attention was speedily drawn, as i have already remarked to you, to this ven', 'ow or the door. my attention was speedily drawn, as i have already remarked to you, to this ventilat', ' the door. my attention was speedily drawn, as i have already remarked to you, to this ventilator, a', 'door. my attention was speedily drawn, as i have already remarked to you, to this ventilator, and to', ' my attention was speedily drawn, as i have already remarked to you, to this ventilator, and to the ', 'ttention was speedily drawn, as i have already remarked to you, to this ventilator, and to the bell-', 'ion was speedily drawn, as i have already remarked to you, to this ventilator, and to the bell-rope ', 'as speedily drawn, as i have already remarked to you, to this ventilator, and to the bell-rope which', 'eedily drawn, as i have already remarked to you, to this ventilator, and to the bell-rope which hung', 'y drawn, as i have already remarked to you, to this ventilator, and to the bell-rope which hung down', 'wn, as i have already remarked to you, to this ventilator, and to the bell-rope which hung down to t', 's i have already remarked to you, to this ventilator, and to the bell-rope which hung down to the be', 'ave already remarked to you, to this ventilator, and to the bell-rope which hung down to the bed. th', 'lready remarked to you, to this ventilator, and to the bell-rope which hung down to the bed. the dis', 'y remarked to you, to this ventilator, and to the bell-rope which hung down to the bed. the discover', 'arked to you, to this ventilator, and to the bell-rope which hung down to the bed. the discovery tha', ' to you, to this ventilator, and to the bell-rope which hung down to the bed. the discovery that thi', 'ou, to this ventilator, and to the bell-rope which hung down to the bed. the discovery that this was', 'o this ventilator, and to the bell-rope which hung down to the bed. the discovery that this was a du', 's ventilator, and to the bell-rope which hung down to the bed. the discovery that this was a dummy, ', 'tilator, and to the bell-rope which hung down to the bed. the discovery that this was a dummy, and t', 'or, and to the bell-rope which hung down to the bed. the discovery that this was a dummy, and that t', 'nd to the bell-rope which hung down to the bed. the discovery that this was a dummy, and that the be', ' the bell-rope which hung down to the bed. the discovery that this was a dummy, and that the bed was', 'bell-rope which hung down to the bed. the discovery that this was a dummy, and that the bed was clam', 'rope which hung down to the bed. the discovery that this was a dummy, and that the bed was clamped t', 'which hung down to the bed. the discovery that this was a dummy, and that the bed was clamped to the', ' hung down to the bed. the discovery that this was a dummy, and that the bed was clamped to the floo', ' down to the bed. the discovery that this was a dummy, and that the bed was clamped to the floor, in', ' to the bed. the discovery that this was a dummy, and that the bed was clamped to the floor, instant', 'he bed. the discovery that this was a dummy, and that the bed was clamped to the floor, instantly ga', 'd. the discovery that this was a dummy, and that the bed was clamped to the floor, instantly gave ri', 'e discovery that this was a dummy, and that the bed was clamped to the floor, instantly gave rise to', 'covery that this was a dummy, and that the bed was clamped to the floor, instantly gave rise to the ', 'y that this was a dummy, and that the bed was clamped to the floor, instantly gave rise to the suspi', 't this was a dummy, and that the bed was clamped to the floor, instantly gave rise to the suspicion ', 's was a dummy, and that the bed was clamped to the floor, instantly gave rise to the suspicion that ', ' a dummy, and that the bed was clamped to the floor, instantly gave rise to the suspicion that the r', 'mmy, and that the bed was clamped to the floor, instantly gave rise to the suspicion that the rope w', 'and that the bed was clamped to the floor, instantly gave rise to the suspicion that the rope was th', 'hat the bed was clamped to the floor, instantly gave rise to the suspicion that the rope was there a', 'he bed was clamped to the floor, instantly gave rise to the suspicion that the rope was there as a b', 'd was clamped to the floor, instantly gave rise to the suspicion that the rope was there as a bridge', ' clamped to the floor, instantly gave rise to the suspicion that the rope was there as a bridge for ', 'ped to the floor, instantly gave rise to the suspicion that the rope was there as a bridge for somet', 'o the floor, instantly gave rise to the suspicion that the rope was there as a bridge for something ', ' floor, instantly gave rise to the suspicion that the rope was there as a bridge for something passi', 'r, instantly gave rise to the suspicion that the rope was there as a bridge for something passing th', 'stantly gave rise to the suspicion that the rope was there as a bridge for something passing through', 'ly gave rise to the suspicion that the rope was there as a bridge for something passing through the ', 've rise to the suspicion that the rope was there as a bridge for something passing through the hole ', 'se to the suspicion that the rope was there as a bridge for something passing through the hole and c', ' the suspicion that the rope was there as a bridge for something passing through the hole and coming', 'suspicion that the rope was there as a bridge for something passing through the hole and coming to t', 'cion that the rope was there as a bridge for something passing through the hole and coming to the be', 'that the rope was there as a bridge for something passing through the hole and coming to the bed. th', 'the rope was there as a bridge for something passing through the hole and coming to the bed. the ide', 'ope was there as a bridge for something passing through the hole and coming to the bed. the idea of ', 'as there as a bridge for something passing through the hole and coming to the bed. the idea of a sna', 'ere as a bridge for something passing through the hole and coming to the bed. the idea of a snake in', 's a bridge for something passing through the hole and coming to the bed. the idea of a snake instant', 'ridge for something passing through the hole and coming to the bed. the idea of a snake instantly oc', ' for something passing through the hole and coming to the bed. the idea of a snake instantly occurre', 'something passing through the hole and coming to the bed. the idea of a snake instantly occurred to ', 'hing passing through the hole and coming to the bed. the idea of a snake instantly occurred to me, a', 'passing through the hole and coming to the bed. the idea of a snake instantly occurred to me, and wh', 'ng through the hole and coming to the bed. the idea of a snake instantly occurred to me, and when i ', 'rough the hole and coming to the bed. the idea of a snake instantly occurred to me, and when i coupl', ' the hole and coming to the bed. the idea of a snake instantly occurred to me, and when i coupled it', 'hole and coming to the bed. the idea of a snake instantly occurred to me, and when i coupled it with', 'and coming to the bed. the idea of a snake instantly occurred to me, and when i coupled it with my k', 'oming to the bed. the idea of a snake instantly occurred to me, and when i coupled it with my knowle', ' to the bed. the idea of a snake instantly occurred to me, and when i coupled it with my knowledge t', 'he bed. the idea of a snake instantly occurred to me, and when i coupled it with my knowledge that t', 'd. the idea of a snake instantly occurred to me, and when i coupled it with my knowledge that the do', 'e idea of a snake instantly occurred to me, and when i coupled it with my knowledge that the doctor ', 'a of a snake instantly occurred to me, and when i coupled it with my knowledge that the doctor was f', 'a snake instantly occurred to me, and when i coupled it with my knowledge that the doctor was furnis', 'ke instantly occurred to me, and when i coupled it with my knowledge that the doctor was furnished w', 'stantly occurred to me, and when i coupled it with my knowledge that the doctor was furnished with a', 'ly occurred to me, and when i coupled it with my knowledge that the doctor was furnished with a supp', 'curred to me, and when i coupled it with my knowledge that the doctor was furnished with a supply of', 'd to me, and when i coupled it with my knowledge that the doctor was furnished with a supply of crea', 'me, and when i coupled it with my knowledge that the doctor was furnished with a supply of creatures', 'nd when i coupled it with my knowledge that the doctor was furnished with a supply of creatures from', 'en i coupled it with my knowledge that the doctor was furnished with a supply of creatures from indi', 'coupled it with my knowledge that the doctor was furnished with a supply of creatures from india, i ', 'ed it with my knowledge that the doctor was furnished with a supply of creatures from india, i felt ', ' with my knowledge that the doctor was furnished with a supply of creatures from india, i felt that ', ' my knowledge that the doctor was furnished with a supply of creatures from india, i felt that i was', 'nowledge that the doctor was furnished with a supply of creatures from india, i felt that i was prob', 'dge that the doctor was furnished with a supply of creatures from india, i felt that i was probably ', 'hat the doctor was furnished with a supply of creatures from india, i felt that i was probably on th', 'he doctor was furnished with a supply of creatures from india, i felt that i was probably on the rig', 'ctor was furnished with a supply of creatures from india, i felt that i was probably on the right tr', 'was furnished with a supply of creatures from india, i felt that i was probably on the right track. ', 'urnished with a supply of creatures from india, i felt that i was probably on the right track. the i', 'hed with a supply of creatures from india, i felt that i was probably on the right track. the idea o', 'ith a supply of creatures from india, i felt that i was probably on the right track. the idea of usi', ' supply of creatures from india, i felt that i was probably on the right track. the idea of using a ', 'ly of creatures from india, i felt that i was probably on the right track. the idea of using a form ', ' creatures from india, i felt that i was probably on the right track. the idea of using a form of po', 'tures from india, i felt that i was probably on the right track. the idea of using a form of poison ', ' from india, i felt that i was probably on the right track. the idea of using a form of poison which', ' india, i felt that i was probably on the right track. the idea of using a form of poison which coul', 'a, i felt that i was probably on the right track. the idea of using a form of poison which could not', 'felt that i was probably on the right track. the idea of using a form of poison which could not poss', 'that i was probably on the right track. the idea of using a form of poison which could not possibly ', 'i was probably on the right track. the idea of using a form of poison which could not possibly be di', ' probably on the right track. the idea of using a form of poison which could not possibly be discove', 'ably on the right track. the idea of using a form of poison which could not possibly be discovered b', 'on the right track. the idea of using a form of poison which could not possibly be discovered by any', 'e right track. the idea of using a form of poison which could not possibly be discovered by any chem', 'ht track. the idea of using a form of poison which could not possibly be discovered by any chemical ', 'ack. the idea of using a form of poison which could not possibly be discovered by any chemical test ', 'the idea of using a form of poison which could not possibly be discovered by any chemical test was j', 'dea of using a form of poison which could not possibly be discovered by any chemical test was just s', 'f using a form of poison which could not possibly be discovered by any chemical test was just such a', 'ng a form of poison which could not possibly be discovered by any chemical test was just such a one ', 'form of poison which could not possibly be discovered by any chemical test was just such a one as wo', 'of poison which could not possibly be discovered by any chemical test was just such a one as would o', 'ison which could not possibly be discovered by any chemical test was just such a one as would occur ', 'which could not possibly be discovered by any chemical test was just such a one as would occur to a ', ' could not possibly be discovered by any chemical test was just such a one as would occur to a cleve', 'd not possibly be discovered by any chemical test was just such a one as would occur to a clever and', ' possibly be discovered by any chemical test was just such a one as would occur to a clever and ruth', 'ibly be discovered by any chemical test was just such a one as would occur to a clever and ruthless ', 'be discovered by any chemical test was just such a one as would occur to a clever and ruthless man w', 'scovered by any chemical test was just such a one as would occur to a clever and ruthless man who ha', 'red by any chemical test was just such a one as would occur to a clever and ruthless man who had had', 'y any chemical test was just such a one as would occur to a clever and ruthless man who had had an e', ' chemical test was just such a one as would occur to a clever and ruthless man who had had an easter', 'ical test was just such a one as would occur to a clever and ruthless man who had had an eastern tra', 'test was just such a one as would occur to a clever and ruthless man who had had an eastern training', 'was just such a one as would occur to a clever and ruthless man who had had an eastern training. the', 'ust such a one as would occur to a clever and ruthless man who had had an eastern training. the rapi', 'uch a one as would occur to a clever and ruthless man who had had an eastern training. the rapidity ', ' one as would occur to a clever and ruthless man who had had an eastern training. the rapidity with ', 'as would occur to a clever and ruthless man who had had an eastern training. the rapidity with which', 'uld occur to a clever and ruthless man who had had an eastern training. the rapidity with which such', 'ccur to a clever and ruthless man who had had an eastern training. the rapidity with which such a po', 'to a clever and ruthless man who had had an eastern training. the rapidity with which such a poison ', 'clever and ruthless man who had had an eastern training. the rapidity with which such a poison would', 'r and ruthless man who had had an eastern training. the rapidity with which such a poison would take', ' ruthless man who had had an eastern training. the rapidity with which such a poison would take effe', 'less man who had had an eastern training. the rapidity with which such a poison would take effect wo', 'man who had had an eastern training. the rapidity with which such a poison would take effect would a', 'ho had had an eastern training. the rapidity with which such a poison would take effect would also, ', 'd had an eastern training. the rapidity with which such a poison would take effect would also, from ', ' an eastern training. the rapidity with which such a poison would take effect would also, from his p', 'astern training. the rapidity with which such a poison would take effect would also, from his point ', 'n training. the rapidity with which such a poison would take effect would also, from his point of vi', 'ining. the rapidity with which such a poison would take effect would also, from his point of view, b', '. the rapidity with which such a poison would take effect would also, from his point of view, be an ', ' rapidity with which such a poison would take effect would also, from his point of view, be an advan', 'dity with which such a poison would take effect would also, from his point of view, be an advantage.', 'with which such a poison would take effect would also, from his point of view, be an advantage. it w', 'which such a poison would take effect would also, from his point of view, be an advantage. it would ', ' such a poison would take effect would also, from his point of view, be an advantage. it would be a ', ' a poison would take effect would also, from his point of view, be an advantage. it would be a sharp', 'ison would take effect would also, from his point of view, be an advantage. it would be a sharp-eyed', 'would take effect would also, from his point of view, be an advantage. it would be a sharp-eyed coro', ' take effect would also, from his point of view, be an advantage. it would be a sharp-eyed coroner, ', ' effect would also, from his point of view, be an advantage. it would be a sharp-eyed coroner, indee', 'ct would also, from his point of view, be an advantage. it would be a sharp-eyed coroner, indeed, wh', 'uld also, from his point of view, be an advantage. it would be a sharp-eyed coroner, indeed, who cou', 'lso, from his point of view, be an advantage. it would be a sharp-eyed coroner, indeed, who could di', 'from his point of view, be an advantage. it would be a sharp-eyed coroner, indeed, who could disting', 'his point of view, be an advantage. it would be a sharp-eyed coroner, indeed, who could distinguish ', 'oint of view, be an advantage. it would be a sharp-eyed coroner, indeed, who could distinguish the t', 'of view, be an advantage. it would be a sharp-eyed coroner, indeed, who could distinguish the two li', 'ew, be an advantage. it would be a sharp-eyed coroner, indeed, who could distinguish the two little ', 'e an advantage. it would be a sharp-eyed coroner, indeed, who could distinguish the two little dark ', 'advantage. it would be a sharp-eyed coroner, indeed, who could distinguish the two little dark punct', 'tage. it would be a sharp-eyed coroner, indeed, who could distinguish the two little dark punctures ', ' it would be a sharp-eyed coroner, indeed, who could distinguish the two little dark punctures which', 'ould be a sharp-eyed coroner, indeed, who could distinguish the two little dark punctures which woul', 'be a sharp-eyed coroner, indeed, who could distinguish the two little dark punctures which would sho', 'sharp-eyed coroner, indeed, who could distinguish the two little dark punctures which would show whe', '-eyed coroner, indeed, who could distinguish the two little dark punctures which would show where th', ' coroner, indeed, who could distinguish the two little dark punctures which would show where the poi', 'ner, indeed, who could distinguish the two little dark punctures which would show where the poison f', 'indeed, who could distinguish the two little dark punctures which would show where the poison fangs ', 'd, who could distinguish the two little dark punctures which would show where the poison fangs had d', 'o could distinguish the two little dark punctures which would show where the poison fangs had done t', 'ld distinguish the two little dark punctures which would show where the poison fangs had done their ', 'stinguish the two little dark punctures which would show where the poison fangs had done their work.', 'uish the two little dark punctures which would show where the poison fangs had done their work. then', 'the two little dark punctures which would show where the poison fangs had done their work. then i th', 'wo little dark punctures which would show where the poison fangs had done their work. then i thought', 'ttle dark punctures which would show where the poison fangs had done their work. then i thought of t', 'dark punctures which would show where the poison fangs had done their work. then i thought of the wh', 'punctures which would show where the poison fangs had done their work. then i thought of the whistle', 'ures which would show where the poison fangs had done their work. then i thought of the whistle. of ', 'which would show where the poison fangs had done their work. then i thought of the whistle. of cours', ' would show where the poison fangs had done their work. then i thought of the whistle. of course he ', 'd show where the poison fangs had done their work. then i thought of the whistle. of course he must ', 'w where the poison fangs had done their work. then i thought of the whistle. of course he must recal', 're the poison fangs had done their work. then i thought of the whistle. of course he must recall the', 'e poison fangs had done their work. then i thought of the whistle. of course he must recall the snak', 'son fangs had done their work. then i thought of the whistle. of course he must recall the snake bef', 'angs had done their work. then i thought of the whistle. of course he must recall the snake before t', 'had done their work. then i thought of the whistle. of course he must recall the snake before the mo', 'one their work. then i thought of the whistle. of course he must recall the snake before the morning', 'heir work. then i thought of the whistle. of course he must recall the snake before the morning ligh', 'work. then i thought of the whistle. of course he must recall the snake before the morning light rev', ' then i thought of the whistle. of course he must recall the snake before the morning light revealed', ' i thought of the whistle. of course he must recall the snake before the morning light revealed it t', 'ought of the whistle. of course he must recall the snake before the morning light revealed it to the', ' of the whistle. of course he must recall the snake before the morning light revealed it to the vict', 'he whistle. of course he must recall the snake before the morning light revealed it to the victim. h', 'istle. of course he must recall the snake before the morning light revealed it to the victim. he had', '. of course he must recall the snake before the morning light revealed it to the victim. he had trai', 'course he must recall the snake before the morning light revealed it to the victim. he had trained i', 'e he must recall the snake before the morning light revealed it to the victim. he had trained it, pr', 'must recall the snake before the morning light revealed it to the victim. he had trained it, probabl', 'recall the snake before the morning light revealed it to the victim. he had trained it, probably by ', 'l the snake before the morning light revealed it to the victim. he had trained it, probably by the u', ' snake before the morning light revealed it to the victim. he had trained it, probably by the use of', 'e before the morning light revealed it to the victim. he had trained it, probably by the use of the ', 'ore the morning light revealed it to the victim. he had trained it, probably by the use of the milk ', 'he morning light revealed it to the victim. he had trained it, probably by the use of the milk which', 'rning light revealed it to the victim. he had trained it, probably by the use of the milk which we s', ' light revealed it to the victim. he had trained it, probably by the use of the milk which we saw, t', 't revealed it to the victim. he had trained it, probably by the use of the milk which we saw, to ret', 'ealed it to the victim. he had trained it, probably by the use of the milk which we saw, to return t', ' it to the victim. he had trained it, probably by the use of the milk which we saw, to return to him', 'o the victim. he had trained it, probably by the use of the milk which we saw, to return to him when', ' victim. he had trained it, probably by the use of the milk which we saw, to return to him when summ', 'im. he had trained it, probably by the use of the milk which we saw, to return to him when summoned.', 'e had trained it, probably by the use of the milk which we saw, to return to him when summoned. he w', ' trained it, probably by the use of the milk which we saw, to return to him when summoned. he would ', 'ned it, probably by the use of the milk which we saw, to return to him when summoned. he would put i', 't, probably by the use of the milk which we saw, to return to him when summoned. he would put it thr', 'obably by the use of the milk which we saw, to return to him when summoned. he would put it through ', 'y by the use of the milk which we saw, to return to him when summoned. he would put it through this ', 'the use of the milk which we saw, to return to him when summoned. he would put it through this venti', 'se of the milk which we saw, to return to him when summoned. he would put it through this ventilator', ' the milk which we saw, to return to him when summoned. he would put it through this ventilator at t', 'milk which we saw, to return to him when summoned. he would put it through this ventilator at the ho', 'which we saw, to return to him when summoned. he would put it through this ventilator at the hour th', ' we saw, to return to him when summoned. he would put it through this ventilator at the hour that he', 'aw, to return to him when summoned. he would put it through this ventilator at the hour that he thou', 'o return to him when summoned. he would put it through this ventilator at the hour that he thought b', 'urn to him when summoned. he would put it through this ventilator at the hour that he thought best, ', 'o him when summoned. he would put it through this ventilator at the hour that he thought best, with ', ' when summoned. he would put it through this ventilator at the hour that he thought best, with the c', ' summoned. he would put it through this ventilator at the hour that he thought best, with the certai', 'oned. he would put it through this ventilator at the hour that he thought best, with the certainty t', ' he would put it through this ventilator at the hour that he thought best, with the certainty that i', 'ould put it through this ventilator at the hour that he thought best, with the certainty that it wou', 'put it through this ventilator at the hour that he thought best, with the certainty that it would cr', 't through this ventilator at the hour that he thought best, with the certainty that it would crawl d', 'ough this ventilator at the hour that he thought best, with the certainty that it would crawl down t', 'this ventilator at the hour that he thought best, with the certainty that it would crawl down the ro', 'ventilator at the hour that he thought best, with the certainty that it would crawl down the rope an', 'lator at the hour that he thought best, with the certainty that it would crawl down the rope and lan', ' at the hour that he thought best, with the certainty that it would crawl down the rope and land on ', 'he hour that he thought best, with the certainty that it would crawl down the rope and land on the b', 'ur that he thought best, with the certainty that it would crawl down the rope and land on the bed. i', 'at he thought best, with the certainty that it would crawl down the rope and land on the bed. it mig', ' thought best, with the certainty that it would crawl down the rope and land on the bed. it might or', 'ght best, with the certainty that it would crawl down the rope and land on the bed. it might or migh', 'est, with the certainty that it would crawl down the rope and land on the bed. it might or might not', 'with the certainty that it would crawl down the rope and land on the bed. it might or might not bite', 'the certainty that it would crawl down the rope and land on the bed. it might or might not bite the ', 'ertainty that it would crawl down the rope and land on the bed. it might or might not bite the occup', 'nty that it would crawl down the rope and land on the bed. it might or might not bite the occupant, ', 'hat it would crawl down the rope and land on the bed. it might or might not bite the occupant, perha', 't would crawl down the rope and land on the bed. it might or might not bite the occupant, perhaps sh', 'ld crawl down the rope and land on the bed. it might or might not bite the occupant, perhaps she mig', 'awl down the rope and land on the bed. it might or might not bite the occupant, perhaps she might es', 'own the rope and land on the bed. it might or might not bite the occupant, perhaps she might escape ', 'he rope and land on the bed. it might or might not bite the occupant, perhaps she might escape every', 'pe and land on the bed. it might or might not bite the occupant, perhaps she might escape every nigh', 'd land on the bed. it might or might not bite the occupant, perhaps she might escape every night for', 'd on the bed. it might or might not bite the occupant, perhaps she might escape every night for a we', 'the bed. it might or might not bite the occupant, perhaps she might escape every night for a week, b', 'ed. it might or might not bite the occupant, perhaps she might escape every night for a week, but so', 't might or might not bite the occupant, perhaps she might escape every night for a week, but sooner ', 'ht or might not bite the occupant, perhaps she might escape every night for a week, but sooner or la', ' might not bite the occupant, perhaps she might escape every night for a week, but sooner or later s', 't not bite the occupant, perhaps she might escape every night for a week, but sooner or later she mu', ' bite the occupant, perhaps she might escape every night for a week, but sooner or later she must fa', ' the occupant, perhaps she might escape every night for a week, but sooner or later she must fall a ', 'occupant, perhaps she might escape every night for a week, but sooner or later she must fall a victi', 'ant, perhaps she might escape every night for a week, but sooner or later she must fall a victim. "i', 'perhaps she might escape every night for a week, but sooner or later she must fall a victim. "i had ', 'ps she might escape every night for a week, but sooner or later she must fall a victim. "i had come ', 'e might escape every night for a week, but sooner or later she must fall a victim. "i had come to th', 'ht escape every night for a week, but sooner or later she must fall a victim. "i had come to these c', 'cape every night for a week, but sooner or later she must fall a victim. "i had come to these conclu', 'every night for a week, but sooner or later she must fall a victim. "i had come to these conclusions', ' night for a week, but sooner or later she must fall a victim. "i had come to these conclusions befo', 't for a week, but sooner or later she must fall a victim. "i had come to these conclusions before ev', ' a week, but sooner or later she must fall a victim. "i had come to these conclusions before ever i ', 'ek, but sooner or later she must fall a victim. "i had come to these conclusions before ever i had e', 'ut sooner or later she must fall a victim. "i had come to these conclusions before ever i had entere', 'oner or later she must fall a victim. "i had come to these conclusions before ever i had entered his', 'or later she must fall a victim. "i had come to these conclusions before ever i had entered his room', 'ter she must fall a victim. "i had come to these conclusions before ever i had entered his room. an ', 'he must fall a victim. "i had come to these conclusions before ever i had entered his room. an inspe', 'st fall a victim. "i had come to these conclusions before ever i had entered his room. an inspection', 'll a victim. "i had come to these conclusions before ever i had entered his room. an inspection of h', 'victim. "i had come to these conclusions before ever i had entered his room. an inspection of his ch', 'm. "i had come to these conclusions before ever i had entered his room. an inspection of his chair s', ' had come to these conclusions before ever i had entered his room. an inspection of his chair showed', 'come to these conclusions before ever i had entered his room. an inspection of his chair showed me t', 'to these conclusions before ever i had entered his room. an inspection of his chair showed me that h', 'ese conclusions before ever i had entered his room. an inspection of his chair showed me that he had', 'onclusions before ever i had entered his room. an inspection of his chair showed me that he had been', 'sions before ever i had entered his room. an inspection of his chair showed me that he had been in t', ' before ever i had entered his room. an inspection of his chair showed me that he had been in the ha', 're ever i had entered his room. an inspection of his chair showed me that he had been in the habit o', 'er i had entered his room. an inspection of his chair showed me that he had been in the habit of sta', 'had entered his room. an inspection of his chair showed me that he had been in the habit of standing', 'ntered his room. an inspection of his chair showed me that he had been in the habit of standing on i', 'd his room. an inspection of his chair showed me that he had been in the habit of standing on it, wh', ' room. an inspection of his chair showed me that he had been in the habit of standing on it, which o', '. an inspection of his chair showed me that he had been in the habit of standing on it, which of cou', 'inspection of his chair showed me that he had been in the habit of standing on it, which of course w', 'ction of his chair showed me that he had been in the habit of standing on it, which of course would ', ' of his chair showed me that he had been in the habit of standing on it, which of course would be ne', 'is chair showed me that he had been in the habit of standing on it, which of course would be necessa', 'air showed me that he had been in the habit of standing on it, which of course would be necessary in', 'howed me that he had been in the habit of standing on it, which of course would be necessary in orde', ' me that he had been in the habit of standing on it, which of course would be necessary in order tha', 'hat he had been in the habit of standing on it, which of course would be necessary in order that he ', 'e had been in the habit of standing on it, which of course would be necessary in order that he shoul', ' been in the habit of standing on it, which of course would be necessary in order that he should rea', ' in the habit of standing on it, which of course would be necessary in order that he should reach th', 'he habit of standing on it, which of course would be necessary in order that he should reach the ven', 'bit of standing on it, which of course would be necessary in order that he should reach the ventilat', 'f standing on it, which of course would be necessary in order that he should reach the ventilator. t', 'nding on it, which of course would be necessary in order that he should reach the ventilator. the si', ' on it, which of course would be necessary in order that he should reach the ventilator. the sight o', 't, which of course would be necessary in order that he should reach the ventilator. the sight of the', 'ich of course would be necessary in order that he should reach the ventilator. the sight of the safe', 'f course would be necessary in order that he should reach the ventilator. the sight of the safe, the', 'rse would be necessary in order that he should reach the ventilator. the sight of the safe, the sauc', 'ould be necessary in order that he should reach the ventilator. the sight of the safe, the saucer of', 'be necessary in order that he should reach the ventilator. the sight of the safe, the saucer of milk', 'cessary in order that he should reach the ventilator. the sight of the safe, the saucer of milk, and', 'ry in order that he should reach the ventilator. the sight of the safe, the saucer of milk, and the ', ' order that he should reach the ventilator. the sight of the safe, the saucer of milk, and the loop ', 'r that he should reach the ventilator. the sight of the safe, the saucer of milk, and the loop of wh', 't he should reach the ventilator. the sight of the safe, the saucer of milk, and the loop of whipcor', 'should reach the ventilator. the sight of the safe, the saucer of milk, and the loop of whipcord wer', 'd reach the ventilator. the sight of the safe, the saucer of milk, and the loop of whipcord were eno', 'ch the ventilator. the sight of the safe, the saucer of milk, and the loop of whipcord were enough t', 'e ventilator. the sight of the safe, the saucer of milk, and the loop of whipcord were enough to fin', 'tilator. the sight of the safe, the saucer of milk, and the loop of whipcord were enough to finally ', 'or. the sight of the safe, the saucer of milk, and the loop of whipcord were enough to finally dispe', 'he sight of the safe, the saucer of milk, and the loop of whipcord were enough to finally dispel any', 'ght of the safe, the saucer of milk, and the loop of whipcord were enough to finally dispel any doub', 'f the safe, the saucer of milk, and the loop of whipcord were enough to finally dispel any doubts wh', ' safe, the saucer of milk, and the loop of whipcord were enough to finally dispel any doubts which m', ', the saucer of milk, and the loop of whipcord were enough to finally dispel any doubts which may ha', ' saucer of milk, and the loop of whipcord were enough to finally dispel any doubts which may have re', 'er of milk, and the loop of whipcord were enough to finally dispel any doubts which may have remaine', ' milk, and the loop of whipcord were enough to finally dispel any doubts which may have remained. th', ', and the loop of whipcord were enough to finally dispel any doubts which may have remained. the met', ' the loop of whipcord were enough to finally dispel any doubts which may have remained. the metallic', 'loop of whipcord were enough to finally dispel any doubts which may have remained. the metallic clan', 'of whipcord were enough to finally dispel any doubts which may have remained. the metallic clang hea', 'ipcord were enough to finally dispel any doubts which may have remained. the metallic clang heard by', 'd were enough to finally dispel any doubts which may have remained. the metallic clang heard by miss', 'e enough to finally dispel any doubts which may have remained. the metallic clang heard by miss ston', 'ugh to finally dispel any doubts which may have remained. the metallic clang heard by miss stoner wa', 'o finally dispel any doubts which may have remained. the metallic clang heard by miss stoner was obv', 'ally dispel any doubts which may have remained. the metallic clang heard by miss stoner was obviousl', 'dispel any doubts which may have remained. the metallic clang heard by miss stoner was obviously cau', 'l any doubts which may have remained. the metallic clang heard by miss stoner was obviously caused b', ' doubts which may have remained. the metallic clang heard by miss stoner was obviously caused by her', 'ts which may have remained. the metallic clang heard by miss stoner was obviously caused by her step', 'ich may have remained. the metallic clang heard by miss stoner was obviously caused by her stepfathe', 'ay have remained. the metallic clang heard by miss stoner was obviously caused by her stepfather has', 've remained. the metallic clang heard by miss stoner was obviously caused by her stepfather hastily ', 'mained. the metallic clang heard by miss stoner was obviously caused by her stepfather hastily closi', 'd. the metallic clang heard by miss stoner was obviously caused by her stepfather hastily closing th', 'e metallic clang heard by miss stoner was obviously caused by her stepfather hastily closing the doo', 'allic clang heard by miss stoner was obviously caused by her stepfather hastily closing the door of ', ' clang heard by miss stoner was obviously caused by her stepfather hastily closing the door of his s', 'g heard by miss stoner was obviously caused by her stepfather hastily closing the door of his safe u', 'rd by miss stoner was obviously caused by her stepfather hastily closing the door of his safe upon i', ' miss stoner was obviously caused by her stepfather hastily closing the door of his safe upon its te', ' stoner was obviously caused by her stepfather hastily closing the door of his safe upon its terribl', 'er was obviously caused by her stepfather hastily closing the door of his safe upon its terrible occ', 's obviously caused by her stepfather hastily closing the door of his safe upon its terrible occupant', 'iously caused by her stepfather hastily closing the door of his safe upon its terrible occupant. hav', 'y caused by her stepfather hastily closing the door of his safe upon its terrible occupant. having o', 'sed by her stepfather hastily closing the door of his safe upon its terrible occupant. having once m', 'y her stepfather hastily closing the door of his safe upon its terrible occupant. having once made u', ' stepfather hastily closing the door of his safe upon its terrible occupant. having once made up my ', 'father hastily closing the door of his safe upon its terrible occupant. having once made up my mind,', 'r hastily closing the door of his safe upon its terrible occupant. having once made up my mind, you ', 'tily closing the door of his safe upon its terrible occupant. having once made up my mind, you know ', 'closing the door of his safe upon its terrible occupant. having once made up my mind, you know the s', 'ng the door of his safe upon its terrible occupant. having once made up my mind, you know the steps ', 'e door of his safe upon its terrible occupant. having once made up my mind, you know the steps which', 'r of his safe upon its terrible occupant. having once made up my mind, you know the steps which i to', 'his safe upon its terrible occupant. having once made up my mind, you know the steps which i took in', 'afe upon its terrible occupant. having once made up my mind, you know the steps which i took in orde', 'pon its terrible occupant. having once made up my mind, you know the steps which i took in order to ', 'ts terrible occupant. having once made up my mind, you know the steps which i took in order to put t', 'rrible occupant. having once made up my mind, you know the steps which i took in order to put the ma', 'e occupant. having once made up my mind, you know the steps which i took in order to put the matter ', 'upant. having once made up my mind, you know the steps which i took in order to put the matter to th', '. having once made up my mind, you know the steps which i took in order to put the matter to the pro', 'ing once made up my mind, you know the steps which i took in order to put the matter to the proof. i', 'nce made up my mind, you know the steps which i took in order to put the matter to the proof. i hear', 'ade up my mind, you know the steps which i took in order to put the matter to the proof. i heard the', 'p my mind, you know the steps which i took in order to put the matter to the proof. i heard the crea', 'mind, you know the steps which i took in order to put the matter to the proof. i heard the creature ', ' you know the steps which i took in order to put the matter to the proof. i heard the creature hiss ', 'know the steps which i took in order to put the matter to the proof. i heard the creature hiss as i ', 'the steps which i took in order to put the matter to the proof. i heard the creature hiss as i have ', 'teps which i took in order to put the matter to the proof. i heard the creature hiss as i have no do', 'which i took in order to put the matter to the proof. i heard the creature hiss as i have no doubt t', ' i took in order to put the matter to the proof. i heard the creature hiss as i have no doubt that y', 'ok in order to put the matter to the proof. i heard the creature hiss as i have no doubt that you di', ' order to put the matter to the proof. i heard the creature hiss as i have no doubt that you did als', 'r to put the matter to the proof. i heard the creature hiss as i have no doubt that you did also, an', 'put the matter to the proof. i heard the creature hiss as i have no doubt that you did also, and i i', 'he matter to the proof. i heard the creature hiss as i have no doubt that you did also, and i instan', 'tter to the proof. i heard the creature hiss as i have no doubt that you did also, and i instantly l', 'to the proof. i heard the creature hiss as i have no doubt that you did also, and i instantly lit th', 'e proof. i heard the creature hiss as i have no doubt that you did also, and i instantly lit the lig', 'of. i heard the creature hiss as i have no doubt that you did also, and i instantly lit the light an', ' heard the creature hiss as i have no doubt that you did also, and i instantly lit the light and att', 'd the creature hiss as i have no doubt that you did also, and i instantly lit the light and attacked', ' creature hiss as i have no doubt that you did also, and i instantly lit the light and attacked it."', 'ture hiss as i have no doubt that you did also, and i instantly lit the light and attacked it." "wit', 'hiss as i have no doubt that you did also, and i instantly lit the light and attacked it." "with the', 'as i have no doubt that you did also, and i instantly lit the light and attacked it." "with the resu', 'have no doubt that you did also, and i instantly lit the light and attacked it." "with the result of', 'no doubt that you did also, and i instantly lit the light and attacked it." "with the result of driv', 'ubt that you did also, and i instantly lit the light and attacked it." "with the result of driving i', 'hat you did also, and i instantly lit the light and attacked it." "with the result of driving it thr', 'ou did also, and i instantly lit the light and attacked it." "with the result of driving it through ', 'd also, and i instantly lit the light and attacked it." "with the result of driving it through the v', 'o, and i instantly lit the light and attacked it." "with the result of driving it through the ventil', 'd i instantly lit the light and attacked it." "with the result of driving it through the ventilator.', 'nstantly lit the light and attacked it." "with the result of driving it through the ventilator." "an', 'tly lit the light and attacked it." "with the result of driving it through the ventilator." "and als', 'it the light and attacked it." "with the result of driving it through the ventilator." "and also wit', 'e light and attacked it." "with the result of driving it through the ventilator." "and also with the', 'ht and attacked it." "with the result of driving it through the ventilator." "and also with the resu', 'd attacked it." "with the result of driving it through the ventilator." "and also with the result of', 'acked it." "with the result of driving it through the ventilator." "and also with the result of caus', ' it." "with the result of driving it through the ventilator." "and also with the result of causing i', ' "with the result of driving it through the ventilator." "and also with the result of causing it to ', 'h the result of driving it through the ventilator." "and also with the result of causing it to turn ', ' result of driving it through the ventilator." "and also with the result of causing it to turn upon ', 'lt of driving it through the ventilator." "and also with the result of causing it to turn upon its m', ' driving it through the ventilator." "and also with the result of causing it to turn upon its master', 'ing it through the ventilator." "and also with the result of causing it to turn upon its master at t', 't through the ventilator." "and also with the result of causing it to turn upon its master at the ot', 'ough the ventilator." "and also with the result of causing it to turn upon its master at the other s', 'the ventilator." "and also with the result of causing it to turn upon its master at the other side. ', 'entilator." "and also with the result of causing it to turn upon its master at the other side. some ', 'ator." "and also with the result of causing it to turn upon its master at the other side. some of th', '" "and also with the result of causing it to turn upon its master at the other side. some of the blo', 'd also with the result of causing it to turn upon its master at the other side. some of the blows of', 'o with the result of causing it to turn upon its master at the other side. some of the blows of my c', 'h the result of causing it to turn upon its master at the other side. some of the blows of my cane c', ' result of causing it to turn upon its master at the other side. some of the blows of my cane came h', 'lt of causing it to turn upon its master at the other side. some of the blows of my cane came home a', ' causing it to turn upon its master at the other side. some of the blows of my cane came home and ro', 'ing it to turn upon its master at the other side. some of the blows of my cane came home and roused ', 't to turn upon its master at the other side. some of the blows of my cane came home and roused its s', 'turn upon its master at the other side. some of the blows of my cane came home and roused its snakis', 'upon its master at the other side. some of the blows of my cane came home and roused its snakish tem', 'its master at the other side. some of the blows of my cane came home and roused its snakish temper, ', 'aster at the other side. some of the blows of my cane came home and roused its snakish temper, so th', ' at the other side. some of the blows of my cane came home and roused its snakish temper, so that it', 'he other side. some of the blows of my cane came home and roused its snakish temper, so that it flew', 'her side. some of the blows of my cane came home and roused its snakish temper, so that it flew upon', 'ide. some of the blows of my cane came home and roused its snakish temper, so that it flew upon the ', 'some of the blows of my cane came home and roused its snakish temper, so that it flew upon the first', 'of the blows of my cane came home and roused its snakish temper, so that it flew upon the first pers', 'e blows of my cane came home and roused its snakish temper, so that it flew upon the first person it', 'ws of my cane came home and roused its snakish temper, so that it flew upon the first person it saw.', ' my cane came home and roused its snakish temper, so that it flew upon the first person it saw. in t', 'ane came home and roused its snakish temper, so that it flew upon the first person it saw. in this w', 'ame home and roused its snakish temper, so that it flew upon the first person it saw. in this way i ', 'ome and roused its snakish temper, so that it flew upon the first person it saw. in this way i am no', 'nd roused its snakish temper, so that it flew upon the first person it saw. in this way i am no doub', 'used its snakish temper, so that it flew upon the first person it saw. in this way i am no doubt ind', 'its snakish temper, so that it flew upon the first person it saw. in this way i am no doubt indirect', 'nakish temper, so that it flew upon the first person it saw. in this way i am no doubt indirectly re', 'h temper, so that it flew upon the first person it saw. in this way i am no doubt indirectly respons', 'per, so that it flew upon the first person it saw. in this way i am no doubt indirectly responsible ', 'so that it flew upon the first person it saw. in this way i am no doubt indirectly responsible for d', 'at it flew upon the first person it saw. in this way i am no doubt indirectly responsible for dr. gr', ' flew upon the first person it saw. in this way i am no doubt indirectly responsible for dr. grimesb', ' upon the first person it saw. in this way i am no doubt indirectly responsible for dr. grimesby roy', " the first person it saw. in this way i am no doubt indirectly responsible for dr. grimesby roylott'", "first person it saw. in this way i am no doubt indirectly responsible for dr. grimesby roylott's dea", " person it saw. in this way i am no doubt indirectly responsible for dr. grimesby roylott's death, a", "on it saw. in this way i am no doubt indirectly responsible for dr. grimesby roylott's death, and i ", " saw. in this way i am no doubt indirectly responsible for dr. grimesby roylott's death, and i canno", " in this way i am no doubt indirectly responsible for dr. grimesby roylott's death, and i cannot say", "his way i am no doubt indirectly responsible for dr. grimesby roylott's death, and i cannot say that", "ay i am no doubt indirectly responsible for dr. grimesby roylott's death, and i cannot say that it i", "am no doubt indirectly responsible for dr. grimesby roylott's death, and i cannot say that it is lik", " doubt indirectly responsible for dr. grimesby roylott's death, and i cannot say that it is likely t", "t indirectly responsible for dr. grimesby roylott's death, and i cannot say that it is likely to wei", "irectly responsible for dr. grimesby roylott's death, and i cannot say that it is likely to weigh ve", "ly responsible for dr. grimesby roylott's death, and i cannot say that it is likely to weigh very he", "sponsible for dr. grimesby roylott's death, and i cannot say that it is likely to weigh very heavily", "ible for dr. grimesby roylott's death, and i cannot say that it is likely to weigh very heavily upon", "for dr. grimesby roylott's death, and i cannot say that it is likely to weigh very heavily upon my c", "r. grimesby roylott's death, and i cannot say that it is likely to weigh very heavily upon my consci", "imesby roylott's death, and i cannot say that it is likely to weigh very heavily upon my conscience.", 'y roylott\'s death, and i cannot say that it is likely to weigh very heavily upon my conscience." ix', 'lott\'s death, and i cannot say that it is likely to weigh very heavily upon my conscience." ix. the', 's death, and i cannot say that it is likely to weigh very heavily upon my conscience." ix. the adve', 'th, and i cannot say that it is likely to weigh very heavily upon my conscience." ix. the adventure', 'nd i cannot say that it is likely to weigh very heavily upon my conscience." ix. the adventure of t', 'cannot say that it is likely to weigh very heavily upon my conscience." ix. the adventure of the en', 't say that it is likely to weigh very heavily upon my conscience." ix. the adventure of the enginee', ' that it is likely to weigh very heavily upon my conscience." ix. the adventure of the engineer\'s t', ' it is likely to weigh very heavily upon my conscience." ix. the adventure of the engineer\'s thumb ', 's likely to weigh very heavily upon my conscience." ix. the adventure of the engineer\'s thumb of al', 'ely to weigh very heavily upon my conscience." ix. the adventure of the engineer\'s thumb of all the', 'o weigh very heavily upon my conscience." ix. the adventure of the engineer\'s thumb of all the prob', 'gh very heavily upon my conscience." ix. the adventure of the engineer\'s thumb of all the problems ', 'ry heavily upon my conscience." ix. the adventure of the engineer\'s thumb of all the problems which', 'avily upon my conscience." ix. the adventure of the engineer\'s thumb of all the problems which have', ' upon my conscience." ix. the adventure of the engineer\'s thumb of all the problems which have been', ' my conscience." ix. the adventure of the engineer\'s thumb of all the problems which have been subm', 'onscience." ix. the adventure of the engineer\'s thumb of all the problems which have been submitted', 'ence." ix. the adventure of the engineer\'s thumb of all the problems which have been submitted to m', '" ix. the adventure of the engineer\'s thumb of all the problems which have been submitted to my fri', ". the adventure of the engineer's thumb of all the problems which have been submitted to my friend, ", " adventure of the engineer's thumb of all the problems which have been submitted to my friend, mr. s", "nture of the engineer's thumb of all the problems which have been submitted to my friend, mr. sherlo", " of the engineer's thumb of all the problems which have been submitted to my friend, mr. sherlock ho", "he engineer's thumb of all the problems which have been submitted to my friend, mr. sherlock holmes,", "gineer's thumb of all the problems which have been submitted to my friend, mr. sherlock holmes, for ", "r's thumb of all the problems which have been submitted to my friend, mr. sherlock holmes, for solut", 'humb of all the problems which have been submitted to my friend, mr. sherlock holmes, for solution d', 'of all the problems which have been submitted to my friend, mr. sherlock holmes, for solution during', 'l the problems which have been submitted to my friend, mr. sherlock holmes, for solution during the ', ' problems which have been submitted to my friend, mr. sherlock holmes, for solution during the years', 'lems which have been submitted to my friend, mr. sherlock holmes, for solution during the years of o', 'which have been submitted to my friend, mr. sherlock holmes, for solution during the years of our in', ' have been submitted to my friend, mr. sherlock holmes, for solution during the years of our intimac', ' been submitted to my friend, mr. sherlock holmes, for solution during the years of our intimacy, th', ' submitted to my friend, mr. sherlock holmes, for solution during the years of our intimacy, there w', 'itted to my friend, mr. sherlock holmes, for solution during the years of our intimacy, there were o', ' to my friend, mr. sherlock holmes, for solution during the years of our intimacy, there were only t', 'y friend, mr. sherlock holmes, for solution during the years of our intimacy, there were only two wh', 'end, mr. sherlock holmes, for solution during the years of our intimacy, there were only two which i', 'mr. sherlock holmes, for solution during the years of our intimacy, there were only two which i was ', 'herlock holmes, for solution during the years of our intimacy, there were only two which i was the m', 'ck holmes, for solution during the years of our intimacy, there were only two which i was the means ', 'lmes, for solution during the years of our intimacy, there were only two which i was the means of in', ' for solution during the years of our intimacy, there were only two which i was the means of introdu', 'solution during the years of our intimacy, there were only two which i was the means of introducing ', 'ion during the years of our intimacy, there were only two which i was the means of introducing to hi', 'uring the years of our intimacy, there were only two which i was the means of introducing to his not', ' the years of our intimacy, there were only two which i was the means of introducing to his noticeth', 'years of our intimacy, there were only two which i was the means of introducing to his noticethat of', ' of our intimacy, there were only two which i was the means of introducing to his noticethat of mr. ', 'ur intimacy, there were only two which i was the means of introducing to his noticethat of mr. hathe', "timacy, there were only two which i was the means of introducing to his noticethat of mr. hatherley'", "y, there were only two which i was the means of introducing to his noticethat of mr. hatherley's thu", "ere were only two which i was the means of introducing to his noticethat of mr. hatherley's thumb, a", "ere only two which i was the means of introducing to his noticethat of mr. hatherley's thumb, and th", "nly two which i was the means of introducing to his noticethat of mr. hatherley's thumb, and that of", "wo which i was the means of introducing to his noticethat of mr. hatherley's thumb, and that of colo", "ich i was the means of introducing to his noticethat of mr. hatherley's thumb, and that of colonel w", " was the means of introducing to his noticethat of mr. hatherley's thumb, and that of colonel warbur", "the means of introducing to his noticethat of mr. hatherley's thumb, and that of colonel warburton's", "eans of introducing to his noticethat of mr. hatherley's thumb, and that of colonel warburton's madn", "of introducing to his noticethat of mr. hatherley's thumb, and that of colonel warburton's madness. ", "troducing to his noticethat of mr. hatherley's thumb, and that of colonel warburton's madness. of th", "cing to his noticethat of mr. hatherley's thumb, and that of colonel warburton's madness. of these t", "to his noticethat of mr. hatherley's thumb, and that of colonel warburton's madness. of these the la", "s noticethat of mr. hatherley's thumb, and that of colonel warburton's madness. of these the latter ", "icethat of mr. hatherley's thumb, and that of colonel warburton's madness. of these the latter may h", "at of mr. hatherley's thumb, and that of colonel warburton's madness. of these the latter may have a", " mr. hatherley's thumb, and that of colonel warburton's madness. of these the latter may have afford", "hatherley's thumb, and that of colonel warburton's madness. of these the latter may have afforded a ", "rley's thumb, and that of colonel warburton's madness. of these the latter may have afforded a finer", "s thumb, and that of colonel warburton's madness. of these the latter may have afforded a finer fiel", "mb, and that of colonel warburton's madness. of these the latter may have afforded a finer field for", "nd that of colonel warburton's madness. of these the latter may have afforded a finer field for an a", "at of colonel warburton's madness. of these the latter may have afforded a finer field for an acute ", " colonel warburton's madness. of these the latter may have afforded a finer field for an acute and o", "nel warburton's madness. of these the latter may have afforded a finer field for an acute and origin", "arburton's madness. of these the latter may have afforded a finer field for an acute and original ob", "ton's madness. of these the latter may have afforded a finer field for an acute and original observe", ' madness. of these the latter may have afforded a finer field for an acute and original observer, bu', 'ess. of these the latter may have afforded a finer field for an acute and original observer, but the', 'of these the latter may have afforded a finer field for an acute and original observer, but the othe', 'ese the latter may have afforded a finer field for an acute and original observer, but the other was', 'he latter may have afforded a finer field for an acute and original observer, but the other was so s', 'tter may have afforded a finer field for an acute and original observer, but the other was so strang', 'may have afforded a finer field for an acute and original observer, but the other was so strange in ', 'ave afforded a finer field for an acute and original observer, but the other was so strange in its i', 'fforded a finer field for an acute and original observer, but the other was so strange in its incept', 'ed a finer field for an acute and original observer, but the other was so strange in its inception a', 'finer field for an acute and original observer, but the other was so strange in its inception and so', ' field for an acute and original observer, but the other was so strange in its inception and so dram', 'd for an acute and original observer, but the other was so strange in its inception and so dramatic ', ' an acute and original observer, but the other was so strange in its inception and so dramatic in it', 'cute and original observer, but the other was so strange in its inception and so dramatic in its det', 'and original observer, but the other was so strange in its inception and so dramatic in its details ', 'riginal observer, but the other was so strange in its inception and so dramatic in its details that ', 'al observer, but the other was so strange in its inception and so dramatic in its details that it ma', 'server, but the other was so strange in its inception and so dramatic in its details that it may be ', 'r, but the other was so strange in its inception and so dramatic in its details that it may be the m', 't the other was so strange in its inception and so dramatic in its details that it may be the more w', ' other was so strange in its inception and so dramatic in its details that it may be the more worthy', 'r was so strange in its inception and so dramatic in its details that it may be the more worthy of b', ' so strange in its inception and so dramatic in its details that it may be the more worthy of being ', 'trange in its inception and so dramatic in its details that it may be the more worthy of being place', 'e in its inception and so dramatic in its details that it may be the more worthy of being placed upo', 'its inception and so dramatic in its details that it may be the more worthy of being placed upon rec', 'nception and so dramatic in its details that it may be the more worthy of being placed upon record, ', 'ion and so dramatic in its details that it may be the more worthy of being placed upon record, even ', 'nd so dramatic in its details that it may be the more worthy of being placed upon record, even if it', ' dramatic in its details that it may be the more worthy of being placed upon record, even if it gave', 'atic in its details that it may be the more worthy of being placed upon record, even if it gave my f', 'in its details that it may be the more worthy of being placed upon record, even if it gave my friend', 's details that it may be the more worthy of being placed upon record, even if it gave my friend fewe', 'ails that it may be the more worthy of being placed upon record, even if it gave my friend fewer ope', 'that it may be the more worthy of being placed upon record, even if it gave my friend fewer openings', 'it may be the more worthy of being placed upon record, even if it gave my friend fewer openings for ', 'y be the more worthy of being placed upon record, even if it gave my friend fewer openings for those', 'the more worthy of being placed upon record, even if it gave my friend fewer openings for those dedu', 'ore worthy of being placed upon record, even if it gave my friend fewer openings for those deductive', 'orthy of being placed upon record, even if it gave my friend fewer openings for those deductive meth', ' of being placed upon record, even if it gave my friend fewer openings for those deductive methods o', 'eing placed upon record, even if it gave my friend fewer openings for those deductive methods of rea', 'placed upon record, even if it gave my friend fewer openings for those deductive methods of reasonin', 'd upon record, even if it gave my friend fewer openings for those deductive methods of reasoning by ', 'n record, even if it gave my friend fewer openings for those deductive methods of reasoning by which', 'ord, even if it gave my friend fewer openings for those deductive methods of reasoning by which he a', 'even if it gave my friend fewer openings for those deductive methods of reasoning by which he achiev', 'if it gave my friend fewer openings for those deductive methods of reasoning by which he achieved su', ' gave my friend fewer openings for those deductive methods of reasoning by which he achieved such re', ' my friend fewer openings for those deductive methods of reasoning by which he achieved such remarka', 'riend fewer openings for those deductive methods of reasoning by which he achieved such remarkable r', ' fewer openings for those deductive methods of reasoning by which he achieved such remarkable result', 'r openings for those deductive methods of reasoning by which he achieved such remarkable results. th', 'nings for those deductive methods of reasoning by which he achieved such remarkable results. the sto', ' for those deductive methods of reasoning by which he achieved such remarkable results. the story ha', 'those deductive methods of reasoning by which he achieved such remarkable results. the story has, i ', ' deductive methods of reasoning by which he achieved such remarkable results. the story has, i belie', 'ctive methods of reasoning by which he achieved such remarkable results. the story has, i believe, b', ' methods of reasoning by which he achieved such remarkable results. the story has, i believe, been t', 'ods of reasoning by which he achieved such remarkable results. the story has, i believe, been told m', 'f reasoning by which he achieved such remarkable results. the story has, i believe, been told more t', 'soning by which he achieved such remarkable results. the story has, i believe, been told more than o', 'g by which he achieved such remarkable results. the story has, i believe, been told more than once i', 'which he achieved such remarkable results. the story has, i believe, been told more than once in the', ' he achieved such remarkable results. the story has, i believe, been told more than once in the news', 'chieved such remarkable results. the story has, i believe, been told more than once in the newspaper', 'ed such remarkable results. the story has, i believe, been told more than once in the newspapers, bu', 'ch remarkable results. the story has, i believe, been told more than once in the newspapers, but, li', 'markable results. the story has, i believe, been told more than once in the newspapers, but, like al', 'ble results. the story has, i believe, been told more than once in the newspapers, but, like all suc', 'esults. the story has, i believe, been told more than once in the newspapers, but, like all such nar', 's. the story has, i believe, been told more than once in the newspapers, but, like all such narrativ', 'e story has, i believe, been told more than once in the newspapers, but, like all such narratives, i', 'ry has, i believe, been told more than once in the newspapers, but, like all such narratives, its ef', 's, i believe, been told more than once in the newspapers, but, like all such narratives, its effect ', 'believe, been told more than once in the newspapers, but, like all such narratives, its effect is mu', 've, been told more than once in the newspapers, but, like all such narratives, its effect is much le', 'een told more than once in the newspapers, but, like all such narratives, its effect is much less st', 'old more than once in the newspapers, but, like all such narratives, its effect is much less strikin', 'ore than once in the newspapers, but, like all such narratives, its effect is much less striking whe', 'han once in the newspapers, but, like all such narratives, its effect is much less striking when set', 'nce in the newspapers, but, like all such narratives, its effect is much less striking when set fort', 'n the newspapers, but, like all such narratives, its effect is much less striking when set forth en ', ' newspapers, but, like all such narratives, its effect is much less striking when set forth en bloc ', 'papers, but, like all such narratives, its effect is much less striking when set forth en bloc in a ', 's, but, like all such narratives, its effect is much less striking when set forth en bloc in a singl', 't, like all such narratives, its effect is much less striking when set forth en bloc in a single hal', 'ke all such narratives, its effect is much less striking when set forth en bloc in a single half-col', 'l such narratives, its effect is much less striking when set forth en bloc in a single half-column o', 'h narratives, its effect is much less striking when set forth en bloc in a single half-column of pri', 'ratives, its effect is much less striking when set forth en bloc in a single half-column of print th', 'es, its effect is much less striking when set forth en bloc in a single half-column of print than wh', 'ts effect is much less striking when set forth en bloc in a single half-column of print than when th', 'fect is much less striking when set forth en bloc in a single half-column of print than when the fac', 'is much less striking when set forth en bloc in a single half-column of print than when the facts sl', 'ch less striking when set forth en bloc in a single half-column of print than when the facts slowly ', 'ss striking when set forth en bloc in a single half-column of print than when the facts slowly evolv', 'riking when set forth en bloc in a single half-column of print than when the facts slowly evolve bef', 'g when set forth en bloc in a single half-column of print than when the facts slowly evolve before y', 'n set forth en bloc in a single half-column of print than when the facts slowly evolve before your o', ' forth en bloc in a single half-column of print than when the facts slowly evolve before your own ey', 'h en bloc in a single half-column of print than when the facts slowly evolve before your own eyes, a', 'bloc in a single half-column of print than when the facts slowly evolve before your own eyes, and th', 'in a single half-column of print than when the facts slowly evolve before your own eyes, and the mys', 'single half-column of print than when the facts slowly evolve before your own eyes, and the mystery ', 'e half-column of print than when the facts slowly evolve before your own eyes, and the mystery clear', 'f-column of print than when the facts slowly evolve before your own eyes, and the mystery clears gra', 'umn of print than when the facts slowly evolve before your own eyes, and the mystery clears graduall', 'f print than when the facts slowly evolve before your own eyes, and the mystery clears gradually awa', 'nt than when the facts slowly evolve before your own eyes, and the mystery clears gradually away as ', 'an when the facts slowly evolve before your own eyes, and the mystery clears gradually away as each ', 'en the facts slowly evolve before your own eyes, and the mystery clears gradually away as each new d', 'e facts slowly evolve before your own eyes, and the mystery clears gradually away as each new discov', 'ts slowly evolve before your own eyes, and the mystery clears gradually away as each new discovery f', 'owly evolve before your own eyes, and the mystery clears gradually away as each new discovery furnis', 'evolve before your own eyes, and the mystery clears gradually away as each new discovery furnishes a', 'e before your own eyes, and the mystery clears gradually away as each new discovery furnishes a step', 'ore your own eyes, and the mystery clears gradually away as each new discovery furnishes a step whic', 'our own eyes, and the mystery clears gradually away as each new discovery furnishes a step which lea', 'wn eyes, and the mystery clears gradually away as each new discovery furnishes a step which leads on', 'es, and the mystery clears gradually away as each new discovery furnishes a step which leads on to t', 'nd the mystery clears gradually away as each new discovery furnishes a step which leads on to the co', 'e mystery clears gradually away as each new discovery furnishes a step which leads on to the complet', 'tery clears gradually away as each new discovery furnishes a step which leads on to the complete tru', 'clears gradually away as each new discovery furnishes a step which leads on to the complete truth. a', 's gradually away as each new discovery furnishes a step which leads on to the complete truth. at the', 'dually away as each new discovery furnishes a step which leads on to the complete truth. at the time', 'y away as each new discovery furnishes a step which leads on to the complete truth. at the time the ', 'y as each new discovery furnishes a step which leads on to the complete truth. at the time the circu', 'each new discovery furnishes a step which leads on to the complete truth. at the time the circumstan', 'new discovery furnishes a step which leads on to the complete truth. at the time the circumstances m', 'iscovery furnishes a step which leads on to the complete truth. at the time the circumstances made a', 'ery furnishes a step which leads on to the complete truth. at the time the circumstances made a deep', 'urnishes a step which leads on to the complete truth. at the time the circumstances made a deep impr', 'hes a step which leads on to the complete truth. at the time the circumstances made a deep impressio', ' step which leads on to the complete truth. at the time the circumstances made a deep impression upo', ' which leads on to the complete truth. at the time the circumstances made a deep impression upon me,', 'h leads on to the complete truth. at the time the circumstances made a deep impression upon me, and ', 'ds on to the complete truth. at the time the circumstances made a deep impression upon me, and the l', ' to the complete truth. at the time the circumstances made a deep impression upon me, and the lapse ', 'he complete truth. at the time the circumstances made a deep impression upon me, and the lapse of tw', 'mplete truth. at the time the circumstances made a deep impression upon me, and the lapse of two yea', 'e truth. at the time the circumstances made a deep impression upon me, and the lapse of two years ha', 'th. at the time the circumstances made a deep impression upon me, and the lapse of two years has har', 't the time the circumstances made a deep impression upon me, and the lapse of two years has hardly s', ' time the circumstances made a deep impression upon me, and the lapse of two years has hardly served', ' the circumstances made a deep impression upon me, and the lapse of two years has hardly served to w', 'circumstances made a deep impression upon me, and the lapse of two years has hardly served to weaken', 'mstances made a deep impression upon me, and the lapse of two years has hardly served to weaken the ', 'ces made a deep impression upon me, and the lapse of two years has hardly served to weaken the effec', 'ade a deep impression upon me, and the lapse of two years has hardly served to weaken the effect. it', ' deep impression upon me, and the lapse of two years has hardly served to weaken the effect. it was ', ' impression upon me, and the lapse of two years has hardly served to weaken the effect. it was in th', 'ession upon me, and the lapse of two years has hardly served to weaken the effect. it was in the sum', 'n upon me, and the lapse of two years has hardly served to weaken the effect. it was in the summer o', "n me, and the lapse of two years has hardly served to weaken the effect. it was in the summer of ' ,", " and the lapse of two years has hardly served to weaken the effect. it was in the summer of ' , not ", "the lapse of two years has hardly served to weaken the effect. it was in the summer of ' , not long ", "apse of two years has hardly served to weaken the effect. it was in the summer of ' , not long after", "of two years has hardly served to weaken the effect. it was in the summer of ' , not long after my m", "o years has hardly served to weaken the effect. it was in the summer of ' , not long after my marria", "rs has hardly served to weaken the effect. it was in the summer of ' , not long after my marriage, t", "s hardly served to weaken the effect. it was in the summer of ' , not long after my marriage, that t", "dly served to weaken the effect. it was in the summer of ' , not long after my marriage, that the ev", "erved to weaken the effect. it was in the summer of ' , not long after my marriage, that the events ", " to weaken the effect. it was in the summer of ' , not long after my marriage, that the events occur", "eaken the effect. it was in the summer of ' , not long after my marriage, that the events occurred w", " the effect. it was in the summer of ' , not long after my marriage, that the events occurred which ", "effect. it was in the summer of ' , not long after my marriage, that the events occurred which i am ", "t. it was in the summer of ' , not long after my marriage, that the events occurred which i am now a", " was in the summer of ' , not long after my marriage, that the events occurred which i am now about ", "in the summer of ' , not long after my marriage, that the events occurred which i am now about to su", "e summer of ' , not long after my marriage, that the events occurred which i am now about to summari", "mer of ' , not long after my marriage, that the events occurred which i am now about to summarise. i", "f ' , not long after my marriage, that the events occurred which i am now about to summarise. i had ", ' not long after my marriage, that the events occurred which i am now about to summarise. i had retur', 'long after my marriage, that the events occurred which i am now about to summarise. i had returned t', 'after my marriage, that the events occurred which i am now about to summarise. i had returned to civ', ' my marriage, that the events occurred which i am now about to summarise. i had returned to civil pr', 'arriage, that the events occurred which i am now about to summarise. i had returned to civil practic', 'ge, that the events occurred which i am now about to summarise. i had returned to civil practice and', 'hat the events occurred which i am now about to summarise. i had returned to civil practice and had ', 'he events occurred which i am now about to summarise. i had returned to civil practice and had final', 'ents occurred which i am now about to summarise. i had returned to civil practice and had finally ab', 'occurred which i am now about to summarise. i had returned to civil practice and had finally abandon', 'red which i am now about to summarise. i had returned to civil practice and had finally abandoned ho', 'hich i am now about to summarise. i had returned to civil practice and had finally abandoned holmes ', 'i am now about to summarise. i had returned to civil practice and had finally abandoned holmes in hi', 'now about to summarise. i had returned to civil practice and had finally abandoned holmes in his bak', 'bout to summarise. i had returned to civil practice and had finally abandoned holmes in his baker st', 'to summarise. i had returned to civil practice and had finally abandoned holmes in his baker street ', 'mmarise. i had returned to civil practice and had finally abandoned holmes in his baker street rooms', 'se. i had returned to civil practice and had finally abandoned holmes in his baker street rooms, alt', ' had returned to civil practice and had finally abandoned holmes in his baker street rooms, although', 'returned to civil practice and had finally abandoned holmes in his baker street rooms, although i co', 'ned to civil practice and had finally abandoned holmes in his baker street rooms, although i continu', 'o civil practice and had finally abandoned holmes in his baker street rooms, although i continually ', 'il practice and had finally abandoned holmes in his baker street rooms, although i continually visit', 'actice and had finally abandoned holmes in his baker street rooms, although i continually visited hi', 'e and had finally abandoned holmes in his baker street rooms, although i continually visited him and', ' had finally abandoned holmes in his baker street rooms, although i continually visited him and occa', 'finally abandoned holmes in his baker street rooms, although i continually visited him and occasiona', 'ly abandoned holmes in his baker street rooms, although i continually visited him and occasionally e', 'andoned holmes in his baker street rooms, although i continually visited him and occasionally even p', 'ed holmes in his baker street rooms, although i continually visited him and occasionally even persua', 'lmes in his baker street rooms, although i continually visited him and occasionally even persuaded h', 'in his baker street rooms, although i continually visited him and occasionally even persuaded him to', 's baker street rooms, although i continually visited him and occasionally even persuaded him to forg', 'er street rooms, although i continually visited him and occasionally even persuaded him to forgo his', 'reet rooms, although i continually visited him and occasionally even persuaded him to forgo his bohe', 'rooms, although i continually visited him and occasionally even persuaded him to forgo his bohemian ', ', although i continually visited him and occasionally even persuaded him to forgo his bohemian habit', 'hough i continually visited him and occasionally even persuaded him to forgo his bohemian habits so ', ' i continually visited him and occasionally even persuaded him to forgo his bohemian habits so far a', 'ntinually visited him and occasionally even persuaded him to forgo his bohemian habits so far as to ', 'ally visited him and occasionally even persuaded him to forgo his bohemian habits so far as to come ', 'visited him and occasionally even persuaded him to forgo his bohemian habits so far as to come and v', 'ed him and occasionally even persuaded him to forgo his bohemian habits so far as to come and visit ', 'm and occasionally even persuaded him to forgo his bohemian habits so far as to come and visit us. m', ' occasionally even persuaded him to forgo his bohemian habits so far as to come and visit us. my pra', 'sionally even persuaded him to forgo his bohemian habits so far as to come and visit us. my practice', 'lly even persuaded him to forgo his bohemian habits so far as to come and visit us. my practice had ', 'ven persuaded him to forgo his bohemian habits so far as to come and visit us. my practice had stead', 'ersuaded him to forgo his bohemian habits so far as to come and visit us. my practice had steadily i', 'ded him to forgo his bohemian habits so far as to come and visit us. my practice had steadily increa', 'im to forgo his bohemian habits so far as to come and visit us. my practice had steadily increased, ', ' forgo his bohemian habits so far as to come and visit us. my practice had steadily increased, and a', 'o his bohemian habits so far as to come and visit us. my practice had steadily increased, and as i h', ' bohemian habits so far as to come and visit us. my practice had steadily increased, and as i happen', 'mian habits so far as to come and visit us. my practice had steadily increased, and as i happened to', 'habits so far as to come and visit us. my practice had steadily increased, and as i happened to live', 's so far as to come and visit us. my practice had steadily increased, and as i happened to live at n', 'far as to come and visit us. my practice had steadily increased, and as i happened to live at no ver', 's to come and visit us. my practice had steadily increased, and as i happened to live at no very gre', 'come and visit us. my practice had steadily increased, and as i happened to live at no very great di', 'and visit us. my practice had steadily increased, and as i happened to live at no very great distanc', 'isit us. my practice had steadily increased, and as i happened to live at no very great distance fro', 'us. my practice had steadily increased, and as i happened to live at no very great distance from pad', 'y practice had steadily increased, and as i happened to live at no very great distance from paddingt', 'ctice had steadily increased, and as i happened to live at no very great distance from paddington st', ' had steadily increased, and as i happened to live at no very great distance from paddington station', 'steadily increased, and as i happened to live at no very great distance from paddington station, i g', 'ily increased, and as i happened to live at no very great distance from paddington station, i got a ', 'ncreased, and as i happened to live at no very great distance from paddington station, i got a few p', 'sed, and as i happened to live at no very great distance from paddington station, i got a few patien', 'and as i happened to live at no very great distance from paddington station, i got a few patients fr', 's i happened to live at no very great distance from paddington station, i got a few patients from am', 'appened to live at no very great distance from paddington station, i got a few patients from among t', 'ed to live at no very great distance from paddington station, i got a few patients from among the of', ' live at no very great distance from paddington station, i got a few patients from among the officia', ' at no very great distance from paddington station, i got a few patients from among the officials. o', 'o very great distance from paddington station, i got a few patients from among the officials. one of', 'y great distance from paddington station, i got a few patients from among the officials. one of thes', 'at distance from paddington station, i got a few patients from among the officials. one of these, wh', 'stance from paddington station, i got a few patients from among the officials. one of these, whom i ', 'e from paddington station, i got a few patients from among the officials. one of these, whom i had c', 'm paddington station, i got a few patients from among the officials. one of these, whom i had cured ', 'dington station, i got a few patients from among the officials. one of these, whom i had cured of a ', 'on station, i got a few patients from among the officials. one of these, whom i had cured of a painf', 'ation, i got a few patients from among the officials. one of these, whom i had cured of a painful an', ', i got a few patients from among the officials. one of these, whom i had cured of a painful and lin', 'ot a few patients from among the officials. one of these, whom i had cured of a painful and lingerin', 'few patients from among the officials. one of these, whom i had cured of a painful and lingering dis', 'atients from among the officials. one of these, whom i had cured of a painful and lingering disease,', 'ts from among the officials. one of these, whom i had cured of a painful and lingering disease, was ', 'om among the officials. one of these, whom i had cured of a painful and lingering disease, was never', 'ong the officials. one of these, whom i had cured of a painful and lingering disease, was never wear', 'he officials. one of these, whom i had cured of a painful and lingering disease, was never weary of ', 'ficials. one of these, whom i had cured of a painful and lingering disease, was never weary of adver', 'ls. one of these, whom i had cured of a painful and lingering disease, was never weary of advertisin', 'ne of these, whom i had cured of a painful and lingering disease, was never weary of advertising my ', ' these, whom i had cured of a painful and lingering disease, was never weary of advertising my virtu', 'e, whom i had cured of a painful and lingering disease, was never weary of advertising my virtues an', 'om i had cured of a painful and lingering disease, was never weary of advertising my virtues and of ', 'had cured of a painful and lingering disease, was never weary of advertising my virtues and of endea', 'ured of a painful and lingering disease, was never weary of advertising my virtues and of endeavouri', 'of a painful and lingering disease, was never weary of advertising my virtues and of endeavouring to', 'painful and lingering disease, was never weary of advertising my virtues and of endeavouring to send', 'ul and lingering disease, was never weary of advertising my virtues and of endeavouring to send me o', 'd lingering disease, was never weary of advertising my virtues and of endeavouring to send me on eve', 'gering disease, was never weary of advertising my virtues and of endeavouring to send me on every su', 'g disease, was never weary of advertising my virtues and of endeavouring to send me on every suffere', 'ease, was never weary of advertising my virtues and of endeavouring to send me on every sufferer ove', ' was never weary of advertising my virtues and of endeavouring to send me on every sufferer over who', 'never weary of advertising my virtues and of endeavouring to send me on every sufferer over whom he ', ' weary of advertising my virtues and of endeavouring to send me on every sufferer over whom he might', 'y of advertising my virtues and of endeavouring to send me on every sufferer over whom he might have', 'advertising my virtues and of endeavouring to send me on every sufferer over whom he might have any ', 'tising my virtues and of endeavouring to send me on every sufferer over whom he might have any influ', 'g my virtues and of endeavouring to send me on every sufferer over whom he might have any influence.', 'virtues and of endeavouring to send me on every sufferer over whom he might have any influence. one ', 'es and of endeavouring to send me on every sufferer over whom he might have any influence. one morni', 'd of endeavouring to send me on every sufferer over whom he might have any influence. one morning, a', 'endeavouring to send me on every sufferer over whom he might have any influence. one morning, at a l', 'vouring to send me on every sufferer over whom he might have any influence. one morning, at a little', 'ng to send me on every sufferer over whom he might have any influence. one morning, at a little befo', ' send me on every sufferer over whom he might have any influence. one morning, at a little before se', ' me on every sufferer over whom he might have any influence. one morning, at a little before seven o', "n every sufferer over whom he might have any influence. one morning, at a little before seven o'cloc", "ry sufferer over whom he might have any influence. one morning, at a little before seven o'clock, i ", "fferer over whom he might have any influence. one morning, at a little before seven o'clock, i was a", "r over whom he might have any influence. one morning, at a little before seven o'clock, i was awaken", "r whom he might have any influence. one morning, at a little before seven o'clock, i was awakened by", "m he might have any influence. one morning, at a little before seven o'clock, i was awakened by the ", "might have any influence. one morning, at a little before seven o'clock, i was awakened by the maid ", " have any influence. one morning, at a little before seven o'clock, i was awakened by the maid tappi", " any influence. one morning, at a little before seven o'clock, i was awakened by the maid tapping at", "influence. one morning, at a little before seven o'clock, i was awakened by the maid tapping at the ", "ence. one morning, at a little before seven o'clock, i was awakened by the maid tapping at the door ", " one morning, at a little before seven o'clock, i was awakened by the maid tapping at the door to an", "morning, at a little before seven o'clock, i was awakened by the maid tapping at the door to announc", "ng, at a little before seven o'clock, i was awakened by the maid tapping at the door to announce tha", "t a little before seven o'clock, i was awakened by the maid tapping at the door to announce that two", "ittle before seven o'clock, i was awakened by the maid tapping at the door to announce that two men ", " before seven o'clock, i was awakened by the maid tapping at the door to announce that two men had c", "re seven o'clock, i was awakened by the maid tapping at the door to announce that two men had come f", "ven o'clock, i was awakened by the maid tapping at the door to announce that two men had come from p", "'clock, i was awakened by the maid tapping at the door to announce that two men had come from paddin", 'k, i was awakened by the maid tapping at the door to announce that two men had come from paddington ', 'was awakened by the maid tapping at the door to announce that two men had come from paddington and w', 'wakened by the maid tapping at the door to announce that two men had come from paddington and were w', 'ed by the maid tapping at the door to announce that two men had come from paddington and were waitin', ' the maid tapping at the door to announce that two men had come from paddington and were waiting in ', 'maid tapping at the door to announce that two men had come from paddington and were waiting in the c', 'tapping at the door to announce that two men had come from paddington and were waiting in the consul', 'ng at the door to announce that two men had come from paddington and were waiting in the consulting-', ' the door to announce that two men had come from paddington and were waiting in the consulting-room.', 'door to announce that two men had come from paddington and were waiting in the consulting-room. i dr', 'to announce that two men had come from paddington and were waiting in the consulting-room. i dressed', 'nounce that two men had come from paddington and were waiting in the consulting-room. i dressed hurr', 'e that two men had come from paddington and were waiting in the consulting-room. i dressed hurriedly', 't two men had come from paddington and were waiting in the consulting-room. i dressed hurriedly, for', ' men had come from paddington and were waiting in the consulting-room. i dressed hurriedly, for i kn', 'had come from paddington and were waiting in the consulting-room. i dressed hurriedly, for i knew by', 'ome from paddington and were waiting in the consulting-room. i dressed hurriedly, for i knew by expe', 'rom paddington and were waiting in the consulting-room. i dressed hurriedly, for i knew by experienc', 'addington and were waiting in the consulting-room. i dressed hurriedly, for i knew by experience tha', 'gton and were waiting in the consulting-room. i dressed hurriedly, for i knew by experience that rai', 'and were waiting in the consulting-room. i dressed hurriedly, for i knew by experience that railway ', 'ere waiting in the consulting-room. i dressed hurriedly, for i knew by experience that railway cases', 'aiting in the consulting-room. i dressed hurriedly, for i knew by experience that railway cases were', 'g in the consulting-room. i dressed hurriedly, for i knew by experience that railway cases were seld', 'the consulting-room. i dressed hurriedly, for i knew by experience that railway cases were seldom tr', 'onsulting-room. i dressed hurriedly, for i knew by experience that railway cases were seldom trivial', 'ting-room. i dressed hurriedly, for i knew by experience that railway cases were seldom trivial, and', 'room. i dressed hurriedly, for i knew by experience that railway cases were seldom trivial, and hast', ' i dressed hurriedly, for i knew by experience that railway cases were seldom trivial, and hastened ', 'essed hurriedly, for i knew by experience that railway cases were seldom trivial, and hastened downs', ' hurriedly, for i knew by experience that railway cases were seldom trivial, and hastened downstairs', 'iedly, for i knew by experience that railway cases were seldom trivial, and hastened downstairs. as ', ', for i knew by experience that railway cases were seldom trivial, and hastened downstairs. as i des', ' i knew by experience that railway cases were seldom trivial, and hastened downstairs. as i descende', 'ew by experience that railway cases were seldom trivial, and hastened downstairs. as i descended, my', ' experience that railway cases were seldom trivial, and hastened downstairs. as i descended, my old ', 'rience that railway cases were seldom trivial, and hastened downstairs. as i descended, my old ally,', 'e that railway cases were seldom trivial, and hastened downstairs. as i descended, my old ally, the ', 't railway cases were seldom trivial, and hastened downstairs. as i descended, my old ally, the guard', 'lway cases were seldom trivial, and hastened downstairs. as i descended, my old ally, the guard, cam', 'cases were seldom trivial, and hastened downstairs. as i descended, my old ally, the guard, came out', ' were seldom trivial, and hastened downstairs. as i descended, my old ally, the guard, came out of t', ' seldom trivial, and hastened downstairs. as i descended, my old ally, the guard, came out of the ro', 'om trivial, and hastened downstairs. as i descended, my old ally, the guard, came out of the room an', 'ivial, and hastened downstairs. as i descended, my old ally, the guard, came out of the room and clo', ', and hastened downstairs. as i descended, my old ally, the guard, came out of the room and closed t', ' hastened downstairs. as i descended, my old ally, the guard, came out of the room and closed the do', 'ened downstairs. as i descended, my old ally, the guard, came out of the room and closed the door ti', 'downstairs. as i descended, my old ally, the guard, came out of the room and closed the door tightly', 'tairs. as i descended, my old ally, the guard, came out of the room and closed the door tightly behi', '. as i descended, my old ally, the guard, came out of the room and closed the door tightly behind hi', 'i descended, my old ally, the guard, came out of the room and closed the door tightly behind him. "i', 'cended, my old ally, the guard, came out of the room and closed the door tightly behind him. "i\'ve g', 'd, my old ally, the guard, came out of the room and closed the door tightly behind him. "i\'ve got hi', ' old ally, the guard, came out of the room and closed the door tightly behind him. "i\'ve got him her', 'ally, the guard, came out of the room and closed the door tightly behind him. "i\'ve got him here," h', ' the guard, came out of the room and closed the door tightly behind him. "i\'ve got him here," he whi', 'guard, came out of the room and closed the door tightly behind him. "i\'ve got him here," he whispere', ', came out of the room and closed the door tightly behind him. "i\'ve got him here," he whispered, je', 'e out of the room and closed the door tightly behind him. "i\'ve got him here," he whispered, jerking', ' of the room and closed the door tightly behind him. "i\'ve got him here," he whispered, jerking his ', 'he room and closed the door tightly behind him. "i\'ve got him here," he whispered, jerking his thumb', 'om and closed the door tightly behind him. "i\'ve got him here," he whispered, jerking his thumb over', 'd closed the door tightly behind him. "i\'ve got him here," he whispered, jerking his thumb over his ', 'sed the door tightly behind him. "i\'ve got him here," he whispered, jerking his thumb over his shoul', 'he door tightly behind him. "i\'ve got him here," he whispered, jerking his thumb over his shoulder; ', 'or tightly behind him. "i\'ve got him here," he whispered, jerking his thumb over his shoulder; "he\'s', 'ghtly behind him. "i\'ve got him here," he whispered, jerking his thumb over his shoulder; "he\'s all ', ' behind him. "i\'ve got him here," he whispered, jerking his thumb over his shoulder; "he\'s all right', 'nd him. "i\'ve got him here," he whispered, jerking his thumb over his shoulder; "he\'s all right." "w', 'm. "i\'ve got him here," he whispered, jerking his thumb over his shoulder; "he\'s all right." "what i', '\'ve got him here," he whispered, jerking his thumb over his shoulder; "he\'s all right." "what is it,', 'ot him here," he whispered, jerking his thumb over his shoulder; "he\'s all right." "what is it, then', 'm here," he whispered, jerking his thumb over his shoulder; "he\'s all right." "what is it, then?" i ', 'e," he whispered, jerking his thumb over his shoulder; "he\'s all right." "what is it, then?" i asked', 'e whispered, jerking his thumb over his shoulder; "he\'s all right." "what is it, then?" i asked, for', 'spered, jerking his thumb over his shoulder; "he\'s all right." "what is it, then?" i asked, for his ', 'd, jerking his thumb over his shoulder; "he\'s all right." "what is it, then?" i asked, for his manne', 'rking his thumb over his shoulder; "he\'s all right." "what is it, then?" i asked, for his manner sug', ' his thumb over his shoulder; "he\'s all right." "what is it, then?" i asked, for his manner suggeste', 'thumb over his shoulder; "he\'s all right." "what is it, then?" i asked, for his manner suggested tha', ' over his shoulder; "he\'s all right." "what is it, then?" i asked, for his manner suggested that it ', ' his shoulder; "he\'s all right." "what is it, then?" i asked, for his manner suggested that it was s', 'shoulder; "he\'s all right." "what is it, then?" i asked, for his manner suggested that it was some s', 'der; "he\'s all right." "what is it, then?" i asked, for his manner suggested that it was some strang', '"he\'s all right." "what is it, then?" i asked, for his manner suggested that it was some strange cre', ' all right." "what is it, then?" i asked, for his manner suggested that it was some strange creature', 'right." "what is it, then?" i asked, for his manner suggested that it was some strange creature whic', '." "what is it, then?" i asked, for his manner suggested that it was some strange creature which he ', 'hat is it, then?" i asked, for his manner suggested that it was some strange creature which he had c', 's it, then?" i asked, for his manner suggested that it was some strange creature which he had caged ', ' then?" i asked, for his manner suggested that it was some strange creature which he had caged up in', '?" i asked, for his manner suggested that it was some strange creature which he had caged up in my r', 'asked, for his manner suggested that it was some strange creature which he had caged up in my room. ', ', for his manner suggested that it was some strange creature which he had caged up in my room. "it\'s', ' his manner suggested that it was some strange creature which he had caged up in my room. "it\'s a ne', 'manner suggested that it was some strange creature which he had caged up in my room. "it\'s a new pat', 'r suggested that it was some strange creature which he had caged up in my room. "it\'s a new patient,', 'gested that it was some strange creature which he had caged up in my room. "it\'s a new patient," he ', 'd that it was some strange creature which he had caged up in my room. "it\'s a new patient," he whisp', 't it was some strange creature which he had caged up in my room. "it\'s a new patient," he whispered.', 'was some strange creature which he had caged up in my room. "it\'s a new patient," he whispered. "i t', 'ome strange creature which he had caged up in my room. "it\'s a new patient," he whispered. "i though', 'trange creature which he had caged up in my room. "it\'s a new patient," he whispered. "i thought i\'d', 'e creature which he had caged up in my room. "it\'s a new patient," he whispered. "i thought i\'d brin', 'ature which he had caged up in my room. "it\'s a new patient," he whispered. "i thought i\'d bring him', ' which he had caged up in my room. "it\'s a new patient," he whispered. "i thought i\'d bring him roun', 'h he had caged up in my room. "it\'s a new patient," he whispered. "i thought i\'d bring him round mys', 'had caged up in my room. "it\'s a new patient," he whispered. "i thought i\'d bring him round myself; ', 'aged up in my room. "it\'s a new patient," he whispered. "i thought i\'d bring him round myself; then ', 'up in my room. "it\'s a new patient," he whispered. "i thought i\'d bring him round myself; then he co', ' my room. "it\'s a new patient," he whispered. "i thought i\'d bring him round myself; then he couldn\'', 'oom. "it\'s a new patient," he whispered. "i thought i\'d bring him round myself; then he couldn\'t sli', '"it\'s a new patient," he whispered. "i thought i\'d bring him round myself; then he couldn\'t slip awa', ' a new patient," he whispered. "i thought i\'d bring him round myself; then he couldn\'t slip away. th', 'w patient," he whispered. "i thought i\'d bring him round myself; then he couldn\'t slip away. there h', 'ient," he whispered. "i thought i\'d bring him round myself; then he couldn\'t slip away. there he is,', '" he whispered. "i thought i\'d bring him round myself; then he couldn\'t slip away. there he is, all ', 'whispered. "i thought i\'d bring him round myself; then he couldn\'t slip away. there he is, all safe ', 'ered. "i thought i\'d bring him round myself; then he couldn\'t slip away. there he is, all safe and s', ' "i thought i\'d bring him round myself; then he couldn\'t slip away. there he is, all safe and sound.', "hought i'd bring him round myself; then he couldn't slip away. there he is, all safe and sound. i mu", "t i'd bring him round myself; then he couldn't slip away. there he is, all safe and sound. i must go", " bring him round myself; then he couldn't slip away. there he is, all safe and sound. i must go now,", "g him round myself; then he couldn't slip away. there he is, all safe and sound. i must go now, doct", " round myself; then he couldn't slip away. there he is, all safe and sound. i must go now, doctor; i", "d myself; then he couldn't slip away. there he is, all safe and sound. i must go now, doctor; i have", "elf; then he couldn't slip away. there he is, all safe and sound. i must go now, doctor; i have my d", "then he couldn't slip away. there he is, all safe and sound. i must go now, doctor; i have my dootie", "he couldn't slip away. there he is, all safe and sound. i must go now, doctor; i have my dooties, ju", "uldn't slip away. there he is, all safe and sound. i must go now, doctor; i have my dooties, just th", 't slip away. there he is, all safe and sound. i must go now, doctor; i have my dooties, just the sam', 'p away. there he is, all safe and sound. i must go now, doctor; i have my dooties, just the same as ', 'y. there he is, all safe and sound. i must go now, doctor; i have my dooties, just the same as you."', 'ere he is, all safe and sound. i must go now, doctor; i have my dooties, just the same as you." and ', 'e is, all safe and sound. i must go now, doctor; i have my dooties, just the same as you." and off h', ' all safe and sound. i must go now, doctor; i have my dooties, just the same as you." and off he wen', 'safe and sound. i must go now, doctor; i have my dooties, just the same as you." and off he went, th', 'and sound. i must go now, doctor; i have my dooties, just the same as you." and off he went, this tr', 'ound. i must go now, doctor; i have my dooties, just the same as you." and off he went, this trusty ', ' i must go now, doctor; i have my dooties, just the same as you." and off he went, this trusty tout,', 'st go now, doctor; i have my dooties, just the same as you." and off he went, this trusty tout, with', ' now, doctor; i have my dooties, just the same as you." and off he went, this trusty tout, without e', ' doctor; i have my dooties, just the same as you." and off he went, this trusty tout, without even g', 'or; i have my dooties, just the same as you." and off he went, this trusty tout, without even giving', ' have my dooties, just the same as you." and off he went, this trusty tout, without even giving me t', ' my dooties, just the same as you." and off he went, this trusty tout, without even giving me time t', 'ooties, just the same as you." and off he went, this trusty tout, without even giving me time to tha', 's, just the same as you." and off he went, this trusty tout, without even giving me time to thank hi', 'st the same as you." and off he went, this trusty tout, without even giving me time to thank him. i ', 'e same as you." and off he went, this trusty tout, without even giving me time to thank him. i enter', 'e as you." and off he went, this trusty tout, without even giving me time to thank him. i entered my', 'you." and off he went, this trusty tout, without even giving me time to thank him. i entered my cons', ' and off he went, this trusty tout, without even giving me time to thank him. i entered my consultin', 'off he went, this trusty tout, without even giving me time to thank him. i entered my consulting-roo', 'e went, this trusty tout, without even giving me time to thank him. i entered my consulting-room and', 't, this trusty tout, without even giving me time to thank him. i entered my consulting-room and foun', 'is trusty tout, without even giving me time to thank him. i entered my consulting-room and found a g', 'usty tout, without even giving me time to thank him. i entered my consulting-room and found a gentle', 'tout, without even giving me time to thank him. i entered my consulting-room and found a gentleman s', ' without even giving me time to thank him. i entered my consulting-room and found a gentleman seated', 'out even giving me time to thank him. i entered my consulting-room and found a gentleman seated by t', 'ven giving me time to thank him. i entered my consulting-room and found a gentleman seated by the ta', 'iving me time to thank him. i entered my consulting-room and found a gentleman seated by the table. ', ' me time to thank him. i entered my consulting-room and found a gentleman seated by the table. he wa', 'ime to thank him. i entered my consulting-room and found a gentleman seated by the table. he was qui', 'o thank him. i entered my consulting-room and found a gentleman seated by the table. he was quietly ', 'nk him. i entered my consulting-room and found a gentleman seated by the table. he was quietly dress', 'm. i entered my consulting-room and found a gentleman seated by the table. he was quietly dressed in', 'entered my consulting-room and found a gentleman seated by the table. he was quietly dressed in a su', 'ed my consulting-room and found a gentleman seated by the table. he was quietly dressed in a suit of', ' consulting-room and found a gentleman seated by the table. he was quietly dressed in a suit of heat', 'ulting-room and found a gentleman seated by the table. he was quietly dressed in a suit of heather t', 'g-room and found a gentleman seated by the table. he was quietly dressed in a suit of heather tweed ', 'm and found a gentleman seated by the table. he was quietly dressed in a suit of heather tweed with ', ' found a gentleman seated by the table. he was quietly dressed in a suit of heather tweed with a sof', 'd a gentleman seated by the table. he was quietly dressed in a suit of heather tweed with a soft clo', 'entleman seated by the table. he was quietly dressed in a suit of heather tweed with a soft cloth ca', 'man seated by the table. he was quietly dressed in a suit of heather tweed with a soft cloth cap whi', 'eated by the table. he was quietly dressed in a suit of heather tweed with a soft cloth cap which he', ' by the table. he was quietly dressed in a suit of heather tweed with a soft cloth cap which he had ', 'he table. he was quietly dressed in a suit of heather tweed with a soft cloth cap which he had laid ', 'ble. he was quietly dressed in a suit of heather tweed with a soft cloth cap which he had laid down ', 'he was quietly dressed in a suit of heather tweed with a soft cloth cap which he had laid down upon ', 's quietly dressed in a suit of heather tweed with a soft cloth cap which he had laid down upon my bo', 'etly dressed in a suit of heather tweed with a soft cloth cap which he had laid down upon my books. ', 'dressed in a suit of heather tweed with a soft cloth cap which he had laid down upon my books. round', 'ed in a suit of heather tweed with a soft cloth cap which he had laid down upon my books. round one ', ' a suit of heather tweed with a soft cloth cap which he had laid down upon my books. round one of hi', 'it of heather tweed with a soft cloth cap which he had laid down upon my books. round one of his han', ' heather tweed with a soft cloth cap which he had laid down upon my books. round one of his hands he', 'her tweed with a soft cloth cap which he had laid down upon my books. round one of his hands he had ', 'weed with a soft cloth cap which he had laid down upon my books. round one of his hands he had a han', 'with a soft cloth cap which he had laid down upon my books. round one of his hands he had a handkerc', 'a soft cloth cap which he had laid down upon my books. round one of his hands he had a handkerchief ', 't cloth cap which he had laid down upon my books. round one of his hands he had a handkerchief wrapp', 'th cap which he had laid down upon my books. round one of his hands he had a handkerchief wrapped, w', 'p which he had laid down upon my books. round one of his hands he had a handkerchief wrapped, which ', 'ch he had laid down upon my books. round one of his hands he had a handkerchief wrapped, which was m', ' had laid down upon my books. round one of his hands he had a handkerchief wrapped, which was mottle', 'laid down upon my books. round one of his hands he had a handkerchief wrapped, which was mottled all', 'down upon my books. round one of his hands he had a handkerchief wrapped, which was mottled all over', 'upon my books. round one of his hands he had a handkerchief wrapped, which was mottled all over with', 'my books. round one of his hands he had a handkerchief wrapped, which was mottled all over with bloo', 'oks. round one of his hands he had a handkerchief wrapped, which was mottled all over with bloodstai', 'round one of his hands he had a handkerchief wrapped, which was mottled all over with bloodstains. h', ' one of his hands he had a handkerchief wrapped, which was mottled all over with bloodstains. he was', 'of his hands he had a handkerchief wrapped, which was mottled all over with bloodstains. he was youn', 's hands he had a handkerchief wrapped, which was mottled all over with bloodstains. he was young, no', 'ds he had a handkerchief wrapped, which was mottled all over with bloodstains. he was young, not mor', ' had a handkerchief wrapped, which was mottled all over with bloodstains. he was young, not more tha', 'a handkerchief wrapped, which was mottled all over with bloodstains. he was young, not more than fiv', 'dkerchief wrapped, which was mottled all over with bloodstains. he was young, not more than five-and', 'hief wrapped, which was mottled all over with bloodstains. he was young, not more than five-and-twen', 'wrapped, which was mottled all over with bloodstains. he was young, not more than five-and-twenty, i', 'ed, which was mottled all over with bloodstains. he was young, not more than five-and-twenty, i shou', 'hich was mottled all over with bloodstains. he was young, not more than five-and-twenty, i should sa', 'was mottled all over with bloodstains. he was young, not more than five-and-twenty, i should say, wi', 'ottled all over with bloodstains. he was young, not more than five-and-twenty, i should say, with a ', 'd all over with bloodstains. he was young, not more than five-and-twenty, i should say, with a stron', ' over with bloodstains. he was young, not more than five-and-twenty, i should say, with a strong, ma', ' with bloodstains. he was young, not more than five-and-twenty, i should say, with a strong, masculi', ' bloodstains. he was young, not more than five-and-twenty, i should say, with a strong, masculine fa', 'dstains. he was young, not more than five-and-twenty, i should say, with a strong, masculine face; b', 'ns. he was young, not more than five-and-twenty, i should say, with a strong, masculine face; but he', 'e was young, not more than five-and-twenty, i should say, with a strong, masculine face; but he was ', ' young, not more than five-and-twenty, i should say, with a strong, masculine face; but he was excee', 'g, not more than five-and-twenty, i should say, with a strong, masculine face; but he was exceedingl', 't more than five-and-twenty, i should say, with a strong, masculine face; but he was exceedingly pal', 'e than five-and-twenty, i should say, with a strong, masculine face; but he was exceedingly pale and', 'n five-and-twenty, i should say, with a strong, masculine face; but he was exceedingly pale and gave', 'e-and-twenty, i should say, with a strong, masculine face; but he was exceedingly pale and gave me t', '-twenty, i should say, with a strong, masculine face; but he was exceedingly pale and gave me the im', 'ty, i should say, with a strong, masculine face; but he was exceedingly pale and gave me the impress', ' should say, with a strong, masculine face; but he was exceedingly pale and gave me the impression o', 'ld say, with a strong, masculine face; but he was exceedingly pale and gave me the impression of a m', 'y, with a strong, masculine face; but he was exceedingly pale and gave me the impression of a man wh', 'th a strong, masculine face; but he was exceedingly pale and gave me the impression of a man who was', 'strong, masculine face; but he was exceedingly pale and gave me the impression of a man who was suff', 'g, masculine face; but he was exceedingly pale and gave me the impression of a man who was suffering', 'sculine face; but he was exceedingly pale and gave me the impression of a man who was suffering from', 'ne face; but he was exceedingly pale and gave me the impression of a man who was suffering from some', 'ce; but he was exceedingly pale and gave me the impression of a man who was suffering from some stro', 'ut he was exceedingly pale and gave me the impression of a man who was suffering from some strong ag', ' was exceedingly pale and gave me the impression of a man who was suffering from some strong agitati', 'exceedingly pale and gave me the impression of a man who was suffering from some strong agitation, w', 'dingly pale and gave me the impression of a man who was suffering from some strong agitation, which ', 'y pale and gave me the impression of a man who was suffering from some strong agitation, which it to', 'e and gave me the impression of a man who was suffering from some strong agitation, which it took al', ' gave me the impression of a man who was suffering from some strong agitation, which it took all his', ' me the impression of a man who was suffering from some strong agitation, which it took all his stre', 'he impression of a man who was suffering from some strong agitation, which it took all his strength ', 'pression of a man who was suffering from some strong agitation, which it took all his strength of mi', 'ion of a man who was suffering from some strong agitation, which it took all his strength of mind to', 'f a man who was suffering from some strong agitation, which it took all his strength of mind to cont', 'an who was suffering from some strong agitation, which it took all his strength of mind to control. ', 'o was suffering from some strong agitation, which it took all his strength of mind to control. "i am', ' suffering from some strong agitation, which it took all his strength of mind to control. "i am sorr', 'ering from some strong agitation, which it took all his strength of mind to control. "i am sorry to ', ' from some strong agitation, which it took all his strength of mind to control. "i am sorry to knock', ' some strong agitation, which it took all his strength of mind to control. "i am sorry to knock you ', ' strong agitation, which it took all his strength of mind to control. "i am sorry to knock you up so', 'ng agitation, which it took all his strength of mind to control. "i am sorry to knock you up so earl', 'itation, which it took all his strength of mind to control. "i am sorry to knock you up so early, do', 'on, which it took all his strength of mind to control. "i am sorry to knock you up so early, doctor,', 'hich it took all his strength of mind to control. "i am sorry to knock you up so early, doctor," sai', 'it took all his strength of mind to control. "i am sorry to knock you up so early, doctor," said he,', 'ok all his strength of mind to control. "i am sorry to knock you up so early, doctor," said he, "but', 'l his strength of mind to control. "i am sorry to knock you up so early, doctor," said he, "but i ha', ' strength of mind to control. "i am sorry to knock you up so early, doctor," said he, "but i have ha', 'ngth of mind to control. "i am sorry to knock you up so early, doctor," said he, "but i have had a v', 'of mind to control. "i am sorry to knock you up so early, doctor," said he, "but i have had a very s', 'nd to control. "i am sorry to knock you up so early, doctor," said he, "but i have had a very seriou', ' control. "i am sorry to knock you up so early, doctor," said he, "but i have had a very serious acc', 'rol. "i am sorry to knock you up so early, doctor," said he, "but i have had a very serious accident', '"i am sorry to knock you up so early, doctor," said he, "but i have had a very serious accident duri', ' sorry to knock you up so early, doctor," said he, "but i have had a very serious accident during th', 'y to knock you up so early, doctor," said he, "but i have had a very serious accident during the nig', 'knock you up so early, doctor," said he, "but i have had a very serious accident during the night. i', ' you up so early, doctor," said he, "but i have had a very serious accident during the night. i came', 'up so early, doctor," said he, "but i have had a very serious accident during the night. i came in b', ' early, doctor," said he, "but i have had a very serious accident during the night. i came in by tra', 'y, doctor," said he, "but i have had a very serious accident during the night. i came in by train th', 'ctor," said he, "but i have had a very serious accident during the night. i came in by train this mo', '" said he, "but i have had a very serious accident during the night. i came in by train this morning', 'd he, "but i have had a very serious accident during the night. i came in by train this morning, and', ' "but i have had a very serious accident during the night. i came in by train this morning, and on i', ' i have had a very serious accident during the night. i came in by train this morning, and on inquir', 've had a very serious accident during the night. i came in by train this morning, and on inquiring a', 'd a very serious accident during the night. i came in by train this morning, and on inquiring at pad', 'ery serious accident during the night. i came in by train this morning, and on inquiring at paddingt', 'erious accident during the night. i came in by train this morning, and on inquiring at paddington as', 's accident during the night. i came in by train this morning, and on inquiring at paddington as to w', 'ident during the night. i came in by train this morning, and on inquiring at paddington as to where ', ' during the night. i came in by train this morning, and on inquiring at paddington as to where i mig', 'ng the night. i came in by train this morning, and on inquiring at paddington as to where i might fi', 'e night. i came in by train this morning, and on inquiring at paddington as to where i might find a ', 'ht. i came in by train this morning, and on inquiring at paddington as to where i might find a docto', ' came in by train this morning, and on inquiring at paddington as to where i might find a doctor, a ', ' in by train this morning, and on inquiring at paddington as to where i might find a doctor, a worth', 'y train this morning, and on inquiring at paddington as to where i might find a doctor, a worthy fel', 'in this morning, and on inquiring at paddington as to where i might find a doctor, a worthy fellow v', 'is morning, and on inquiring at paddington as to where i might find a doctor, a worthy fellow very k', 'rning, and on inquiring at paddington as to where i might find a doctor, a worthy fellow very kindly', ', and on inquiring at paddington as to where i might find a doctor, a worthy fellow very kindly esco', ' on inquiring at paddington as to where i might find a doctor, a worthy fellow very kindly escorted ', 'nquiring at paddington as to where i might find a doctor, a worthy fellow very kindly escorted me he', 'ing at paddington as to where i might find a doctor, a worthy fellow very kindly escorted me here. i', 't paddington as to where i might find a doctor, a worthy fellow very kindly escorted me here. i gave', 'dington as to where i might find a doctor, a worthy fellow very kindly escorted me here. i gave the ', 'on as to where i might find a doctor, a worthy fellow very kindly escorted me here. i gave the maid ', ' to where i might find a doctor, a worthy fellow very kindly escorted me here. i gave the maid a car', 'here i might find a doctor, a worthy fellow very kindly escorted me here. i gave the maid a card, bu', 'i might find a doctor, a worthy fellow very kindly escorted me here. i gave the maid a card, but i s', 'ht find a doctor, a worthy fellow very kindly escorted me here. i gave the maid a card, but i see th', 'nd a doctor, a worthy fellow very kindly escorted me here. i gave the maid a card, but i see that sh', 'doctor, a worthy fellow very kindly escorted me here. i gave the maid a card, but i see that she has', 'r, a worthy fellow very kindly escorted me here. i gave the maid a card, but i see that she has left', 'worthy fellow very kindly escorted me here. i gave the maid a card, but i see that she has left it u', 'y fellow very kindly escorted me here. i gave the maid a card, but i see that she has left it upon t', 'low very kindly escorted me here. i gave the maid a card, but i see that she has left it upon the si', 'ery kindly escorted me here. i gave the maid a card, but i see that she has left it upon the side-ta', 'indly escorted me here. i gave the maid a card, but i see that she has left it upon the side-table."', ' escorted me here. i gave the maid a card, but i see that she has left it upon the side-table." i to', 'rted me here. i gave the maid a card, but i see that she has left it upon the side-table." i took it', 'me here. i gave the maid a card, but i see that she has left it upon the side-table." i took it up a', 're. i gave the maid a card, but i see that she has left it upon the side-table." i took it up and gl', ' gave the maid a card, but i see that she has left it upon the side-table." i took it up and glanced', ' the maid a card, but i see that she has left it upon the side-table." i took it up and glanced at i', 'maid a card, but i see that she has left it upon the side-table." i took it up and glanced at it. "m', 'a card, but i see that she has left it upon the side-table." i took it up and glanced at it. "mr. vi', 'd, but i see that she has left it upon the side-table." i took it up and glanced at it. "mr. victor ', 't i see that she has left it upon the side-table." i took it up and glanced at it. "mr. victor hathe', 'ee that she has left it upon the side-table." i took it up and glanced at it. "mr. victor hatherley,', 'at she has left it upon the side-table." i took it up and glanced at it. "mr. victor hatherley, hydr', 'e has left it upon the side-table." i took it up and glanced at it. "mr. victor hatherley, hydraulic', ' left it upon the side-table." i took it up and glanced at it. "mr. victor hatherley, hydraulic engi', ' it upon the side-table." i took it up and glanced at it. "mr. victor hatherley, hydraulic engineer,', 'pon the side-table." i took it up and glanced at it. "mr. victor hatherley, hydraulic engineer, a, ', 'he side-table." i took it up and glanced at it. "mr. victor hatherley, hydraulic engineer, a, victo', 'de-table." i took it up and glanced at it. "mr. victor hatherley, hydraulic engineer, a, victoria s', 'ble." i took it up and glanced at it. "mr. victor hatherley, hydraulic engineer, a, victoria street', ' i took it up and glanced at it. "mr. victor hatherley, hydraulic engineer, a, victoria street rd ', 'ok it up and glanced at it. "mr. victor hatherley, hydraulic engineer, a, victoria street rd floor', ' up and glanced at it. "mr. victor hatherley, hydraulic engineer, a, victoria street rd floor ." t', 'nd glanced at it. "mr. victor hatherley, hydraulic engineer, a, victoria street rd floor ." that w', 'anced at it. "mr. victor hatherley, hydraulic engineer, a, victoria street rd floor ." that was th', ' at it. "mr. victor hatherley, hydraulic engineer, a, victoria street rd floor ." that was the nam', 't. "mr. victor hatherley, hydraulic engineer, a, victoria street rd floor ." that was the name, st', 'r. victor hatherley, hydraulic engineer, a, victoria street rd floor ." that was the name, style, ', 'ctor hatherley, hydraulic engineer, a, victoria street rd floor ." that was the name, style, and a', 'hatherley, hydraulic engineer, a, victoria street rd floor ." that was the name, style, and abode ', 'rley, hydraulic engineer, a, victoria street rd floor ." that was the name, style, and abode of my', ' hydraulic engineer, a, victoria street rd floor ." that was the name, style, and abode of my morn', 'aulic engineer, a, victoria street rd floor ." that was the name, style, and abode of my morning v', ' engineer, a, victoria street rd floor ." that was the name, style, and abode of my morning visito', 'neer, a, victoria street rd floor ." that was the name, style, and abode of my morning visitor. "i', ' a, victoria street rd floor ." that was the name, style, and abode of my morning visitor. "i regr', 'victoria street rd floor ." that was the name, style, and abode of my morning visitor. "i regret th', 'ria street rd floor ." that was the name, style, and abode of my morning visitor. "i regret that i ', 'treet rd floor ." that was the name, style, and abode of my morning visitor. "i regret that i have ', ' rd floor ." that was the name, style, and abode of my morning visitor. "i regret that i have kept ', 'floor ." that was the name, style, and abode of my morning visitor. "i regret that i have kept you w', ' ." that was the name, style, and abode of my morning visitor. "i regret that i have kept you waitin', 'hat was the name, style, and abode of my morning visitor. "i regret that i have kept you waiting," s', 'as the name, style, and abode of my morning visitor. "i regret that i have kept you waiting," said i', 'e name, style, and abode of my morning visitor. "i regret that i have kept you waiting," said i, sit', 'e, style, and abode of my morning visitor. "i regret that i have kept you waiting," said i, sitting ', 'yle, and abode of my morning visitor. "i regret that i have kept you waiting," said i, sitting down ', 'and abode of my morning visitor. "i regret that i have kept you waiting," said i, sitting down in my', 'bode of my morning visitor. "i regret that i have kept you waiting," said i, sitting down in my libr', 'of my morning visitor. "i regret that i have kept you waiting," said i, sitting down in my library-c', ' morning visitor. "i regret that i have kept you waiting," said i, sitting down in my library-chair.', 'ing visitor. "i regret that i have kept you waiting," said i, sitting down in my library-chair. "you', 'isitor. "i regret that i have kept you waiting," said i, sitting down in my library-chair. "you are ', 'r. "i regret that i have kept you waiting," said i, sitting down in my library-chair. "you are fresh', ' regret that i have kept you waiting," said i, sitting down in my library-chair. "you are fresh from', 'et that i have kept you waiting," said i, sitting down in my library-chair. "you are fresh from a ni', 'at i have kept you waiting," said i, sitting down in my library-chair. "you are fresh from a night j', 'have kept you waiting," said i, sitting down in my library-chair. "you are fresh from a night journe', 'kept you waiting," said i, sitting down in my library-chair. "you are fresh from a night journey, i ', 'you waiting," said i, sitting down in my library-chair. "you are fresh from a night journey, i under', 'aiting," said i, sitting down in my library-chair. "you are fresh from a night journey, i understand', 'g," said i, sitting down in my library-chair. "you are fresh from a night journey, i understand, whi', 'aid i, sitting down in my library-chair. "you are fresh from a night journey, i understand, which is', ', sitting down in my library-chair. "you are fresh from a night journey, i understand, which is in i', 'ting down in my library-chair. "you are fresh from a night journey, i understand, which is in itself', 'down in my library-chair. "you are fresh from a night journey, i understand, which is in itself a mo', 'in my library-chair. "you are fresh from a night journey, i understand, which is in itself a monoton', ' library-chair. "you are fresh from a night journey, i understand, which is in itself a monotonous o', 'ary-chair. "you are fresh from a night journey, i understand, which is in itself a monotonous occupa', 'hair. "you are fresh from a night journey, i understand, which is in itself a monotonous occupation.', ' "you are fresh from a night journey, i understand, which is in itself a monotonous occupation." "oh', ' are fresh from a night journey, i understand, which is in itself a monotonous occupation." "oh, my ', 'fresh from a night journey, i understand, which is in itself a monotonous occupation." "oh, my night', ' from a night journey, i understand, which is in itself a monotonous occupation." "oh, my night coul', ' a night journey, i understand, which is in itself a monotonous occupation." "oh, my night could not', 'ght journey, i understand, which is in itself a monotonous occupation." "oh, my night could not be c', 'ourney, i understand, which is in itself a monotonous occupation." "oh, my night could not be called', 'y, i understand, which is in itself a monotonous occupation." "oh, my night could not be called mono', 'understand, which is in itself a monotonous occupation." "oh, my night could not be called monotonou', 'stand, which is in itself a monotonous occupation." "oh, my night could not be called monotonous," s', ', which is in itself a monotonous occupation." "oh, my night could not be called monotonous," said h', 'ch is in itself a monotonous occupation." "oh, my night could not be called monotonous," said he, an', ' in itself a monotonous occupation." "oh, my night could not be called monotonous," said he, and lau', 'tself a monotonous occupation." "oh, my night could not be called monotonous," said he, and laughed.', ' a monotonous occupation." "oh, my night could not be called monotonous," said he, and laughed. he l', 'notonous occupation." "oh, my night could not be called monotonous," said he, and laughed. he laughe', 'ous occupation." "oh, my night could not be called monotonous," said he, and laughed. he laughed ver', 'ccupation." "oh, my night could not be called monotonous," said he, and laughed. he laughed very hea', 'tion." "oh, my night could not be called monotonous," said he, and laughed. he laughed very heartily', '" "oh, my night could not be called monotonous," said he, and laughed. he laughed very heartily, wit', ', my night could not be called monotonous," said he, and laughed. he laughed very heartily, with a h', 'night could not be called monotonous," said he, and laughed. he laughed very heartily, with a high, ', ' could not be called monotonous," said he, and laughed. he laughed very heartily, with a high, ringi', 'd not be called monotonous," said he, and laughed. he laughed very heartily, with a high, ringing no', ' be called monotonous," said he, and laughed. he laughed very heartily, with a high, ringing note, l', 'alled monotonous," said he, and laughed. he laughed very heartily, with a high, ringing note, leanin', ' monotonous," said he, and laughed. he laughed very heartily, with a high, ringing note, leaning bac', 'tonous," said he, and laughed. he laughed very heartily, with a high, ringing note, leaning back in ', 's," said he, and laughed. he laughed very heartily, with a high, ringing note, leaning back in his c', 'aid he, and laughed. he laughed very heartily, with a high, ringing note, leaning back in his chair ', 'e, and laughed. he laughed very heartily, with a high, ringing note, leaning back in his chair and s', 'd laughed. he laughed very heartily, with a high, ringing note, leaning back in his chair and shakin', 'ghed. he laughed very heartily, with a high, ringing note, leaning back in his chair and shaking his', ' he laughed very heartily, with a high, ringing note, leaning back in his chair and shaking his side', 'aughed very heartily, with a high, ringing note, leaning back in his chair and shaking his sides. al', 'd very heartily, with a high, ringing note, leaning back in his chair and shaking his sides. all my ', 'y heartily, with a high, ringing note, leaning back in his chair and shaking his sides. all my medic', 'rtily, with a high, ringing note, leaning back in his chair and shaking his sides. all my medical in', ', with a high, ringing note, leaning back in his chair and shaking his sides. all my medical instinc', 'h a high, ringing note, leaning back in his chair and shaking his sides. all my medical instincts ro', 'igh, ringing note, leaning back in his chair and shaking his sides. all my medical instincts rose up', 'ringing note, leaning back in his chair and shaking his sides. all my medical instincts rose up agai', 'ng note, leaning back in his chair and shaking his sides. all my medical instincts rose up against t', 'te, leaning back in his chair and shaking his sides. all my medical instincts rose up against that l', 'eaning back in his chair and shaking his sides. all my medical instincts rose up against that laugh.', 'g back in his chair and shaking his sides. all my medical instincts rose up against that laugh. "sto', 'k in his chair and shaking his sides. all my medical instincts rose up against that laugh. "stop it ', 'his chair and shaking his sides. all my medical instincts rose up against that laugh. "stop it i cri', 'hair and shaking his sides. all my medical instincts rose up against that laugh. "stop it i cried; "', 'and shaking his sides. all my medical instincts rose up against that laugh. "stop it i cried; "pull ', 'haking his sides. all my medical instincts rose up against that laugh. "stop it i cried; "pull yours', 'g his sides. all my medical instincts rose up against that laugh. "stop it i cried; "pull yourself t', ' sides. all my medical instincts rose up against that laugh. "stop it i cried; "pull yourself togeth', 's. all my medical instincts rose up against that laugh. "stop it i cried; "pull yourself together an', 'l my medical instincts rose up against that laugh. "stop it i cried; "pull yourself together and i p', 'medical instincts rose up against that laugh. "stop it i cried; "pull yourself together and i poured', 'al instincts rose up against that laugh. "stop it i cried; "pull yourself together and i poured out ', 'stincts rose up against that laugh. "stop it i cried; "pull yourself together and i poured out some ', 'ts rose up against that laugh. "stop it i cried; "pull yourself together and i poured out some water', 'se up against that laugh. "stop it i cried; "pull yourself together and i poured out some water from', ' against that laugh. "stop it i cried; "pull yourself together and i poured out some water from a ca', 'nst that laugh. "stop it i cried; "pull yourself together and i poured out some water from a caraffe', 'hat laugh. "stop it i cried; "pull yourself together and i poured out some water from a caraffe. it ', 'augh. "stop it i cried; "pull yourself together and i poured out some water from a caraffe. it was u', ' "stop it i cried; "pull yourself together and i poured out some water from a caraffe. it was useles', 'p it i cried; "pull yourself together and i poured out some water from a caraffe. it was useless, ho', 'i cried; "pull yourself together and i poured out some water from a caraffe. it was useless, however', 'ed; "pull yourself together and i poured out some water from a caraffe. it was useless, however. he ', 'pull yourself together and i poured out some water from a caraffe. it was useless, however. he was o', 'yourself together and i poured out some water from a caraffe. it was useless, however. he was off in', 'elf together and i poured out some water from a caraffe. it was useless, however. he was off in one ', 'ogether and i poured out some water from a caraffe. it was useless, however. he was off in one of th', 'er and i poured out some water from a caraffe. it was useless, however. he was off in one of those h', 'd i poured out some water from a caraffe. it was useless, however. he was off in one of those hyster', 'oured out some water from a caraffe. it was useless, however. he was off in one of those hysterical ', ' out some water from a caraffe. it was useless, however. he was off in one of those hysterical outbu', 'some water from a caraffe. it was useless, however. he was off in one of those hysterical outbursts ', 'water from a caraffe. it was useless, however. he was off in one of those hysterical outbursts which', ' from a caraffe. it was useless, however. he was off in one of those hysterical outbursts which come', ' a caraffe. it was useless, however. he was off in one of those hysterical outbursts which come upon', 'raffe. it was useless, however. he was off in one of those hysterical outbursts which come upon a st', '. it was useless, however. he was off in one of those hysterical outbursts which come upon a strong ', 'was useless, however. he was off in one of those hysterical outbursts which come upon a strong natur', 'seless, however. he was off in one of those hysterical outbursts which come upon a strong nature whe', 's, however. he was off in one of those hysterical outbursts which come upon a strong nature when som', 'wever. he was off in one of those hysterical outbursts which come upon a strong nature when some gre', '. he was off in one of those hysterical outbursts which come upon a strong nature when some great cr', 'was off in one of those hysterical outbursts which come upon a strong nature when some great crisis ', 'ff in one of those hysterical outbursts which come upon a strong nature when some great crisis is ov', ' one of those hysterical outbursts which come upon a strong nature when some great crisis is over an', 'of those hysterical outbursts which come upon a strong nature when some great crisis is over and gon', 'ose hysterical outbursts which come upon a strong nature when some great crisis is over and gone. pr', 'ysterical outbursts which come upon a strong nature when some great crisis is over and gone. present', 'ical outbursts which come upon a strong nature when some great crisis is over and gone. presently he', 'outbursts which come upon a strong nature when some great crisis is over and gone. presently he came', 'rsts which come upon a strong nature when some great crisis is over and gone. presently he came to h', 'which come upon a strong nature when some great crisis is over and gone. presently he came to himsel', ' come upon a strong nature when some great crisis is over and gone. presently he came to himself onc', ' upon a strong nature when some great crisis is over and gone. presently he came to himself once mor', ' a strong nature when some great crisis is over and gone. presently he came to himself once more, ve', 'rong nature when some great crisis is over and gone. presently he came to himself once more, very we', 'nature when some great crisis is over and gone. presently he came to himself once more, very weary a', 'e when some great crisis is over and gone. presently he came to himself once more, very weary and pa', 'n some great crisis is over and gone. presently he came to himself once more, very weary and pale-lo', 'e great crisis is over and gone. presently he came to himself once more, very weary and pale-looking', 'at crisis is over and gone. presently he came to himself once more, very weary and pale-looking. "i ', 'isis is over and gone. presently he came to himself once more, very weary and pale-looking. "i have ', 'is over and gone. presently he came to himself once more, very weary and pale-looking. "i have been ', 'er and gone. presently he came to himself once more, very weary and pale-looking. "i have been makin', 'd gone. presently he came to himself once more, very weary and pale-looking. "i have been making a f', 'e. presently he came to himself once more, very weary and pale-looking. "i have been making a fool o', 'esently he came to himself once more, very weary and pale-looking. "i have been making a fool of mys', 'ly he came to himself once more, very weary and pale-looking. "i have been making a fool of myself,"', ' came to himself once more, very weary and pale-looking. "i have been making a fool of myself," he g', ' to himself once more, very weary and pale-looking. "i have been making a fool of myself," he gasped', 'imself once more, very weary and pale-looking. "i have been making a fool of myself," he gasped. "no', 'f once more, very weary and pale-looking. "i have been making a fool of myself," he gasped. "not at ', 'e more, very weary and pale-looking. "i have been making a fool of myself," he gasped. "not at all. ', 'e, very weary and pale-looking. "i have been making a fool of myself," he gasped. "not at all. drink', 'ry weary and pale-looking. "i have been making a fool of myself," he gasped. "not at all. drink this', 'ary and pale-looking. "i have been making a fool of myself," he gasped. "not at all. drink this." i ', 'nd pale-looking. "i have been making a fool of myself," he gasped. "not at all. drink this." i dashe', 'le-looking. "i have been making a fool of myself," he gasped. "not at all. drink this." i dashed som', 'oking. "i have been making a fool of myself," he gasped. "not at all. drink this." i dashed some bra', '. "i have been making a fool of myself," he gasped. "not at all. drink this." i dashed some brandy i', 'have been making a fool of myself," he gasped. "not at all. drink this." i dashed some brandy into t', 'been making a fool of myself," he gasped. "not at all. drink this." i dashed some brandy into the wa', 'making a fool of myself," he gasped. "not at all. drink this." i dashed some brandy into the water, ', 'g a fool of myself," he gasped. "not at all. drink this." i dashed some brandy into the water, and t', 'ool of myself," he gasped. "not at all. drink this." i dashed some brandy into the water, and the co', 'f myself," he gasped. "not at all. drink this." i dashed some brandy into the water, and the colour ', 'elf," he gasped. "not at all. drink this." i dashed some brandy into the water, and the colour began', ' he gasped. "not at all. drink this." i dashed some brandy into the water, and the colour began to c', 'asped. "not at all. drink this." i dashed some brandy into the water, and the colour began to come b', '. "not at all. drink this." i dashed some brandy into the water, and the colour began to come back t', 't at all. drink this." i dashed some brandy into the water, and the colour began to come back to his', 'all. drink this." i dashed some brandy into the water, and the colour began to come back to his bloo', 'drink this." i dashed some brandy into the water, and the colour began to come back to his bloodless', ' this." i dashed some brandy into the water, and the colour began to come back to his bloodless chee', '." i dashed some brandy into the water, and the colour began to come back to his bloodless cheeks. "', 'dashed some brandy into the water, and the colour began to come back to his bloodless cheeks. "that\'', 'd some brandy into the water, and the colour began to come back to his bloodless cheeks. "that\'s bet', 'e brandy into the water, and the colour began to come back to his bloodless cheeks. "that\'s better s', 'ndy into the water, and the colour began to come back to his bloodless cheeks. "that\'s better said h', 'nto the water, and the colour began to come back to his bloodless cheeks. "that\'s better said he. "a', 'he water, and the colour began to come back to his bloodless cheeks. "that\'s better said he. "and no', 'ter, and the colour began to come back to his bloodless cheeks. "that\'s better said he. "and now, do', 'and the colour began to come back to his bloodless cheeks. "that\'s better said he. "and now, doctor,', 'he colour began to come back to his bloodless cheeks. "that\'s better said he. "and now, doctor, perh', 'lour began to come back to his bloodless cheeks. "that\'s better said he. "and now, doctor, perhaps y', 'began to come back to his bloodless cheeks. "that\'s better said he. "and now, doctor, perhaps you wo', ' to come back to his bloodless cheeks. "that\'s better said he. "and now, doctor, perhaps you would k', 'ome back to his bloodless cheeks. "that\'s better said he. "and now, doctor, perhaps you would kindly', 'ack to his bloodless cheeks. "that\'s better said he. "and now, doctor, perhaps you would kindly atte', 'o his bloodless cheeks. "that\'s better said he. "and now, doctor, perhaps you would kindly attend to', ' bloodless cheeks. "that\'s better said he. "and now, doctor, perhaps you would kindly attend to my t', 'dless cheeks. "that\'s better said he. "and now, doctor, perhaps you would kindly attend to my thumb,', ' cheeks. "that\'s better said he. "and now, doctor, perhaps you would kindly attend to my thumb, or r', 'ks. "that\'s better said he. "and now, doctor, perhaps you would kindly attend to my thumb, or rather', 'that\'s better said he. "and now, doctor, perhaps you would kindly attend to my thumb, or rather to t', 's better said he. "and now, doctor, perhaps you would kindly attend to my thumb, or rather to the pl', 'ter said he. "and now, doctor, perhaps you would kindly attend to my thumb, or rather to the place w', 'aid he. "and now, doctor, perhaps you would kindly attend to my thumb, or rather to the place where ', 'e. "and now, doctor, perhaps you would kindly attend to my thumb, or rather to the place where my th', 'nd now, doctor, perhaps you would kindly attend to my thumb, or rather to the place where my thumb u', 'w, doctor, perhaps you would kindly attend to my thumb, or rather to the place where my thumb used t', 'ctor, perhaps you would kindly attend to my thumb, or rather to the place where my thumb used to be.', ' perhaps you would kindly attend to my thumb, or rather to the place where my thumb used to be." he ', 'aps you would kindly attend to my thumb, or rather to the place where my thumb used to be." he unwou', 'ou would kindly attend to my thumb, or rather to the place where my thumb used to be." he unwound th', 'uld kindly attend to my thumb, or rather to the place where my thumb used to be." he unwound the han', 'indly attend to my thumb, or rather to the place where my thumb used to be." he unwound the handkerc', ' attend to my thumb, or rather to the place where my thumb used to be." he unwound the handkerchief ', 'nd to my thumb, or rather to the place where my thumb used to be." he unwound the handkerchief and h', ' my thumb, or rather to the place where my thumb used to be." he unwound the handkerchief and held o', 'humb, or rather to the place where my thumb used to be." he unwound the handkerchief and held out hi', ' or rather to the place where my thumb used to be." he unwound the handkerchief and held out his han', 'ather to the place where my thumb used to be." he unwound the handkerchief and held out his hand. it', ' to the place where my thumb used to be." he unwound the handkerchief and held out his hand. it gave', 'he place where my thumb used to be." he unwound the handkerchief and held out his hand. it gave even', 'ace where my thumb used to be." he unwound the handkerchief and held out his hand. it gave even my h', 'here my thumb used to be." he unwound the handkerchief and held out his hand. it gave even my harden', 'my thumb used to be." he unwound the handkerchief and held out his hand. it gave even my hardened ne', 'umb used to be." he unwound the handkerchief and held out his hand. it gave even my hardened nerves ', 'sed to be." he unwound the handkerchief and held out his hand. it gave even my hardened nerves a shu', 'o be." he unwound the handkerchief and held out his hand. it gave even my hardened nerves a shudder ', '" he unwound the handkerchief and held out his hand. it gave even my hardened nerves a shudder to lo', 'unwound the handkerchief and held out his hand. it gave even my hardened nerves a shudder to look at', 'nd the handkerchief and held out his hand. it gave even my hardened nerves a shudder to look at it. ', 'e handkerchief and held out his hand. it gave even my hardened nerves a shudder to look at it. there', 'dkerchief and held out his hand. it gave even my hardened nerves a shudder to look at it. there were', 'hief and held out his hand. it gave even my hardened nerves a shudder to look at it. there were four', 'and held out his hand. it gave even my hardened nerves a shudder to look at it. there were four prot', 'eld out his hand. it gave even my hardened nerves a shudder to look at it. there were four protrudin', 'ut his hand. it gave even my hardened nerves a shudder to look at it. there were four protruding fin', 's hand. it gave even my hardened nerves a shudder to look at it. there were four protruding fingers ', 'd. it gave even my hardened nerves a shudder to look at it. there were four protruding fingers and a', ' gave even my hardened nerves a shudder to look at it. there were four protruding fingers and a horr', ' even my hardened nerves a shudder to look at it. there were four protruding fingers and a horrid re', ' my hardened nerves a shudder to look at it. there were four protruding fingers and a horrid red, sp', 'ardened nerves a shudder to look at it. there were four protruding fingers and a horrid red, spongy ', 'ed nerves a shudder to look at it. there were four protruding fingers and a horrid red, spongy surfa', 'rves a shudder to look at it. there were four protruding fingers and a horrid red, spongy surface wh', 'a shudder to look at it. there were four protruding fingers and a horrid red, spongy surface where t', 'dder to look at it. there were four protruding fingers and a horrid red, spongy surface where the th', 'to look at it. there were four protruding fingers and a horrid red, spongy surface where the thumb s', 'ok at it. there were four protruding fingers and a horrid red, spongy surface where the thumb should', ' it. there were four protruding fingers and a horrid red, spongy surface where the thumb should have', 'there were four protruding fingers and a horrid red, spongy surface where the thumb should have been', ' were four protruding fingers and a horrid red, spongy surface where the thumb should have been. it ', ' four protruding fingers and a horrid red, spongy surface where the thumb should have been. it had b', ' protruding fingers and a horrid red, spongy surface where the thumb should have been. it had been h', 'ruding fingers and a horrid red, spongy surface where the thumb should have been. it had been hacked', 'g fingers and a horrid red, spongy surface where the thumb should have been. it had been hacked or t', 'gers and a horrid red, spongy surface where the thumb should have been. it had been hacked or torn r', 'and a horrid red, spongy surface where the thumb should have been. it had been hacked or torn right ', ' horrid red, spongy surface where the thumb should have been. it had been hacked or torn right out f', 'id red, spongy surface where the thumb should have been. it had been hacked or torn right out from t', 'd, spongy surface where the thumb should have been. it had been hacked or torn right out from the ro', 'ongy surface where the thumb should have been. it had been hacked or torn right out from the roots. ', 'surface where the thumb should have been. it had been hacked or torn right out from the roots. "good', 'ce where the thumb should have been. it had been hacked or torn right out from the roots. "good heav', 'ere the thumb should have been. it had been hacked or torn right out from the roots. "good heavens i', 'he thumb should have been. it had been hacked or torn right out from the roots. "good heavens i crie', 'umb should have been. it had been hacked or torn right out from the roots. "good heavens i cried, "t', 'hould have been. it had been hacked or torn right out from the roots. "good heavens i cried, "this i', ' have been. it had been hacked or torn right out from the roots. "good heavens i cried, "this is a t', ' been. it had been hacked or torn right out from the roots. "good heavens i cried, "this is a terrib', '. it had been hacked or torn right out from the roots. "good heavens i cried, "this is a terrible in', 'had been hacked or torn right out from the roots. "good heavens i cried, "this is a terrible injury.', 'een hacked or torn right out from the roots. "good heavens i cried, "this is a terrible injury. it m', 'acked or torn right out from the roots. "good heavens i cried, "this is a terrible injury. it must h', ' or torn right out from the roots. "good heavens i cried, "this is a terrible injury. it must have b', 'orn right out from the roots. "good heavens i cried, "this is a terrible injury. it must have bled c', 'ight out from the roots. "good heavens i cried, "this is a terrible injury. it must have bled consid', 'out from the roots. "good heavens i cried, "this is a terrible injury. it must have bled considerabl', 'rom the roots. "good heavens i cried, "this is a terrible injury. it must have bled considerably." "', 'he roots. "good heavens i cried, "this is a terrible injury. it must have bled considerably." "yes, ', 'ots. "good heavens i cried, "this is a terrible injury. it must have bled considerably." "yes, it di', '"good heavens i cried, "this is a terrible injury. it must have bled considerably." "yes, it did. i ', ' heavens i cried, "this is a terrible injury. it must have bled considerably." "yes, it did. i faint', 'ens i cried, "this is a terrible injury. it must have bled considerably." "yes, it did. i fainted wh', ' cried, "this is a terrible injury. it must have bled considerably." "yes, it did. i fainted when it', 'd, "this is a terrible injury. it must have bled considerably." "yes, it did. i fainted when it was ', 'his is a terrible injury. it must have bled considerably." "yes, it did. i fainted when it was done,', 's a terrible injury. it must have bled considerably." "yes, it did. i fainted when it was done, and ', 'errible injury. it must have bled considerably." "yes, it did. i fainted when it was done, and i thi', 'le injury. it must have bled considerably." "yes, it did. i fainted when it was done, and i think th', 'jury. it must have bled considerably." "yes, it did. i fainted when it was done, and i think that i ', ' it must have bled considerably." "yes, it did. i fainted when it was done, and i think that i must ', 'ust have bled considerably." "yes, it did. i fainted when it was done, and i think that i must have ', 'ave bled considerably." "yes, it did. i fainted when it was done, and i think that i must have been ', 'led considerably." "yes, it did. i fainted when it was done, and i think that i must have been sense', 'onsiderably." "yes, it did. i fainted when it was done, and i think that i must have been senseless ', 'erably." "yes, it did. i fainted when it was done, and i think that i must have been senseless for a', 'y." "yes, it did. i fainted when it was done, and i think that i must have been senseless for a long', 'yes, it did. i fainted when it was done, and i think that i must have been senseless for a long time', 'it did. i fainted when it was done, and i think that i must have been senseless for a long time. whe', 'd. i fainted when it was done, and i think that i must have been senseless for a long time. when i c', 'fainted when it was done, and i think that i must have been senseless for a long time. when i came t', 'ed when it was done, and i think that i must have been senseless for a long time. when i came to i f', 'en it was done, and i think that i must have been senseless for a long time. when i came to i found ', ' was done, and i think that i must have been senseless for a long time. when i came to i found that ', 'done, and i think that i must have been senseless for a long time. when i came to i found that it wa', ' and i think that i must have been senseless for a long time. when i came to i found that it was sti', 'i think that i must have been senseless for a long time. when i came to i found that it was still bl', 'nk that i must have been senseless for a long time. when i came to i found that it was still bleedin', 'at i must have been senseless for a long time. when i came to i found that it was still bleeding, so', 'must have been senseless for a long time. when i came to i found that it was still bleeding, so i ti', 'have been senseless for a long time. when i came to i found that it was still bleeding, so i tied on', 'been senseless for a long time. when i came to i found that it was still bleeding, so i tied one end', 'senseless for a long time. when i came to i found that it was still bleeding, so i tied one end of m', 'less for a long time. when i came to i found that it was still bleeding, so i tied one end of my han', 'for a long time. when i came to i found that it was still bleeding, so i tied one end of my handkerc', ' long time. when i came to i found that it was still bleeding, so i tied one end of my handkerchief ', ' time. when i came to i found that it was still bleeding, so i tied one end of my handkerchief very ', '. when i came to i found that it was still bleeding, so i tied one end of my handkerchief very tight', 'n i came to i found that it was still bleeding, so i tied one end of my handkerchief very tightly ro', 'ame to i found that it was still bleeding, so i tied one end of my handkerchief very tightly round t', 'o i found that it was still bleeding, so i tied one end of my handkerchief very tightly round the wr', 'ound that it was still bleeding, so i tied one end of my handkerchief very tightly round the wrist a', 'that it was still bleeding, so i tied one end of my handkerchief very tightly round the wrist and br', 'it was still bleeding, so i tied one end of my handkerchief very tightly round the wrist and braced ', 's still bleeding, so i tied one end of my handkerchief very tightly round the wrist and braced it up', 'll bleeding, so i tied one end of my handkerchief very tightly round the wrist and braced it up with', 'eeding, so i tied one end of my handkerchief very tightly round the wrist and braced it up with a tw', 'g, so i tied one end of my handkerchief very tightly round the wrist and braced it up with a twig." ', ' i tied one end of my handkerchief very tightly round the wrist and braced it up with a twig." "exce', 'ed one end of my handkerchief very tightly round the wrist and braced it up with a twig." "excellent', 'e end of my handkerchief very tightly round the wrist and braced it up with a twig." "excellent! you', ' of my handkerchief very tightly round the wrist and braced it up with a twig." "excellent! you shou', 'y handkerchief very tightly round the wrist and braced it up with a twig." "excellent! you should ha', 'dkerchief very tightly round the wrist and braced it up with a twig." "excellent! you should have be', 'hief very tightly round the wrist and braced it up with a twig." "excellent! you should have been a ', 'very tightly round the wrist and braced it up with a twig." "excellent! you should have been a surge', 'tightly round the wrist and braced it up with a twig." "excellent! you should have been a surgeon." ', 'ly round the wrist and braced it up with a twig." "excellent! you should have been a surgeon." "it i', 'und the wrist and braced it up with a twig." "excellent! you should have been a surgeon." "it is a q', 'he wrist and braced it up with a twig." "excellent! you should have been a surgeon." "it is a questi', 'ist and braced it up with a twig." "excellent! you should have been a surgeon." "it is a question of', 'nd braced it up with a twig." "excellent! you should have been a surgeon." "it is a question of hydr', 'aced it up with a twig." "excellent! you should have been a surgeon." "it is a question of hydraulic', 'it up with a twig." "excellent! you should have been a surgeon." "it is a question of hydraulics, yo', ' with a twig." "excellent! you should have been a surgeon." "it is a question of hydraulics, you see', ' a twig." "excellent! you should have been a surgeon." "it is a question of hydraulics, you see, and', 'ig." "excellent! you should have been a surgeon." "it is a question of hydraulics, you see, and came', '"excellent! you should have been a surgeon." "it is a question of hydraulics, you see, and came with', 'llent! you should have been a surgeon." "it is a question of hydraulics, you see, and came within my', '! you should have been a surgeon." "it is a question of hydraulics, you see, and came within my own ', ' should have been a surgeon." "it is a question of hydraulics, you see, and came within my own provi', 'ld have been a surgeon." "it is a question of hydraulics, you see, and came within my own province."', 've been a surgeon." "it is a question of hydraulics, you see, and came within my own province." "thi', 'en a surgeon." "it is a question of hydraulics, you see, and came within my own province." "this has', 'surgeon." "it is a question of hydraulics, you see, and came within my own province." "this has been', 'on." "it is a question of hydraulics, you see, and came within my own province." "this has been done', '"it is a question of hydraulics, you see, and came within my own province." "this has been done," sa', 's a question of hydraulics, you see, and came within my own province." "this has been done," said i,', 'uestion of hydraulics, you see, and came within my own province." "this has been done," said i, exam', 'on of hydraulics, you see, and came within my own province." "this has been done," said i, examining', ' hydraulics, you see, and came within my own province." "this has been done," said i, examining the ', 'aulics, you see, and came within my own province." "this has been done," said i, examining the wound', 's, you see, and came within my own province." "this has been done," said i, examining the wound, "by', 'u see, and came within my own province." "this has been done," said i, examining the wound, "by a ve', ', and came within my own province." "this has been done," said i, examining the wound, "by a very he', ' came within my own province." "this has been done," said i, examining the wound, "by a very heavy a', ' within my own province." "this has been done," said i, examining the wound, "by a very heavy and sh', 'in my own province." "this has been done," said i, examining the wound, "by a very heavy and sharp i', ' own province." "this has been done," said i, examining the wound, "by a very heavy and sharp instru', 'province." "this has been done," said i, examining the wound, "by a very heavy and sharp instrument.', 'nce." "this has been done," said i, examining the wound, "by a very heavy and sharp instrument." "a ', ' "this has been done," said i, examining the wound, "by a very heavy and sharp instrument." "a thing', 's has been done," said i, examining the wound, "by a very heavy and sharp instrument." "a thing like', ' been done," said i, examining the wound, "by a very heavy and sharp instrument." "a thing like a cl', ' done," said i, examining the wound, "by a very heavy and sharp instrument." "a thing like a cleaver', '," said i, examining the wound, "by a very heavy and sharp instrument." "a thing like a cleaver," sa', 'id i, examining the wound, "by a very heavy and sharp instrument." "a thing like a cleaver," said he', ' examining the wound, "by a very heavy and sharp instrument." "a thing like a cleaver," said he. "an', 'ining the wound, "by a very heavy and sharp instrument." "a thing like a cleaver," said he. "an acci', ' the wound, "by a very heavy and sharp instrument." "a thing like a cleaver," said he. "an accident,', 'wound, "by a very heavy and sharp instrument." "a thing like a cleaver," said he. "an accident, i pr', ', "by a very heavy and sharp instrument." "a thing like a cleaver," said he. "an accident, i presume', ' a very heavy and sharp instrument." "a thing like a cleaver," said he. "an accident, i presume?" "b', 'ry heavy and sharp instrument." "a thing like a cleaver," said he. "an accident, i presume?" "by no ', 'avy and sharp instrument." "a thing like a cleaver," said he. "an accident, i presume?" "by no means', 'nd sharp instrument." "a thing like a cleaver," said he. "an accident, i presume?" "by no means." "w', 'arp instrument." "a thing like a cleaver," said he. "an accident, i presume?" "by no means." "what! ', 'nstrument." "a thing like a cleaver," said he. "an accident, i presume?" "by no means." "what! a mur', 'ment." "a thing like a cleaver," said he. "an accident, i presume?" "by no means." "what! a murderou', '" "a thing like a cleaver," said he. "an accident, i presume?" "by no means." "what! a murderous att', 'thing like a cleaver," said he. "an accident, i presume?" "by no means." "what! a murderous attack?"', ' like a cleaver," said he. "an accident, i presume?" "by no means." "what! a murderous attack?" "ver', ' a cleaver," said he. "an accident, i presume?" "by no means." "what! a murderous attack?" "very mur', 'eaver," said he. "an accident, i presume?" "by no means." "what! a murderous attack?" "very murderou', '," said he. "an accident, i presume?" "by no means." "what! a murderous attack?" "very murderous ind', 'id he. "an accident, i presume?" "by no means." "what! a murderous attack?" "very murderous indeed."', '. "an accident, i presume?" "by no means." "what! a murderous attack?" "very murderous indeed." "you', ' accident, i presume?" "by no means." "what! a murderous attack?" "very murderous indeed." "you horr', 'dent, i presume?" "by no means." "what! a murderous attack?" "very murderous indeed." "you horrify m', ' i presume?" "by no means." "what! a murderous attack?" "very murderous indeed." "you horrify me." i', 'esume?" "by no means." "what! a murderous attack?" "very murderous indeed." "you horrify me." i spon', '?" "by no means." "what! a murderous attack?" "very murderous indeed." "you horrify me." i sponged t', 'y no means." "what! a murderous attack?" "very murderous indeed." "you horrify me." i sponged the wo', 'means." "what! a murderous attack?" "very murderous indeed." "you horrify me." i sponged the wound, ', '." "what! a murderous attack?" "very murderous indeed." "you horrify me." i sponged the wound, clean', 'hat! a murderous attack?" "very murderous indeed." "you horrify me." i sponged the wound, cleaned it', 'a murderous attack?" "very murderous indeed." "you horrify me." i sponged the wound, cleaned it, dre', 'derous attack?" "very murderous indeed." "you horrify me." i sponged the wound, cleaned it, dressed ', 's attack?" "very murderous indeed." "you horrify me." i sponged the wound, cleaned it, dressed it, a', 'ack?" "very murderous indeed." "you horrify me." i sponged the wound, cleaned it, dressed it, and fi', ' "very murderous indeed." "you horrify me." i sponged the wound, cleaned it, dressed it, and finally', 'y murderous indeed." "you horrify me." i sponged the wound, cleaned it, dressed it, and finally cove', 'derous indeed." "you horrify me." i sponged the wound, cleaned it, dressed it, and finally covered i', 's indeed." "you horrify me." i sponged the wound, cleaned it, dressed it, and finally covered it ove', 'eed." "you horrify me." i sponged the wound, cleaned it, dressed it, and finally covered it over wit', ' "you horrify me." i sponged the wound, cleaned it, dressed it, and finally covered it over with cot', ' horrify me." i sponged the wound, cleaned it, dressed it, and finally covered it over with cotton w', 'ify me." i sponged the wound, cleaned it, dressed it, and finally covered it over with cotton waddin', 'e." i sponged the wound, cleaned it, dressed it, and finally covered it over with cotton wadding and', ' sponged the wound, cleaned it, dressed it, and finally covered it over with cotton wadding and carb', 'ged the wound, cleaned it, dressed it, and finally covered it over with cotton wadding and carbolise', 'he wound, cleaned it, dressed it, and finally covered it over with cotton wadding and carbolised ban', 'und, cleaned it, dressed it, and finally covered it over with cotton wadding and carbolised bandages', 'cleaned it, dressed it, and finally covered it over with cotton wadding and carbolised bandages. he ', 'ed it, dressed it, and finally covered it over with cotton wadding and carbolised bandages. he lay b', ', dressed it, and finally covered it over with cotton wadding and carbolised bandages. he lay back w', 'ssed it, and finally covered it over with cotton wadding and carbolised bandages. he lay back withou', 'it, and finally covered it over with cotton wadding and carbolised bandages. he lay back without win', 'nd finally covered it over with cotton wadding and carbolised bandages. he lay back without wincing,', 'nally covered it over with cotton wadding and carbolised bandages. he lay back without wincing, thou', ' covered it over with cotton wadding and carbolised bandages. he lay back without wincing, though he', 'red it over with cotton wadding and carbolised bandages. he lay back without wincing, though he bit ', 't over with cotton wadding and carbolised bandages. he lay back without wincing, though he bit his l', 'r with cotton wadding and carbolised bandages. he lay back without wincing, though he bit his lip fr', 'h cotton wadding and carbolised bandages. he lay back without wincing, though he bit his lip from ti', 'ton wadding and carbolised bandages. he lay back without wincing, though he bit his lip from time to', 'adding and carbolised bandages. he lay back without wincing, though he bit his lip from time to time', 'g and carbolised bandages. he lay back without wincing, though he bit his lip from time to time. "ho', ' carbolised bandages. he lay back without wincing, though he bit his lip from time to time. "how is ', 'olised bandages. he lay back without wincing, though he bit his lip from time to time. "how is that?', 'd bandages. he lay back without wincing, though he bit his lip from time to time. "how is that?" i a', 'dages. he lay back without wincing, though he bit his lip from time to time. "how is that?" i asked ', '. he lay back without wincing, though he bit his lip from time to time. "how is that?" i asked when ', 'lay back without wincing, though he bit his lip from time to time. "how is that?" i asked when i had', 'ack without wincing, though he bit his lip from time to time. "how is that?" i asked when i had fini', 'ithout wincing, though he bit his lip from time to time. "how is that?" i asked when i had finished.', 't wincing, though he bit his lip from time to time. "how is that?" i asked when i had finished. "cap', 'cing, though he bit his lip from time to time. "how is that?" i asked when i had finished. "capital!', ' though he bit his lip from time to time. "how is that?" i asked when i had finished. "capital! betw', 'gh he bit his lip from time to time. "how is that?" i asked when i had finished. "capital! between y', ' bit his lip from time to time. "how is that?" i asked when i had finished. "capital! between your b', 'his lip from time to time. "how is that?" i asked when i had finished. "capital! between your brandy', 'ip from time to time. "how is that?" i asked when i had finished. "capital! between your brandy and ', 'om time to time. "how is that?" i asked when i had finished. "capital! between your brandy and your ', 'me to time. "how is that?" i asked when i had finished. "capital! between your brandy and your banda', ' time. "how is that?" i asked when i had finished. "capital! between your brandy and your bandage, i', '. "how is that?" i asked when i had finished. "capital! between your brandy and your bandage, i feel', 'w is that?" i asked when i had finished. "capital! between your brandy and your bandage, i feel a ne', 'that?" i asked when i had finished. "capital! between your brandy and your bandage, i feel a new man', '" i asked when i had finished. "capital! between your brandy and your bandage, i feel a new man. i w', 'sked when i had finished. "capital! between your brandy and your bandage, i feel a new man. i was ve', 'when i had finished. "capital! between your brandy and your bandage, i feel a new man. i was very we', 'i had finished. "capital! between your brandy and your bandage, i feel a new man. i was very weak, b', ' finished. "capital! between your brandy and your bandage, i feel a new man. i was very weak, but i ', 'shed. "capital! between your brandy and your bandage, i feel a new man. i was very weak, but i have ', ' "capital! between your brandy and your bandage, i feel a new man. i was very weak, but i have had a', 'ital! between your brandy and your bandage, i feel a new man. i was very weak, but i have had a good', ' between your brandy and your bandage, i feel a new man. i was very weak, but i have had a good deal', 'een your brandy and your bandage, i feel a new man. i was very weak, but i have had a good deal to g', 'our brandy and your bandage, i feel a new man. i was very weak, but i have had a good deal to go thr', 'randy and your bandage, i feel a new man. i was very weak, but i have had a good deal to go through.', ' and your bandage, i feel a new man. i was very weak, but i have had a good deal to go through." "pe', 'your bandage, i feel a new man. i was very weak, but i have had a good deal to go through." "perhaps', 'bandage, i feel a new man. i was very weak, but i have had a good deal to go through." "perhaps you ', 'ge, i feel a new man. i was very weak, but i have had a good deal to go through." "perhaps you had b', ' feel a new man. i was very weak, but i have had a good deal to go through." "perhaps you had better', ' a new man. i was very weak, but i have had a good deal to go through." "perhaps you had better not ', 'w man. i was very weak, but i have had a good deal to go through." "perhaps you had better not speak', '. i was very weak, but i have had a good deal to go through." "perhaps you had better not speak of t', 'as very weak, but i have had a good deal to go through." "perhaps you had better not speak of the ma', 'ry weak, but i have had a good deal to go through." "perhaps you had better not speak of the matter.', 'ak, but i have had a good deal to go through." "perhaps you had better not speak of the matter. it i', 'ut i have had a good deal to go through." "perhaps you had better not speak of the matter. it is evi', 'have had a good deal to go through." "perhaps you had better not speak of the matter. it is evidentl', 'had a good deal to go through." "perhaps you had better not speak of the matter. it is evidently try', ' good deal to go through." "perhaps you had better not speak of the matter. it is evidently trying t', ' deal to go through." "perhaps you had better not speak of the matter. it is evidently trying to you', ' to go through." "perhaps you had better not speak of the matter. it is evidently trying to your ner', 'o through." "perhaps you had better not speak of the matter. it is evidently trying to your nerves."', 'ough." "perhaps you had better not speak of the matter. it is evidently trying to your nerves." "oh,', '" "perhaps you had better not speak of the matter. it is evidently trying to your nerves." "oh, no, ', 'rhaps you had better not speak of the matter. it is evidently trying to your nerves." "oh, no, not n', ' you had better not speak of the matter. it is evidently trying to your nerves." "oh, no, not now. i', 'had better not speak of the matter. it is evidently trying to your nerves." "oh, no, not now. i shal', 'etter not speak of the matter. it is evidently trying to your nerves." "oh, no, not now. i shall hav', ' not speak of the matter. it is evidently trying to your nerves." "oh, no, not now. i shall have to ', 'speak of the matter. it is evidently trying to your nerves." "oh, no, not now. i shall have to tell ', ' of the matter. it is evidently trying to your nerves." "oh, no, not now. i shall have to tell my ta', 'he matter. it is evidently trying to your nerves." "oh, no, not now. i shall have to tell my tale to', 'tter. it is evidently trying to your nerves." "oh, no, not now. i shall have to tell my tale to the ', ' it is evidently trying to your nerves." "oh, no, not now. i shall have to tell my tale to the polic', 's evidently trying to your nerves." "oh, no, not now. i shall have to tell my tale to the police; bu', 'dently trying to your nerves." "oh, no, not now. i shall have to tell my tale to the police; but, be', 'y trying to your nerves." "oh, no, not now. i shall have to tell my tale to the police; but, between', 'ing to your nerves." "oh, no, not now. i shall have to tell my tale to the police; but, between ours', 'o your nerves." "oh, no, not now. i shall have to tell my tale to the police; but, between ourselves', 'r nerves." "oh, no, not now. i shall have to tell my tale to the police; but, between ourselves, if ', 'ves." "oh, no, not now. i shall have to tell my tale to the police; but, between ourselves, if it we', ' "oh, no, not now. i shall have to tell my tale to the police; but, between ourselves, if it were no', ' no, not now. i shall have to tell my tale to the police; but, between ourselves, if it were not for', 'not now. i shall have to tell my tale to the police; but, between ourselves, if it were not for the ', 'ow. i shall have to tell my tale to the police; but, between ourselves, if it were not for the convi', ' shall have to tell my tale to the police; but, between ourselves, if it were not for the convincing', 'l have to tell my tale to the police; but, between ourselves, if it were not for the convincing evid', 'e to tell my tale to the police; but, between ourselves, if it were not for the convincing evidence ', 'tell my tale to the police; but, between ourselves, if it were not for the convincing evidence of th', 'my tale to the police; but, between ourselves, if it were not for the convincing evidence of this wo', 'le to the police; but, between ourselves, if it were not for the convincing evidence of this wound o', ' the police; but, between ourselves, if it were not for the convincing evidence of this wound of min', 'police; but, between ourselves, if it were not for the convincing evidence of this wound of mine, i ', 'e; but, between ourselves, if it were not for the convincing evidence of this wound of mine, i shoul', 't, between ourselves, if it were not for the convincing evidence of this wound of mine, i should be ', 'tween ourselves, if it were not for the convincing evidence of this wound of mine, i should be surpr', ' ourselves, if it were not for the convincing evidence of this wound of mine, i should be surprised ', 'elves, if it were not for the convincing evidence of this wound of mine, i should be surprised if th', ', if it were not for the convincing evidence of this wound of mine, i should be surprised if they be', 'it were not for the convincing evidence of this wound of mine, i should be surprised if they believe', 're not for the convincing evidence of this wound of mine, i should be surprised if they believed my ', 't for the convincing evidence of this wound of mine, i should be surprised if they believed my state', ' the convincing evidence of this wound of mine, i should be surprised if they believed my statement,', 'convincing evidence of this wound of mine, i should be surprised if they believed my statement, for ', 'ncing evidence of this wound of mine, i should be surprised if they believed my statement, for it is', ' evidence of this wound of mine, i should be surprised if they believed my statement, for it is a ve', 'ence of this wound of mine, i should be surprised if they believed my statement, for it is a very ex', 'of this wound of mine, i should be surprised if they believed my statement, for it is a very extraor', 'is wound of mine, i should be surprised if they believed my statement, for it is a very extraordinar', 'und of mine, i should be surprised if they believed my statement, for it is a very extraordinary one', 'f mine, i should be surprised if they believed my statement, for it is a very extraordinary one, and', 'e, i should be surprised if they believed my statement, for it is a very extraordinary one, and i ha', 'should be surprised if they believed my statement, for it is a very extraordinary one, and i have no', 'd be surprised if they believed my statement, for it is a very extraordinary one, and i have not muc', 'surprised if they believed my statement, for it is a very extraordinary one, and i have not much in ', 'ised if they believed my statement, for it is a very extraordinary one, and i have not much in the w', 'if they believed my statement, for it is a very extraordinary one, and i have not much in the way of', 'ey believed my statement, for it is a very extraordinary one, and i have not much in the way of proo', 'lieved my statement, for it is a very extraordinary one, and i have not much in the way of proof wit', 'd my statement, for it is a very extraordinary one, and i have not much in the way of proof with whi', 'statement, for it is a very extraordinary one, and i have not much in the way of proof with which to', 'ment, for it is a very extraordinary one, and i have not much in the way of proof with which to back', ' for it is a very extraordinary one, and i have not much in the way of proof with which to back it u', 'it is a very extraordinary one, and i have not much in the way of proof with which to back it up; an', ' a very extraordinary one, and i have not much in the way of proof with which to back it up; and, ev', 'ry extraordinary one, and i have not much in the way of proof with which to back it up; and, even if', 'traordinary one, and i have not much in the way of proof with which to back it up; and, even if they', 'dinary one, and i have not much in the way of proof with which to back it up; and, even if they beli', 'y one, and i have not much in the way of proof with which to back it up; and, even if they believe m', ', and i have not much in the way of proof with which to back it up; and, even if they believe me, th', ' i have not much in the way of proof with which to back it up; and, even if they believe me, the clu', 've not much in the way of proof with which to back it up; and, even if they believe me, the clues wh', 't much in the way of proof with which to back it up; and, even if they believe me, the clues which i', 'h in the way of proof with which to back it up; and, even if they believe me, the clues which i can ', 'the way of proof with which to back it up; and, even if they believe me, the clues which i can give ', 'ay of proof with which to back it up; and, even if they believe me, the clues which i can give them ', ' proof with which to back it up; and, even if they believe me, the clues which i can give them are s', 'f with which to back it up; and, even if they believe me, the clues which i can give them are so vag', 'h which to back it up; and, even if they believe me, the clues which i can give them are so vague th', 'ch to back it up; and, even if they believe me, the clues which i can give them are so vague that it', ' back it up; and, even if they believe me, the clues which i can give them are so vague that it is a', ' it up; and, even if they believe me, the clues which i can give them are so vague that it is a ques', 'p; and, even if they believe me, the clues which i can give them are so vague that it is a question ', 'd, even if they believe me, the clues which i can give them are so vague that it is a question wheth', 'en if they believe me, the clues which i can give them are so vague that it is a question whether ju', ' they believe me, the clues which i can give them are so vague that it is a question whether justice', ' believe me, the clues which i can give them are so vague that it is a question whether justice will', 'eve me, the clues which i can give them are so vague that it is a question whether justice will be d', 'e, the clues which i can give them are so vague that it is a question whether justice will be done."', 'e clues which i can give them are so vague that it is a question whether justice will be done." "ha ', 'es which i can give them are so vague that it is a question whether justice will be done." "ha cried', 'ich i can give them are so vague that it is a question whether justice will be done." "ha cried i, "', ' can give them are so vague that it is a question whether justice will be done." "ha cried i, "if it', 'give them are so vague that it is a question whether justice will be done." "ha cried i, "if it is a', 'them are so vague that it is a question whether justice will be done." "ha cried i, "if it is anythi', 'are so vague that it is a question whether justice will be done." "ha cried i, "if it is anything in', 'o vague that it is a question whether justice will be done." "ha cried i, "if it is anything in the ', 'ue that it is a question whether justice will be done." "ha cried i, "if it is anything in the natur', 'at it is a question whether justice will be done." "ha cried i, "if it is anything in the nature of ', ' is a question whether justice will be done." "ha cried i, "if it is anything in the nature of a pro', ' question whether justice will be done." "ha cried i, "if it is anything in the nature of a problem ', 'tion whether justice will be done." "ha cried i, "if it is anything in the nature of a problem which', 'whether justice will be done." "ha cried i, "if it is anything in the nature of a problem which you ', 'er justice will be done." "ha cried i, "if it is anything in the nature of a problem which you desir', 'stice will be done." "ha cried i, "if it is anything in the nature of a problem which you desire to ', ' will be done." "ha cried i, "if it is anything in the nature of a problem which you desire to see s', ' be done." "ha cried i, "if it is anything in the nature of a problem which you desire to see solved', 'one." "ha cried i, "if it is anything in the nature of a problem which you desire to see solved, i s', ' "ha cried i, "if it is anything in the nature of a problem which you desire to see solved, i should', 'cried i, "if it is anything in the nature of a problem which you desire to see solved, i should stro', ' i, "if it is anything in the nature of a problem which you desire to see solved, i should strongly ', 'if it is anything in the nature of a problem which you desire to see solved, i should strongly recom', ' is anything in the nature of a problem which you desire to see solved, i should strongly recommend ', 'nything in the nature of a problem which you desire to see solved, i should strongly recommend you t', 'ng in the nature of a problem which you desire to see solved, i should strongly recommend you to com', ' the nature of a problem which you desire to see solved, i should strongly recommend you to come to ', 'nature of a problem which you desire to see solved, i should strongly recommend you to come to my fr', 'e of a problem which you desire to see solved, i should strongly recommend you to come to my friend,', 'a problem which you desire to see solved, i should strongly recommend you to come to my friend, mr. ', 'blem which you desire to see solved, i should strongly recommend you to come to my friend, mr. sherl', 'which you desire to see solved, i should strongly recommend you to come to my friend, mr. sherlock h', ' you desire to see solved, i should strongly recommend you to come to my friend, mr. sherlock holmes', 'desire to see solved, i should strongly recommend you to come to my friend, mr. sherlock holmes, bef', 'e to see solved, i should strongly recommend you to come to my friend, mr. sherlock holmes, before y', 'see solved, i should strongly recommend you to come to my friend, mr. sherlock holmes, before you go', 'olved, i should strongly recommend you to come to my friend, mr. sherlock holmes, before you go to t', ', i should strongly recommend you to come to my friend, mr. sherlock holmes, before you go to the of', 'hould strongly recommend you to come to my friend, mr. sherlock holmes, before you go to the officia', ' strongly recommend you to come to my friend, mr. sherlock holmes, before you go to the official pol', 'ngly recommend you to come to my friend, mr. sherlock holmes, before you go to the official police."', 'recommend you to come to my friend, mr. sherlock holmes, before you go to the official police." "oh,', 'mend you to come to my friend, mr. sherlock holmes, before you go to the official police." "oh, i ha', 'you to come to my friend, mr. sherlock holmes, before you go to the official police." "oh, i have he', 'o come to my friend, mr. sherlock holmes, before you go to the official police." "oh, i have heard o', 'e to my friend, mr. sherlock holmes, before you go to the official police." "oh, i have heard of tha', 'my friend, mr. sherlock holmes, before you go to the official police." "oh, i have heard of that fel', 'iend, mr. sherlock holmes, before you go to the official police." "oh, i have heard of that fellow,"', ' mr. sherlock holmes, before you go to the official police." "oh, i have heard of that fellow," answ', 'sherlock holmes, before you go to the official police." "oh, i have heard of that fellow," answered ', 'ock holmes, before you go to the official police." "oh, i have heard of that fellow," answered my vi', 'olmes, before you go to the official police." "oh, i have heard of that fellow," answered my visitor', ', before you go to the official police." "oh, i have heard of that fellow," answered my visitor, "an', 'ore you go to the official police." "oh, i have heard of that fellow," answered my visitor, "and i s', 'ou go to the official police." "oh, i have heard of that fellow," answered my visitor, "and i should', ' to the official police." "oh, i have heard of that fellow," answered my visitor, "and i should be v', 'he official police." "oh, i have heard of that fellow," answered my visitor, "and i should be very g', 'ficial police." "oh, i have heard of that fellow," answered my visitor, "and i should be very glad i', 'l police." "oh, i have heard of that fellow," answered my visitor, "and i should be very glad if he ', 'ice." "oh, i have heard of that fellow," answered my visitor, "and i should be very glad if he would', ' "oh, i have heard of that fellow," answered my visitor, "and i should be very glad if he would take', ' i have heard of that fellow," answered my visitor, "and i should be very glad if he would take the ', 've heard of that fellow," answered my visitor, "and i should be very glad if he would take the matte', 'ard of that fellow," answered my visitor, "and i should be very glad if he would take the matter up,', 'f that fellow," answered my visitor, "and i should be very glad if he would take the matter up, thou', 't fellow," answered my visitor, "and i should be very glad if he would take the matter up, though of', 'low," answered my visitor, "and i should be very glad if he would take the matter up, though of cour', ' answered my visitor, "and i should be very glad if he would take the matter up, though of course i ', 'ered my visitor, "and i should be very glad if he would take the matter up, though of course i must ', 'my visitor, "and i should be very glad if he would take the matter up, though of course i must use t', 'sitor, "and i should be very glad if he would take the matter up, though of course i must use the of', ', "and i should be very glad if he would take the matter up, though of course i must use the officia', 'd i should be very glad if he would take the matter up, though of course i must use the official pol', 'hould be very glad if he would take the matter up, though of course i must use the official police a', ' be very glad if he would take the matter up, though of course i must use the official police as wel', 'ery glad if he would take the matter up, though of course i must use the official police as well. wo', 'lad if he would take the matter up, though of course i must use the official police as well. would y', 'f he would take the matter up, though of course i must use the official police as well. would you gi', 'would take the matter up, though of course i must use the official police as well. would you give me', ' take the matter up, though of course i must use the official police as well. would you give me an i', ' the matter up, though of course i must use the official police as well. would you give me an introd', 'matter up, though of course i must use the official police as well. would you give me an introductio', 'r up, though of course i must use the official police as well. would you give me an introduction to ', ' though of course i must use the official police as well. would you give me an introduction to him?"', 'gh of course i must use the official police as well. would you give me an introduction to him?" "i\'l', ' course i must use the official police as well. would you give me an introduction to him?" "i\'ll do ', 'se i must use the official police as well. would you give me an introduction to him?" "i\'ll do bette', 'must use the official police as well. would you give me an introduction to him?" "i\'ll do better. i\'', 'use the official police as well. would you give me an introduction to him?" "i\'ll do better. i\'ll ta', 'he official police as well. would you give me an introduction to him?" "i\'ll do better. i\'ll take yo', 'ficial police as well. would you give me an introduction to him?" "i\'ll do better. i\'ll take you rou', 'l police as well. would you give me an introduction to him?" "i\'ll do better. i\'ll take you round to', 'ice as well. would you give me an introduction to him?" "i\'ll do better. i\'ll take you round to him ', 's well. would you give me an introduction to him?" "i\'ll do better. i\'ll take you round to him mysel', 'l. would you give me an introduction to him?" "i\'ll do better. i\'ll take you round to him myself." "', 'uld you give me an introduction to him?" "i\'ll do better. i\'ll take you round to him myself." "i sho', 'ou give me an introduction to him?" "i\'ll do better. i\'ll take you round to him myself." "i should b', 've me an introduction to him?" "i\'ll do better. i\'ll take you round to him myself." "i should be imm', ' an introduction to him?" "i\'ll do better. i\'ll take you round to him myself." "i should be immensel', 'ntroduction to him?" "i\'ll do better. i\'ll take you round to him myself." "i should be immensely obl', 'uction to him?" "i\'ll do better. i\'ll take you round to him myself." "i should be immensely obliged ', 'n to him?" "i\'ll do better. i\'ll take you round to him myself." "i should be immensely obliged to yo', 'him?" "i\'ll do better. i\'ll take you round to him myself." "i should be immensely obliged to you." "', ' "i\'ll do better. i\'ll take you round to him myself." "i should be immensely obliged to you." "we\'ll', 'l do better. i\'ll take you round to him myself." "i should be immensely obliged to you." "we\'ll call', 'better. i\'ll take you round to him myself." "i should be immensely obliged to you." "we\'ll call a ca', 'r. i\'ll take you round to him myself." "i should be immensely obliged to you." "we\'ll call a cab and', 'll take you round to him myself." "i should be immensely obliged to you." "we\'ll call a cab and go t', 'ke you round to him myself." "i should be immensely obliged to you." "we\'ll call a cab and go togeth', 'u round to him myself." "i should be immensely obliged to you." "we\'ll call a cab and go together. w', 'nd to him myself." "i should be immensely obliged to you." "we\'ll call a cab and go together. we sha', ' him myself." "i should be immensely obliged to you." "we\'ll call a cab and go together. we shall ju', 'myself." "i should be immensely obliged to you." "we\'ll call a cab and go together. we shall just be', 'f." "i should be immensely obliged to you." "we\'ll call a cab and go together. we shall just be in t', 'i should be immensely obliged to you." "we\'ll call a cab and go together. we shall just be in time t', 'uld be immensely obliged to you." "we\'ll call a cab and go together. we shall just be in time to hav', 'e immensely obliged to you." "we\'ll call a cab and go together. we shall just be in time to have a l', 'ensely obliged to you." "we\'ll call a cab and go together. we shall just be in time to have a little', 'y obliged to you." "we\'ll call a cab and go together. we shall just be in time to have a little brea', 'iged to you." "we\'ll call a cab and go together. we shall just be in time to have a little breakfast', 'to you." "we\'ll call a cab and go together. we shall just be in time to have a little breakfast with', 'u." "we\'ll call a cab and go together. we shall just be in time to have a little breakfast with him.', "we'll call a cab and go together. we shall just be in time to have a little breakfast with him. do y", ' call a cab and go together. we shall just be in time to have a little breakfast with him. do you fe', ' a cab and go together. we shall just be in time to have a little breakfast with him. do you feel eq', 'b and go together. we shall just be in time to have a little breakfast with him. do you feel equal t', ' go together. we shall just be in time to have a little breakfast with him. do you feel equal to it?', 'ogether. we shall just be in time to have a little breakfast with him. do you feel equal to it?" "ye', 'er. we shall just be in time to have a little breakfast with him. do you feel equal to it?" "yes; i ', 'e shall just be in time to have a little breakfast with him. do you feel equal to it?" "yes; i shall', 'll just be in time to have a little breakfast with him. do you feel equal to it?" "yes; i shall not ', 'st be in time to have a little breakfast with him. do you feel equal to it?" "yes; i shall not feel ', ' in time to have a little breakfast with him. do you feel equal to it?" "yes; i shall not feel easy ', 'ime to have a little breakfast with him. do you feel equal to it?" "yes; i shall not feel easy until', 'o have a little breakfast with him. do you feel equal to it?" "yes; i shall not feel easy until i ha', 'e a little breakfast with him. do you feel equal to it?" "yes; i shall not feel easy until i have to', 'ittle breakfast with him. do you feel equal to it?" "yes; i shall not feel easy until i have told my', ' breakfast with him. do you feel equal to it?" "yes; i shall not feel easy until i have told my stor', 'kfast with him. do you feel equal to it?" "yes; i shall not feel easy until i have told my story." "', ' with him. do you feel equal to it?" "yes; i shall not feel easy until i have told my story." "then ', ' him. do you feel equal to it?" "yes; i shall not feel easy until i have told my story." "then my se', ' do you feel equal to it?" "yes; i shall not feel easy until i have told my story." "then my servant', 'ou feel equal to it?" "yes; i shall not feel easy until i have told my story." "then my servant will', 'el equal to it?" "yes; i shall not feel easy until i have told my story." "then my servant will call', 'ual to it?" "yes; i shall not feel easy until i have told my story." "then my servant will call a ca', 'o it?" "yes; i shall not feel easy until i have told my story." "then my servant will call a cab, an', '" "yes; i shall not feel easy until i have told my story." "then my servant will call a cab, and i s', 's; i shall not feel easy until i have told my story." "then my servant will call a cab, and i shall ', 'shall not feel easy until i have told my story." "then my servant will call a cab, and i shall be wi', ' not feel easy until i have told my story." "then my servant will call a cab, and i shall be with yo', 'feel easy until i have told my story." "then my servant will call a cab, and i shall be with you in ', 'easy until i have told my story." "then my servant will call a cab, and i shall be with you in an in', 'until i have told my story." "then my servant will call a cab, and i shall be with you in an instant', ' i have told my story." "then my servant will call a cab, and i shall be with you in an instant." i ', 've told my story." "then my servant will call a cab, and i shall be with you in an instant." i rushe', 'ld my story." "then my servant will call a cab, and i shall be with you in an instant." i rushed ups', ' story." "then my servant will call a cab, and i shall be with you in an instant." i rushed upstairs', 'y." "then my servant will call a cab, and i shall be with you in an instant." i rushed upstairs, exp', 'then my servant will call a cab, and i shall be with you in an instant." i rushed upstairs, explaine', 'my servant will call a cab, and i shall be with you in an instant." i rushed upstairs, explained the', 'rvant will call a cab, and i shall be with you in an instant." i rushed upstairs, explained the matt', ' will call a cab, and i shall be with you in an instant." i rushed upstairs, explained the matter sh', ' call a cab, and i shall be with you in an instant." i rushed upstairs, explained the matter shortly', ' a cab, and i shall be with you in an instant." i rushed upstairs, explained the matter shortly to m', 'b, and i shall be with you in an instant." i rushed upstairs, explained the matter shortly to my wif', 'd i shall be with you in an instant." i rushed upstairs, explained the matter shortly to my wife, an', 'hall be with you in an instant." i rushed upstairs, explained the matter shortly to my wife, and in ', 'be with you in an instant." i rushed upstairs, explained the matter shortly to my wife, and in five ', 'th you in an instant." i rushed upstairs, explained the matter shortly to my wife, and in five minut', 'u in an instant." i rushed upstairs, explained the matter shortly to my wife, and in five minutes wa', 'an instant." i rushed upstairs, explained the matter shortly to my wife, and in five minutes was ins', 'stant." i rushed upstairs, explained the matter shortly to my wife, and in five minutes was inside a', '." i rushed upstairs, explained the matter shortly to my wife, and in five minutes was inside a hans', 'rushed upstairs, explained the matter shortly to my wife, and in five minutes was inside a hansom, d', 'd upstairs, explained the matter shortly to my wife, and in five minutes was inside a hansom, drivin', 'tairs, explained the matter shortly to my wife, and in five minutes was inside a hansom, driving wit', ', explained the matter shortly to my wife, and in five minutes was inside a hansom, driving with my ', 'lained the matter shortly to my wife, and in five minutes was inside a hansom, driving with my new a', 'd the matter shortly to my wife, and in five minutes was inside a hansom, driving with my new acquai', ' matter shortly to my wife, and in five minutes was inside a hansom, driving with my new acquaintanc', 'er shortly to my wife, and in five minutes was inside a hansom, driving with my new acquaintance to ', 'ortly to my wife, and in five minutes was inside a hansom, driving with my new acquaintance to baker', ' to my wife, and in five minutes was inside a hansom, driving with my new acquaintance to baker stre', 'y wife, and in five minutes was inside a hansom, driving with my new acquaintance to baker street. s', 'e, and in five minutes was inside a hansom, driving with my new acquaintance to baker street. sherlo', 'd in five minutes was inside a hansom, driving with my new acquaintance to baker street. sherlock ho', 'five minutes was inside a hansom, driving with my new acquaintance to baker street. sherlock holmes ', 'minutes was inside a hansom, driving with my new acquaintance to baker street. sherlock holmes was, ', 'es was inside a hansom, driving with my new acquaintance to baker street. sherlock holmes was, as i ', 's inside a hansom, driving with my new acquaintance to baker street. sherlock holmes was, as i expec', 'ide a hansom, driving with my new acquaintance to baker street. sherlock holmes was, as i expected, ', ' hansom, driving with my new acquaintance to baker street. sherlock holmes was, as i expected, loung', 'om, driving with my new acquaintance to baker street. sherlock holmes was, as i expected, lounging a', 'riving with my new acquaintance to baker street. sherlock holmes was, as i expected, lounging about ', 'g with my new acquaintance to baker street. sherlock holmes was, as i expected, lounging about his s', 'h my new acquaintance to baker street. sherlock holmes was, as i expected, lounging about his sittin', 'new acquaintance to baker street. sherlock holmes was, as i expected, lounging about his sitting-roo', 'cquaintance to baker street. sherlock holmes was, as i expected, lounging about his sitting-room in ', 'ntance to baker street. sherlock holmes was, as i expected, lounging about his sitting-room in his d', 'e to baker street. sherlock holmes was, as i expected, lounging about his sitting-room in his dressi', 'baker street. sherlock holmes was, as i expected, lounging about his sitting-room in his dressing-go', ' street. sherlock holmes was, as i expected, lounging about his sitting-room in his dressing-gown, r', 'et. sherlock holmes was, as i expected, lounging about his sitting-room in his dressing-gown, readin', 'herlock holmes was, as i expected, lounging about his sitting-room in his dressing-gown, reading the', 'ck holmes was, as i expected, lounging about his sitting-room in his dressing-gown, reading the agon', 'lmes was, as i expected, lounging about his sitting-room in his dressing-gown, reading the agony col', 'was, as i expected, lounging about his sitting-room in his dressing-gown, reading the agony column o', 'as i expected, lounging about his sitting-room in his dressing-gown, reading the agony column of the', 'expected, lounging about his sitting-room in his dressing-gown, reading the agony column of the time', 'ted, lounging about his sitting-room in his dressing-gown, reading the agony column of the times and', 'lounging about his sitting-room in his dressing-gown, reading the agony column of the times and smok', 'ing about his sitting-room in his dressing-gown, reading the agony column of the times and smoking h', 'bout his sitting-room in his dressing-gown, reading the agony column of the times and smoking his be', 'his sitting-room in his dressing-gown, reading the agony column of the times and smoking his before-', 'itting-room in his dressing-gown, reading the agony column of the times and smoking his before-break', 'g-room in his dressing-gown, reading the agony column of the times and smoking his before-breakfast ', 'm in his dressing-gown, reading the agony column of the times and smoking his before-breakfast pipe,', 'his dressing-gown, reading the agony column of the times and smoking his before-breakfast pipe, whic', 'ressing-gown, reading the agony column of the times and smoking his before-breakfast pipe, which was', 'ng-gown, reading the agony column of the times and smoking his before-breakfast pipe, which was comp', 'wn, reading the agony column of the times and smoking his before-breakfast pipe, which was composed ', 'eading the agony column of the times and smoking his before-breakfast pipe, which was composed of al', 'g the agony column of the times and smoking his before-breakfast pipe, which was composed of all the', ' agony column of the times and smoking his before-breakfast pipe, which was composed of all the plug', 'y column of the times and smoking his before-breakfast pipe, which was composed of all the plugs and', 'umn of the times and smoking his before-breakfast pipe, which was composed of all the plugs and dott', 'f the times and smoking his before-breakfast pipe, which was composed of all the plugs and dottles l', ' times and smoking his before-breakfast pipe, which was composed of all the plugs and dottles left f', 's and smoking his before-breakfast pipe, which was composed of all the plugs and dottles left from h', ' smoking his before-breakfast pipe, which was composed of all the plugs and dottles left from his sm', 'ing his before-breakfast pipe, which was composed of all the plugs and dottles left from his smokes ', 'is before-breakfast pipe, which was composed of all the plugs and dottles left from his smokes of th', 'fore-breakfast pipe, which was composed of all the plugs and dottles left from his smokes of the day', 'breakfast pipe, which was composed of all the plugs and dottles left from his smokes of the day befo', 'fast pipe, which was composed of all the plugs and dottles left from his smokes of the day before, a', 'pipe, which was composed of all the plugs and dottles left from his smokes of the day before, all ca', ' which was composed of all the plugs and dottles left from his smokes of the day before, all careful', 'h was composed of all the plugs and dottles left from his smokes of the day before, all carefully dr', ' composed of all the plugs and dottles left from his smokes of the day before, all carefully dried a', 'osed of all the plugs and dottles left from his smokes of the day before, all carefully dried and co', 'of all the plugs and dottles left from his smokes of the day before, all carefully dried and collect', 'l the plugs and dottles left from his smokes of the day before, all carefully dried and collected on', ' plugs and dottles left from his smokes of the day before, all carefully dried and collected on the ', 's and dottles left from his smokes of the day before, all carefully dried and collected on the corne', ' dottles left from his smokes of the day before, all carefully dried and collected on the corner of ', 'les left from his smokes of the day before, all carefully dried and collected on the corner of the m', 'eft from his smokes of the day before, all carefully dried and collected on the corner of the mantel', 'rom his smokes of the day before, all carefully dried and collected on the corner of the mantelpiece', 'is smokes of the day before, all carefully dried and collected on the corner of the mantelpiece. he ', 'okes of the day before, all carefully dried and collected on the corner of the mantelpiece. he recei', 'of the day before, all carefully dried and collected on the corner of the mantelpiece. he received u', 'e day before, all carefully dried and collected on the corner of the mantelpiece. he received us in ', ' before, all carefully dried and collected on the corner of the mantelpiece. he received us in his q', 're, all carefully dried and collected on the corner of the mantelpiece. he received us in his quietl', 'll carefully dried and collected on the corner of the mantelpiece. he received us in his quietly gen', 'refully dried and collected on the corner of the mantelpiece. he received us in his quietly genial f', 'ly dried and collected on the corner of the mantelpiece. he received us in his quietly genial fashio', 'ied and collected on the corner of the mantelpiece. he received us in his quietly genial fashion, or', 'nd collected on the corner of the mantelpiece. he received us in his quietly genial fashion, ordered', 'llected on the corner of the mantelpiece. he received us in his quietly genial fashion, ordered fres', 'ed on the corner of the mantelpiece. he received us in his quietly genial fashion, ordered fresh ras', ' the corner of the mantelpiece. he received us in his quietly genial fashion, ordered fresh rashers ', 'corner of the mantelpiece. he received us in his quietly genial fashion, ordered fresh rashers and e', 'r of the mantelpiece. he received us in his quietly genial fashion, ordered fresh rashers and eggs, ', 'the mantelpiece. he received us in his quietly genial fashion, ordered fresh rashers and eggs, and j', 'antelpiece. he received us in his quietly genial fashion, ordered fresh rashers and eggs, and joined', 'piece. he received us in his quietly genial fashion, ordered fresh rashers and eggs, and joined us i', '. he received us in his quietly genial fashion, ordered fresh rashers and eggs, and joined us in a h', 'received us in his quietly genial fashion, ordered fresh rashers and eggs, and joined us in a hearty', 'ved us in his quietly genial fashion, ordered fresh rashers and eggs, and joined us in a hearty meal', 's in his quietly genial fashion, ordered fresh rashers and eggs, and joined us in a hearty meal. whe', 'his quietly genial fashion, ordered fresh rashers and eggs, and joined us in a hearty meal. when it ', 'uietly genial fashion, ordered fresh rashers and eggs, and joined us in a hearty meal. when it was c', 'y genial fashion, ordered fresh rashers and eggs, and joined us in a hearty meal. when it was conclu', 'ial fashion, ordered fresh rashers and eggs, and joined us in a hearty meal. when it was concluded h', 'ashion, ordered fresh rashers and eggs, and joined us in a hearty meal. when it was concluded he set', 'n, ordered fresh rashers and eggs, and joined us in a hearty meal. when it was concluded he settled ', 'dered fresh rashers and eggs, and joined us in a hearty meal. when it was concluded he settled our n', ' fresh rashers and eggs, and joined us in a hearty meal. when it was concluded he settled our new ac', 'h rashers and eggs, and joined us in a hearty meal. when it was concluded he settled our new acquain', 'hers and eggs, and joined us in a hearty meal. when it was concluded he settled our new acquaintance', 'and eggs, and joined us in a hearty meal. when it was concluded he settled our new acquaintance upon', 'ggs, and joined us in a hearty meal. when it was concluded he settled our new acquaintance upon the ', 'and joined us in a hearty meal. when it was concluded he settled our new acquaintance upon the sofa,', 'oined us in a hearty meal. when it was concluded he settled our new acquaintance upon the sofa, plac', ' us in a hearty meal. when it was concluded he settled our new acquaintance upon the sofa, placed a ', 'n a hearty meal. when it was concluded he settled our new acquaintance upon the sofa, placed a pillo', 'earty meal. when it was concluded he settled our new acquaintance upon the sofa, placed a pillow ben', ' meal. when it was concluded he settled our new acquaintance upon the sofa, placed a pillow beneath ', '. when it was concluded he settled our new acquaintance upon the sofa, placed a pillow beneath his h', 'n it was concluded he settled our new acquaintance upon the sofa, placed a pillow beneath his head, ', 'was concluded he settled our new acquaintance upon the sofa, placed a pillow beneath his head, and l', 'oncluded he settled our new acquaintance upon the sofa, placed a pillow beneath his head, and laid a', 'ded he settled our new acquaintance upon the sofa, placed a pillow beneath his head, and laid a glas', 'e settled our new acquaintance upon the sofa, placed a pillow beneath his head, and laid a glass of ', 'tled our new acquaintance upon the sofa, placed a pillow beneath his head, and laid a glass of brand', 'our new acquaintance upon the sofa, placed a pillow beneath his head, and laid a glass of brandy and', 'ew acquaintance upon the sofa, placed a pillow beneath his head, and laid a glass of brandy and wate', 'quaintance upon the sofa, placed a pillow beneath his head, and laid a glass of brandy and water wit', 'tance upon the sofa, placed a pillow beneath his head, and laid a glass of brandy and water within h', ' upon the sofa, placed a pillow beneath his head, and laid a glass of brandy and water within his re', ' the sofa, placed a pillow beneath his head, and laid a glass of brandy and water within his reach. ', 'sofa, placed a pillow beneath his head, and laid a glass of brandy and water within his reach. "it i', ' placed a pillow beneath his head, and laid a glass of brandy and water within his reach. "it is eas', 'ed a pillow beneath his head, and laid a glass of brandy and water within his reach. "it is easy to ', 'pillow beneath his head, and laid a glass of brandy and water within his reach. "it is easy to see t', 'w beneath his head, and laid a glass of brandy and water within his reach. "it is easy to see that y', 'eath his head, and laid a glass of brandy and water within his reach. "it is easy to see that your e', 'his head, and laid a glass of brandy and water within his reach. "it is easy to see that your experi', 'ead, and laid a glass of brandy and water within his reach. "it is easy to see that your experience ', 'and laid a glass of brandy and water within his reach. "it is easy to see that your experience has b', 'aid a glass of brandy and water within his reach. "it is easy to see that your experience has been n', ' glass of brandy and water within his reach. "it is easy to see that your experience has been no com', 's of brandy and water within his reach. "it is easy to see that your experience has been no common o', 'brandy and water within his reach. "it is easy to see that your experience has been no common one, m', 'y and water within his reach. "it is easy to see that your experience has been no common one, mr. ha', ' water within his reach. "it is easy to see that your experience has been no common one, mr. hatherl', 'r within his reach. "it is easy to see that your experience has been no common one, mr. hatherley," ', 'hin his reach. "it is easy to see that your experience has been no common one, mr. hatherley," said ', 'is reach. "it is easy to see that your experience has been no common one, mr. hatherley," said he. "', 'ach. "it is easy to see that your experience has been no common one, mr. hatherley," said he. "pray,', '"it is easy to see that your experience has been no common one, mr. hatherley," said he. "pray, lie ', 's easy to see that your experience has been no common one, mr. hatherley," said he. "pray, lie down ', 'y to see that your experience has been no common one, mr. hatherley," said he. "pray, lie down there', 'see that your experience has been no common one, mr. hatherley," said he. "pray, lie down there and ', 'hat your experience has been no common one, mr. hatherley," said he. "pray, lie down there and make ', 'our experience has been no common one, mr. hatherley," said he. "pray, lie down there and make yours', 'xperience has been no common one, mr. hatherley," said he. "pray, lie down there and make yourself a', 'ence has been no common one, mr. hatherley," said he. "pray, lie down there and make yourself absolu', 'has been no common one, mr. hatherley," said he. "pray, lie down there and make yourself absolutely ', 'een no common one, mr. hatherley," said he. "pray, lie down there and make yourself absolutely at ho', 'o common one, mr. hatherley," said he. "pray, lie down there and make yourself absolutely at home. t', 'mon one, mr. hatherley," said he. "pray, lie down there and make yourself absolutely at home. tell u', 'ne, mr. hatherley," said he. "pray, lie down there and make yourself absolutely at home. tell us wha', 'r. hatherley," said he. "pray, lie down there and make yourself absolutely at home. tell us what you', 'therley," said he. "pray, lie down there and make yourself absolutely at home. tell us what you can,', 'ey," said he. "pray, lie down there and make yourself absolutely at home. tell us what you can, but ', 'said he. "pray, lie down there and make yourself absolutely at home. tell us what you can, but stop ', 'he. "pray, lie down there and make yourself absolutely at home. tell us what you can, but stop when ', 'pray, lie down there and make yourself absolutely at home. tell us what you can, but stop when you a', ' lie down there and make yourself absolutely at home. tell us what you can, but stop when you are ti', 'down there and make yourself absolutely at home. tell us what you can, but stop when you are tired a', 'there and make yourself absolutely at home. tell us what you can, but stop when you are tired and ke', ' and make yourself absolutely at home. tell us what you can, but stop when you are tired and keep up', 'make yourself absolutely at home. tell us what you can, but stop when you are tired and keep up your', 'yourself absolutely at home. tell us what you can, but stop when you are tired and keep up your stre', 'elf absolutely at home. tell us what you can, but stop when you are tired and keep up your strength ', 'bsolutely at home. tell us what you can, but stop when you are tired and keep up your strength with ', 'tely at home. tell us what you can, but stop when you are tired and keep up your strength with a lit', 'at home. tell us what you can, but stop when you are tired and keep up your strength with a little s', 'me. tell us what you can, but stop when you are tired and keep up your strength with a little stimul', 'ell us what you can, but stop when you are tired and keep up your strength with a little stimulant."', 's what you can, but stop when you are tired and keep up your strength with a little stimulant." "tha', 't you can, but stop when you are tired and keep up your strength with a little stimulant." "thank yo', ' can, but stop when you are tired and keep up your strength with a little stimulant." "thank you," s', ' but stop when you are tired and keep up your strength with a little stimulant." "thank you," said m', 'stop when you are tired and keep up your strength with a little stimulant." "thank you," said my pat', 'when you are tired and keep up your strength with a little stimulant." "thank you," said my patient,', 'you are tired and keep up your strength with a little stimulant." "thank you," said my patient, "but', 're tired and keep up your strength with a little stimulant." "thank you," said my patient, "but i ha', 'red and keep up your strength with a little stimulant." "thank you," said my patient, "but i have fe', 'nd keep up your strength with a little stimulant." "thank you," said my patient, "but i have felt an', 'ep up your strength with a little stimulant." "thank you," said my patient, "but i have felt another', ' your strength with a little stimulant." "thank you," said my patient, "but i have felt another man ', ' strength with a little stimulant." "thank you," said my patient, "but i have felt another man since', 'ngth with a little stimulant." "thank you," said my patient, "but i have felt another man since the ', 'with a little stimulant." "thank you," said my patient, "but i have felt another man since the docto', 'a little stimulant." "thank you," said my patient, "but i have felt another man since the doctor ban', 'tle stimulant." "thank you," said my patient, "but i have felt another man since the doctor bandaged', 'timulant." "thank you," said my patient, "but i have felt another man since the doctor bandaged me, ', 'ant." "thank you," said my patient, "but i have felt another man since the doctor bandaged me, and i', ' "thank you," said my patient, "but i have felt another man since the doctor bandaged me, and i thin', 'nk you," said my patient, "but i have felt another man since the doctor bandaged me, and i think tha', 'u," said my patient, "but i have felt another man since the doctor bandaged me, and i think that you', 'aid my patient, "but i have felt another man since the doctor bandaged me, and i think that your bre', 'y patient, "but i have felt another man since the doctor bandaged me, and i think that your breakfas', 'ient, "but i have felt another man since the doctor bandaged me, and i think that your breakfast has', ' "but i have felt another man since the doctor bandaged me, and i think that your breakfast has comp', ' i have felt another man since the doctor bandaged me, and i think that your breakfast has completed', 've felt another man since the doctor bandaged me, and i think that your breakfast has completed the ', 'lt another man since the doctor bandaged me, and i think that your breakfast has completed the cure.', 'other man since the doctor bandaged me, and i think that your breakfast has completed the cure. i sh', ' man since the doctor bandaged me, and i think that your breakfast has completed the cure. i shall t', 'since the doctor bandaged me, and i think that your breakfast has completed the cure. i shall take u', ' the doctor bandaged me, and i think that your breakfast has completed the cure. i shall take up as ', 'doctor bandaged me, and i think that your breakfast has completed the cure. i shall take up as littl', 'r bandaged me, and i think that your breakfast has completed the cure. i shall take up as little of ', 'daged me, and i think that your breakfast has completed the cure. i shall take up as little of your ', ' me, and i think that your breakfast has completed the cure. i shall take up as little of your valua', 'and i think that your breakfast has completed the cure. i shall take up as little of your valuable t', ' think that your breakfast has completed the cure. i shall take up as little of your valuable time a', 'k that your breakfast has completed the cure. i shall take up as little of your valuable time as pos', 't your breakfast has completed the cure. i shall take up as little of your valuable time as possible', 'r breakfast has completed the cure. i shall take up as little of your valuable time as possible, so ', 'akfast has completed the cure. i shall take up as little of your valuable time as possible, so i sha', 't has completed the cure. i shall take up as little of your valuable time as possible, so i shall st', ' completed the cure. i shall take up as little of your valuable time as possible, so i shall start a', 'leted the cure. i shall take up as little of your valuable time as possible, so i shall start at onc', ' the cure. i shall take up as little of your valuable time as possible, so i shall start at once upo', 'cure. i shall take up as little of your valuable time as possible, so i shall start at once upon my ', ' i shall take up as little of your valuable time as possible, so i shall start at once upon my pecul', 'all take up as little of your valuable time as possible, so i shall start at once upon my peculiar e', 'ake up as little of your valuable time as possible, so i shall start at once upon my peculiar experi', 'p as little of your valuable time as possible, so i shall start at once upon my peculiar experiences', 'little of your valuable time as possible, so i shall start at once upon my peculiar experiences." ho', 'e of your valuable time as possible, so i shall start at once upon my peculiar experiences." holmes ', 'your valuable time as possible, so i shall start at once upon my peculiar experiences." holmes sat i', 'valuable time as possible, so i shall start at once upon my peculiar experiences." holmes sat in his', 'ble time as possible, so i shall start at once upon my peculiar experiences." holmes sat in his big ', 'ime as possible, so i shall start at once upon my peculiar experiences." holmes sat in his big armch', 's possible, so i shall start at once upon my peculiar experiences." holmes sat in his big armchair w', 'sible, so i shall start at once upon my peculiar experiences." holmes sat in his big armchair with t', ', so i shall start at once upon my peculiar experiences." holmes sat in his big armchair with the we', 'i shall start at once upon my peculiar experiences." holmes sat in his big armchair with the weary, ', 'll start at once upon my peculiar experiences." holmes sat in his big armchair with the weary, heavy', 'art at once upon my peculiar experiences." holmes sat in his big armchair with the weary, heavy-lidd', 't once upon my peculiar experiences." holmes sat in his big armchair with the weary, heavy-lidded ex', 'e upon my peculiar experiences." holmes sat in his big armchair with the weary, heavy-lidded express', 'n my peculiar experiences." holmes sat in his big armchair with the weary, heavy-lidded expression w', 'peculiar experiences." holmes sat in his big armchair with the weary, heavy-lidded expression which ', 'iar experiences." holmes sat in his big armchair with the weary, heavy-lidded expression which veile', 'xperiences." holmes sat in his big armchair with the weary, heavy-lidded expression which veiled his', 'ences." holmes sat in his big armchair with the weary, heavy-lidded expression which veiled his keen', '." holmes sat in his big armchair with the weary, heavy-lidded expression which veiled his keen and ', 'lmes sat in his big armchair with the weary, heavy-lidded expression which veiled his keen and eager', 'sat in his big armchair with the weary, heavy-lidded expression which veiled his keen and eager natu', 'n his big armchair with the weary, heavy-lidded expression which veiled his keen and eager nature, w', ' big armchair with the weary, heavy-lidded expression which veiled his keen and eager nature, while ', 'armchair with the weary, heavy-lidded expression which veiled his keen and eager nature, while i sat', 'air with the weary, heavy-lidded expression which veiled his keen and eager nature, while i sat oppo', 'ith the weary, heavy-lidded expression which veiled his keen and eager nature, while i sat opposite ', 'he weary, heavy-lidded expression which veiled his keen and eager nature, while i sat opposite to hi', 'ary, heavy-lidded expression which veiled his keen and eager nature, while i sat opposite to him, an', 'heavy-lidded expression which veiled his keen and eager nature, while i sat opposite to him, and we ', '-lidded expression which veiled his keen and eager nature, while i sat opposite to him, and we liste', 'ed expression which veiled his keen and eager nature, while i sat opposite to him, and we listened i', 'pression which veiled his keen and eager nature, while i sat opposite to him, and we listened in sil', 'ion which veiled his keen and eager nature, while i sat opposite to him, and we listened in silence ', 'hich veiled his keen and eager nature, while i sat opposite to him, and we listened in silence to th', 'veiled his keen and eager nature, while i sat opposite to him, and we listened in silence to the str', 'd his keen and eager nature, while i sat opposite to him, and we listened in silence to the strange ', ' keen and eager nature, while i sat opposite to him, and we listened in silence to the strange story', ' and eager nature, while i sat opposite to him, and we listened in silence to the strange story whic', 'eager nature, while i sat opposite to him, and we listened in silence to the strange story which our', ' nature, while i sat opposite to him, and we listened in silence to the strange story which our visi', 're, while i sat opposite to him, and we listened in silence to the strange story which our visitor d', 'hile i sat opposite to him, and we listened in silence to the strange story which our visitor detail', 'i sat opposite to him, and we listened in silence to the strange story which our visitor detailed to', ' opposite to him, and we listened in silence to the strange story which our visitor detailed to us. ', 'site to him, and we listened in silence to the strange story which our visitor detailed to us. "you ', 'to him, and we listened in silence to the strange story which our visitor detailed to us. "you must ', 'm, and we listened in silence to the strange story which our visitor detailed to us. "you must know,', 'd we listened in silence to the strange story which our visitor detailed to us. "you must know," sai', 'listened in silence to the strange story which our visitor detailed to us. "you must know," said he,', 'ned in silence to the strange story which our visitor detailed to us. "you must know," said he, "tha', 'n silence to the strange story which our visitor detailed to us. "you must know," said he, "that i a', 'ence to the strange story which our visitor detailed to us. "you must know," said he, "that i am an ', 'to the strange story which our visitor detailed to us. "you must know," said he, "that i am an orpha', 'e strange story which our visitor detailed to us. "you must know," said he, "that i am an orphan and', 'ange story which our visitor detailed to us. "you must know," said he, "that i am an orphan and a ba', 'story which our visitor detailed to us. "you must know," said he, "that i am an orphan and a bachelo', ' which our visitor detailed to us. "you must know," said he, "that i am an orphan and a bachelor, re', 'h our visitor detailed to us. "you must know," said he, "that i am an orphan and a bachelor, residin', ' visitor detailed to us. "you must know," said he, "that i am an orphan and a bachelor, residing alo', 'tor detailed to us. "you must know," said he, "that i am an orphan and a bachelor, residing alone in', 'etailed to us. "you must know," said he, "that i am an orphan and a bachelor, residing alone in lodg', 'ed to us. "you must know," said he, "that i am an orphan and a bachelor, residing alone in lodgings ', ' us. "you must know," said he, "that i am an orphan and a bachelor, residing alone in lodgings in lo', '"you must know," said he, "that i am an orphan and a bachelor, residing alone in lodgings in london.', 'must know," said he, "that i am an orphan and a bachelor, residing alone in lodgings in london. by p', 'know," said he, "that i am an orphan and a bachelor, residing alone in lodgings in london. by profes', '" said he, "that i am an orphan and a bachelor, residing alone in lodgings in london. by profession ', 'd he, "that i am an orphan and a bachelor, residing alone in lodgings in london. by profession i am ', ' "that i am an orphan and a bachelor, residing alone in lodgings in london. by profession i am a hyd', 't i am an orphan and a bachelor, residing alone in lodgings in london. by profession i am a hydrauli', 'm an orphan and a bachelor, residing alone in lodgings in london. by profession i am a hydraulic eng', 'orphan and a bachelor, residing alone in lodgings in london. by profession i am a hydraulic engineer', 'n and a bachelor, residing alone in lodgings in london. by profession i am a hydraulic engineer, and', ' a bachelor, residing alone in lodgings in london. by profession i am a hydraulic engineer, and i ha', 'chelor, residing alone in lodgings in london. by profession i am a hydraulic engineer, and i have ha', 'r, residing alone in lodgings in london. by profession i am a hydraulic engineer, and i have had con', 'siding alone in lodgings in london. by profession i am a hydraulic engineer, and i have had consider', 'g alone in lodgings in london. by profession i am a hydraulic engineer, and i have had considerable ', 'ne in lodgings in london. by profession i am a hydraulic engineer, and i have had considerable exper', ' lodgings in london. by profession i am a hydraulic engineer, and i have had considerable experience', 'ings in london. by profession i am a hydraulic engineer, and i have had considerable experience of m', 'in london. by profession i am a hydraulic engineer, and i have had considerable experience of my wor', 'ndon. by profession i am a hydraulic engineer, and i have had considerable experience of my work dur', ' by profession i am a hydraulic engineer, and i have had considerable experience of my work during t', 'rofession i am a hydraulic engineer, and i have had considerable experience of my work during the se', 'sion i am a hydraulic engineer, and i have had considerable experience of my work during the seven y', 'i am a hydraulic engineer, and i have had considerable experience of my work during the seven years ', 'a hydraulic engineer, and i have had considerable experience of my work during the seven years that ', 'raulic engineer, and i have had considerable experience of my work during the seven years that i was', 'c engineer, and i have had considerable experience of my work during the seven years that i was appr', 'ineer, and i have had considerable experience of my work during the seven years that i was apprentic', ', and i have had considerable experience of my work during the seven years that i was apprenticed to', ' i have had considerable experience of my work during the seven years that i was apprenticed to venn', 've had considerable experience of my work during the seven years that i was apprenticed to venner m', 'd considerable experience of my work during the seven years that i was apprenticed to venner mathes', 'siderable experience of my work during the seven years that i was apprenticed to venner matheson, t', 'able experience of my work during the seven years that i was apprenticed to venner matheson, the we', 'experience of my work during the seven years that i was apprenticed to venner matheson, the well-kn', 'ience of my work during the seven years that i was apprenticed to venner matheson, the well-known f', ' of my work during the seven years that i was apprenticed to venner matheson, the well-known firm, ', 'y work during the seven years that i was apprenticed to venner matheson, the well-known firm, of gr', 'k during the seven years that i was apprenticed to venner matheson, the well-known firm, of greenwi', 'ing the seven years that i was apprenticed to venner matheson, the well-known firm, of greenwich. t', 'he seven years that i was apprenticed to venner matheson, the well-known firm, of greenwich. two ye', 'ven years that i was apprenticed to venner matheson, the well-known firm, of greenwich. two years a', 'ears that i was apprenticed to venner matheson, the well-known firm, of greenwich. two years ago, h', 'that i was apprenticed to venner matheson, the well-known firm, of greenwich. two years ago, having', 'i was apprenticed to venner matheson, the well-known firm, of greenwich. two years ago, having serv', ' apprenticed to venner matheson, the well-known firm, of greenwich. two years ago, having served my', 'enticed to venner matheson, the well-known firm, of greenwich. two years ago, having served my time', 'ed to venner matheson, the well-known firm, of greenwich. two years ago, having served my time, and', ' venner matheson, the well-known firm, of greenwich. two years ago, having served my time, and havi', 'er matheson, the well-known firm, of greenwich. two years ago, having served my time, and having al', 'atheson, the well-known firm, of greenwich. two years ago, having served my time, and having also co', 'on, the well-known firm, of greenwich. two years ago, having served my time, and having also come in', 'he well-known firm, of greenwich. two years ago, having served my time, and having also come into a ', 'll-known firm, of greenwich. two years ago, having served my time, and having also come into a fair ', 'own firm, of greenwich. two years ago, having served my time, and having also come into a fair sum o', 'irm, of greenwich. two years ago, having served my time, and having also come into a fair sum of mon', 'of greenwich. two years ago, having served my time, and having also come into a fair sum of money th', 'eenwich. two years ago, having served my time, and having also come into a fair sum of money through', 'ch. two years ago, having served my time, and having also come into a fair sum of money through my p', 'wo years ago, having served my time, and having also come into a fair sum of money through my poor f', 'ars ago, having served my time, and having also come into a fair sum of money through my poor father', "go, having served my time, and having also come into a fair sum of money through my poor father's de", "aving served my time, and having also come into a fair sum of money through my poor father's death, ", " served my time, and having also come into a fair sum of money through my poor father's death, i det", "ed my time, and having also come into a fair sum of money through my poor father's death, i determin", " time, and having also come into a fair sum of money through my poor father's death, i determined to", ", and having also come into a fair sum of money through my poor father's death, i determined to star", " having also come into a fair sum of money through my poor father's death, i determined to start in ", "ng also come into a fair sum of money through my poor father's death, i determined to start in busin", "so come into a fair sum of money through my poor father's death, i determined to start in business f", "me into a fair sum of money through my poor father's death, i determined to start in business for my", "to a fair sum of money through my poor father's death, i determined to start in business for myself ", "fair sum of money through my poor father's death, i determined to start in business for myself and t", "sum of money through my poor father's death, i determined to start in business for myself and took p", "f money through my poor father's death, i determined to start in business for myself and took profes", "ey through my poor father's death, i determined to start in business for myself and took professiona", "rough my poor father's death, i determined to start in business for myself and took professional cha", " my poor father's death, i determined to start in business for myself and took professional chambers", "oor father's death, i determined to start in business for myself and took professional chambers in v", "ather's death, i determined to start in business for myself and took professional chambers in victor", "'s death, i determined to start in business for myself and took professional chambers in victoria st", 'ath, i determined to start in business for myself and took professional chambers in victoria street.', 'i determined to start in business for myself and took professional chambers in victoria street. "i s', 'ermined to start in business for myself and took professional chambers in victoria street. "i suppos', 'ed to start in business for myself and took professional chambers in victoria street. "i suppose tha', ' start in business for myself and took professional chambers in victoria street. "i suppose that eve', 't in business for myself and took professional chambers in victoria street. "i suppose that everyone', 'business for myself and took professional chambers in victoria street. "i suppose that everyone find', 'ess for myself and took professional chambers in victoria street. "i suppose that everyone finds his', 'or myself and took professional chambers in victoria street. "i suppose that everyone finds his firs', 'self and took professional chambers in victoria street. "i suppose that everyone finds his first ind', 'and took professional chambers in victoria street. "i suppose that everyone finds his first independ', 'ook professional chambers in victoria street. "i suppose that everyone finds his first independent s', 'rofessional chambers in victoria street. "i suppose that everyone finds his first independent start ', 'sional chambers in victoria street. "i suppose that everyone finds his first independent start in bu', 'l chambers in victoria street. "i suppose that everyone finds his first independent start in busines', 'mbers in victoria street. "i suppose that everyone finds his first independent start in business a d', ' in victoria street. "i suppose that everyone finds his first independent start in business a dreary', 'ictoria street. "i suppose that everyone finds his first independent start in business a dreary expe', 'ia street. "i suppose that everyone finds his first independent start in business a dreary experienc', 'reet. "i suppose that everyone finds his first independent start in business a dreary experience. to', ' "i suppose that everyone finds his first independent start in business a dreary experience. to me i', 'uppose that everyone finds his first independent start in business a dreary experience. to me it has', 'e that everyone finds his first independent start in business a dreary experience. to me it has been', 't everyone finds his first independent start in business a dreary experience. to me it has been exce', 'ryone finds his first independent start in business a dreary experience. to me it has been exception', ' finds his first independent start in business a dreary experience. to me it has been exceptionally ', 's his first independent start in business a dreary experience. to me it has been exceptionally so. d', ' first independent start in business a dreary experience. to me it has been exceptionally so. during', 't independent start in business a dreary experience. to me it has been exceptionally so. during two ', 'ependent start in business a dreary experience. to me it has been exceptionally so. during two years', 'ent start in business a dreary experience. to me it has been exceptionally so. during two years i ha', 'tart in business a dreary experience. to me it has been exceptionally so. during two years i have ha', 'in business a dreary experience. to me it has been exceptionally so. during two years i have had thr', 'siness a dreary experience. to me it has been exceptionally so. during two years i have had three co', 's a dreary experience. to me it has been exceptionally so. during two years i have had three consult', 'reary experience. to me it has been exceptionally so. during two years i have had three consultation', ' experience. to me it has been exceptionally so. during two years i have had three consultations and', 'rience. to me it has been exceptionally so. during two years i have had three consultations and one ', 'e. to me it has been exceptionally so. during two years i have had three consultations and one small', ' me it has been exceptionally so. during two years i have had three consultations and one small job,', 't has been exceptionally so. during two years i have had three consultations and one small job, and ', ' been exceptionally so. during two years i have had three consultations and one small job, and that ', ' exceptionally so. during two years i have had three consultations and one small job, and that is ab', 'ptionally so. during two years i have had three consultations and one small job, and that is absolut', 'ally so. during two years i have had three consultations and one small job, and that is absolutely a', 'so. during two years i have had three consultations and one small job, and that is absolutely all th', 'uring two years i have had three consultations and one small job, and that is absolutely all that my', ' two years i have had three consultations and one small job, and that is absolutely all that my prof', 'years i have had three consultations and one small job, and that is absolutely all that my professio', ' i have had three consultations and one small job, and that is absolutely all that my profession has', 've had three consultations and one small job, and that is absolutely all that my profession has brou', 'd three consultations and one small job, and that is absolutely all that my profession has brought m', 'ee consultations and one small job, and that is absolutely all that my profession has brought me. my', 'nsultations and one small job, and that is absolutely all that my profession has brought me. my gros', 'ations and one small job, and that is absolutely all that my profession has brought me. my gross tak', 's and one small job, and that is absolutely all that my profession has brought me. my gross takings ', ' one small job, and that is absolutely all that my profession has brought me. my gross takings amoun', 'small job, and that is absolutely all that my profession has brought me. my gross takings amount to ', ' job, and that is absolutely all that my profession has brought me. my gross takings amount to poun', ' and that is absolutely all that my profession has brought me. my gross takings amount to pounds s', 'that is absolutely all that my profession has brought me. my gross takings amount to pounds s. eve', 'is absolutely all that my profession has brought me. my gross takings amount to pounds s. every da', 'solutely all that my profession has brought me. my gross takings amount to pounds s. every day, fr', 'ely all that my profession has brought me. my gross takings amount to pounds s. every day, from ni', 'll that my profession has brought me. my gross takings amount to pounds s. every day, from nine in', 'at my profession has brought me. my gross takings amount to pounds s. every day, from nine in the ', ' profession has brought me. my gross takings amount to pounds s. every day, from nine in the morni', 'ession has brought me. my gross takings amount to pounds s. every day, from nine in the morning un', 'n has brought me. my gross takings amount to pounds s. every day, from nine in the morning until f', ' brought me. my gross takings amount to pounds s. every day, from nine in the morning until four i', 'ght me. my gross takings amount to pounds s. every day, from nine in the morning until four in the', 'e. my gross takings amount to pounds s. every day, from nine in the morning until four in the afte', ' gross takings amount to pounds s. every day, from nine in the morning until four in the afternoon', 's takings amount to pounds s. every day, from nine in the morning until four in the afternoon, i w', 'ings amount to pounds s. every day, from nine in the morning until four in the afternoon, i waited', 'amount to pounds s. every day, from nine in the morning until four in the afternoon, i waited in m', 't to pounds s. every day, from nine in the morning until four in the afternoon, i waited in my lit', ' pounds s. every day, from nine in the morning until four in the afternoon, i waited in my little d', 'ds s. every day, from nine in the morning until four in the afternoon, i waited in my little den, u', '. every day, from nine in the morning until four in the afternoon, i waited in my little den, until ', 'ry day, from nine in the morning until four in the afternoon, i waited in my little den, until at la', 'y, from nine in the morning until four in the afternoon, i waited in my little den, until at last my', 'om nine in the morning until four in the afternoon, i waited in my little den, until at last my hear', 'ne in the morning until four in the afternoon, i waited in my little den, until at last my heart beg', ' the morning until four in the afternoon, i waited in my little den, until at last my heart began to', 'morning until four in the afternoon, i waited in my little den, until at last my heart began to sink', 'ng until four in the afternoon, i waited in my little den, until at last my heart began to sink, and', 'til four in the afternoon, i waited in my little den, until at last my heart began to sink, and i ca', 'our in the afternoon, i waited in my little den, until at last my heart began to sink, and i came to', 'n the afternoon, i waited in my little den, until at last my heart began to sink, and i came to beli', ' afternoon, i waited in my little den, until at last my heart began to sink, and i came to believe t', 'rnoon, i waited in my little den, until at last my heart began to sink, and i came to believe that i', ', i waited in my little den, until at last my heart began to sink, and i came to believe that i shou', 'aited in my little den, until at last my heart began to sink, and i came to believe that i should ne', ' in my little den, until at last my heart began to sink, and i came to believe that i should never h', 'y little den, until at last my heart began to sink, and i came to believe that i should never have a', 'tle den, until at last my heart began to sink, and i came to believe that i should never have any pr', 'en, until at last my heart began to sink, and i came to believe that i should never have any practic', 'ntil at last my heart began to sink, and i came to believe that i should never have any practice at ', 'at last my heart began to sink, and i came to believe that i should never have any practice at all. ', 'st my heart began to sink, and i came to believe that i should never have any practice at all. "yest', ' heart began to sink, and i came to believe that i should never have any practice at all. "yesterday', 't began to sink, and i came to believe that i should never have any practice at all. "yesterday, how', 'an to sink, and i came to believe that i should never have any practice at all. "yesterday, however,', ' sink, and i came to believe that i should never have any practice at all. "yesterday, however, just', ', and i came to believe that i should never have any practice at all. "yesterday, however, just as i', ' i came to believe that i should never have any practice at all. "yesterday, however, just as i was ', 'me to believe that i should never have any practice at all. "yesterday, however, just as i was think', ' believe that i should never have any practice at all. "yesterday, however, just as i was thinking o', 'eve that i should never have any practice at all. "yesterday, however, just as i was thinking of lea', 'hat i should never have any practice at all. "yesterday, however, just as i was thinking of leaving ', ' should never have any practice at all. "yesterday, however, just as i was thinking of leaving the o', 'ld never have any practice at all. "yesterday, however, just as i was thinking of leaving the office', 'ver have any practice at all. "yesterday, however, just as i was thinking of leaving the office, my ', 'ave any practice at all. "yesterday, however, just as i was thinking of leaving the office, my clerk', 'ny practice at all. "yesterday, however, just as i was thinking of leaving the office, my clerk ente', 'actice at all. "yesterday, however, just as i was thinking of leaving the office, my clerk entered t', 'e at all. "yesterday, however, just as i was thinking of leaving the office, my clerk entered to say', 'all. "yesterday, however, just as i was thinking of leaving the office, my clerk entered to say ther', '"yesterday, however, just as i was thinking of leaving the office, my clerk entered to say there was', 'erday, however, just as i was thinking of leaving the office, my clerk entered to say there was a ge', ', however, just as i was thinking of leaving the office, my clerk entered to say there was a gentlem', 'ever, just as i was thinking of leaving the office, my clerk entered to say there was a gentleman wa', ' just as i was thinking of leaving the office, my clerk entered to say there was a gentleman waiting', ' as i was thinking of leaving the office, my clerk entered to say there was a gentleman waiting who ', ' was thinking of leaving the office, my clerk entered to say there was a gentleman waiting who wishe', 'thinking of leaving the office, my clerk entered to say there was a gentleman waiting who wished to ', 'ing of leaving the office, my clerk entered to say there was a gentleman waiting who wished to see m', 'f leaving the office, my clerk entered to say there was a gentleman waiting who wished to see me upo', 'ving the office, my clerk entered to say there was a gentleman waiting who wished to see me upon bus', 'the office, my clerk entered to say there was a gentleman waiting who wished to see me upon business', 'ffice, my clerk entered to say there was a gentleman waiting who wished to see me upon business. he ', ', my clerk entered to say there was a gentleman waiting who wished to see me upon business. he broug', 'clerk entered to say there was a gentleman waiting who wished to see me upon business. he brought up', ' entered to say there was a gentleman waiting who wished to see me upon business. he brought up a ca', 'red to say there was a gentleman waiting who wished to see me upon business. he brought up a card, t', 'o say there was a gentleman waiting who wished to see me upon business. he brought up a card, too, w', ' there was a gentleman waiting who wished to see me upon business. he brought up a card, too, with t', 'e was a gentleman waiting who wished to see me upon business. he brought up a card, too, with the na', ' a gentleman waiting who wished to see me upon business. he brought up a card, too, with the name of', "ntleman waiting who wished to see me upon business. he brought up a card, too, with the name of 'col", "an waiting who wished to see me upon business. he brought up a card, too, with the name of 'colonel ", "iting who wished to see me upon business. he brought up a card, too, with the name of 'colonel lysan", " who wished to see me upon business. he brought up a card, too, with the name of 'colonel lysander s", "wished to see me upon business. he brought up a card, too, with the name of 'colonel lysander stark'", "d to see me upon business. he brought up a card, too, with the name of 'colonel lysander stark' engr", "see me upon business. he brought up a card, too, with the name of 'colonel lysander stark' engraved ", "e upon business. he brought up a card, too, with the name of 'colonel lysander stark' engraved upon ", "n business. he brought up a card, too, with the name of 'colonel lysander stark' engraved upon it. c", "iness. he brought up a card, too, with the name of 'colonel lysander stark' engraved upon it. close ", ". he brought up a card, too, with the name of 'colonel lysander stark' engraved upon it. close at hi", "brought up a card, too, with the name of 'colonel lysander stark' engraved upon it. close at his hee", "ht up a card, too, with the name of 'colonel lysander stark' engraved upon it. close at his heels ca", " a card, too, with the name of 'colonel lysander stark' engraved upon it. close at his heels came th", "rd, too, with the name of 'colonel lysander stark' engraved upon it. close at his heels came the col", "oo, with the name of 'colonel lysander stark' engraved upon it. close at his heels came the colonel ", "ith the name of 'colonel lysander stark' engraved upon it. close at his heels came the colonel himse", "he name of 'colonel lysander stark' engraved upon it. close at his heels came the colonel himself, a", "me of 'colonel lysander stark' engraved upon it. close at his heels came the colonel himself, a man ", " 'colonel lysander stark' engraved upon it. close at his heels came the colonel himself, a man rathe", "onel lysander stark' engraved upon it. close at his heels came the colonel himself, a man rather ove", "lysander stark' engraved upon it. close at his heels came the colonel himself, a man rather over the", "der stark' engraved upon it. close at his heels came the colonel himself, a man rather over the midd", "tark' engraved upon it. close at his heels came the colonel himself, a man rather over the middle si", ' engraved upon it. close at his heels came the colonel himself, a man rather over the middle size, b', 'aved upon it. close at his heels came the colonel himself, a man rather over the middle size, but of', 'upon it. close at his heels came the colonel himself, a man rather over the middle size, but of an e', 'it. close at his heels came the colonel himself, a man rather over the middle size, but of an exceed', 'lose at his heels came the colonel himself, a man rather over the middle size, but of an exceeding t', 'at his heels came the colonel himself, a man rather over the middle size, but of an exceeding thinne', 's heels came the colonel himself, a man rather over the middle size, but of an exceeding thinness. i', 'ls came the colonel himself, a man rather over the middle size, but of an exceeding thinness. i do n', 'me the colonel himself, a man rather over the middle size, but of an exceeding thinness. i do not th', 'e colonel himself, a man rather over the middle size, but of an exceeding thinness. i do not think t', 'onel himself, a man rather over the middle size, but of an exceeding thinness. i do not think that i', 'himself, a man rather over the middle size, but of an exceeding thinness. i do not think that i have', 'lf, a man rather over the middle size, but of an exceeding thinness. i do not think that i have ever', ' man rather over the middle size, but of an exceeding thinness. i do not think that i have ever seen', 'rather over the middle size, but of an exceeding thinness. i do not think that i have ever seen so t', 'r over the middle size, but of an exceeding thinness. i do not think that i have ever seen so thin a', 'r the middle size, but of an exceeding thinness. i do not think that i have ever seen so thin a man.', ' middle size, but of an exceeding thinness. i do not think that i have ever seen so thin a man. his ', 'le size, but of an exceeding thinness. i do not think that i have ever seen so thin a man. his whole', 'ze, but of an exceeding thinness. i do not think that i have ever seen so thin a man. his whole face', 'ut of an exceeding thinness. i do not think that i have ever seen so thin a man. his whole face shar', ' an exceeding thinness. i do not think that i have ever seen so thin a man. his whole face sharpened', 'xceeding thinness. i do not think that i have ever seen so thin a man. his whole face sharpened away', 'ing thinness. i do not think that i have ever seen so thin a man. his whole face sharpened away into', 'hinness. i do not think that i have ever seen so thin a man. his whole face sharpened away into nose', 'ss. i do not think that i have ever seen so thin a man. his whole face sharpened away into nose and ', ' do not think that i have ever seen so thin a man. his whole face sharpened away into nose and chin,', 'ot think that i have ever seen so thin a man. his whole face sharpened away into nose and chin, and ', 'ink that i have ever seen so thin a man. his whole face sharpened away into nose and chin, and the s', 'hat i have ever seen so thin a man. his whole face sharpened away into nose and chin, and the skin o', ' have ever seen so thin a man. his whole face sharpened away into nose and chin, and the skin of his', ' ever seen so thin a man. his whole face sharpened away into nose and chin, and the skin of his chee', ' seen so thin a man. his whole face sharpened away into nose and chin, and the skin of his cheeks wa', ' so thin a man. his whole face sharpened away into nose and chin, and the skin of his cheeks was dra', 'hin a man. his whole face sharpened away into nose and chin, and the skin of his cheeks was drawn qu', ' man. his whole face sharpened away into nose and chin, and the skin of his cheeks was drawn quite t', ' his whole face sharpened away into nose and chin, and the skin of his cheeks was drawn quite tense ', 'whole face sharpened away into nose and chin, and the skin of his cheeks was drawn quite tense over ', ' face sharpened away into nose and chin, and the skin of his cheeks was drawn quite tense over his o', ' sharpened away into nose and chin, and the skin of his cheeks was drawn quite tense over his outsta', 'pened away into nose and chin, and the skin of his cheeks was drawn quite tense over his outstanding', ' away into nose and chin, and the skin of his cheeks was drawn quite tense over his outstanding bone', ' into nose and chin, and the skin of his cheeks was drawn quite tense over his outstanding bones. ye', ' nose and chin, and the skin of his cheeks was drawn quite tense over his outstanding bones. yet thi', ' and chin, and the skin of his cheeks was drawn quite tense over his outstanding bones. yet this ema', 'chin, and the skin of his cheeks was drawn quite tense over his outstanding bones. yet this emaciati', ' and the skin of his cheeks was drawn quite tense over his outstanding bones. yet this emaciation se', 'the skin of his cheeks was drawn quite tense over his outstanding bones. yet this emaciation seemed ', 'kin of his cheeks was drawn quite tense over his outstanding bones. yet this emaciation seemed to be', 'f his cheeks was drawn quite tense over his outstanding bones. yet this emaciation seemed to be his ', ' cheeks was drawn quite tense over his outstanding bones. yet this emaciation seemed to be his natur', 'ks was drawn quite tense over his outstanding bones. yet this emaciation seemed to be his natural ha', 's drawn quite tense over his outstanding bones. yet this emaciation seemed to be his natural habit, ', 'wn quite tense over his outstanding bones. yet this emaciation seemed to be his natural habit, and d', 'ite tense over his outstanding bones. yet this emaciation seemed to be his natural habit, and due to', 'ense over his outstanding bones. yet this emaciation seemed to be his natural habit, and due to no d', 'over his outstanding bones. yet this emaciation seemed to be his natural habit, and due to no diseas', 'his outstanding bones. yet this emaciation seemed to be his natural habit, and due to no disease, fo', 'utstanding bones. yet this emaciation seemed to be his natural habit, and due to no disease, for his', 'nding bones. yet this emaciation seemed to be his natural habit, and due to no disease, for his eye ', ' bones. yet this emaciation seemed to be his natural habit, and due to no disease, for his eye was b', 's. yet this emaciation seemed to be his natural habit, and due to no disease, for his eye was bright', 't this emaciation seemed to be his natural habit, and due to no disease, for his eye was bright, his', 's emaciation seemed to be his natural habit, and due to no disease, for his eye was bright, his step', 'ciation seemed to be his natural habit, and due to no disease, for his eye was bright, his step bris', 'on seemed to be his natural habit, and due to no disease, for his eye was bright, his step brisk, an', 'emed to be his natural habit, and due to no disease, for his eye was bright, his step brisk, and his', 'to be his natural habit, and due to no disease, for his eye was bright, his step brisk, and his bear', ' his natural habit, and due to no disease, for his eye was bright, his step brisk, and his bearing a', 'natural habit, and due to no disease, for his eye was bright, his step brisk, and his bearing assure', 'al habit, and due to no disease, for his eye was bright, his step brisk, and his bearing assured. he', 'bit, and due to no disease, for his eye was bright, his step brisk, and his bearing assured. he was ', 'and due to no disease, for his eye was bright, his step brisk, and his bearing assured. he was plain', 'ue to no disease, for his eye was bright, his step brisk, and his bearing assured. he was plainly bu', ' no disease, for his eye was bright, his step brisk, and his bearing assured. he was plainly but nea', 'isease, for his eye was bright, his step brisk, and his bearing assured. he was plainly but neatly d', 'e, for his eye was bright, his step brisk, and his bearing assured. he was plainly but neatly dresse', 'r his eye was bright, his step brisk, and his bearing assured. he was plainly but neatly dressed, an', ' eye was bright, his step brisk, and his bearing assured. he was plainly but neatly dressed, and his', 'was bright, his step brisk, and his bearing assured. he was plainly but neatly dressed, and his age,', 'right, his step brisk, and his bearing assured. he was plainly but neatly dressed, and his age, i sh', ', his step brisk, and his bearing assured. he was plainly but neatly dressed, and his age, i should ', ' step brisk, and his bearing assured. he was plainly but neatly dressed, and his age, i should judge', ' brisk, and his bearing assured. he was plainly but neatly dressed, and his age, i should judge, wou', 'k, and his bearing assured. he was plainly but neatly dressed, and his age, i should judge, would be', 'd his bearing assured. he was plainly but neatly dressed, and his age, i should judge, would be near', ' bearing assured. he was plainly but neatly dressed, and his age, i should judge, would be nearer fo', 'ing assured. he was plainly but neatly dressed, and his age, i should judge, would be nearer forty t', 'ssured. he was plainly but neatly dressed, and his age, i should judge, would be nearer forty than t', 'd. he was plainly but neatly dressed, and his age, i should judge, would be nearer forty than thirty', ' was plainly but neatly dressed, and his age, i should judge, would be nearer forty than thirty. "\'m', 'plainly but neatly dressed, and his age, i should judge, would be nearer forty than thirty. "\'mr. ha', 'ly but neatly dressed, and his age, i should judge, would be nearer forty than thirty. "\'mr. hatherl', 't neatly dressed, and his age, i should judge, would be nearer forty than thirty. "\'mr. hatherley?\' ', 'tly dressed, and his age, i should judge, would be nearer forty than thirty. "\'mr. hatherley?\' said ', 'ressed, and his age, i should judge, would be nearer forty than thirty. "\'mr. hatherley?\' said he, w', 'd, and his age, i should judge, would be nearer forty than thirty. "\'mr. hatherley?\' said he, with s', 'd his age, i should judge, would be nearer forty than thirty. "\'mr. hatherley?\' said he, with someth', ' age, i should judge, would be nearer forty than thirty. "\'mr. hatherley?\' said he, with something o', ' i should judge, would be nearer forty than thirty. "\'mr. hatherley?\' said he, with something of a g', 'ould judge, would be nearer forty than thirty. "\'mr. hatherley?\' said he, with something of a german', 'judge, would be nearer forty than thirty. "\'mr. hatherley?\' said he, with something of a german acce', ', would be nearer forty than thirty. "\'mr. hatherley?\' said he, with something of a german accent. \'', 'ld be nearer forty than thirty. "\'mr. hatherley?\' said he, with something of a german accent. \'you h', ' nearer forty than thirty. "\'mr. hatherley?\' said he, with something of a german accent. \'you have b', 'er forty than thirty. "\'mr. hatherley?\' said he, with something of a german accent. \'you have been r', 'rty than thirty. "\'mr. hatherley?\' said he, with something of a german accent. \'you have been recomm', 'han thirty. "\'mr. hatherley?\' said he, with something of a german accent. \'you have been recommended', 'hirty. "\'mr. hatherley?\' said he, with something of a german accent. \'you have been recommended to m', '. "\'mr. hatherley?\' said he, with something of a german accent. \'you have been recommended to me, mr', "r. hatherley?' said he, with something of a german accent. 'you have been recommended to me, mr. hat", "therley?' said he, with something of a german accent. 'you have been recommended to me, mr. hatherle", "ey?' said he, with something of a german accent. 'you have been recommended to me, mr. hatherley, as", "said he, with something of a german accent. 'you have been recommended to me, mr. hatherley, as bein", "he, with something of a german accent. 'you have been recommended to me, mr. hatherley, as being a m", "ith something of a german accent. 'you have been recommended to me, mr. hatherley, as being a man wh", "omething of a german accent. 'you have been recommended to me, mr. hatherley, as being a man who is ", "ing of a german accent. 'you have been recommended to me, mr. hatherley, as being a man who is not o", "f a german accent. 'you have been recommended to me, mr. hatherley, as being a man who is not only p", "erman accent. 'you have been recommended to me, mr. hatherley, as being a man who is not only profic", " accent. 'you have been recommended to me, mr. hatherley, as being a man who is not only proficient ", "nt. 'you have been recommended to me, mr. hatherley, as being a man who is not only proficient in hi", 'you have been recommended to me, mr. hatherley, as being a man who is not only proficient in his pro', 'ave been recommended to me, mr. hatherley, as being a man who is not only proficient in his professi', 'een recommended to me, mr. hatherley, as being a man who is not only proficient in his profession bu', 'ecommended to me, mr. hatherley, as being a man who is not only proficient in his profession but is ', 'ended to me, mr. hatherley, as being a man who is not only proficient in his profession but is also ', ' to me, mr. hatherley, as being a man who is not only proficient in his profession but is also discr', 'e, mr. hatherley, as being a man who is not only proficient in his profession but is also discreet a', '. hatherley, as being a man who is not only proficient in his profession but is also discreet and ca', 'herley, as being a man who is not only proficient in his profession but is also discreet and capable', 'y, as being a man who is not only proficient in his profession but is also discreet and capable of p', ' being a man who is not only proficient in his profession but is also discreet and capable of preser', 'g a man who is not only proficient in his profession but is also discreet and capable of preserving ', 'an who is not only proficient in his profession but is also discreet and capable of preserving a sec', "o is not only proficient in his profession but is also discreet and capable of preserving a secret.'", 'not only proficient in his profession but is also discreet and capable of preserving a secret.\' "i b', 'nly proficient in his profession but is also discreet and capable of preserving a secret.\' "i bowed,', 'roficient in his profession but is also discreet and capable of preserving a secret.\' "i bowed, feel', 'ient in his profession but is also discreet and capable of preserving a secret.\' "i bowed, feeling a', 'in his profession but is also discreet and capable of preserving a secret.\' "i bowed, feeling as fla', 's profession but is also discreet and capable of preserving a secret.\' "i bowed, feeling as flattere', 'fession but is also discreet and capable of preserving a secret.\' "i bowed, feeling as flattered as ', 'on but is also discreet and capable of preserving a secret.\' "i bowed, feeling as flattered as any y', 't is also discreet and capable of preserving a secret.\' "i bowed, feeling as flattered as any young ', 'also discreet and capable of preserving a secret.\' "i bowed, feeling as flattered as any young man w', 'discreet and capable of preserving a secret.\' "i bowed, feeling as flattered as any young man would ', 'eet and capable of preserving a secret.\' "i bowed, feeling as flattered as any young man would at su', 'nd capable of preserving a secret.\' "i bowed, feeling as flattered as any young man would at such an', 'pable of preserving a secret.\' "i bowed, feeling as flattered as any young man would at such an addr', ' of preserving a secret.\' "i bowed, feeling as flattered as any young man would at such an address. ', 'reserving a secret.\' "i bowed, feeling as flattered as any young man would at such an address. \'may ', 'ving a secret.\' "i bowed, feeling as flattered as any young man would at such an address. \'may i ask', 'a secret.\' "i bowed, feeling as flattered as any young man would at such an address. \'may i ask who ', 'ret.\' "i bowed, feeling as flattered as any young man would at such an address. \'may i ask who it wa', ' "i bowed, feeling as flattered as any young man would at such an address. \'may i ask who it was who', "owed, feeling as flattered as any young man would at such an address. 'may i ask who it was who gave", " feeling as flattered as any young man would at such an address. 'may i ask who it was who gave me s", "ing as flattered as any young man would at such an address. 'may i ask who it was who gave me so goo", "s flattered as any young man would at such an address. 'may i ask who it was who gave me so good a c", "ttered as any young man would at such an address. 'may i ask who it was who gave me so good a charac", "d as any young man would at such an address. 'may i ask who it was who gave me so good a character?'", 'any young man would at such an address. \'may i ask who it was who gave me so good a character?\' "\'we', 'oung man would at such an address. \'may i ask who it was who gave me so good a character?\' "\'well, p', 'man would at such an address. \'may i ask who it was who gave me so good a character?\' "\'well, perhap', 'ould at such an address. \'may i ask who it was who gave me so good a character?\' "\'well, perhaps it ', 'at such an address. \'may i ask who it was who gave me so good a character?\' "\'well, perhaps it is be', 'ch an address. \'may i ask who it was who gave me so good a character?\' "\'well, perhaps it is better ', ' address. \'may i ask who it was who gave me so good a character?\' "\'well, perhaps it is better that ', 'ess. \'may i ask who it was who gave me so good a character?\' "\'well, perhaps it is better that i sho', '\'may i ask who it was who gave me so good a character?\' "\'well, perhaps it is better that i should n', 'i ask who it was who gave me so good a character?\' "\'well, perhaps it is better that i should not te', ' who it was who gave me so good a character?\' "\'well, perhaps it is better that i should not tell yo', 'it was who gave me so good a character?\' "\'well, perhaps it is better that i should not tell you tha', 's who gave me so good a character?\' "\'well, perhaps it is better that i should not tell you that jus', ' gave me so good a character?\' "\'well, perhaps it is better that i should not tell you that just at ', ' me so good a character?\' "\'well, perhaps it is better that i should not tell you that just at this ', 'o good a character?\' "\'well, perhaps it is better that i should not tell you that just at this momen', 'd a character?\' "\'well, perhaps it is better that i should not tell you that just at this moment. i ', 'haracter?\' "\'well, perhaps it is better that i should not tell you that just at this moment. i have ', 'ter?\' "\'well, perhaps it is better that i should not tell you that just at this moment. i have it fr', ' "\'well, perhaps it is better that i should not tell you that just at this moment. i have it from th', 'll, perhaps it is better that i should not tell you that just at this moment. i have it from the sam', 'erhaps it is better that i should not tell you that just at this moment. i have it from the same sou', 's it is better that i should not tell you that just at this moment. i have it from the same source t', 'is better that i should not tell you that just at this moment. i have it from the same source that y', 'tter that i should not tell you that just at this moment. i have it from the same source that you ar', 'that i should not tell you that just at this moment. i have it from the same source that you are bot', 'i should not tell you that just at this moment. i have it from the same source that you are both an ', 'uld not tell you that just at this moment. i have it from the same source that you are both an orpha', 'ot tell you that just at this moment. i have it from the same source that you are both an orphan and', 'll you that just at this moment. i have it from the same source that you are both an orphan and a ba', 'u that just at this moment. i have it from the same source that you are both an orphan and a bachelo', 't just at this moment. i have it from the same source that you are both an orphan and a bachelor and', 't at this moment. i have it from the same source that you are both an orphan and a bachelor and are ', 'this moment. i have it from the same source that you are both an orphan and a bachelor and are resid', 'moment. i have it from the same source that you are both an orphan and a bachelor and are residing a', 't. i have it from the same source that you are both an orphan and a bachelor and are residing alone ', 'have it from the same source that you are both an orphan and a bachelor and are residing alone in lo', 'it from the same source that you are both an orphan and a bachelor and are residing alone in london.', 'om the same source that you are both an orphan and a bachelor and are residing alone in london.\' "\'t', 'e same source that you are both an orphan and a bachelor and are residing alone in london.\' "\'that i', 'e source that you are both an orphan and a bachelor and are residing alone in london.\' "\'that is qui', 'rce that you are both an orphan and a bachelor and are residing alone in london.\' "\'that is quite co', 'hat you are both an orphan and a bachelor and are residing alone in london.\' "\'that is quite correct', 'ou are both an orphan and a bachelor and are residing alone in london.\' "\'that is quite correct,\' i ', 'e both an orphan and a bachelor and are residing alone in london.\' "\'that is quite correct,\' i answe', 'h an orphan and a bachelor and are residing alone in london.\' "\'that is quite correct,\' i answered; ', 'orphan and a bachelor and are residing alone in london.\' "\'that is quite correct,\' i answered; \'but ', 'n and a bachelor and are residing alone in london.\' "\'that is quite correct,\' i answered; \'but you w', ' a bachelor and are residing alone in london.\' "\'that is quite correct,\' i answered; \'but you will e', 'chelor and are residing alone in london.\' "\'that is quite correct,\' i answered; \'but you will excuse', 'r and are residing alone in london.\' "\'that is quite correct,\' i answered; \'but you will excuse me i', ' are residing alone in london.\' "\'that is quite correct,\' i answered; \'but you will excuse me if i s', 'residing alone in london.\' "\'that is quite correct,\' i answered; \'but you will excuse me if i say th', 'ing alone in london.\' "\'that is quite correct,\' i answered; \'but you will excuse me if i say that i ', 'lone in london.\' "\'that is quite correct,\' i answered; \'but you will excuse me if i say that i canno', 'in london.\' "\'that is quite correct,\' i answered; \'but you will excuse me if i say that i cannot see', 'ndon.\' "\'that is quite correct,\' i answered; \'but you will excuse me if i say that i cannot see how ', '\' "\'that is quite correct,\' i answered; \'but you will excuse me if i say that i cannot see how all t', "hat is quite correct,' i answered; 'but you will excuse me if i say that i cannot see how all this b", "s quite correct,' i answered; 'but you will excuse me if i say that i cannot see how all this bears ", "te correct,' i answered; 'but you will excuse me if i say that i cannot see how all this bears upon ", "rrect,' i answered; 'but you will excuse me if i say that i cannot see how all this bears upon my pr", ",' i answered; 'but you will excuse me if i say that i cannot see how all this bears upon my profess", "answered; 'but you will excuse me if i say that i cannot see how all this bears upon my professional", "red; 'but you will excuse me if i say that i cannot see how all this bears upon my professional qual", "'but you will excuse me if i say that i cannot see how all this bears upon my professional qualifica", 'you will excuse me if i say that i cannot see how all this bears upon my professional qualifications', 'ill excuse me if i say that i cannot see how all this bears upon my professional qualifications. i u', 'xcuse me if i say that i cannot see how all this bears upon my professional qualifications. i unders', ' me if i say that i cannot see how all this bears upon my professional qualifications. i understand ', 'f i say that i cannot see how all this bears upon my professional qualifications. i understand that ', 'ay that i cannot see how all this bears upon my professional qualifications. i understand that it wa', 'at i cannot see how all this bears upon my professional qualifications. i understand that it was on ', 'cannot see how all this bears upon my professional qualifications. i understand that it was on a pro', 't see how all this bears upon my professional qualifications. i understand that it was on a professi', ' how all this bears upon my professional qualifications. i understand that it was on a professional ', 'all this bears upon my professional qualifications. i understand that it was on a professional matte', 'his bears upon my professional qualifications. i understand that it was on a professional matter tha', 'ears upon my professional qualifications. i understand that it was on a professional matter that you', 'upon my professional qualifications. i understand that it was on a professional matter that you wish', 'my professional qualifications. i understand that it was on a professional matter that you wished to', 'ofessional qualifications. i understand that it was on a professional matter that you wished to spea', 'ional qualifications. i understand that it was on a professional matter that you wished to speak to ', " qualifications. i understand that it was on a professional matter that you wished to speak to me?' ", 'ifications. i understand that it was on a professional matter that you wished to speak to me?\' "\'und', 'tions. i understand that it was on a professional matter that you wished to speak to me?\' "\'undoubte', '. i understand that it was on a professional matter that you wished to speak to me?\' "\'undoubtedly s', 'nderstand that it was on a professional matter that you wished to speak to me?\' "\'undoubtedly so. bu', 'tand that it was on a professional matter that you wished to speak to me?\' "\'undoubtedly so. but you', 'that it was on a professional matter that you wished to speak to me?\' "\'undoubtedly so. but you will', 'it was on a professional matter that you wished to speak to me?\' "\'undoubtedly so. but you will find', 's on a professional matter that you wished to speak to me?\' "\'undoubtedly so. but you will find that', 'a professional matter that you wished to speak to me?\' "\'undoubtedly so. but you will find that all ', 'fessional matter that you wished to speak to me?\' "\'undoubtedly so. but you will find that all i say', 'onal matter that you wished to speak to me?\' "\'undoubtedly so. but you will find that all i say is r', 'matter that you wished to speak to me?\' "\'undoubtedly so. but you will find that all i say is really', 'r that you wished to speak to me?\' "\'undoubtedly so. but you will find that all i say is really to t', 't you wished to speak to me?\' "\'undoubtedly so. but you will find that all i say is really to the po', ' wished to speak to me?\' "\'undoubtedly so. but you will find that all i say is really to the point. ', 'ed to speak to me?\' "\'undoubtedly so. but you will find that all i say is really to the point. i hav', ' speak to me?\' "\'undoubtedly so. but you will find that all i say is really to the point. i have a p', 'k to me?\' "\'undoubtedly so. but you will find that all i say is really to the point. i have a profes', 'me?\' "\'undoubtedly so. but you will find that all i say is really to the point. i have a professiona', '"\'undoubtedly so. but you will find that all i say is really to the point. i have a professional com', 'oubtedly so. but you will find that all i say is really to the point. i have a professional commissi', 'dly so. but you will find that all i say is really to the point. i have a professional commission fo', 'o. but you will find that all i say is really to the point. i have a professional commission for you', 't you will find that all i say is really to the point. i have a professional commission for you, but', ' will find that all i say is really to the point. i have a professional commission for you, but abso', ' find that all i say is really to the point. i have a professional commission for you, but absolute ', ' that all i say is really to the point. i have a professional commission for you, but absolute secre', ' all i say is really to the point. i have a professional commission for you, but absolute secrecy is', 'i say is really to the point. i have a professional commission for you, but absolute secrecy is quit', ' is really to the point. i have a professional commission for you, but absolute secrecy is quite ess', 'eally to the point. i have a professional commission for you, but absolute secrecy is quite essentia', ' to the point. i have a professional commission for you, but absolute secrecy is quite essentialabso', 'he point. i have a professional commission for you, but absolute secrecy is quite essentialabsolute ', 'int. i have a professional commission for you, but absolute secrecy is quite essentialabsolute secre', 'i have a professional commission for you, but absolute secrecy is quite essentialabsolute secrecy, y', 'e a professional commission for you, but absolute secrecy is quite essentialabsolute secrecy, you un', 'rofessional commission for you, but absolute secrecy is quite essentialabsolute secrecy, you underst', 'sional commission for you, but absolute secrecy is quite essentialabsolute secrecy, you understand, ', 'l commission for you, but absolute secrecy is quite essentialabsolute secrecy, you understand, and o', 'mission for you, but absolute secrecy is quite essentialabsolute secrecy, you understand, and of cou', 'on for you, but absolute secrecy is quite essentialabsolute secrecy, you understand, and of course w', 'r you, but absolute secrecy is quite essentialabsolute secrecy, you understand, and of course we may', ', but absolute secrecy is quite essentialabsolute secrecy, you understand, and of course we may expe', ' absolute secrecy is quite essentialabsolute secrecy, you understand, and of course we may expect th', 'lute secrecy is quite essentialabsolute secrecy, you understand, and of course we may expect that mo', 'secrecy is quite essentialabsolute secrecy, you understand, and of course we may expect that more fr', 'cy is quite essentialabsolute secrecy, you understand, and of course we may expect that more from a ', ' quite essentialabsolute secrecy, you understand, and of course we may expect that more from a man w', 'e essentialabsolute secrecy, you understand, and of course we may expect that more from a man who is', 'entialabsolute secrecy, you understand, and of course we may expect that more from a man who is alon', 'labsolute secrecy, you understand, and of course we may expect that more from a man who is alone tha', 'lute secrecy, you understand, and of course we may expect that more from a man who is alone than fro', 'secrecy, you understand, and of course we may expect that more from a man who is alone than from one', 'cy, you understand, and of course we may expect that more from a man who is alone than from one who ', 'ou understand, and of course we may expect that more from a man who is alone than from one who lives', 'derstand, and of course we may expect that more from a man who is alone than from one who lives in t', 'and, and of course we may expect that more from a man who is alone than from one who lives in the bo', 'and of course we may expect that more from a man who is alone than from one who lives in the bosom o', 'f course we may expect that more from a man who is alone than from one who lives in the bosom of his', 'rse we may expect that more from a man who is alone than from one who lives in the bosom of his fami', "e may expect that more from a man who is alone than from one who lives in the bosom of his family.' ", ' expect that more from a man who is alone than from one who lives in the bosom of his family.\' "\'if ', 'ct that more from a man who is alone than from one who lives in the bosom of his family.\' "\'if i pro', 'at more from a man who is alone than from one who lives in the bosom of his family.\' "\'if i promise ', 're from a man who is alone than from one who lives in the bosom of his family.\' "\'if i promise to ke', 'om a man who is alone than from one who lives in the bosom of his family.\' "\'if i promise to keep a ', 'man who is alone than from one who lives in the bosom of his family.\' "\'if i promise to keep a secre', 'ho is alone than from one who lives in the bosom of his family.\' "\'if i promise to keep a secret,\' s', ' alone than from one who lives in the bosom of his family.\' "\'if i promise to keep a secret,\' said i', 'e than from one who lives in the bosom of his family.\' "\'if i promise to keep a secret,\' said i, \'yo', 'n from one who lives in the bosom of his family.\' "\'if i promise to keep a secret,\' said i, \'you may', 'm one who lives in the bosom of his family.\' "\'if i promise to keep a secret,\' said i, \'you may abso', ' who lives in the bosom of his family.\' "\'if i promise to keep a secret,\' said i, \'you may absolutel', 'lives in the bosom of his family.\' "\'if i promise to keep a secret,\' said i, \'you may absolutely dep', ' in the bosom of his family.\' "\'if i promise to keep a secret,\' said i, \'you may absolutely depend u', 'he bosom of his family.\' "\'if i promise to keep a secret,\' said i, \'you may absolutely depend upon m', 'som of his family.\' "\'if i promise to keep a secret,\' said i, \'you may absolutely depend upon my doi', 'f his family.\' "\'if i promise to keep a secret,\' said i, \'you may absolutely depend upon my doing so', ' family.\' "\'if i promise to keep a secret,\' said i, \'you may absolutely depend upon my doing so.\' "h', 'ly.\' "\'if i promise to keep a secret,\' said i, \'you may absolutely depend upon my doing so.\' "he loo', '"\'if i promise to keep a secret,\' said i, \'you may absolutely depend upon my doing so.\' "he looked v', 'i promise to keep a secret,\' said i, \'you may absolutely depend upon my doing so.\' "he looked very h', 'mise to keep a secret,\' said i, \'you may absolutely depend upon my doing so.\' "he looked very hard a', 'to keep a secret,\' said i, \'you may absolutely depend upon my doing so.\' "he looked very hard at me ', 'ep a secret,\' said i, \'you may absolutely depend upon my doing so.\' "he looked very hard at me as i ', 'secret,\' said i, \'you may absolutely depend upon my doing so.\' "he looked very hard at me as i spoke', 't,\' said i, \'you may absolutely depend upon my doing so.\' "he looked very hard at me as i spoke, and', 'aid i, \'you may absolutely depend upon my doing so.\' "he looked very hard at me as i spoke, and it s', ', \'you may absolutely depend upon my doing so.\' "he looked very hard at me as i spoke, and it seemed', 'u may absolutely depend upon my doing so.\' "he looked very hard at me as i spoke, and it seemed to m', ' absolutely depend upon my doing so.\' "he looked very hard at me as i spoke, and it seemed to me tha', 'lutely depend upon my doing so.\' "he looked very hard at me as i spoke, and it seemed to me that i h', 'y depend upon my doing so.\' "he looked very hard at me as i spoke, and it seemed to me that i had ne', 'end upon my doing so.\' "he looked very hard at me as i spoke, and it seemed to me that i had never s', 'pon my doing so.\' "he looked very hard at me as i spoke, and it seemed to me that i had never seen s', 'y doing so.\' "he looked very hard at me as i spoke, and it seemed to me that i had never seen so sus', 'ng so.\' "he looked very hard at me as i spoke, and it seemed to me that i had never seen so suspicio', '.\' "he looked very hard at me as i spoke, and it seemed to me that i had never seen so suspicious an', 'e looked very hard at me as i spoke, and it seemed to me that i had never seen so suspicious and que', 'ked very hard at me as i spoke, and it seemed to me that i had never seen so suspicious and question', 'ery hard at me as i spoke, and it seemed to me that i had never seen so suspicious and questioning a', 'ard at me as i spoke, and it seemed to me that i had never seen so suspicious and questioning an eye', 't me as i spoke, and it seemed to me that i had never seen so suspicious and questioning an eye. "\'d', 'as i spoke, and it seemed to me that i had never seen so suspicious and questioning an eye. "\'do you', 'spoke, and it seemed to me that i had never seen so suspicious and questioning an eye. "\'do you prom', ', and it seemed to me that i had never seen so suspicious and questioning an eye. "\'do you promise, ', ' it seemed to me that i had never seen so suspicious and questioning an eye. "\'do you promise, then?', 'eemed to me that i had never seen so suspicious and questioning an eye. "\'do you promise, then?\' sai', ' to me that i had never seen so suspicious and questioning an eye. "\'do you promise, then?\' said he ', 'e that i had never seen so suspicious and questioning an eye. "\'do you promise, then?\' said he at la', 't i had never seen so suspicious and questioning an eye. "\'do you promise, then?\' said he at last. "', 'ad never seen so suspicious and questioning an eye. "\'do you promise, then?\' said he at last. "\'yes,', 'ver seen so suspicious and questioning an eye. "\'do you promise, then?\' said he at last. "\'yes, i pr', 'een so suspicious and questioning an eye. "\'do you promise, then?\' said he at last. "\'yes, i promise', 'o suspicious and questioning an eye. "\'do you promise, then?\' said he at last. "\'yes, i promise.\' "\'', 'picious and questioning an eye. "\'do you promise, then?\' said he at last. "\'yes, i promise.\' "\'absol', 'us and questioning an eye. "\'do you promise, then?\' said he at last. "\'yes, i promise.\' "\'absolute a', 'd questioning an eye. "\'do you promise, then?\' said he at last. "\'yes, i promise.\' "\'absolute and co', 'stioning an eye. "\'do you promise, then?\' said he at last. "\'yes, i promise.\' "\'absolute and complet', 'ing an eye. "\'do you promise, then?\' said he at last. "\'yes, i promise.\' "\'absolute and complete sil', 'n eye. "\'do you promise, then?\' said he at last. "\'yes, i promise.\' "\'absolute and complete silence ', '. "\'do you promise, then?\' said he at last. "\'yes, i promise.\' "\'absolute and complete silence befor', 'o you promise, then?\' said he at last. "\'yes, i promise.\' "\'absolute and complete silence before, du', ' promise, then?\' said he at last. "\'yes, i promise.\' "\'absolute and complete silence before, during,', 'ise, then?\' said he at last. "\'yes, i promise.\' "\'absolute and complete silence before, during, and ', 'then?\' said he at last. "\'yes, i promise.\' "\'absolute and complete silence before, during, and after', '\' said he at last. "\'yes, i promise.\' "\'absolute and complete silence before, during, and after? no ', 'd he at last. "\'yes, i promise.\' "\'absolute and complete silence before, during, and after? no refer', 'at last. "\'yes, i promise.\' "\'absolute and complete silence before, during, and after? no reference ', 'st. "\'yes, i promise.\' "\'absolute and complete silence before, during, and after? no reference to th', '\'yes, i promise.\' "\'absolute and complete silence before, during, and after? no reference to the mat', ' i promise.\' "\'absolute and complete silence before, during, and after? no reference to the matter a', 'omise.\' "\'absolute and complete silence before, during, and after? no reference to the matter at all', '.\' "\'absolute and complete silence before, during, and after? no reference to the matter at all, eit', 'absolute and complete silence before, during, and after? no reference to the matter at all, either i', 'ute and complete silence before, during, and after? no reference to the matter at all, either in wor', 'nd complete silence before, during, and after? no reference to the matter at all, either in word or ', 'mplete silence before, during, and after? no reference to the matter at all, either in word or writi', "e silence before, during, and after? no reference to the matter at all, either in word or writing?' ", 'ence before, during, and after? no reference to the matter at all, either in word or writing?\' "\'i h', 'before, during, and after? no reference to the matter at all, either in word or writing?\' "\'i have a', 'e, during, and after? no reference to the matter at all, either in word or writing?\' "\'i have alread', 'ring, and after? no reference to the matter at all, either in word or writing?\' "\'i have already giv', ' and after? no reference to the matter at all, either in word or writing?\' "\'i have already given yo', 'after? no reference to the matter at all, either in word or writing?\' "\'i have already given you my ', '? no reference to the matter at all, either in word or writing?\' "\'i have already given you my word.', 'reference to the matter at all, either in word or writing?\' "\'i have already given you my word.\' "\'v', 'ence to the matter at all, either in word or writing?\' "\'i have already given you my word.\' "\'very g', 'to the matter at all, either in word or writing?\' "\'i have already given you my word.\' "\'very good.\'', 'e matter at all, either in word or writing?\' "\'i have already given you my word.\' "\'very good.\' he s', 'ter at all, either in word or writing?\' "\'i have already given you my word.\' "\'very good.\' he sudden', 't all, either in word or writing?\' "\'i have already given you my word.\' "\'very good.\' he suddenly sp', ', either in word or writing?\' "\'i have already given you my word.\' "\'very good.\' he suddenly sprang ', 'her in word or writing?\' "\'i have already given you my word.\' "\'very good.\' he suddenly sprang up, a', 'n word or writing?\' "\'i have already given you my word.\' "\'very good.\' he suddenly sprang up, and da', 'd or writing?\' "\'i have already given you my word.\' "\'very good.\' he suddenly sprang up, and darting', 'writing?\' "\'i have already given you my word.\' "\'very good.\' he suddenly sprang up, and darting like', 'ng?\' "\'i have already given you my word.\' "\'very good.\' he suddenly sprang up, and darting like ligh', '"\'i have already given you my word.\' "\'very good.\' he suddenly sprang up, and darting like lightning', 'ave already given you my word.\' "\'very good.\' he suddenly sprang up, and darting like lightning acro', 'lready given you my word.\' "\'very good.\' he suddenly sprang up, and darting like lightning across th', 'y given you my word.\' "\'very good.\' he suddenly sprang up, and darting like lightning across the roo', 'en you my word.\' "\'very good.\' he suddenly sprang up, and darting like lightning across the room he ', 'u my word.\' "\'very good.\' he suddenly sprang up, and darting like lightning across the room he flung', 'word.\' "\'very good.\' he suddenly sprang up, and darting like lightning across the room he flung open', '\' "\'very good.\' he suddenly sprang up, and darting like lightning across the room he flung open the ', "ery good.' he suddenly sprang up, and darting like lightning across the room he flung open the door.", "ood.' he suddenly sprang up, and darting like lightning across the room he flung open the door. the ", ' he suddenly sprang up, and darting like lightning across the room he flung open the door. the passa', 'uddenly sprang up, and darting like lightning across the room he flung open the door. the passage ou', 'ly sprang up, and darting like lightning across the room he flung open the door. the passage outside', 'rang up, and darting like lightning across the room he flung open the door. the passage outside was ', 'up, and darting like lightning across the room he flung open the door. the passage outside was empty', 'nd darting like lightning across the room he flung open the door. the passage outside was empty. "\'t', 'rting like lightning across the room he flung open the door. the passage outside was empty. "\'that\'s', ' like lightning across the room he flung open the door. the passage outside was empty. "\'that\'s all ', ' lightning across the room he flung open the door. the passage outside was empty. "\'that\'s all right', 'tning across the room he flung open the door. the passage outside was empty. "\'that\'s all right,\' sa', ' across the room he flung open the door. the passage outside was empty. "\'that\'s all right,\' said he', 'ss the room he flung open the door. the passage outside was empty. "\'that\'s all right,\' said he, com', 'e room he flung open the door. the passage outside was empty. "\'that\'s all right,\' said he, coming b', 'm he flung open the door. the passage outside was empty. "\'that\'s all right,\' said he, coming back. ', 'flung open the door. the passage outside was empty. "\'that\'s all right,\' said he, coming back. \'i kn', ' open the door. the passage outside was empty. "\'that\'s all right,\' said he, coming back. \'i know th', ' the door. the passage outside was empty. "\'that\'s all right,\' said he, coming back. \'i know that cl', 'door. the passage outside was empty. "\'that\'s all right,\' said he, coming back. \'i know that clerks ', ' the passage outside was empty. "\'that\'s all right,\' said he, coming back. \'i know that clerks are s', 'passage outside was empty. "\'that\'s all right,\' said he, coming back. \'i know that clerks are someti', 'ge outside was empty. "\'that\'s all right,\' said he, coming back. \'i know that clerks are sometimes c', 'tside was empty. "\'that\'s all right,\' said he, coming back. \'i know that clerks are sometimes curiou', ' was empty. "\'that\'s all right,\' said he, coming back. \'i know that clerks are sometimes curious as ', 'empty. "\'that\'s all right,\' said he, coming back. \'i know that clerks are sometimes curious as to th', '. "\'that\'s all right,\' said he, coming back. \'i know that clerks are sometimes curious as to their m', "hat's all right,' said he, coming back. 'i know that clerks are sometimes curious as to their master", " all right,' said he, coming back. 'i know that clerks are sometimes curious as to their master's af", "right,' said he, coming back. 'i know that clerks are sometimes curious as to their master's affairs", ",' said he, coming back. 'i know that clerks are sometimes curious as to their master's affairs. now", "id he, coming back. 'i know that clerks are sometimes curious as to their master's affairs. now we c", ", coming back. 'i know that clerks are sometimes curious as to their master's affairs. now we can ta", "ing back. 'i know that clerks are sometimes curious as to their master's affairs. now we can talk in", "ack. 'i know that clerks are sometimes curious as to their master's affairs. now we can talk in safe", "'i know that clerks are sometimes curious as to their master's affairs. now we can talk in safety.' ", "ow that clerks are sometimes curious as to their master's affairs. now we can talk in safety.' he dr", "at clerks are sometimes curious as to their master's affairs. now we can talk in safety.' he drew up", "erks are sometimes curious as to their master's affairs. now we can talk in safety.' he drew up his ", "are sometimes curious as to their master's affairs. now we can talk in safety.' he drew up his chair", "ometimes curious as to their master's affairs. now we can talk in safety.' he drew up his chair very", "mes curious as to their master's affairs. now we can talk in safety.' he drew up his chair very clos", "urious as to their master's affairs. now we can talk in safety.' he drew up his chair very close to ", "s as to their master's affairs. now we can talk in safety.' he drew up his chair very close to mine ", "to their master's affairs. now we can talk in safety.' he drew up his chair very close to mine and b", "eir master's affairs. now we can talk in safety.' he drew up his chair very close to mine and began ", "aster's affairs. now we can talk in safety.' he drew up his chair very close to mine and began to st", "'s affairs. now we can talk in safety.' he drew up his chair very close to mine and began to stare a", "fairs. now we can talk in safety.' he drew up his chair very close to mine and began to stare at me ", ". now we can talk in safety.' he drew up his chair very close to mine and began to stare at me again", " we can talk in safety.' he drew up his chair very close to mine and began to stare at me again with", "an talk in safety.' he drew up his chair very close to mine and began to stare at me again with the ", "lk in safety.' he drew up his chair very close to mine and began to stare at me again with the same ", " safety.' he drew up his chair very close to mine and began to stare at me again with the same quest", "ty.' he drew up his chair very close to mine and began to stare at me again with the same questionin", 'he drew up his chair very close to mine and began to stare at me again with the same questioning and', 'ew up his chair very close to mine and began to stare at me again with the same questioning and thou', ' his chair very close to mine and began to stare at me again with the same questioning and thoughtfu', 'chair very close to mine and began to stare at me again with the same questioning and thoughtful loo', ' very close to mine and began to stare at me again with the same questioning and thoughtful look. "a', ' close to mine and began to stare at me again with the same questioning and thoughtful look. "a feel', 'e to mine and began to stare at me again with the same questioning and thoughtful look. "a feeling o', 'mine and began to stare at me again with the same questioning and thoughtful look. "a feeling of rep', 'and began to stare at me again with the same questioning and thoughtful look. "a feeling of repulsio', 'egan to stare at me again with the same questioning and thoughtful look. "a feeling of repulsion, an', 'to stare at me again with the same questioning and thoughtful look. "a feeling of repulsion, and of ', 'are at me again with the same questioning and thoughtful look. "a feeling of repulsion, and of somet', 't me again with the same questioning and thoughtful look. "a feeling of repulsion, and of something ', 'again with the same questioning and thoughtful look. "a feeling of repulsion, and of something akin ', ' with the same questioning and thoughtful look. "a feeling of repulsion, and of something akin to fe', ' the same questioning and thoughtful look. "a feeling of repulsion, and of something akin to fear ha', 'same questioning and thoughtful look. "a feeling of repulsion, and of something akin to fear had beg', 'questioning and thoughtful look. "a feeling of repulsion, and of something akin to fear had begun to', 'ioning and thoughtful look. "a feeling of repulsion, and of something akin to fear had begun to rise', 'g and thoughtful look. "a feeling of repulsion, and of something akin to fear had begun to rise with', ' thoughtful look. "a feeling of repulsion, and of something akin to fear had begun to rise within me', 'ghtful look. "a feeling of repulsion, and of something akin to fear had begun to rise within me at t', 'l look. "a feeling of repulsion, and of something akin to fear had begun to rise within me at the st', 'k. "a feeling of repulsion, and of something akin to fear had begun to rise within me at the strange', ' feeling of repulsion, and of something akin to fear had begun to rise within me at the strange anti', 'ing of repulsion, and of something akin to fear had begun to rise within me at the strange antics of', 'f repulsion, and of something akin to fear had begun to rise within me at the strange antics of this', 'ulsion, and of something akin to fear had begun to rise within me at the strange antics of this fles', 'n, and of something akin to fear had begun to rise within me at the strange antics of this fleshless', 'd of something akin to fear had begun to rise within me at the strange antics of this fleshless man.', 'something akin to fear had begun to rise within me at the strange antics of this fleshless man. even', 'hing akin to fear had begun to rise within me at the strange antics of this fleshless man. even my d', 'akin to fear had begun to rise within me at the strange antics of this fleshless man. even my dread ', 'to fear had begun to rise within me at the strange antics of this fleshless man. even my dread of lo', 'ar had begun to rise within me at the strange antics of this fleshless man. even my dread of losing ', 'd begun to rise within me at the strange antics of this fleshless man. even my dread of losing a cli', 'un to rise within me at the strange antics of this fleshless man. even my dread of losing a client c', ' rise within me at the strange antics of this fleshless man. even my dread of losing a client could ', ' within me at the strange antics of this fleshless man. even my dread of losing a client could not r', 'in me at the strange antics of this fleshless man. even my dread of losing a client could not restra', ' at the strange antics of this fleshless man. even my dread of losing a client could not restrain me', 'he strange antics of this fleshless man. even my dread of losing a client could not restrain me from', 'range antics of this fleshless man. even my dread of losing a client could not restrain me from show', ' antics of this fleshless man. even my dread of losing a client could not restrain me from showing m', 'cs of this fleshless man. even my dread of losing a client could not restrain me from showing my imp', ' this fleshless man. even my dread of losing a client could not restrain me from showing my impatien', ' fleshless man. even my dread of losing a client could not restrain me from showing my impatience. "', 'hless man. even my dread of losing a client could not restrain me from showing my impatience. "\'i be', ' man. even my dread of losing a client could not restrain me from showing my impatience. "\'i beg tha', ' even my dread of losing a client could not restrain me from showing my impatience. "\'i beg that you', ' my dread of losing a client could not restrain me from showing my impatience. "\'i beg that you will', 'read of losing a client could not restrain me from showing my impatience. "\'i beg that you will stat', 'of losing a client could not restrain me from showing my impatience. "\'i beg that you will state you', 'sing a client could not restrain me from showing my impatience. "\'i beg that you will state your bus', 'a client could not restrain me from showing my impatience. "\'i beg that you will state your business', 'ent could not restrain me from showing my impatience. "\'i beg that you will state your business, sir', 'ould not restrain me from showing my impatience. "\'i beg that you will state your business, sir,\' sa', 'not restrain me from showing my impatience. "\'i beg that you will state your business, sir,\' said i;', 'estrain me from showing my impatience. "\'i beg that you will state your business, sir,\' said i; \'my ', 'in me from showing my impatience. "\'i beg that you will state your business, sir,\' said i; \'my time ', ' from showing my impatience. "\'i beg that you will state your business, sir,\' said i; \'my time is of', ' showing my impatience. "\'i beg that you will state your business, sir,\' said i; \'my time is of valu', 'ing my impatience. "\'i beg that you will state your business, sir,\' said i; \'my time is of value.\' h', 'y impatience. "\'i beg that you will state your business, sir,\' said i; \'my time is of value.\' heaven', 'atience. "\'i beg that you will state your business, sir,\' said i; \'my time is of value.\' heaven forg', 'ce. "\'i beg that you will state your business, sir,\' said i; \'my time is of value.\' heaven forgive m', "'i beg that you will state your business, sir,' said i; 'my time is of value.' heaven forgive me for", "g that you will state your business, sir,' said i; 'my time is of value.' heaven forgive me for that", "t you will state your business, sir,' said i; 'my time is of value.' heaven forgive me for that last", " will state your business, sir,' said i; 'my time is of value.' heaven forgive me for that last sent", " state your business, sir,' said i; 'my time is of value.' heaven forgive me for that last sentence,", "e your business, sir,' said i; 'my time is of value.' heaven forgive me for that last sentence, but ", "r business, sir,' said i; 'my time is of value.' heaven forgive me for that last sentence, but the w", "iness, sir,' said i; 'my time is of value.' heaven forgive me for that last sentence, but the words ", ", sir,' said i; 'my time is of value.' heaven forgive me for that last sentence, but the words came ", ",' said i; 'my time is of value.' heaven forgive me for that last sentence, but the words came to my", "id i; 'my time is of value.' heaven forgive me for that last sentence, but the words came to my lips", ' \'my time is of value.\' heaven forgive me for that last sentence, but the words came to my lips. "\'h', 'time is of value.\' heaven forgive me for that last sentence, but the words came to my lips. "\'how wo', 'is of value.\' heaven forgive me for that last sentence, but the words came to my lips. "\'how would f', ' value.\' heaven forgive me for that last sentence, but the words came to my lips. "\'how would fifty ', 'e.\' heaven forgive me for that last sentence, but the words came to my lips. "\'how would fifty guine', 'eaven forgive me for that last sentence, but the words came to my lips. "\'how would fifty guineas fo', ' forgive me for that last sentence, but the words came to my lips. "\'how would fifty guineas for a n', 'ive me for that last sentence, but the words came to my lips. "\'how would fifty guineas for a night\'', 'e for that last sentence, but the words came to my lips. "\'how would fifty guineas for a night\'s wor', ' that last sentence, but the words came to my lips. "\'how would fifty guineas for a night\'s work sui', ' last sentence, but the words came to my lips. "\'how would fifty guineas for a night\'s work suit you', ' sentence, but the words came to my lips. "\'how would fifty guineas for a night\'s work suit you?\' he', 'ence, but the words came to my lips. "\'how would fifty guineas for a night\'s work suit you?\' he aske', ' but the words came to my lips. "\'how would fifty guineas for a night\'s work suit you?\' he asked. "\'', 'the words came to my lips. "\'how would fifty guineas for a night\'s work suit you?\' he asked. "\'most ', 'ords came to my lips. "\'how would fifty guineas for a night\'s work suit you?\' he asked. "\'most admir', 'came to my lips. "\'how would fifty guineas for a night\'s work suit you?\' he asked. "\'most admirably.', 'to my lips. "\'how would fifty guineas for a night\'s work suit you?\' he asked. "\'most admirably.\' "\'i', ' lips. "\'how would fifty guineas for a night\'s work suit you?\' he asked. "\'most admirably.\' "\'i say ', '. "\'how would fifty guineas for a night\'s work suit you?\' he asked. "\'most admirably.\' "\'i say a nig', 'ow would fifty guineas for a night\'s work suit you?\' he asked. "\'most admirably.\' "\'i say a night\'s ', 'uld fifty guineas for a night\'s work suit you?\' he asked. "\'most admirably.\' "\'i say a night\'s work,', 'ifty guineas for a night\'s work suit you?\' he asked. "\'most admirably.\' "\'i say a night\'s work, but ', 'guineas for a night\'s work suit you?\' he asked. "\'most admirably.\' "\'i say a night\'s work, but an ho', 'as for a night\'s work suit you?\' he asked. "\'most admirably.\' "\'i say a night\'s work, but an hour\'s ', 'r a night\'s work suit you?\' he asked. "\'most admirably.\' "\'i say a night\'s work, but an hour\'s would', 'ight\'s work suit you?\' he asked. "\'most admirably.\' "\'i say a night\'s work, but an hour\'s would be n', 's work suit you?\' he asked. "\'most admirably.\' "\'i say a night\'s work, but an hour\'s would be nearer', 'k suit you?\' he asked. "\'most admirably.\' "\'i say a night\'s work, but an hour\'s would be nearer the ', 't you?\' he asked. "\'most admirably.\' "\'i say a night\'s work, but an hour\'s would be nearer the mark.', '?\' he asked. "\'most admirably.\' "\'i say a night\'s work, but an hour\'s would be nearer the mark. i si', ' asked. "\'most admirably.\' "\'i say a night\'s work, but an hour\'s would be nearer the mark. i simply ', 'd. "\'most admirably.\' "\'i say a night\'s work, but an hour\'s would be nearer the mark. i simply want ', 'most admirably.\' "\'i say a night\'s work, but an hour\'s would be nearer the mark. i simply want your ', 'admirably.\' "\'i say a night\'s work, but an hour\'s would be nearer the mark. i simply want your opini', 'ably.\' "\'i say a night\'s work, but an hour\'s would be nearer the mark. i simply want your opinion ab', '\' "\'i say a night\'s work, but an hour\'s would be nearer the mark. i simply want your opinion about a', " say a night's work, but an hour's would be nearer the mark. i simply want your opinion about a hydr", "a night's work, but an hour's would be nearer the mark. i simply want your opinion about a hydraulic", "ht's work, but an hour's would be nearer the mark. i simply want your opinion about a hydraulic stam", "work, but an hour's would be nearer the mark. i simply want your opinion about a hydraulic stamping ", " but an hour's would be nearer the mark. i simply want your opinion about a hydraulic stamping machi", "an hour's would be nearer the mark. i simply want your opinion about a hydraulic stamping machine wh", "ur's would be nearer the mark. i simply want your opinion about a hydraulic stamping machine which h", 'would be nearer the mark. i simply want your opinion about a hydraulic stamping machine which has go', ' be nearer the mark. i simply want your opinion about a hydraulic stamping machine which has got out', 'earer the mark. i simply want your opinion about a hydraulic stamping machine which has got out of g', ' the mark. i simply want your opinion about a hydraulic stamping machine which has got out of gear. ', 'mark. i simply want your opinion about a hydraulic stamping machine which has got out of gear. if yo', ' i simply want your opinion about a hydraulic stamping machine which has got out of gear. if you sho', 'mply want your opinion about a hydraulic stamping machine which has got out of gear. if you show us ', 'want your opinion about a hydraulic stamping machine which has got out of gear. if you show us what ', 'your opinion about a hydraulic stamping machine which has got out of gear. if you show us what is wr', 'opinion about a hydraulic stamping machine which has got out of gear. if you show us what is wrong w', 'on about a hydraulic stamping machine which has got out of gear. if you show us what is wrong we sha', 'out a hydraulic stamping machine which has got out of gear. if you show us what is wrong we shall so', ' hydraulic stamping machine which has got out of gear. if you show us what is wrong we shall soon se', 'aulic stamping machine which has got out of gear. if you show us what is wrong we shall soon set it ', ' stamping machine which has got out of gear. if you show us what is wrong we shall soon set it right', 'ping machine which has got out of gear. if you show us what is wrong we shall soon set it right ours', 'machine which has got out of gear. if you show us what is wrong we shall soon set it right ourselves', 'ne which has got out of gear. if you show us what is wrong we shall soon set it right ourselves. wha', 'ich has got out of gear. if you show us what is wrong we shall soon set it right ourselves. what do ', 'as got out of gear. if you show us what is wrong we shall soon set it right ourselves. what do you t', 't out of gear. if you show us what is wrong we shall soon set it right ourselves. what do you think ', ' of gear. if you show us what is wrong we shall soon set it right ourselves. what do you think of su', 'ear. if you show us what is wrong we shall soon set it right ourselves. what do you think of such a ', 'if you show us what is wrong we shall soon set it right ourselves. what do you think of such a commi', 'u show us what is wrong we shall soon set it right ourselves. what do you think of such a commission', 'w us what is wrong we shall soon set it right ourselves. what do you think of such a commission as t', "what is wrong we shall soon set it right ourselves. what do you think of such a commission as that?'", 'is wrong we shall soon set it right ourselves. what do you think of such a commission as that?\' "\'th', 'ong we shall soon set it right ourselves. what do you think of such a commission as that?\' "\'the wor', 'e shall soon set it right ourselves. what do you think of such a commission as that?\' "\'the work app', 'll soon set it right ourselves. what do you think of such a commission as that?\' "\'the work appears ', 'on set it right ourselves. what do you think of such a commission as that?\' "\'the work appears to be', 't it right ourselves. what do you think of such a commission as that?\' "\'the work appears to be ligh', 'right ourselves. what do you think of such a commission as that?\' "\'the work appears to be light and', ' ourselves. what do you think of such a commission as that?\' "\'the work appears to be light and the ', 'elves. what do you think of such a commission as that?\' "\'the work appears to be light and the pay m', '. what do you think of such a commission as that?\' "\'the work appears to be light and the pay munifi', 't do you think of such a commission as that?\' "\'the work appears to be light and the pay munificent.', 'you think of such a commission as that?\' "\'the work appears to be light and the pay munificent.\' "\'p', 'hink of such a commission as that?\' "\'the work appears to be light and the pay munificent.\' "\'precis', 'of such a commission as that?\' "\'the work appears to be light and the pay munificent.\' "\'precisely s', 'ch a commission as that?\' "\'the work appears to be light and the pay munificent.\' "\'precisely so. we', 'commission as that?\' "\'the work appears to be light and the pay munificent.\' "\'precisely so. we shal', 'ssion as that?\' "\'the work appears to be light and the pay munificent.\' "\'precisely so. we shall wan', ' as that?\' "\'the work appears to be light and the pay munificent.\' "\'precisely so. we shall want you', 'hat?\' "\'the work appears to be light and the pay munificent.\' "\'precisely so. we shall want you to c', ' "\'the work appears to be light and the pay munificent.\' "\'precisely so. we shall want you to come t', 'e work appears to be light and the pay munificent.\' "\'precisely so. we shall want you to come to-nig', 'k appears to be light and the pay munificent.\' "\'precisely so. we shall want you to come to-night by', 'ears to be light and the pay munificent.\' "\'precisely so. we shall want you to come to-night by the ', 'to be light and the pay munificent.\' "\'precisely so. we shall want you to come to-night by the last ', ' light and the pay munificent.\' "\'precisely so. we shall want you to come to-night by the last train', 't and the pay munificent.\' "\'precisely so. we shall want you to come to-night by the last train.\' "\'', ' the pay munificent.\' "\'precisely so. we shall want you to come to-night by the last train.\' "\'where', 'pay munificent.\' "\'precisely so. we shall want you to come to-night by the last train.\' "\'where to?\'', 'unificent.\' "\'precisely so. we shall want you to come to-night by the last train.\' "\'where to?\' "\'to', 'cent.\' "\'precisely so. we shall want you to come to-night by the last train.\' "\'where to?\' "\'to eyfo', '\' "\'precisely so. we shall want you to come to-night by the last train.\' "\'where to?\' "\'to eyford, i', 'recisely so. we shall want you to come to-night by the last train.\' "\'where to?\' "\'to eyford, in ber', 'ely so. we shall want you to come to-night by the last train.\' "\'where to?\' "\'to eyford, in berkshir', 'o. we shall want you to come to-night by the last train.\' "\'where to?\' "\'to eyford, in berkshire. it', ' shall want you to come to-night by the last train.\' "\'where to?\' "\'to eyford, in berkshire. it is a', 'l want you to come to-night by the last train.\' "\'where to?\' "\'to eyford, in berkshire. it is a litt', 't you to come to-night by the last train.\' "\'where to?\' "\'to eyford, in berkshire. it is a little pl', ' to come to-night by the last train.\' "\'where to?\' "\'to eyford, in berkshire. it is a little place n', 'ome to-night by the last train.\' "\'where to?\' "\'to eyford, in berkshire. it is a little place near t', 'o-night by the last train.\' "\'where to?\' "\'to eyford, in berkshire. it is a little place near the bo', 'ht by the last train.\' "\'where to?\' "\'to eyford, in berkshire. it is a little place near the borders', ' the last train.\' "\'where to?\' "\'to eyford, in berkshire. it is a little place near the borders of o', 'last train.\' "\'where to?\' "\'to eyford, in berkshire. it is a little place near the borders of oxford', 'train.\' "\'where to?\' "\'to eyford, in berkshire. it is a little place near the borders of oxfordshire', '.\' "\'where to?\' "\'to eyford, in berkshire. it is a little place near the borders of oxfordshire, and', 'where to?\' "\'to eyford, in berkshire. it is a little place near the borders of oxfordshire, and with', ' to?\' "\'to eyford, in berkshire. it is a little place near the borders of oxfordshire, and within se', ' "\'to eyford, in berkshire. it is a little place near the borders of oxfordshire, and within seven m', ' eyford, in berkshire. it is a little place near the borders of oxfordshire, and within seven miles ', 'rd, in berkshire. it is a little place near the borders of oxfordshire, and within seven miles of re', 'n berkshire. it is a little place near the borders of oxfordshire, and within seven miles of reading', 'kshire. it is a little place near the borders of oxfordshire, and within seven miles of reading. the', 'e. it is a little place near the borders of oxfordshire, and within seven miles of reading. there is', ' is a little place near the borders of oxfordshire, and within seven miles of reading. there is a tr', ' little place near the borders of oxfordshire, and within seven miles of reading. there is a train f', 'le place near the borders of oxfordshire, and within seven miles of reading. there is a train from p', 'ace near the borders of oxfordshire, and within seven miles of reading. there is a train from paddin', 'ear the borders of oxfordshire, and within seven miles of reading. there is a train from paddington ', 'he borders of oxfordshire, and within seven miles of reading. there is a train from paddington which', 'rders of oxfordshire, and within seven miles of reading. there is a train from paddington which woul', ' of oxfordshire, and within seven miles of reading. there is a train from paddington which would bri', 'xfordshire, and within seven miles of reading. there is a train from paddington which would bring yo', 'shire, and within seven miles of reading. there is a train from paddington which would bring you the', ', and within seven miles of reading. there is a train from paddington which would bring you there at', ' within seven miles of reading. there is a train from paddington which would bring you there at abou', 'in seven miles of reading. there is a train from paddington which would bring you there at about : ', 'ven miles of reading. there is a train from paddington which would bring you there at about : .\' "\'', 'iles of reading. there is a train from paddington which would bring you there at about : .\' "\'very ', 'of reading. there is a train from paddington which would bring you there at about : .\' "\'very good.', 'ading. there is a train from paddington which would bring you there at about : .\' "\'very good.\' "\'i', '. there is a train from paddington which would bring you there at about : .\' "\'very good.\' "\'i shal', 're is a train from paddington which would bring you there at about : .\' "\'very good.\' "\'i shall com', ' a train from paddington which would bring you there at about : .\' "\'very good.\' "\'i shall come dow', 'ain from paddington which would bring you there at about : .\' "\'very good.\' "\'i shall come down in ', 'rom paddington which would bring you there at about : .\' "\'very good.\' "\'i shall come down in a car', 'addington which would bring you there at about : .\' "\'very good.\' "\'i shall come down in a carriage', 'gton which would bring you there at about : .\' "\'very good.\' "\'i shall come down in a carriage to m', 'which would bring you there at about : .\' "\'very good.\' "\'i shall come down in a carriage to meet y', ' would bring you there at about : .\' "\'very good.\' "\'i shall come down in a carriage to meet you.\' ', 'd bring you there at about : .\' "\'very good.\' "\'i shall come down in a carriage to meet you.\' "\'the', 'ng you there at about : .\' "\'very good.\' "\'i shall come down in a carriage to meet you.\' "\'there is', 'u there at about : .\' "\'very good.\' "\'i shall come down in a carriage to meet you.\' "\'there is a dr', 're at about : .\' "\'very good.\' "\'i shall come down in a carriage to meet you.\' "\'there is a drive, ', ' about : .\' "\'very good.\' "\'i shall come down in a carriage to meet you.\' "\'there is a drive, then?', 't : .\' "\'very good.\' "\'i shall come down in a carriage to meet you.\' "\'there is a drive, then?\' "\'y', '.\' "\'very good.\' "\'i shall come down in a carriage to meet you.\' "\'there is a drive, then?\' "\'yes, o', 'very good.\' "\'i shall come down in a carriage to meet you.\' "\'there is a drive, then?\' "\'yes, our li', 'good.\' "\'i shall come down in a carriage to meet you.\' "\'there is a drive, then?\' "\'yes, our little ', '\' "\'i shall come down in a carriage to meet you.\' "\'there is a drive, then?\' "\'yes, our little place', ' shall come down in a carriage to meet you.\' "\'there is a drive, then?\' "\'yes, our little place is q', 'l come down in a carriage to meet you.\' "\'there is a drive, then?\' "\'yes, our little place is quite ', 'e down in a carriage to meet you.\' "\'there is a drive, then?\' "\'yes, our little place is quite out i', 'n in a carriage to meet you.\' "\'there is a drive, then?\' "\'yes, our little place is quite out in the', 'a carriage to meet you.\' "\'there is a drive, then?\' "\'yes, our little place is quite out in the coun', 'riage to meet you.\' "\'there is a drive, then?\' "\'yes, our little place is quite out in the country. ', ' to meet you.\' "\'there is a drive, then?\' "\'yes, our little place is quite out in the country. it is', 'eet you.\' "\'there is a drive, then?\' "\'yes, our little place is quite out in the country. it is a go', 'ou.\' "\'there is a drive, then?\' "\'yes, our little place is quite out in the country. it is a good se', '"\'there is a drive, then?\' "\'yes, our little place is quite out in the country. it is a good seven m', 're is a drive, then?\' "\'yes, our little place is quite out in the country. it is a good seven miles ', ' a drive, then?\' "\'yes, our little place is quite out in the country. it is a good seven miles from ', 'ive, then?\' "\'yes, our little place is quite out in the country. it is a good seven miles from eyfor', 'then?\' "\'yes, our little place is quite out in the country. it is a good seven miles from eyford sta', '\' "\'yes, our little place is quite out in the country. it is a good seven miles from eyford station.', 'es, our little place is quite out in the country. it is a good seven miles from eyford station.\' "\'t', 'ur little place is quite out in the country. it is a good seven miles from eyford station.\' "\'then w', 'ttle place is quite out in the country. it is a good seven miles from eyford station.\' "\'then we can', 'place is quite out in the country. it is a good seven miles from eyford station.\' "\'then we can hard', ' is quite out in the country. it is a good seven miles from eyford station.\' "\'then we can hardly ge', 'uite out in the country. it is a good seven miles from eyford station.\' "\'then we can hardly get the', 'out in the country. it is a good seven miles from eyford station.\' "\'then we can hardly get there be', 'n the country. it is a good seven miles from eyford station.\' "\'then we can hardly get there before ', ' country. it is a good seven miles from eyford station.\' "\'then we can hardly get there before midni', 'try. it is a good seven miles from eyford station.\' "\'then we can hardly get there before midnight. ', 'it is a good seven miles from eyford station.\' "\'then we can hardly get there before midnight. i sup', ' a good seven miles from eyford station.\' "\'then we can hardly get there before midnight. i suppose ', 'od seven miles from eyford station.\' "\'then we can hardly get there before midnight. i suppose there', 'ven miles from eyford station.\' "\'then we can hardly get there before midnight. i suppose there woul', 'iles from eyford station.\' "\'then we can hardly get there before midnight. i suppose there would be ', 'from eyford station.\' "\'then we can hardly get there before midnight. i suppose there would be no ch', 'eyford station.\' "\'then we can hardly get there before midnight. i suppose there would be no chance ', 'd station.\' "\'then we can hardly get there before midnight. i suppose there would be no chance of a ', 'tion.\' "\'then we can hardly get there before midnight. i suppose there would be no chance of a train', '\' "\'then we can hardly get there before midnight. i suppose there would be no chance of a train back', 'hen we can hardly get there before midnight. i suppose there would be no chance of a train back. i s', 'e can hardly get there before midnight. i suppose there would be no chance of a train back. i should', ' hardly get there before midnight. i suppose there would be no chance of a train back. i should be c', 'ly get there before midnight. i suppose there would be no chance of a train back. i should be compel', 't there before midnight. i suppose there would be no chance of a train back. i should be compelled t', 're before midnight. i suppose there would be no chance of a train back. i should be compelled to sto', 'fore midnight. i suppose there would be no chance of a train back. i should be compelled to stop the', 'midnight. i suppose there would be no chance of a train back. i should be compelled to stop the nigh', 'ght. i suppose there would be no chance of a train back. i should be compelled to stop the night.\' "', 'i suppose there would be no chance of a train back. i should be compelled to stop the night.\' "\'yes,', 'pose there would be no chance of a train back. i should be compelled to stop the night.\' "\'yes, we c', 'there would be no chance of a train back. i should be compelled to stop the night.\' "\'yes, we could ', ' would be no chance of a train back. i should be compelled to stop the night.\' "\'yes, we could easil', 'd be no chance of a train back. i should be compelled to stop the night.\' "\'yes, we could easily giv', 'no chance of a train back. i should be compelled to stop the night.\' "\'yes, we could easily give you', 'ance of a train back. i should be compelled to stop the night.\' "\'yes, we could easily give you a sh', 'of a train back. i should be compelled to stop the night.\' "\'yes, we could easily give you a shake-d', 'train back. i should be compelled to stop the night.\' "\'yes, we could easily give you a shake-down.\'', ' back. i should be compelled to stop the night.\' "\'yes, we could easily give you a shake-down.\' "\'th', '. i should be compelled to stop the night.\' "\'yes, we could easily give you a shake-down.\' "\'that is', 'hould be compelled to stop the night.\' "\'yes, we could easily give you a shake-down.\' "\'that is very', ' be compelled to stop the night.\' "\'yes, we could easily give you a shake-down.\' "\'that is very awkw', 'ompelled to stop the night.\' "\'yes, we could easily give you a shake-down.\' "\'that is very awkward. ', 'led to stop the night.\' "\'yes, we could easily give you a shake-down.\' "\'that is very awkward. could', 'o stop the night.\' "\'yes, we could easily give you a shake-down.\' "\'that is very awkward. could i no', 'p the night.\' "\'yes, we could easily give you a shake-down.\' "\'that is very awkward. could i not com', ' night.\' "\'yes, we could easily give you a shake-down.\' "\'that is very awkward. could i not come at ', 't.\' "\'yes, we could easily give you a shake-down.\' "\'that is very awkward. could i not come at some ', '\'yes, we could easily give you a shake-down.\' "\'that is very awkward. could i not come at some more ', ' we could easily give you a shake-down.\' "\'that is very awkward. could i not come at some more conve', 'ould easily give you a shake-down.\' "\'that is very awkward. could i not come at some more convenient', 'easily give you a shake-down.\' "\'that is very awkward. could i not come at some more convenient hour', 'y give you a shake-down.\' "\'that is very awkward. could i not come at some more convenient hour?\' "\'', 'e you a shake-down.\' "\'that is very awkward. could i not come at some more convenient hour?\' "\'we ha', ' a shake-down.\' "\'that is very awkward. could i not come at some more convenient hour?\' "\'we have ju', 'ake-down.\' "\'that is very awkward. could i not come at some more convenient hour?\' "\'we have judged ', 'own.\' "\'that is very awkward. could i not come at some more convenient hour?\' "\'we have judged it be', ' "\'that is very awkward. could i not come at some more convenient hour?\' "\'we have judged it best th', 'at is very awkward. could i not come at some more convenient hour?\' "\'we have judged it best that yo', ' very awkward. could i not come at some more convenient hour?\' "\'we have judged it best that you sho', ' awkward. could i not come at some more convenient hour?\' "\'we have judged it best that you should c', 'ard. could i not come at some more convenient hour?\' "\'we have judged it best that you should come l', 'could i not come at some more convenient hour?\' "\'we have judged it best that you should come late. ', ' i not come at some more convenient hour?\' "\'we have judged it best that you should come late. it is', 't come at some more convenient hour?\' "\'we have judged it best that you should come late. it is to r', 'e at some more convenient hour?\' "\'we have judged it best that you should come late. it is to recomp', 'some more convenient hour?\' "\'we have judged it best that you should come late. it is to recompense ', 'more convenient hour?\' "\'we have judged it best that you should come late. it is to recompense you f', 'convenient hour?\' "\'we have judged it best that you should come late. it is to recompense you for an', 'nient hour?\' "\'we have judged it best that you should come late. it is to recompense you for any inc', ' hour?\' "\'we have judged it best that you should come late. it is to recompense you for any inconven', '?\' "\'we have judged it best that you should come late. it is to recompense you for any inconvenience', 'we have judged it best that you should come late. it is to recompense you for any inconvenience that', 've judged it best that you should come late. it is to recompense you for any inconvenience that we a', 'dged it best that you should come late. it is to recompense you for any inconvenience that we are pa', 'it best that you should come late. it is to recompense you for any inconvenience that we are paying ', 'st that you should come late. it is to recompense you for any inconvenience that we are paying to yo', 'at you should come late. it is to recompense you for any inconvenience that we are paying to you, a ', 'u should come late. it is to recompense you for any inconvenience that we are paying to you, a young', 'uld come late. it is to recompense you for any inconvenience that we are paying to you, a young and ', 'ome late. it is to recompense you for any inconvenience that we are paying to you, a young and unkno', 'ate. it is to recompense you for any inconvenience that we are paying to you, a young and unknown ma', 'it is to recompense you for any inconvenience that we are paying to you, a young and unknown man, a ', ' to recompense you for any inconvenience that we are paying to you, a young and unknown man, a fee w', 'ecompense you for any inconvenience that we are paying to you, a young and unknown man, a fee which ', 'ense you for any inconvenience that we are paying to you, a young and unknown man, a fee which would', 'you for any inconvenience that we are paying to you, a young and unknown man, a fee which would buy ', 'or any inconvenience that we are paying to you, a young and unknown man, a fee which would buy an op', 'y inconvenience that we are paying to you, a young and unknown man, a fee which would buy an opinion', 'onvenience that we are paying to you, a young and unknown man, a fee which would buy an opinion from', 'ience that we are paying to you, a young and unknown man, a fee which would buy an opinion from the ', ' that we are paying to you, a young and unknown man, a fee which would buy an opinion from the very ', ' we are paying to you, a young and unknown man, a fee which would buy an opinion from the very heads', 're paying to you, a young and unknown man, a fee which would buy an opinion from the very heads of y', 'ying to you, a young and unknown man, a fee which would buy an opinion from the very heads of your p', 'to you, a young and unknown man, a fee which would buy an opinion from the very heads of your profes', 'u, a young and unknown man, a fee which would buy an opinion from the very heads of your profession.', 'young and unknown man, a fee which would buy an opinion from the very heads of your profession. stil', ' and unknown man, a fee which would buy an opinion from the very heads of your profession. still, of', 'unknown man, a fee which would buy an opinion from the very heads of your profession. still, of cour', 'wn man, a fee which would buy an opinion from the very heads of your profession. still, of course, i', 'n, a fee which would buy an opinion from the very heads of your profession. still, of course, if you', 'fee which would buy an opinion from the very heads of your profession. still, of course, if you woul', 'hich would buy an opinion from the very heads of your profession. still, of course, if you would lik', 'would buy an opinion from the very heads of your profession. still, of course, if you would like to ', ' buy an opinion from the very heads of your profession. still, of course, if you would like to draw ', 'an opinion from the very heads of your profession. still, of course, if you would like to draw out o', 'inion from the very heads of your profession. still, of course, if you would like to draw out of the', ' from the very heads of your profession. still, of course, if you would like to draw out of the busi', ' the very heads of your profession. still, of course, if you would like to draw out of the business,', 'very heads of your profession. still, of course, if you would like to draw out of the business, ther', 'heads of your profession. still, of course, if you would like to draw out of the business, there is ', ' of your profession. still, of course, if you would like to draw out of the business, there is plent', 'our profession. still, of course, if you would like to draw out of the business, there is plenty of ', 'rofession. still, of course, if you would like to draw out of the business, there is plenty of time ', 'sion. still, of course, if you would like to draw out of the business, there is plenty of time to do', " still, of course, if you would like to draw out of the business, there is plenty of time to do so.'", 'l, of course, if you would like to draw out of the business, there is plenty of time to do so.\' "i t', ' course, if you would like to draw out of the business, there is plenty of time to do so.\' "i though', 'se, if you would like to draw out of the business, there is plenty of time to do so.\' "i thought of ', 'f you would like to draw out of the business, there is plenty of time to do so.\' "i thought of the f', ' would like to draw out of the business, there is plenty of time to do so.\' "i thought of the fifty ', 'd like to draw out of the business, there is plenty of time to do so.\' "i thought of the fifty guine', 'e to draw out of the business, there is plenty of time to do so.\' "i thought of the fifty guineas, a', 'draw out of the business, there is plenty of time to do so.\' "i thought of the fifty guineas, and of', 'out of the business, there is plenty of time to do so.\' "i thought of the fifty guineas, and of how ', 'f the business, there is plenty of time to do so.\' "i thought of the fifty guineas, and of how very ', ' business, there is plenty of time to do so.\' "i thought of the fifty guineas, and of how very usefu', 'ness, there is plenty of time to do so.\' "i thought of the fifty guineas, and of how very useful the', ' there is plenty of time to do so.\' "i thought of the fifty guineas, and of how very useful they wou', 'e is plenty of time to do so.\' "i thought of the fifty guineas, and of how very useful they would be', 'plenty of time to do so.\' "i thought of the fifty guineas, and of how very useful they would be to m', 'y of time to do so.\' "i thought of the fifty guineas, and of how very useful they would be to me. \'n', 'time to do so.\' "i thought of the fifty guineas, and of how very useful they would be to me. \'not at', 'to do so.\' "i thought of the fifty guineas, and of how very useful they would be to me. \'not at all,', ' so.\' "i thought of the fifty guineas, and of how very useful they would be to me. \'not at all,\' sai', ' "i thought of the fifty guineas, and of how very useful they would be to me. \'not at all,\' said i, ', "hought of the fifty guineas, and of how very useful they would be to me. 'not at all,' said i, 'i sh", "t of the fifty guineas, and of how very useful they would be to me. 'not at all,' said i, 'i shall b", "the fifty guineas, and of how very useful they would be to me. 'not at all,' said i, 'i shall be ver", "ifty guineas, and of how very useful they would be to me. 'not at all,' said i, 'i shall be very hap", "guineas, and of how very useful they would be to me. 'not at all,' said i, 'i shall be very happy to", "as, and of how very useful they would be to me. 'not at all,' said i, 'i shall be very happy to acco", "nd of how very useful they would be to me. 'not at all,' said i, 'i shall be very happy to accommoda", " how very useful they would be to me. 'not at all,' said i, 'i shall be very happy to accommodate my", "very useful they would be to me. 'not at all,' said i, 'i shall be very happy to accommodate myself ", "useful they would be to me. 'not at all,' said i, 'i shall be very happy to accommodate myself to yo", "l they would be to me. 'not at all,' said i, 'i shall be very happy to accommodate myself to your wi", "y would be to me. 'not at all,' said i, 'i shall be very happy to accommodate myself to your wishes.", "ld be to me. 'not at all,' said i, 'i shall be very happy to accommodate myself to your wishes. i sh", " to me. 'not at all,' said i, 'i shall be very happy to accommodate myself to your wishes. i should ", "e. 'not at all,' said i, 'i shall be very happy to accommodate myself to your wishes. i should like,", "ot at all,' said i, 'i shall be very happy to accommodate myself to your wishes. i should like, howe", " all,' said i, 'i shall be very happy to accommodate myself to your wishes. i should like, however, ", "' said i, 'i shall be very happy to accommodate myself to your wishes. i should like, however, to un", "d i, 'i shall be very happy to accommodate myself to your wishes. i should like, however, to underst", "'i shall be very happy to accommodate myself to your wishes. i should like, however, to understand a", 'all be very happy to accommodate myself to your wishes. i should like, however, to understand a litt', 'e very happy to accommodate myself to your wishes. i should like, however, to understand a little mo', 'y happy to accommodate myself to your wishes. i should like, however, to understand a little more cl', 'py to accommodate myself to your wishes. i should like, however, to understand a little more clearly', ' accommodate myself to your wishes. i should like, however, to understand a little more clearly what', 'mmodate myself to your wishes. i should like, however, to understand a little more clearly what it i', 'te myself to your wishes. i should like, however, to understand a little more clearly what it is tha', 'self to your wishes. i should like, however, to understand a little more clearly what it is that you', 'to your wishes. i should like, however, to understand a little more clearly what it is that you wish', 'ur wishes. i should like, however, to understand a little more clearly what it is that you wish me t', 'shes. i should like, however, to understand a little more clearly what it is that you wish me to do.', ' i should like, however, to understand a little more clearly what it is that you wish me to do.\' "\'q', 'ould like, however, to understand a little more clearly what it is that you wish me to do.\' "\'quite ', 'like, however, to understand a little more clearly what it is that you wish me to do.\' "\'quite so. i', ' however, to understand a little more clearly what it is that you wish me to do.\' "\'quite so. it is ', 'ver, to understand a little more clearly what it is that you wish me to do.\' "\'quite so. it is very ', 'to understand a little more clearly what it is that you wish me to do.\' "\'quite so. it is very natur', 'derstand a little more clearly what it is that you wish me to do.\' "\'quite so. it is very natural th', 'and a little more clearly what it is that you wish me to do.\' "\'quite so. it is very natural that th', ' little more clearly what it is that you wish me to do.\' "\'quite so. it is very natural that the ple', 'le more clearly what it is that you wish me to do.\' "\'quite so. it is very natural that the pledge o', 're clearly what it is that you wish me to do.\' "\'quite so. it is very natural that the pledge of sec', 'early what it is that you wish me to do.\' "\'quite so. it is very natural that the pledge of secrecy ', ' what it is that you wish me to do.\' "\'quite so. it is very natural that the pledge of secrecy which', ' it is that you wish me to do.\' "\'quite so. it is very natural that the pledge of secrecy which we h', 's that you wish me to do.\' "\'quite so. it is very natural that the pledge of secrecy which we have e', 't you wish me to do.\' "\'quite so. it is very natural that the pledge of secrecy which we have exacte', ' wish me to do.\' "\'quite so. it is very natural that the pledge of secrecy which we have exacted fro', ' me to do.\' "\'quite so. it is very natural that the pledge of secrecy which we have exacted from you', 'o do.\' "\'quite so. it is very natural that the pledge of secrecy which we have exacted from you shou', '\' "\'quite so. it is very natural that the pledge of secrecy which we have exacted from you should ha', 'uite so. it is very natural that the pledge of secrecy which we have exacted from you should have ar', 'so. it is very natural that the pledge of secrecy which we have exacted from you should have aroused', 't is very natural that the pledge of secrecy which we have exacted from you should have aroused your', 'very natural that the pledge of secrecy which we have exacted from you should have aroused your curi', 'natural that the pledge of secrecy which we have exacted from you should have aroused your curiosity', 'al that the pledge of secrecy which we have exacted from you should have aroused your curiosity. i h', 'at the pledge of secrecy which we have exacted from you should have aroused your curiosity. i have n', 'e pledge of secrecy which we have exacted from you should have aroused your curiosity. i have no wis', 'dge of secrecy which we have exacted from you should have aroused your curiosity. i have no wish to ', 'f secrecy which we have exacted from you should have aroused your curiosity. i have no wish to commi', 'recy which we have exacted from you should have aroused your curiosity. i have no wish to commit you', 'which we have exacted from you should have aroused your curiosity. i have no wish to commit you to a', ' we have exacted from you should have aroused your curiosity. i have no wish to commit you to anythi', 'ave exacted from you should have aroused your curiosity. i have no wish to commit you to anything wi', 'xacted from you should have aroused your curiosity. i have no wish to commit you to anything without', 'd from you should have aroused your curiosity. i have no wish to commit you to anything without your', 'm you should have aroused your curiosity. i have no wish to commit you to anything without your havi', ' should have aroused your curiosity. i have no wish to commit you to anything without your having it', 'ld have aroused your curiosity. i have no wish to commit you to anything without your having it all ', 've aroused your curiosity. i have no wish to commit you to anything without your having it all laid ', 'oused your curiosity. i have no wish to commit you to anything without your having it all laid befor', ' your curiosity. i have no wish to commit you to anything without your having it all laid before you', ' curiosity. i have no wish to commit you to anything without your having it all laid before you. i s', 'osity. i have no wish to commit you to anything without your having it all laid before you. i suppos', '. i have no wish to commit you to anything without your having it all laid before you. i suppose tha', 'ave no wish to commit you to anything without your having it all laid before you. i suppose that we ', 'o wish to commit you to anything without your having it all laid before you. i suppose that we are a', 'h to commit you to anything without your having it all laid before you. i suppose that we are absolu', 'commit you to anything without your having it all laid before you. i suppose that we are absolutely ', 't you to anything without your having it all laid before you. i suppose that we are absolutely safe ', ' to anything without your having it all laid before you. i suppose that we are absolutely safe from ', 'nything without your having it all laid before you. i suppose that we are absolutely safe from eaves', 'ng without your having it all laid before you. i suppose that we are absolutely safe from eavesdropp', "thout your having it all laid before you. i suppose that we are absolutely safe from eavesdroppers?'", ' your having it all laid before you. i suppose that we are absolutely safe from eavesdroppers?\' "\'en', ' having it all laid before you. i suppose that we are absolutely safe from eavesdroppers?\' "\'entirel', 'ng it all laid before you. i suppose that we are absolutely safe from eavesdroppers?\' "\'entirely.\' "', ' all laid before you. i suppose that we are absolutely safe from eavesdroppers?\' "\'entirely.\' "\'then', 'laid before you. i suppose that we are absolutely safe from eavesdroppers?\' "\'entirely.\' "\'then the ', 'before you. i suppose that we are absolutely safe from eavesdroppers?\' "\'entirely.\' "\'then the matte', 'e you. i suppose that we are absolutely safe from eavesdroppers?\' "\'entirely.\' "\'then the matter sta', '. i suppose that we are absolutely safe from eavesdroppers?\' "\'entirely.\' "\'then the matter stands t', 'uppose that we are absolutely safe from eavesdroppers?\' "\'entirely.\' "\'then the matter stands thus. ', 'e that we are absolutely safe from eavesdroppers?\' "\'entirely.\' "\'then the matter stands thus. you a', 't we are absolutely safe from eavesdroppers?\' "\'entirely.\' "\'then the matter stands thus. you are pr', 'are absolutely safe from eavesdroppers?\' "\'entirely.\' "\'then the matter stands thus. you are probabl', 'bsolutely safe from eavesdroppers?\' "\'entirely.\' "\'then the matter stands thus. you are probably awa', 'tely safe from eavesdroppers?\' "\'entirely.\' "\'then the matter stands thus. you are probably aware th', 'safe from eavesdroppers?\' "\'entirely.\' "\'then the matter stands thus. you are probably aware that fu', 'from eavesdroppers?\' "\'entirely.\' "\'then the matter stands thus. you are probably aware that fuller\'', 'eavesdroppers?\' "\'entirely.\' "\'then the matter stands thus. you are probably aware that fuller\'s-ear', 'droppers?\' "\'entirely.\' "\'then the matter stands thus. you are probably aware that fuller\'s-earth is', 'ers?\' "\'entirely.\' "\'then the matter stands thus. you are probably aware that fuller\'s-earth is a va', ' "\'entirely.\' "\'then the matter stands thus. you are probably aware that fuller\'s-earth is a valuabl', 'tirely.\' "\'then the matter stands thus. you are probably aware that fuller\'s-earth is a valuable pro', 'y.\' "\'then the matter stands thus. you are probably aware that fuller\'s-earth is a valuable product,', "'then the matter stands thus. you are probably aware that fuller's-earth is a valuable product, and ", " the matter stands thus. you are probably aware that fuller's-earth is a valuable product, and that ", "matter stands thus. you are probably aware that fuller's-earth is a valuable product, and that it is", "r stands thus. you are probably aware that fuller's-earth is a valuable product, and that it is only", "nds thus. you are probably aware that fuller's-earth is a valuable product, and that it is only foun", "hus. you are probably aware that fuller's-earth is a valuable product, and that it is only found in ", "you are probably aware that fuller's-earth is a valuable product, and that it is only found in one o", "re probably aware that fuller's-earth is a valuable product, and that it is only found in one or two", "obably aware that fuller's-earth is a valuable product, and that it is only found in one or two plac", "y aware that fuller's-earth is a valuable product, and that it is only found in one or two places in", "re that fuller's-earth is a valuable product, and that it is only found in one or two places in engl", "at fuller's-earth is a valuable product, and that it is only found in one or two places in england?'", 'ller\'s-earth is a valuable product, and that it is only found in one or two places in england?\' "\'i ', 's-earth is a valuable product, and that it is only found in one or two places in england?\' "\'i have ', 'th is a valuable product, and that it is only found in one or two places in england?\' "\'i have heard', ' a valuable product, and that it is only found in one or two places in england?\' "\'i have heard so.\'', 'luable product, and that it is only found in one or two places in england?\' "\'i have heard so.\' "\'so', 'e product, and that it is only found in one or two places in england?\' "\'i have heard so.\' "\'some li', 'duct, and that it is only found in one or two places in england?\' "\'i have heard so.\' "\'some little ', ' and that it is only found in one or two places in england?\' "\'i have heard so.\' "\'some little time ', 'that it is only found in one or two places in england?\' "\'i have heard so.\' "\'some little time ago i', 'it is only found in one or two places in england?\' "\'i have heard so.\' "\'some little time ago i boug', ' only found in one or two places in england?\' "\'i have heard so.\' "\'some little time ago i bought a ', ' found in one or two places in england?\' "\'i have heard so.\' "\'some little time ago i bought a small', 'd in one or two places in england?\' "\'i have heard so.\' "\'some little time ago i bought a small plac', 'one or two places in england?\' "\'i have heard so.\' "\'some little time ago i bought a small placea ve', 'r two places in england?\' "\'i have heard so.\' "\'some little time ago i bought a small placea very sm', ' places in england?\' "\'i have heard so.\' "\'some little time ago i bought a small placea very small p', 'es in england?\' "\'i have heard so.\' "\'some little time ago i bought a small placea very small placew', ' england?\' "\'i have heard so.\' "\'some little time ago i bought a small placea very small placewithin', 'and?\' "\'i have heard so.\' "\'some little time ago i bought a small placea very small placewithin ten ', ' "\'i have heard so.\' "\'some little time ago i bought a small placea very small placewithin ten miles', 'have heard so.\' "\'some little time ago i bought a small placea very small placewithin ten miles of r', 'heard so.\' "\'some little time ago i bought a small placea very small placewithin ten miles of readin', ' so.\' "\'some little time ago i bought a small placea very small placewithin ten miles of reading. i ', ' "\'some little time ago i bought a small placea very small placewithin ten miles of reading. i was f', 'me little time ago i bought a small placea very small placewithin ten miles of reading. i was fortun', 'ttle time ago i bought a small placea very small placewithin ten miles of reading. i was fortunate e', 'time ago i bought a small placea very small placewithin ten miles of reading. i was fortunate enough', 'ago i bought a small placea very small placewithin ten miles of reading. i was fortunate enough to d', ' bought a small placea very small placewithin ten miles of reading. i was fortunate enough to discov', 'ht a small placea very small placewithin ten miles of reading. i was fortunate enough to discover th', 'small placea very small placewithin ten miles of reading. i was fortunate enough to discover that th', ' placea very small placewithin ten miles of reading. i was fortunate enough to discover that there w', 'ea very small placewithin ten miles of reading. i was fortunate enough to discover that there was a ', 'ry small placewithin ten miles of reading. i was fortunate enough to discover that there was a depos', 'all placewithin ten miles of reading. i was fortunate enough to discover that there was a deposit of', 'lacewithin ten miles of reading. i was fortunate enough to discover that there was a deposit of full', "ithin ten miles of reading. i was fortunate enough to discover that there was a deposit of fuller's-", " ten miles of reading. i was fortunate enough to discover that there was a deposit of fuller's-earth", "miles of reading. i was fortunate enough to discover that there was a deposit of fuller's-earth in o", " of reading. i was fortunate enough to discover that there was a deposit of fuller's-earth in one of", "eading. i was fortunate enough to discover that there was a deposit of fuller's-earth in one of my f", "g. i was fortunate enough to discover that there was a deposit of fuller's-earth in one of my fields", "was fortunate enough to discover that there was a deposit of fuller's-earth in one of my fields. on ", "ortunate enough to discover that there was a deposit of fuller's-earth in one of my fields. on exami", "ate enough to discover that there was a deposit of fuller's-earth in one of my fields. on examining ", "nough to discover that there was a deposit of fuller's-earth in one of my fields. on examining it, h", " to discover that there was a deposit of fuller's-earth in one of my fields. on examining it, howeve", "iscover that there was a deposit of fuller's-earth in one of my fields. on examining it, however, i ", "er that there was a deposit of fuller's-earth in one of my fields. on examining it, however, i found", "at there was a deposit of fuller's-earth in one of my fields. on examining it, however, i found that", "ere was a deposit of fuller's-earth in one of my fields. on examining it, however, i found that this", "as a deposit of fuller's-earth in one of my fields. on examining it, however, i found that this depo", "deposit of fuller's-earth in one of my fields. on examining it, however, i found that this deposit w", "it of fuller's-earth in one of my fields. on examining it, however, i found that this deposit was a ", " fuller's-earth in one of my fields. on examining it, however, i found that this deposit was a compa", "er's-earth in one of my fields. on examining it, however, i found that this deposit was a comparativ", 'earth in one of my fields. on examining it, however, i found that this deposit was a comparatively s', ' in one of my fields. on examining it, however, i found that this deposit was a comparatively small ', 'ne of my fields. on examining it, however, i found that this deposit was a comparatively small one, ', ' my fields. on examining it, however, i found that this deposit was a comparatively small one, and t', 'ields. on examining it, however, i found that this deposit was a comparatively small one, and that i', '. on examining it, however, i found that this deposit was a comparatively small one, and that it for', 'examining it, however, i found that this deposit was a comparatively small one, and that it formed a', 'ning it, however, i found that this deposit was a comparatively small one, and that it formed a link', 'it, however, i found that this deposit was a comparatively small one, and that it formed a link betw', 'owever, i found that this deposit was a comparatively small one, and that it formed a link between t', 'r, i found that this deposit was a comparatively small one, and that it formed a link between two ve', 'found that this deposit was a comparatively small one, and that it formed a link between two very mu', ' that this deposit was a comparatively small one, and that it formed a link between two very much la', ' this deposit was a comparatively small one, and that it formed a link between two very much larger ', ' deposit was a comparatively small one, and that it formed a link between two very much larger ones ', 'sit was a comparatively small one, and that it formed a link between two very much larger ones upon ', 'as a comparatively small one, and that it formed a link between two very much larger ones upon the r', 'comparatively small one, and that it formed a link between two very much larger ones upon the right ', 'ratively small one, and that it formed a link between two very much larger ones upon the right and l', 'ely small one, and that it formed a link between two very much larger ones upon the right and leftbo', 'mall one, and that it formed a link between two very much larger ones upon the right and leftboth of', 'one, and that it formed a link between two very much larger ones upon the right and leftboth of them', 'and that it formed a link between two very much larger ones upon the right and leftboth of them, how', 'hat it formed a link between two very much larger ones upon the right and leftboth of them, however,', 't formed a link between two very much larger ones upon the right and leftboth of them, however, in t', 'med a link between two very much larger ones upon the right and leftboth of them, however, in the gr', ' link between two very much larger ones upon the right and leftboth of them, however, in the grounds', ' between two very much larger ones upon the right and leftboth of them, however, in the grounds of m', 'een two very much larger ones upon the right and leftboth of them, however, in the grounds of my nei', 'wo very much larger ones upon the right and leftboth of them, however, in the grounds of my neighbou', 'ry much larger ones upon the right and leftboth of them, however, in the grounds of my neighbours. t', 'ch larger ones upon the right and leftboth of them, however, in the grounds of my neighbours. these ', 'rger ones upon the right and leftboth of them, however, in the grounds of my neighbours. these good ', 'ones upon the right and leftboth of them, however, in the grounds of my neighbours. these good peopl', 'upon the right and leftboth of them, however, in the grounds of my neighbours. these good people wer', 'the right and leftboth of them, however, in the grounds of my neighbours. these good people were abs', 'ight and leftboth of them, however, in the grounds of my neighbours. these good people were absolute', 'and leftboth of them, however, in the grounds of my neighbours. these good people were absolutely ig', 'eftboth of them, however, in the grounds of my neighbours. these good people were absolutely ignoran', 'th of them, however, in the grounds of my neighbours. these good people were absolutely ignorant tha', ' them, however, in the grounds of my neighbours. these good people were absolutely ignorant that the', ', however, in the grounds of my neighbours. these good people were absolutely ignorant that their la', 'ever, in the grounds of my neighbours. these good people were absolutely ignorant that their land co', ' in the grounds of my neighbours. these good people were absolutely ignorant that their land contain', 'he grounds of my neighbours. these good people were absolutely ignorant that their land contained th', 'ounds of my neighbours. these good people were absolutely ignorant that their land contained that wh', ' of my neighbours. these good people were absolutely ignorant that their land contained that which w', 'y neighbours. these good people were absolutely ignorant that their land contained that which was qu', 'ghbours. these good people were absolutely ignorant that their land contained that which was quite a', 'rs. these good people were absolutely ignorant that their land contained that which was quite as val', 'hese good people were absolutely ignorant that their land contained that which was quite as valuable', 'good people were absolutely ignorant that their land contained that which was quite as valuable as a', 'people were absolutely ignorant that their land contained that which was quite as valuable as a gold', 'e were absolutely ignorant that their land contained that which was quite as valuable as a gold-mine', 'e absolutely ignorant that their land contained that which was quite as valuable as a gold-mine. nat', 'olutely ignorant that their land contained that which was quite as valuable as a gold-mine. naturall', 'ly ignorant that their land contained that which was quite as valuable as a gold-mine. naturally, it', 'norant that their land contained that which was quite as valuable as a gold-mine. naturally, it was ', 't that their land contained that which was quite as valuable as a gold-mine. naturally, it was to my', 't their land contained that which was quite as valuable as a gold-mine. naturally, it was to my inte', 'ir land contained that which was quite as valuable as a gold-mine. naturally, it was to my interest ', 'nd contained that which was quite as valuable as a gold-mine. naturally, it was to my interest to bu', 'ntained that which was quite as valuable as a gold-mine. naturally, it was to my interest to buy the', 'ed that which was quite as valuable as a gold-mine. naturally, it was to my interest to buy their la', 'at which was quite as valuable as a gold-mine. naturally, it was to my interest to buy their land be', 'ich was quite as valuable as a gold-mine. naturally, it was to my interest to buy their land before ', 'as quite as valuable as a gold-mine. naturally, it was to my interest to buy their land before they ', 'ite as valuable as a gold-mine. naturally, it was to my interest to buy their land before they disco', 's valuable as a gold-mine. naturally, it was to my interest to buy their land before they discovered', 'uable as a gold-mine. naturally, it was to my interest to buy their land before they discovered its ', ' as a gold-mine. naturally, it was to my interest to buy their land before they discovered its true ', ' gold-mine. naturally, it was to my interest to buy their land before they discovered its true value', '-mine. naturally, it was to my interest to buy their land before they discovered its true value, but', '. naturally, it was to my interest to buy their land before they discovered its true value, but unfo', 'urally, it was to my interest to buy their land before they discovered its true value, but unfortuna', 'y, it was to my interest to buy their land before they discovered its true value, but unfortunately ', ' was to my interest to buy their land before they discovered its true value, but unfortunately i had', 'to my interest to buy their land before they discovered its true value, but unfortunately i had no c', ' interest to buy their land before they discovered its true value, but unfortunately i had no capita', 'rest to buy their land before they discovered its true value, but unfortunately i had no capital by ', 'to buy their land before they discovered its true value, but unfortunately i had no capital by which', 'y their land before they discovered its true value, but unfortunately i had no capital by which i co', 'ir land before they discovered its true value, but unfortunately i had no capital by which i could d', 'nd before they discovered its true value, but unfortunately i had no capital by which i could do thi', 'fore they discovered its true value, but unfortunately i had no capital by which i could do this. i ', 'they discovered its true value, but unfortunately i had no capital by which i could do this. i took ', 'discovered its true value, but unfortunately i had no capital by which i could do this. i took a few', 'vered its true value, but unfortunately i had no capital by which i could do this. i took a few of m', ' its true value, but unfortunately i had no capital by which i could do this. i took a few of my fri', 'true value, but unfortunately i had no capital by which i could do this. i took a few of my friends ', 'value, but unfortunately i had no capital by which i could do this. i took a few of my friends into ', ', but unfortunately i had no capital by which i could do this. i took a few of my friends into the s', ' unfortunately i had no capital by which i could do this. i took a few of my friends into the secret', 'rtunately i had no capital by which i could do this. i took a few of my friends into the secret, how', 'tely i had no capital by which i could do this. i took a few of my friends into the secret, however,', 'i had no capital by which i could do this. i took a few of my friends into the secret, however, and ', ' no capital by which i could do this. i took a few of my friends into the secret, however, and they ', 'apital by which i could do this. i took a few of my friends into the secret, however, and they sugge', 'l by which i could do this. i took a few of my friends into the secret, however, and they suggested ', 'which i could do this. i took a few of my friends into the secret, however, and they suggested that ', ' i could do this. i took a few of my friends into the secret, however, and they suggested that we sh', 'uld do this. i took a few of my friends into the secret, however, and they suggested that we should ', 'o this. i took a few of my friends into the secret, however, and they suggested that we should quiet', 's. i took a few of my friends into the secret, however, and they suggested that we should quietly an', 'took a few of my friends into the secret, however, and they suggested that we should quietly and sec', 'a few of my friends into the secret, however, and they suggested that we should quietly and secretly', ' of my friends into the secret, however, and they suggested that we should quietly and secretly work', 'y friends into the secret, however, and they suggested that we should quietly and secretly work our ', 'ends into the secret, however, and they suggested that we should quietly and secretly work our own l', 'into the secret, however, and they suggested that we should quietly and secretly work our own little', 'the secret, however, and they suggested that we should quietly and secretly work our own little depo', 'ecret, however, and they suggested that we should quietly and secretly work our own little deposit a', ', however, and they suggested that we should quietly and secretly work our own little deposit and th', 'ever, and they suggested that we should quietly and secretly work our own little deposit and that in', ' and they suggested that we should quietly and secretly work our own little deposit and that in this', 'they suggested that we should quietly and secretly work our own little deposit and that in this way ', 'suggested that we should quietly and secretly work our own little deposit and that in this way we sh', 'sted that we should quietly and secretly work our own little deposit and that in this way we should ', 'that we should quietly and secretly work our own little deposit and that in this way we should earn ', 'we should quietly and secretly work our own little deposit and that in this way we should earn the m', 'ould quietly and secretly work our own little deposit and that in this way we should earn the money ', 'quietly and secretly work our own little deposit and that in this way we should earn the money which', 'ly and secretly work our own little deposit and that in this way we should earn the money which woul', 'd secretly work our own little deposit and that in this way we should earn the money which would ena', 'retly work our own little deposit and that in this way we should earn the money which would enable u', ' work our own little deposit and that in this way we should earn the money which would enable us to ', ' our own little deposit and that in this way we should earn the money which would enable us to buy t', 'own little deposit and that in this way we should earn the money which would enable us to buy the ne', 'ittle deposit and that in this way we should earn the money which would enable us to buy the neighbo', ' deposit and that in this way we should earn the money which would enable us to buy the neighbouring', 'sit and that in this way we should earn the money which would enable us to buy the neighbouring fiel', 'nd that in this way we should earn the money which would enable us to buy the neighbouring fields. t', 'at in this way we should earn the money which would enable us to buy the neighbouring fields. this w', ' this way we should earn the money which would enable us to buy the neighbouring fields. this we hav', ' way we should earn the money which would enable us to buy the neighbouring fields. this we have now', 'we should earn the money which would enable us to buy the neighbouring fields. this we have now been', 'ould earn the money which would enable us to buy the neighbouring fields. this we have now been doin', 'earn the money which would enable us to buy the neighbouring fields. this we have now been doing for', 'the money which would enable us to buy the neighbouring fields. this we have now been doing for some', 'oney which would enable us to buy the neighbouring fields. this we have now been doing for some time', 'which would enable us to buy the neighbouring fields. this we have now been doing for some time, and', ' would enable us to buy the neighbouring fields. this we have now been doing for some time, and in o', 'd enable us to buy the neighbouring fields. this we have now been doing for some time, and in order ', 'ble us to buy the neighbouring fields. this we have now been doing for some time, and in order to he', 's to buy the neighbouring fields. this we have now been doing for some time, and in order to help us', 'buy the neighbouring fields. this we have now been doing for some time, and in order to help us in o', 'he neighbouring fields. this we have now been doing for some time, and in order to help us in our op', 'ighbouring fields. this we have now been doing for some time, and in order to help us in our operati', 'uring fields. this we have now been doing for some time, and in order to help us in our operations w', ' fields. this we have now been doing for some time, and in order to help us in our operations we ere', 'ds. this we have now been doing for some time, and in order to help us in our operations we erected ', 'his we have now been doing for some time, and in order to help us in our operations we erected a hyd', 'e have now been doing for some time, and in order to help us in our operations we erected a hydrauli', 'e now been doing for some time, and in order to help us in our operations we erected a hydraulic pre', ' been doing for some time, and in order to help us in our operations we erected a hydraulic press. t', ' doing for some time, and in order to help us in our operations we erected a hydraulic press. this p', 'g for some time, and in order to help us in our operations we erected a hydraulic press. this press,', ' some time, and in order to help us in our operations we erected a hydraulic press. this press, as i', ' time, and in order to help us in our operations we erected a hydraulic press. this press, as i have', ', and in order to help us in our operations we erected a hydraulic press. this press, as i have alre', ' in order to help us in our operations we erected a hydraulic press. this press, as i have already e', 'rder to help us in our operations we erected a hydraulic press. this press, as i have already explai', 'to help us in our operations we erected a hydraulic press. this press, as i have already explained, ', 'lp us in our operations we erected a hydraulic press. this press, as i have already explained, has g', ' in our operations we erected a hydraulic press. this press, as i have already explained, has got ou', 'ur operations we erected a hydraulic press. this press, as i have already explained, has got out of ', 'erations we erected a hydraulic press. this press, as i have already explained, has got out of order', 'ons we erected a hydraulic press. this press, as i have already explained, has got out of order, and', 'e erected a hydraulic press. this press, as i have already explained, has got out of order, and we w', 'cted a hydraulic press. this press, as i have already explained, has got out of order, and we wish y', 'a hydraulic press. this press, as i have already explained, has got out of order, and we wish your a', 'raulic press. this press, as i have already explained, has got out of order, and we wish your advice', 'c press. this press, as i have already explained, has got out of order, and we wish your advice upon', 'ss. this press, as i have already explained, has got out of order, and we wish your advice upon the ', 'his press, as i have already explained, has got out of order, and we wish your advice upon the subje', 'ress, as i have already explained, has got out of order, and we wish your advice upon the subject. w', ' as i have already explained, has got out of order, and we wish your advice upon the subject. we gua', ' have already explained, has got out of order, and we wish your advice upon the subject. we guard ou', ' already explained, has got out of order, and we wish your advice upon the subject. we guard our sec', 'ady explained, has got out of order, and we wish your advice upon the subject. we guard our secret v', 'xplained, has got out of order, and we wish your advice upon the subject. we guard our secret very j', 'ned, has got out of order, and we wish your advice upon the subject. we guard our secret very jealou', 'has got out of order, and we wish your advice upon the subject. we guard our secret very jealously, ', 'ot out of order, and we wish your advice upon the subject. we guard our secret very jealously, howev', 't of order, and we wish your advice upon the subject. we guard our secret very jealously, however, a', 'order, and we wish your advice upon the subject. we guard our secret very jealously, however, and if', ', and we wish your advice upon the subject. we guard our secret very jealously, however, and if it o', ' we wish your advice upon the subject. we guard our secret very jealously, however, and if it once b', 'ish your advice upon the subject. we guard our secret very jealously, however, and if it once became', 'our advice upon the subject. we guard our secret very jealously, however, and if it once became know', 'dvice upon the subject. we guard our secret very jealously, however, and if it once became known tha', ' upon the subject. we guard our secret very jealously, however, and if it once became known that we ', ' the subject. we guard our secret very jealously, however, and if it once became known that we had h', 'subject. we guard our secret very jealously, however, and if it once became known that we had hydrau', 'ct. we guard our secret very jealously, however, and if it once became known that we had hydraulic e', 'e guard our secret very jealously, however, and if it once became known that we had hydraulic engine', 'rd our secret very jealously, however, and if it once became known that we had hydraulic engineers c', 'r secret very jealously, however, and if it once became known that we had hydraulic engineers coming', 'ret very jealously, however, and if it once became known that we had hydraulic engineers coming to o', 'ery jealously, however, and if it once became known that we had hydraulic engineers coming to our li', 'ealously, however, and if it once became known that we had hydraulic engineers coming to our little ', 'sly, however, and if it once became known that we had hydraulic engineers coming to our little house', 'however, and if it once became known that we had hydraulic engineers coming to our little house, it ', 'er, and if it once became known that we had hydraulic engineers coming to our little house, it would', 'nd if it once became known that we had hydraulic engineers coming to our little house, it would soon', ' it once became known that we had hydraulic engineers coming to our little house, it would soon rous', 'nce became known that we had hydraulic engineers coming to our little house, it would soon rouse inq', 'ecame known that we had hydraulic engineers coming to our little house, it would soon rouse inquiry,', ' known that we had hydraulic engineers coming to our little house, it would soon rouse inquiry, and ', 'n that we had hydraulic engineers coming to our little house, it would soon rouse inquiry, and then,', 't we had hydraulic engineers coming to our little house, it would soon rouse inquiry, and then, if t', 'had hydraulic engineers coming to our little house, it would soon rouse inquiry, and then, if the fa', 'ydraulic engineers coming to our little house, it would soon rouse inquiry, and then, if the facts c', 'lic engineers coming to our little house, it would soon rouse inquiry, and then, if the facts came o', 'ngineers coming to our little house, it would soon rouse inquiry, and then, if the facts came out, i', 'ers coming to our little house, it would soon rouse inquiry, and then, if the facts came out, it wou', 'oming to our little house, it would soon rouse inquiry, and then, if the facts came out, it would be', ' to our little house, it would soon rouse inquiry, and then, if the facts came out, it would be good', 'ur little house, it would soon rouse inquiry, and then, if the facts came out, it would be good-bye ', 'ttle house, it would soon rouse inquiry, and then, if the facts came out, it would be good-bye to an', 'house, it would soon rouse inquiry, and then, if the facts came out, it would be good-bye to any cha', ', it would soon rouse inquiry, and then, if the facts came out, it would be good-bye to any chance o', 'would soon rouse inquiry, and then, if the facts came out, it would be good-bye to any chance of get', ' soon rouse inquiry, and then, if the facts came out, it would be good-bye to any chance of getting ', ' rouse inquiry, and then, if the facts came out, it would be good-bye to any chance of getting these', 'e inquiry, and then, if the facts came out, it would be good-bye to any chance of getting these fiel', 'uiry, and then, if the facts came out, it would be good-bye to any chance of getting these fields an', ' and then, if the facts came out, it would be good-bye to any chance of getting these fields and car', 'then, if the facts came out, it would be good-bye to any chance of getting these fields and carrying', ' if the facts came out, it would be good-bye to any chance of getting these fields and carrying out ', 'he facts came out, it would be good-bye to any chance of getting these fields and carrying out our p', 'cts came out, it would be good-bye to any chance of getting these fields and carrying out our plans.', 'ame out, it would be good-bye to any chance of getting these fields and carrying out our plans. that', 'ut, it would be good-bye to any chance of getting these fields and carrying out our plans. that is w', 't would be good-bye to any chance of getting these fields and carrying out our plans. that is why i ', 'ld be good-bye to any chance of getting these fields and carrying out our plans. that is why i have ', ' good-bye to any chance of getting these fields and carrying out our plans. that is why i have made ', '-bye to any chance of getting these fields and carrying out our plans. that is why i have made you p', 'to any chance of getting these fields and carrying out our plans. that is why i have made you promis', 'y chance of getting these fields and carrying out our plans. that is why i have made you promise me ', 'nce of getting these fields and carrying out our plans. that is why i have made you promise me that ', 'f getting these fields and carrying out our plans. that is why i have made you promise me that you w', 'ting these fields and carrying out our plans. that is why i have made you promise me that you will n', 'these fields and carrying out our plans. that is why i have made you promise me that you will not te', ' fields and carrying out our plans. that is why i have made you promise me that you will not tell a ', 'ds and carrying out our plans. that is why i have made you promise me that you will not tell a human', 'd carrying out our plans. that is why i have made you promise me that you will not tell a human bein', 'rying out our plans. that is why i have made you promise me that you will not tell a human being tha', ' out our plans. that is why i have made you promise me that you will not tell a human being that you', 'our plans. that is why i have made you promise me that you will not tell a human being that you are ', 'lans. that is why i have made you promise me that you will not tell a human being that you are going', ' that is why i have made you promise me that you will not tell a human being that you are going to e', ' is why i have made you promise me that you will not tell a human being that you are going to eyford', 'hy i have made you promise me that you will not tell a human being that you are going to eyford to-n', 'have made you promise me that you will not tell a human being that you are going to eyford to-night.', 'made you promise me that you will not tell a human being that you are going to eyford to-night. i ho', 'you promise me that you will not tell a human being that you are going to eyford to-night. i hope th', 'romise me that you will not tell a human being that you are going to eyford to-night. i hope that i ', 'e me that you will not tell a human being that you are going to eyford to-night. i hope that i make ', 'that you will not tell a human being that you are going to eyford to-night. i hope that i make it al', 'you will not tell a human being that you are going to eyford to-night. i hope that i make it all pla', "ill not tell a human being that you are going to eyford to-night. i hope that i make it all plain?' ", 'ot tell a human being that you are going to eyford to-night. i hope that i make it all plain?\' "\'i q', 'll a human being that you are going to eyford to-night. i hope that i make it all plain?\' "\'i quite ', 'human being that you are going to eyford to-night. i hope that i make it all plain?\' "\'i quite follo', ' being that you are going to eyford to-night. i hope that i make it all plain?\' "\'i quite follow you', 'g that you are going to eyford to-night. i hope that i make it all plain?\' "\'i quite follow you,\' sa', 't you are going to eyford to-night. i hope that i make it all plain?\' "\'i quite follow you,\' said i.', ' are going to eyford to-night. i hope that i make it all plain?\' "\'i quite follow you,\' said i. \'the', 'going to eyford to-night. i hope that i make it all plain?\' "\'i quite follow you,\' said i. \'the only', ' to eyford to-night. i hope that i make it all plain?\' "\'i quite follow you,\' said i. \'the only poin', 'yford to-night. i hope that i make it all plain?\' "\'i quite follow you,\' said i. \'the only point whi', ' to-night. i hope that i make it all plain?\' "\'i quite follow you,\' said i. \'the only point which i ', 'ight. i hope that i make it all plain?\' "\'i quite follow you,\' said i. \'the only point which i could', ' i hope that i make it all plain?\' "\'i quite follow you,\' said i. \'the only point which i could not ', 'pe that i make it all plain?\' "\'i quite follow you,\' said i. \'the only point which i could not quite', 'at i make it all plain?\' "\'i quite follow you,\' said i. \'the only point which i could not quite unde', 'make it all plain?\' "\'i quite follow you,\' said i. \'the only point which i could not quite understan', 'it all plain?\' "\'i quite follow you,\' said i. \'the only point which i could not quite understand was', 'l plain?\' "\'i quite follow you,\' said i. \'the only point which i could not quite understand was what', 'in?\' "\'i quite follow you,\' said i. \'the only point which i could not quite understand was what use ', '"\'i quite follow you,\' said i. \'the only point which i could not quite understand was what use you c', "uite follow you,' said i. 'the only point which i could not quite understand was what use you could ", "follow you,' said i. 'the only point which i could not quite understand was what use you could make ", "w you,' said i. 'the only point which i could not quite understand was what use you could make of a ", ",' said i. 'the only point which i could not quite understand was what use you could make of a hydra", "id i. 'the only point which i could not quite understand was what use you could make of a hydraulic ", " 'the only point which i could not quite understand was what use you could make of a hydraulic press", ' only point which i could not quite understand was what use you could make of a hydraulic press in e', ' point which i could not quite understand was what use you could make of a hydraulic press in excava', 't which i could not quite understand was what use you could make of a hydraulic press in excavating ', 'ch i could not quite understand was what use you could make of a hydraulic press in excavating fulle', "could not quite understand was what use you could make of a hydraulic press in excavating fuller's-e", " not quite understand was what use you could make of a hydraulic press in excavating fuller's-earth,", "quite understand was what use you could make of a hydraulic press in excavating fuller's-earth, whic", " understand was what use you could make of a hydraulic press in excavating fuller's-earth, which, as", "rstand was what use you could make of a hydraulic press in excavating fuller's-earth, which, as i un", "d was what use you could make of a hydraulic press in excavating fuller's-earth, which, as i underst", " what use you could make of a hydraulic press in excavating fuller's-earth, which, as i understand, ", " use you could make of a hydraulic press in excavating fuller's-earth, which, as i understand, is du", "you could make of a hydraulic press in excavating fuller's-earth, which, as i understand, is dug out", "ould make of a hydraulic press in excavating fuller's-earth, which, as i understand, is dug out like", "make of a hydraulic press in excavating fuller's-earth, which, as i understand, is dug out like grav", "of a hydraulic press in excavating fuller's-earth, which, as i understand, is dug out like gravel fr", "hydraulic press in excavating fuller's-earth, which, as i understand, is dug out like gravel from a ", "ulic press in excavating fuller's-earth, which, as i understand, is dug out like gravel from a pit.'", 'press in excavating fuller\'s-earth, which, as i understand, is dug out like gravel from a pit.\' "\'ah', ' in excavating fuller\'s-earth, which, as i understand, is dug out like gravel from a pit.\' "\'ah said', 'xcavating fuller\'s-earth, which, as i understand, is dug out like gravel from a pit.\' "\'ah said he c', 'ting fuller\'s-earth, which, as i understand, is dug out like gravel from a pit.\' "\'ah said he carele', 'fuller\'s-earth, which, as i understand, is dug out like gravel from a pit.\' "\'ah said he carelessly,', 'r\'s-earth, which, as i understand, is dug out like gravel from a pit.\' "\'ah said he carelessly, \'we ', 'arth, which, as i understand, is dug out like gravel from a pit.\' "\'ah said he carelessly, \'we have ', ' which, as i understand, is dug out like gravel from a pit.\' "\'ah said he carelessly, \'we have our o', 'h, as i understand, is dug out like gravel from a pit.\' "\'ah said he carelessly, \'we have our own pr', ' i understand, is dug out like gravel from a pit.\' "\'ah said he carelessly, \'we have our own process', 'derstand, is dug out like gravel from a pit.\' "\'ah said he carelessly, \'we have our own process. we ', 'and, is dug out like gravel from a pit.\' "\'ah said he carelessly, \'we have our own process. we compr', 'is dug out like gravel from a pit.\' "\'ah said he carelessly, \'we have our own process. we compress t', 'g out like gravel from a pit.\' "\'ah said he carelessly, \'we have our own process. we compress the ea', ' like gravel from a pit.\' "\'ah said he carelessly, \'we have our own process. we compress the earth i', ' gravel from a pit.\' "\'ah said he carelessly, \'we have our own process. we compress the earth into b', 'el from a pit.\' "\'ah said he carelessly, \'we have our own process. we compress the earth into bricks', 'om a pit.\' "\'ah said he carelessly, \'we have our own process. we compress the earth into bricks, so ', 'pit.\' "\'ah said he carelessly, \'we have our own process. we compress the earth into bricks, so as to', ' "\'ah said he carelessly, \'we have our own process. we compress the earth into bricks, so as to remo', " said he carelessly, 'we have our own process. we compress the earth into bricks, so as to remove th", " he carelessly, 'we have our own process. we compress the earth into bricks, so as to remove them wi", "arelessly, 'we have our own process. we compress the earth into bricks, so as to remove them without", "ssly, 'we have our own process. we compress the earth into bricks, so as to remove them without reve", " 'we have our own process. we compress the earth into bricks, so as to remove them without revealing", 'have our own process. we compress the earth into bricks, so as to remove them without revealing what', 'our own process. we compress the earth into bricks, so as to remove them without revealing what they', 'wn process. we compress the earth into bricks, so as to remove them without revealing what they are.', 'ocess. we compress the earth into bricks, so as to remove them without revealing what they are. but ', '. we compress the earth into bricks, so as to remove them without revealing what they are. but that ', 'compress the earth into bricks, so as to remove them without revealing what they are. but that is a ', 'ess the earth into bricks, so as to remove them without revealing what they are. but that is a mere ', 'he earth into bricks, so as to remove them without revealing what they are. but that is a mere detai', 'rth into bricks, so as to remove them without revealing what they are. but that is a mere detail. i ', 'nto bricks, so as to remove them without revealing what they are. but that is a mere detail. i have ', 'ricks, so as to remove them without revealing what they are. but that is a mere detail. i have taken', ', so as to remove them without revealing what they are. but that is a mere detail. i have taken you ', 'as to remove them without revealing what they are. but that is a mere detail. i have taken you fully', ' remove them without revealing what they are. but that is a mere detail. i have taken you fully into', 've them without revealing what they are. but that is a mere detail. i have taken you fully into my c', 'em without revealing what they are. but that is a mere detail. i have taken you fully into my confid', 'thout revealing what they are. but that is a mere detail. i have taken you fully into my confidence ', ' revealing what they are. but that is a mere detail. i have taken you fully into my confidence now, ', 'aling what they are. but that is a mere detail. i have taken you fully into my confidence now, mr. h', ' what they are. but that is a mere detail. i have taken you fully into my confidence now, mr. hather', ' they are. but that is a mere detail. i have taken you fully into my confidence now, mr. hatherley, ', ' are. but that is a mere detail. i have taken you fully into my confidence now, mr. hatherley, and i', ' but that is a mere detail. i have taken you fully into my confidence now, mr. hatherley, and i have', 'that is a mere detail. i have taken you fully into my confidence now, mr. hatherley, and i have show', 'is a mere detail. i have taken you fully into my confidence now, mr. hatherley, and i have shown you', 'mere detail. i have taken you fully into my confidence now, mr. hatherley, and i have shown you how ', 'detail. i have taken you fully into my confidence now, mr. hatherley, and i have shown you how i tru', 'l. i have taken you fully into my confidence now, mr. hatherley, and i have shown you how i trust yo', "have taken you fully into my confidence now, mr. hatherley, and i have shown you how i trust you.' h", "taken you fully into my confidence now, mr. hatherley, and i have shown you how i trust you.' he ros", " you fully into my confidence now, mr. hatherley, and i have shown you how i trust you.' he rose as ", "fully into my confidence now, mr. hatherley, and i have shown you how i trust you.' he rose as he sp", " into my confidence now, mr. hatherley, and i have shown you how i trust you.' he rose as he spoke. ", " my confidence now, mr. hatherley, and i have shown you how i trust you.' he rose as he spoke. 'i sh", "onfidence now, mr. hatherley, and i have shown you how i trust you.' he rose as he spoke. 'i shall e", "ence now, mr. hatherley, and i have shown you how i trust you.' he rose as he spoke. 'i shall expect", "now, mr. hatherley, and i have shown you how i trust you.' he rose as he spoke. 'i shall expect you,", "mr. hatherley, and i have shown you how i trust you.' he rose as he spoke. 'i shall expect you, then", "atherley, and i have shown you how i trust you.' he rose as he spoke. 'i shall expect you, then, at ", "ley, and i have shown you how i trust you.' he rose as he spoke. 'i shall expect you, then, at eyfor", "and i have shown you how i trust you.' he rose as he spoke. 'i shall expect you, then, at eyford at ", " have shown you how i trust you.' he rose as he spoke. 'i shall expect you, then, at eyford at : .'", ' shown you how i trust you.\' he rose as he spoke. \'i shall expect you, then, at eyford at : .\' "\'i ', 'n you how i trust you.\' he rose as he spoke. \'i shall expect you, then, at eyford at : .\' "\'i shall', ' how i trust you.\' he rose as he spoke. \'i shall expect you, then, at eyford at : .\' "\'i shall cert', 'i trust you.\' he rose as he spoke. \'i shall expect you, then, at eyford at : .\' "\'i shall certainly', 'st you.\' he rose as he spoke. \'i shall expect you, then, at eyford at : .\' "\'i shall certainly be t', 'u.\' he rose as he spoke. \'i shall expect you, then, at eyford at : .\' "\'i shall certainly be there.', 'e rose as he spoke. \'i shall expect you, then, at eyford at : .\' "\'i shall certainly be there.\' "\'a', 'e as he spoke. \'i shall expect you, then, at eyford at : .\' "\'i shall certainly be there.\' "\'and no', 'he spoke. \'i shall expect you, then, at eyford at : .\' "\'i shall certainly be there.\' "\'and not a w', 'oke. \'i shall expect you, then, at eyford at : .\' "\'i shall certainly be there.\' "\'and not a word t', '\'i shall expect you, then, at eyford at : .\' "\'i shall certainly be there.\' "\'and not a word to a s', 'all expect you, then, at eyford at : .\' "\'i shall certainly be there.\' "\'and not a word to a soul.\'', 'xpect you, then, at eyford at : .\' "\'i shall certainly be there.\' "\'and not a word to a soul.\' he l', ' you, then, at eyford at : .\' "\'i shall certainly be there.\' "\'and not a word to a soul.\' he looked', ' then, at eyford at : .\' "\'i shall certainly be there.\' "\'and not a word to a soul.\' he looked at m', ', at eyford at : .\' "\'i shall certainly be there.\' "\'and not a word to a soul.\' he looked at me wit', 'eyford at : .\' "\'i shall certainly be there.\' "\'and not a word to a soul.\' he looked at me with a l', 'd at : .\' "\'i shall certainly be there.\' "\'and not a word to a soul.\' he looked at me with a last l', ' : .\' "\'i shall certainly be there.\' "\'and not a word to a soul.\' he looked at me with a last long, ', ' "\'i shall certainly be there.\' "\'and not a word to a soul.\' he looked at me with a last long, quest', 'shall certainly be there.\' "\'and not a word to a soul.\' he looked at me with a last long, questionin', ' certainly be there.\' "\'and not a word to a soul.\' he looked at me with a last long, questioning gaz', 'ainly be there.\' "\'and not a word to a soul.\' he looked at me with a last long, questioning gaze, an', ' be there.\' "\'and not a word to a soul.\' he looked at me with a last long, questioning gaze, and the', 'here.\' "\'and not a word to a soul.\' he looked at me with a last long, questioning gaze, and then, pr', '\' "\'and not a word to a soul.\' he looked at me with a last long, questioning gaze, and then, pressin', "nd not a word to a soul.' he looked at me with a last long, questioning gaze, and then, pressing my ", "t a word to a soul.' he looked at me with a last long, questioning gaze, and then, pressing my hand ", "ord to a soul.' he looked at me with a last long, questioning gaze, and then, pressing my hand in a ", "o a soul.' he looked at me with a last long, questioning gaze, and then, pressing my hand in a cold,", "oul.' he looked at me with a last long, questioning gaze, and then, pressing my hand in a cold, dank", ' he looked at me with a last long, questioning gaze, and then, pressing my hand in a cold, dank gras', 'ooked at me with a last long, questioning gaze, and then, pressing my hand in a cold, dank grasp, he', ' at me with a last long, questioning gaze, and then, pressing my hand in a cold, dank grasp, he hurr', 'e with a last long, questioning gaze, and then, pressing my hand in a cold, dank grasp, he hurried f', 'h a last long, questioning gaze, and then, pressing my hand in a cold, dank grasp, he hurried from t', 'ast long, questioning gaze, and then, pressing my hand in a cold, dank grasp, he hurried from the ro', 'ong, questioning gaze, and then, pressing my hand in a cold, dank grasp, he hurried from the room. "', 'questioning gaze, and then, pressing my hand in a cold, dank grasp, he hurried from the room. "well,', 'ioning gaze, and then, pressing my hand in a cold, dank grasp, he hurried from the room. "well, when', 'g gaze, and then, pressing my hand in a cold, dank grasp, he hurried from the room. "well, when i ca', 'e, and then, pressing my hand in a cold, dank grasp, he hurried from the room. "well, when i came to', 'd then, pressing my hand in a cold, dank grasp, he hurried from the room. "well, when i came to thin', 'n, pressing my hand in a cold, dank grasp, he hurried from the room. "well, when i came to think it ', 'essing my hand in a cold, dank grasp, he hurried from the room. "well, when i came to think it all o', 'g my hand in a cold, dank grasp, he hurried from the room. "well, when i came to think it all over i', 'hand in a cold, dank grasp, he hurried from the room. "well, when i came to think it all over in coo', 'in a cold, dank grasp, he hurried from the room. "well, when i came to think it all over in cool blo', 'cold, dank grasp, he hurried from the room. "well, when i came to think it all over in cool blood i ', ' dank grasp, he hurried from the room. "well, when i came to think it all over in cool blood i was v', ' grasp, he hurried from the room. "well, when i came to think it all over in cool blood i was very m', 'p, he hurried from the room. "well, when i came to think it all over in cool blood i was very much a', ' hurried from the room. "well, when i came to think it all over in cool blood i was very much astoni', 'ied from the room. "well, when i came to think it all over in cool blood i was very much astonished,', 'rom the room. "well, when i came to think it all over in cool blood i was very much astonished, as y', 'he room. "well, when i came to think it all over in cool blood i was very much astonished, as you ma', 'om. "well, when i came to think it all over in cool blood i was very much astonished, as you may bot', 'well, when i came to think it all over in cool blood i was very much astonished, as you may both thi', ' when i came to think it all over in cool blood i was very much astonished, as you may both think, a', ' i came to think it all over in cool blood i was very much astonished, as you may both think, at thi', 'me to think it all over in cool blood i was very much astonished, as you may both think, at this sud', ' think it all over in cool blood i was very much astonished, as you may both think, at this sudden c', 'k it all over in cool blood i was very much astonished, as you may both think, at this sudden commis', 'all over in cool blood i was very much astonished, as you may both think, at this sudden commission ', 'ver in cool blood i was very much astonished, as you may both think, at this sudden commission which', 'n cool blood i was very much astonished, as you may both think, at this sudden commission which had ', 'l blood i was very much astonished, as you may both think, at this sudden commission which had been ', 'od i was very much astonished, as you may both think, at this sudden commission which had been intru', 'was very much astonished, as you may both think, at this sudden commission which had been intrusted ', 'ery much astonished, as you may both think, at this sudden commission which had been intrusted to me', 'uch astonished, as you may both think, at this sudden commission which had been intrusted to me. on ', 'stonished, as you may both think, at this sudden commission which had been intrusted to me. on the o', 'shed, as you may both think, at this sudden commission which had been intrusted to me. on the one ha', ' as you may both think, at this sudden commission which had been intrusted to me. on the one hand, o', 'ou may both think, at this sudden commission which had been intrusted to me. on the one hand, of cou', 'y both think, at this sudden commission which had been intrusted to me. on the one hand, of course, ', 'h think, at this sudden commission which had been intrusted to me. on the one hand, of course, i was', 'nk, at this sudden commission which had been intrusted to me. on the one hand, of course, i was glad', 't this sudden commission which had been intrusted to me. on the one hand, of course, i was glad, for', 's sudden commission which had been intrusted to me. on the one hand, of course, i was glad, for the ', 'den commission which had been intrusted to me. on the one hand, of course, i was glad, for the fee w', 'ommission which had been intrusted to me. on the one hand, of course, i was glad, for the fee was at', 'sion which had been intrusted to me. on the one hand, of course, i was glad, for the fee was at leas', 'which had been intrusted to me. on the one hand, of course, i was glad, for the fee was at least ten', ' had been intrusted to me. on the one hand, of course, i was glad, for the fee was at least tenfold ', 'been intrusted to me. on the one hand, of course, i was glad, for the fee was at least tenfold what ', 'intrusted to me. on the one hand, of course, i was glad, for the fee was at least tenfold what i sho', 'sted to me. on the one hand, of course, i was glad, for the fee was at least tenfold what i should h', 'to me. on the one hand, of course, i was glad, for the fee was at least tenfold what i should have a', '. on the one hand, of course, i was glad, for the fee was at least tenfold what i should have asked ', 'the one hand, of course, i was glad, for the fee was at least tenfold what i should have asked had i', 'ne hand, of course, i was glad, for the fee was at least tenfold what i should have asked had i set ', 'nd, of course, i was glad, for the fee was at least tenfold what i should have asked had i set a pri', 'f course, i was glad, for the fee was at least tenfold what i should have asked had i set a price up', 'rse, i was glad, for the fee was at least tenfold what i should have asked had i set a price upon my', 'i was glad, for the fee was at least tenfold what i should have asked had i set a price upon my own ', ' glad, for the fee was at least tenfold what i should have asked had i set a price upon my own servi', ', for the fee was at least tenfold what i should have asked had i set a price upon my own services, ', ' the fee was at least tenfold what i should have asked had i set a price upon my own services, and i', 'fee was at least tenfold what i should have asked had i set a price upon my own services, and it was', 'as at least tenfold what i should have asked had i set a price upon my own services, and it was poss', ' least tenfold what i should have asked had i set a price upon my own services, and it was possible ', 't tenfold what i should have asked had i set a price upon my own services, and it was possible that ', 'fold what i should have asked had i set a price upon my own services, and it was possible that this ', 'what i should have asked had i set a price upon my own services, and it was possible that this order', 'i should have asked had i set a price upon my own services, and it was possible that this order migh', 'uld have asked had i set a price upon my own services, and it was possible that this order might lea', 'ave asked had i set a price upon my own services, and it was possible that this order might lead to ', 'sked had i set a price upon my own services, and it was possible that this order might lead to other', 'had i set a price upon my own services, and it was possible that this order might lead to other ones', ' set a price upon my own services, and it was possible that this order might lead to other ones. on ', 'a price upon my own services, and it was possible that this order might lead to other ones. on the o', 'ce upon my own services, and it was possible that this order might lead to other ones. on the other ', 'on my own services, and it was possible that this order might lead to other ones. on the other hand,', ' own services, and it was possible that this order might lead to other ones. on the other hand, the ', 'services, and it was possible that this order might lead to other ones. on the other hand, the face ', 'ces, and it was possible that this order might lead to other ones. on the other hand, the face and m', 'and it was possible that this order might lead to other ones. on the other hand, the face and manner', 't was possible that this order might lead to other ones. on the other hand, the face and manner of m', ' possible that this order might lead to other ones. on the other hand, the face and manner of my pat', 'ible that this order might lead to other ones. on the other hand, the face and manner of my patron h', 'that this order might lead to other ones. on the other hand, the face and manner of my patron had ma', 'this order might lead to other ones. on the other hand, the face and manner of my patron had made an', 'order might lead to other ones. on the other hand, the face and manner of my patron had made an unpl', ' might lead to other ones. on the other hand, the face and manner of my patron had made an unpleasan', 't lead to other ones. on the other hand, the face and manner of my patron had made an unpleasant imp', 'd to other ones. on the other hand, the face and manner of my patron had made an unpleasant impressi', 'other ones. on the other hand, the face and manner of my patron had made an unpleasant impression up', ' ones. on the other hand, the face and manner of my patron had made an unpleasant impression upon me', '. on the other hand, the face and manner of my patron had made an unpleasant impression upon me, and', 'the other hand, the face and manner of my patron had made an unpleasant impression upon me, and i co', 'ther hand, the face and manner of my patron had made an unpleasant impression upon me, and i could n', 'hand, the face and manner of my patron had made an unpleasant impression upon me, and i could not th', ' the face and manner of my patron had made an unpleasant impression upon me, and i could not think t', 'face and manner of my patron had made an unpleasant impression upon me, and i could not think that h', 'and manner of my patron had made an unpleasant impression upon me, and i could not think that his ex', 'anner of my patron had made an unpleasant impression upon me, and i could not think that his explana', ' of my patron had made an unpleasant impression upon me, and i could not think that his explanation ', 'y patron had made an unpleasant impression upon me, and i could not think that his explanation of th', 'ron had made an unpleasant impression upon me, and i could not think that his explanation of the ful', "ad made an unpleasant impression upon me, and i could not think that his explanation of the fuller's", "de an unpleasant impression upon me, and i could not think that his explanation of the fuller's-eart", " unpleasant impression upon me, and i could not think that his explanation of the fuller's-earth was", "easant impression upon me, and i could not think that his explanation of the fuller's-earth was suff", "t impression upon me, and i could not think that his explanation of the fuller's-earth was sufficien", "ression upon me, and i could not think that his explanation of the fuller's-earth was sufficient to ", "on upon me, and i could not think that his explanation of the fuller's-earth was sufficient to expla", "on me, and i could not think that his explanation of the fuller's-earth was sufficient to explain th", ", and i could not think that his explanation of the fuller's-earth was sufficient to explain the nec", " i could not think that his explanation of the fuller's-earth was sufficient to explain the necessit", "uld not think that his explanation of the fuller's-earth was sufficient to explain the necessity for", "ot think that his explanation of the fuller's-earth was sufficient to explain the necessity for my c", "ink that his explanation of the fuller's-earth was sufficient to explain the necessity for my coming", "hat his explanation of the fuller's-earth was sufficient to explain the necessity for my coming at m", "is explanation of the fuller's-earth was sufficient to explain the necessity for my coming at midnig", "planation of the fuller's-earth was sufficient to explain the necessity for my coming at midnight, a", "tion of the fuller's-earth was sufficient to explain the necessity for my coming at midnight, and hi", "of the fuller's-earth was sufficient to explain the necessity for my coming at midnight, and his ext", "e fuller's-earth was sufficient to explain the necessity for my coming at midnight, and his extreme ", "ler's-earth was sufficient to explain the necessity for my coming at midnight, and his extreme anxie", '-earth was sufficient to explain the necessity for my coming at midnight, and his extreme anxiety le', 'h was sufficient to explain the necessity for my coming at midnight, and his extreme anxiety lest i ', ' sufficient to explain the necessity for my coming at midnight, and his extreme anxiety lest i shoul', 'icient to explain the necessity for my coming at midnight, and his extreme anxiety lest i should tel', 't to explain the necessity for my coming at midnight, and his extreme anxiety lest i should tell any', 'explain the necessity for my coming at midnight, and his extreme anxiety lest i should tell anyone o', 'in the necessity for my coming at midnight, and his extreme anxiety lest i should tell anyone of my ', 'e necessity for my coming at midnight, and his extreme anxiety lest i should tell anyone of my erran', 'essity for my coming at midnight, and his extreme anxiety lest i should tell anyone of my errand. ho', 'y for my coming at midnight, and his extreme anxiety lest i should tell anyone of my errand. however', ' my coming at midnight, and his extreme anxiety lest i should tell anyone of my errand. however, i t', 'oming at midnight, and his extreme anxiety lest i should tell anyone of my errand. however, i threw ', ' at midnight, and his extreme anxiety lest i should tell anyone of my errand. however, i threw all f', 'idnight, and his extreme anxiety lest i should tell anyone of my errand. however, i threw all fears ', 'ht, and his extreme anxiety lest i should tell anyone of my errand. however, i threw all fears to th', 'nd his extreme anxiety lest i should tell anyone of my errand. however, i threw all fears to the win', 's extreme anxiety lest i should tell anyone of my errand. however, i threw all fears to the winds, a', 'reme anxiety lest i should tell anyone of my errand. however, i threw all fears to the winds, ate a ', 'anxiety lest i should tell anyone of my errand. however, i threw all fears to the winds, ate a heart', 'ty lest i should tell anyone of my errand. however, i threw all fears to the winds, ate a hearty sup', 'st i should tell anyone of my errand. however, i threw all fears to the winds, ate a hearty supper, ', 'should tell anyone of my errand. however, i threw all fears to the winds, ate a hearty supper, drove', 'd tell anyone of my errand. however, i threw all fears to the winds, ate a hearty supper, drove to p', 'l anyone of my errand. however, i threw all fears to the winds, ate a hearty supper, drove to paddin', 'one of my errand. however, i threw all fears to the winds, ate a hearty supper, drove to paddington,', 'f my errand. however, i threw all fears to the winds, ate a hearty supper, drove to paddington, and ', 'errand. however, i threw all fears to the winds, ate a hearty supper, drove to paddington, and start', 'd. however, i threw all fears to the winds, ate a hearty supper, drove to paddington, and started of', 'wever, i threw all fears to the winds, ate a hearty supper, drove to paddington, and started off, ha', ', i threw all fears to the winds, ate a hearty supper, drove to paddington, and started off, having ', 'hrew all fears to the winds, ate a hearty supper, drove to paddington, and started off, having obeye', 'all fears to the winds, ate a hearty supper, drove to paddington, and started off, having obeyed to ', 'ears to the winds, ate a hearty supper, drove to paddington, and started off, having obeyed to the l', 'to the winds, ate a hearty supper, drove to paddington, and started off, having obeyed to the letter', 'e winds, ate a hearty supper, drove to paddington, and started off, having obeyed to the letter the ', 'ds, ate a hearty supper, drove to paddington, and started off, having obeyed to the letter the injun', 'te a hearty supper, drove to paddington, and started off, having obeyed to the letter the injunction', 'hearty supper, drove to paddington, and started off, having obeyed to the letter the injunction as t', 'y supper, drove to paddington, and started off, having obeyed to the letter the injunction as to hol', 'per, drove to paddington, and started off, having obeyed to the letter the injunction as to holding ', 'drove to paddington, and started off, having obeyed to the letter the injunction as to holding my to', ' to paddington, and started off, having obeyed to the letter the injunction as to holding my tongue.', 'addington, and started off, having obeyed to the letter the injunction as to holding my tongue. "at ', 'gton, and started off, having obeyed to the letter the injunction as to holding my tongue. "at readi', ' and started off, having obeyed to the letter the injunction as to holding my tongue. "at reading i ', 'started off, having obeyed to the letter the injunction as to holding my tongue. "at reading i had t', 'ed off, having obeyed to the letter the injunction as to holding my tongue. "at reading i had to cha', 'f, having obeyed to the letter the injunction as to holding my tongue. "at reading i had to change n', 'ving obeyed to the letter the injunction as to holding my tongue. "at reading i had to change not on', 'obeyed to the letter the injunction as to holding my tongue. "at reading i had to change not only my', 'd to the letter the injunction as to holding my tongue. "at reading i had to change not only my carr', 'the letter the injunction as to holding my tongue. "at reading i had to change not only my carriage ', 'etter the injunction as to holding my tongue. "at reading i had to change not only my carriage but m', ' the injunction as to holding my tongue. "at reading i had to change not only my carriage but my sta', 'injunction as to holding my tongue. "at reading i had to change not only my carriage but my station.', 'ction as to holding my tongue. "at reading i had to change not only my carriage but my station. howe', ' as to holding my tongue. "at reading i had to change not only my carriage but my station. however, ', 'o holding my tongue. "at reading i had to change not only my carriage but my station. however, i was', 'ding my tongue. "at reading i had to change not only my carriage but my station. however, i was in t', 'my tongue. "at reading i had to change not only my carriage but my station. however, i was in time f', 'ngue. "at reading i had to change not only my carriage but my station. however, i was in time for th', ' "at reading i had to change not only my carriage but my station. however, i was in time for the las', 'reading i had to change not only my carriage but my station. however, i was in time for the last tra', 'ng i had to change not only my carriage but my station. however, i was in time for the last train to', 'had to change not only my carriage but my station. however, i was in time for the last train to eyfo', 'o change not only my carriage but my station. however, i was in time for the last train to eyford, a', 'nge not only my carriage but my station. however, i was in time for the last train to eyford, and i ', 'ot only my carriage but my station. however, i was in time for the last train to eyford, and i reach', 'ly my carriage but my station. however, i was in time for the last train to eyford, and i reached th', ' carriage but my station. however, i was in time for the last train to eyford, and i reached the lit', 'iage but my station. however, i was in time for the last train to eyford, and i reached the little d', 'but my station. however, i was in time for the last train to eyford, and i reached the little dim-li', 'y station. however, i was in time for the last train to eyford, and i reached the little dim-lit sta', 'tion. however, i was in time for the last train to eyford, and i reached the little dim-lit station ', ' however, i was in time for the last train to eyford, and i reached the little dim-lit station after', 'ver, i was in time for the last train to eyford, and i reached the little dim-lit station after elev', "i was in time for the last train to eyford, and i reached the little dim-lit station after eleven o'", " in time for the last train to eyford, and i reached the little dim-lit station after eleven o'clock", "ime for the last train to eyford, and i reached the little dim-lit station after eleven o'clock. i w", "or the last train to eyford, and i reached the little dim-lit station after eleven o'clock. i was th", "e last train to eyford, and i reached the little dim-lit station after eleven o'clock. i was the onl", "t train to eyford, and i reached the little dim-lit station after eleven o'clock. i was the only pas", "in to eyford, and i reached the little dim-lit station after eleven o'clock. i was the only passenge", " eyford, and i reached the little dim-lit station after eleven o'clock. i was the only passenger who", "rd, and i reached the little dim-lit station after eleven o'clock. i was the only passenger who got ", "nd i reached the little dim-lit station after eleven o'clock. i was the only passenger who got out t", "reached the little dim-lit station after eleven o'clock. i was the only passenger who got out there,", "ed the little dim-lit station after eleven o'clock. i was the only passenger who got out there, and ", "e little dim-lit station after eleven o'clock. i was the only passenger who got out there, and there", "tle dim-lit station after eleven o'clock. i was the only passenger who got out there, and there was ", "im-lit station after eleven o'clock. i was the only passenger who got out there, and there was no on", "t station after eleven o'clock. i was the only passenger who got out there, and there was no one upo", "tion after eleven o'clock. i was the only passenger who got out there, and there was no one upon the", "after eleven o'clock. i was the only passenger who got out there, and there was no one upon the plat", " eleven o'clock. i was the only passenger who got out there, and there was no one upon the platform ", "en o'clock. i was the only passenger who got out there, and there was no one upon the platform save ", 'clock. i was the only passenger who got out there, and there was no one upon the platform save a sin', '. i was the only passenger who got out there, and there was no one upon the platform save a single s', 'as the only passenger who got out there, and there was no one upon the platform save a single sleepy', 'e only passenger who got out there, and there was no one upon the platform save a single sleepy port', 'y passenger who got out there, and there was no one upon the platform save a single sleepy porter wi', 'senger who got out there, and there was no one upon the platform save a single sleepy porter with a ', 'r who got out there, and there was no one upon the platform save a single sleepy porter with a lante', ' got out there, and there was no one upon the platform save a single sleepy porter with a lantern. a', 'out there, and there was no one upon the platform save a single sleepy porter with a lantern. as i p', 'here, and there was no one upon the platform save a single sleepy porter with a lantern. as i passed', ' and there was no one upon the platform save a single sleepy porter with a lantern. as i passed out ', 'there was no one upon the platform save a single sleepy porter with a lantern. as i passed out throu', ' was no one upon the platform save a single sleepy porter with a lantern. as i passed out through th', 'no one upon the platform save a single sleepy porter with a lantern. as i passed out through the wic', 'e upon the platform save a single sleepy porter with a lantern. as i passed out through the wicket g', 'n the platform save a single sleepy porter with a lantern. as i passed out through the wicket gate, ', ' platform save a single sleepy porter with a lantern. as i passed out through the wicket gate, howev', 'form save a single sleepy porter with a lantern. as i passed out through the wicket gate, however, i', 'save a single sleepy porter with a lantern. as i passed out through the wicket gate, however, i foun', 'a single sleepy porter with a lantern. as i passed out through the wicket gate, however, i found my ', 'gle sleepy porter with a lantern. as i passed out through the wicket gate, however, i found my acqua', 'leepy porter with a lantern. as i passed out through the wicket gate, however, i found my acquaintan', ' porter with a lantern. as i passed out through the wicket gate, however, i found my acquaintance of', 'er with a lantern. as i passed out through the wicket gate, however, i found my acquaintance of the ', 'th a lantern. as i passed out through the wicket gate, however, i found my acquaintance of the morni', 'lantern. as i passed out through the wicket gate, however, i found my acquaintance of the morning wa', 'rn. as i passed out through the wicket gate, however, i found my acquaintance of the morning waiting', 's i passed out through the wicket gate, however, i found my acquaintance of the morning waiting in t', 'assed out through the wicket gate, however, i found my acquaintance of the morning waiting in the sh', ' out through the wicket gate, however, i found my acquaintance of the morning waiting in the shadow ', 'through the wicket gate, however, i found my acquaintance of the morning waiting in the shadow upon ', 'gh the wicket gate, however, i found my acquaintance of the morning waiting in the shadow upon the o', 'e wicket gate, however, i found my acquaintance of the morning waiting in the shadow upon the other ', 'ket gate, however, i found my acquaintance of the morning waiting in the shadow upon the other side.', 'ate, however, i found my acquaintance of the morning waiting in the shadow upon the other side. with', 'however, i found my acquaintance of the morning waiting in the shadow upon the other side. without a', 'er, i found my acquaintance of the morning waiting in the shadow upon the other side. without a word', ' found my acquaintance of the morning waiting in the shadow upon the other side. without a word he g', 'd my acquaintance of the morning waiting in the shadow upon the other side. without a word he graspe', 'acquaintance of the morning waiting in the shadow upon the other side. without a word he grasped my ', 'intance of the morning waiting in the shadow upon the other side. without a word he grasped my arm a', 'ce of the morning waiting in the shadow upon the other side. without a word he grasped my arm and hu', ' the morning waiting in the shadow upon the other side. without a word he grasped my arm and hurried', 'morning waiting in the shadow upon the other side. without a word he grasped my arm and hurried me i', 'ng waiting in the shadow upon the other side. without a word he grasped my arm and hurried me into a', 'iting in the shadow upon the other side. without a word he grasped my arm and hurried me into a carr', ' in the shadow upon the other side. without a word he grasped my arm and hurried me into a carriage,', 'he shadow upon the other side. without a word he grasped my arm and hurried me into a carriage, the ', 'adow upon the other side. without a word he grasped my arm and hurried me into a carriage, the door ', 'upon the other side. without a word he grasped my arm and hurried me into a carriage, the door of wh', 'the other side. without a word he grasped my arm and hurried me into a carriage, the door of which w', 'ther side. without a word he grasped my arm and hurried me into a carriage, the door of which was st', 'side. without a word he grasped my arm and hurried me into a carriage, the door of which was standin', ' without a word he grasped my arm and hurried me into a carriage, the door of which was standing ope', 'out a word he grasped my arm and hurried me into a carriage, the door of which was standing open. he', ' word he grasped my arm and hurried me into a carriage, the door of which was standing open. he drew', ' he grasped my arm and hurried me into a carriage, the door of which was standing open. he drew up t', 'rasped my arm and hurried me into a carriage, the door of which was standing open. he drew up the wi', 'd my arm and hurried me into a carriage, the door of which was standing open. he drew up the windows', 'arm and hurried me into a carriage, the door of which was standing open. he drew up the windows on e', 'nd hurried me into a carriage, the door of which was standing open. he drew up the windows on either', 'rried me into a carriage, the door of which was standing open. he drew up the windows on either side', ' me into a carriage, the door of which was standing open. he drew up the windows on either side, tap', 'nto a carriage, the door of which was standing open. he drew up the windows on either side, tapped o', ' carriage, the door of which was standing open. he drew up the windows on either side, tapped on the', 'iage, the door of which was standing open. he drew up the windows on either side, tapped on the wood', ' the door of which was standing open. he drew up the windows on either side, tapped on the wood-work', 'door of which was standing open. he drew up the windows on either side, tapped on the wood-work, and', 'of which was standing open. he drew up the windows on either side, tapped on the wood-work, and away', 'ich was standing open. he drew up the windows on either side, tapped on the wood-work, and away we w', 'as standing open. he drew up the windows on either side, tapped on the wood-work, and away we went a', 'anding open. he drew up the windows on either side, tapped on the wood-work, and away we went as fas', 'g open. he drew up the windows on either side, tapped on the wood-work, and away we went as fast as ', 'n. he drew up the windows on either side, tapped on the wood-work, and away we went as fast as the h', ' drew up the windows on either side, tapped on the wood-work, and away we went as fast as the horse ', ' up the windows on either side, tapped on the wood-work, and away we went as fast as the horse could', 'he windows on either side, tapped on the wood-work, and away we went as fast as the horse could go."', 'ndows on either side, tapped on the wood-work, and away we went as fast as the horse could go." "one', ' on either side, tapped on the wood-work, and away we went as fast as the horse could go." "one hors', 'ither side, tapped on the wood-work, and away we went as fast as the horse could go." "one horse?" i', ' side, tapped on the wood-work, and away we went as fast as the horse could go." "one horse?" interj', ', tapped on the wood-work, and away we went as fast as the horse could go." "one horse?" interjected', 'ped on the wood-work, and away we went as fast as the horse could go." "one horse?" interjected holm', 'n the wood-work, and away we went as fast as the horse could go." "one horse?" interjected holmes. "', ' wood-work, and away we went as fast as the horse could go." "one horse?" interjected holmes. "yes, ', '-work, and away we went as fast as the horse could go." "one horse?" interjected holmes. "yes, only ', ', and away we went as fast as the horse could go." "one horse?" interjected holmes. "yes, only one."', ' away we went as fast as the horse could go." "one horse?" interjected holmes. "yes, only one." "did', ' we went as fast as the horse could go." "one horse?" interjected holmes. "yes, only one." "did you ', 'ent as fast as the horse could go." "one horse?" interjected holmes. "yes, only one." "did you obser', 's fast as the horse could go." "one horse?" interjected holmes. "yes, only one." "did you observe th', 't as the horse could go." "one horse?" interjected holmes. "yes, only one." "did you observe the col', 'the horse could go." "one horse?" interjected holmes. "yes, only one." "did you observe the colour?"', 'orse could go." "one horse?" interjected holmes. "yes, only one." "did you observe the colour?" "yes', 'could go." "one horse?" interjected holmes. "yes, only one." "did you observe the colour?" "yes, i s', ' go." "one horse?" interjected holmes. "yes, only one." "did you observe the colour?" "yes, i saw it', ' "one horse?" interjected holmes. "yes, only one." "did you observe the colour?" "yes, i saw it by t', ' horse?" interjected holmes. "yes, only one." "did you observe the colour?" "yes, i saw it by the si', 'e?" interjected holmes. "yes, only one." "did you observe the colour?" "yes, i saw it by the side-li', 'nterjected holmes. "yes, only one." "did you observe the colour?" "yes, i saw it by the side-lights ', 'ected holmes. "yes, only one." "did you observe the colour?" "yes, i saw it by the side-lights when ', ' holmes. "yes, only one." "did you observe the colour?" "yes, i saw it by the side-lights when i was', 'es. "yes, only one." "did you observe the colour?" "yes, i saw it by the side-lights when i was step', 'yes, only one." "did you observe the colour?" "yes, i saw it by the side-lights when i was stepping ', 'only one." "did you observe the colour?" "yes, i saw it by the side-lights when i was stepping into ', 'one." "did you observe the colour?" "yes, i saw it by the side-lights when i was stepping into the c', ' "did you observe the colour?" "yes, i saw it by the side-lights when i was stepping into the carria', ' you observe the colour?" "yes, i saw it by the side-lights when i was stepping into the carriage. i', 'observe the colour?" "yes, i saw it by the side-lights when i was stepping into the carriage. it was', 've the colour?" "yes, i saw it by the side-lights when i was stepping into the carriage. it was a ch', 'e colour?" "yes, i saw it by the side-lights when i was stepping into the carriage. it was a chestnu', 'our?" "yes, i saw it by the side-lights when i was stepping into the carriage. it was a chestnut." "', ' "yes, i saw it by the side-lights when i was stepping into the carriage. it was a chestnut." "tired', ', i saw it by the side-lights when i was stepping into the carriage. it was a chestnut." "tired-look', 'aw it by the side-lights when i was stepping into the carriage. it was a chestnut." "tired-looking o', ' by the side-lights when i was stepping into the carriage. it was a chestnut." "tired-looking or fre', 'he side-lights when i was stepping into the carriage. it was a chestnut." "tired-looking or fresh?" ', 'de-lights when i was stepping into the carriage. it was a chestnut." "tired-looking or fresh?" "oh, ', 'ghts when i was stepping into the carriage. it was a chestnut." "tired-looking or fresh?" "oh, fresh', 'when i was stepping into the carriage. it was a chestnut." "tired-looking or fresh?" "oh, fresh and ', 'i was stepping into the carriage. it was a chestnut." "tired-looking or fresh?" "oh, fresh and gloss', ' stepping into the carriage. it was a chestnut." "tired-looking or fresh?" "oh, fresh and glossy." "', 'ping into the carriage. it was a chestnut." "tired-looking or fresh?" "oh, fresh and glossy." "thank', 'into the carriage. it was a chestnut." "tired-looking or fresh?" "oh, fresh and glossy." "thank you.', 'the carriage. it was a chestnut." "tired-looking or fresh?" "oh, fresh and glossy." "thank you. i am', 'arriage. it was a chestnut." "tired-looking or fresh?" "oh, fresh and glossy." "thank you. i am sorr', 'ge. it was a chestnut." "tired-looking or fresh?" "oh, fresh and glossy." "thank you. i am sorry to ', 't was a chestnut." "tired-looking or fresh?" "oh, fresh and glossy." "thank you. i am sorry to have ', ' a chestnut." "tired-looking or fresh?" "oh, fresh and glossy." "thank you. i am sorry to have inter', 'estnut." "tired-looking or fresh?" "oh, fresh and glossy." "thank you. i am sorry to have interrupte', 't." "tired-looking or fresh?" "oh, fresh and glossy." "thank you. i am sorry to have interrupted you', 'tired-looking or fresh?" "oh, fresh and glossy." "thank you. i am sorry to have interrupted you. pra', '-looking or fresh?" "oh, fresh and glossy." "thank you. i am sorry to have interrupted you. pray con', 'ing or fresh?" "oh, fresh and glossy." "thank you. i am sorry to have interrupted you. pray continue', 'r fresh?" "oh, fresh and glossy." "thank you. i am sorry to have interrupted you. pray continue your', 'sh?" "oh, fresh and glossy." "thank you. i am sorry to have interrupted you. pray continue your most', '"oh, fresh and glossy." "thank you. i am sorry to have interrupted you. pray continue your most inte', 'fresh and glossy." "thank you. i am sorry to have interrupted you. pray continue your most interesti', ' and glossy." "thank you. i am sorry to have interrupted you. pray continue your most interesting st', 'glossy." "thank you. i am sorry to have interrupted you. pray continue your most interesting stateme', 'y." "thank you. i am sorry to have interrupted you. pray continue your most interesting statement." ', 'thank you. i am sorry to have interrupted you. pray continue your most interesting statement." "away', ' you. i am sorry to have interrupted you. pray continue your most interesting statement." "away we w', ' i am sorry to have interrupted you. pray continue your most interesting statement." "away we went t', ' sorry to have interrupted you. pray continue your most interesting statement." "away we went then, ', 'y to have interrupted you. pray continue your most interesting statement." "away we went then, and w', 'have interrupted you. pray continue your most interesting statement." "away we went then, and we dro', 'interrupted you. pray continue your most interesting statement." "away we went then, and we drove fo', 'rupted you. pray continue your most interesting statement." "away we went then, and we drove for at ', 'd you. pray continue your most interesting statement." "away we went then, and we drove for at least', '. pray continue your most interesting statement." "away we went then, and we drove for at least an h', 'y continue your most interesting statement." "away we went then, and we drove for at least an hour. ', 'tinue your most interesting statement." "away we went then, and we drove for at least an hour. colon', ' your most interesting statement." "away we went then, and we drove for at least an hour. colonel ly', ' most interesting statement." "away we went then, and we drove for at least an hour. colonel lysande', ' interesting statement." "away we went then, and we drove for at least an hour. colonel lysander sta', 'resting statement." "away we went then, and we drove for at least an hour. colonel lysander stark ha', 'ng statement." "away we went then, and we drove for at least an hour. colonel lysander stark had sai', 'atement." "away we went then, and we drove for at least an hour. colonel lysander stark had said tha', 'nt." "away we went then, and we drove for at least an hour. colonel lysander stark had said that it ', '"away we went then, and we drove for at least an hour. colonel lysander stark had said that it was o', ' we went then, and we drove for at least an hour. colonel lysander stark had said that it was only s', 'ent then, and we drove for at least an hour. colonel lysander stark had said that it was only seven ', 'hen, and we drove for at least an hour. colonel lysander stark had said that it was only seven miles', 'and we drove for at least an hour. colonel lysander stark had said that it was only seven miles, but', 'e drove for at least an hour. colonel lysander stark had said that it was only seven miles, but i sh', 've for at least an hour. colonel lysander stark had said that it was only seven miles, but i should ', 'r at least an hour. colonel lysander stark had said that it was only seven miles, but i should think', 'least an hour. colonel lysander stark had said that it was only seven miles, but i should think, fro', ' an hour. colonel lysander stark had said that it was only seven miles, but i should think, from the', 'our. colonel lysander stark had said that it was only seven miles, but i should think, from the rate', 'colonel lysander stark had said that it was only seven miles, but i should think, from the rate that', 'el lysander stark had said that it was only seven miles, but i should think, from the rate that we s', 'sander stark had said that it was only seven miles, but i should think, from the rate that we seemed', 'r stark had said that it was only seven miles, but i should think, from the rate that we seemed to g', 'rk had said that it was only seven miles, but i should think, from the rate that we seemed to go, an', 'd said that it was only seven miles, but i should think, from the rate that we seemed to go, and fro', 'd that it was only seven miles, but i should think, from the rate that we seemed to go, and from the', 't it was only seven miles, but i should think, from the rate that we seemed to go, and from the time', 'was only seven miles, but i should think, from the rate that we seemed to go, and from the time that', 'nly seven miles, but i should think, from the rate that we seemed to go, and from the time that we t', 'even miles, but i should think, from the rate that we seemed to go, and from the time that we took, ', 'miles, but i should think, from the rate that we seemed to go, and from the time that we took, that ', ', but i should think, from the rate that we seemed to go, and from the time that we took, that it mu', ' i should think, from the rate that we seemed to go, and from the time that we took, that it must ha', 'ould think, from the rate that we seemed to go, and from the time that we took, that it must have be', 'think, from the rate that we seemed to go, and from the time that we took, that it must have been ne', ', from the rate that we seemed to go, and from the time that we took, that it must have been nearer ', 'm the rate that we seemed to go, and from the time that we took, that it must have been nearer twelv', ' rate that we seemed to go, and from the time that we took, that it must have been nearer twelve. he', ' that we seemed to go, and from the time that we took, that it must have been nearer twelve. he sat ', ' we seemed to go, and from the time that we took, that it must have been nearer twelve. he sat at my', 'eemed to go, and from the time that we took, that it must have been nearer twelve. he sat at my side', ' to go, and from the time that we took, that it must have been nearer twelve. he sat at my side in s', 'o, and from the time that we took, that it must have been nearer twelve. he sat at my side in silenc', 'd from the time that we took, that it must have been nearer twelve. he sat at my side in silence all', 'm the time that we took, that it must have been nearer twelve. he sat at my side in silence all the ', ' time that we took, that it must have been nearer twelve. he sat at my side in silence all the time,', ' that we took, that it must have been nearer twelve. he sat at my side in silence all the time, and ', ' we took, that it must have been nearer twelve. he sat at my side in silence all the time, and i was', 'ook, that it must have been nearer twelve. he sat at my side in silence all the time, and i was awar', 'that it must have been nearer twelve. he sat at my side in silence all the time, and i was aware, mo', 'it must have been nearer twelve. he sat at my side in silence all the time, and i was aware, more th', 'st have been nearer twelve. he sat at my side in silence all the time, and i was aware, more than on', 've been nearer twelve. he sat at my side in silence all the time, and i was aware, more than once wh', 'en nearer twelve. he sat at my side in silence all the time, and i was aware, more than once when i ', 'arer twelve. he sat at my side in silence all the time, and i was aware, more than once when i glanc', 'twelve. he sat at my side in silence all the time, and i was aware, more than once when i glanced in', 'e. he sat at my side in silence all the time, and i was aware, more than once when i glanced in his ', ' sat at my side in silence all the time, and i was aware, more than once when i glanced in his direc', 'at my side in silence all the time, and i was aware, more than once when i glanced in his direction,', ' side in silence all the time, and i was aware, more than once when i glanced in his direction, that', ' in silence all the time, and i was aware, more than once when i glanced in his direction, that he w', 'ilence all the time, and i was aware, more than once when i glanced in his direction, that he was lo', 'e all the time, and i was aware, more than once when i glanced in his direction, that he was looking', ' the time, and i was aware, more than once when i glanced in his direction, that he was looking at m', 'time, and i was aware, more than once when i glanced in his direction, that he was looking at me wit', ' and i was aware, more than once when i glanced in his direction, that he was looking at me with gre', 'i was aware, more than once when i glanced in his direction, that he was looking at me with great in', ' aware, more than once when i glanced in his direction, that he was looking at me with great intensi', 'e, more than once when i glanced in his direction, that he was looking at me with great intensity. t', 're than once when i glanced in his direction, that he was looking at me with great intensity. the co', 'an once when i glanced in his direction, that he was looking at me with great intensity. the country', 'ce when i glanced in his direction, that he was looking at me with great intensity. the country road', 'en i glanced in his direction, that he was looking at me with great intensity. the country roads see', 'glanced in his direction, that he was looking at me with great intensity. the country roads seem to ', 'ed in his direction, that he was looking at me with great intensity. the country roads seem to be no', ' his direction, that he was looking at me with great intensity. the country roads seem to be not ver', 'direction, that he was looking at me with great intensity. the country roads seem to be not very goo', 'tion, that he was looking at me with great intensity. the country roads seem to be not very good in ', ' that he was looking at me with great intensity. the country roads seem to be not very good in that ', ' he was looking at me with great intensity. the country roads seem to be not very good in that part ', 'as looking at me with great intensity. the country roads seem to be not very good in that part of th', 'oking at me with great intensity. the country roads seem to be not very good in that part of the wor', ' at me with great intensity. the country roads seem to be not very good in that part of the world, f', 'e with great intensity. the country roads seem to be not very good in that part of the world, for we', 'h great intensity. the country roads seem to be not very good in that part of the world, for we lurc', 'at intensity. the country roads seem to be not very good in that part of the world, for we lurched a', 'tensity. the country roads seem to be not very good in that part of the world, for we lurched and jo', 'ty. the country roads seem to be not very good in that part of the world, for we lurched and jolted ', 'he country roads seem to be not very good in that part of the world, for we lurched and jolted terri', 'untry roads seem to be not very good in that part of the world, for we lurched and jolted terribly. ', ' roads seem to be not very good in that part of the world, for we lurched and jolted terribly. i tri', 's seem to be not very good in that part of the world, for we lurched and jolted terribly. i tried to', 'm to be not very good in that part of the world, for we lurched and jolted terribly. i tried to look', 'be not very good in that part of the world, for we lurched and jolted terribly. i tried to look out ', 't very good in that part of the world, for we lurched and jolted terribly. i tried to look out of th', 'y good in that part of the world, for we lurched and jolted terribly. i tried to look out of the win', 'd in that part of the world, for we lurched and jolted terribly. i tried to look out of the windows ', 'that part of the world, for we lurched and jolted terribly. i tried to look out of the windows to se', 'part of the world, for we lurched and jolted terribly. i tried to look out of the windows to see som', 'of the world, for we lurched and jolted terribly. i tried to look out of the windows to see somethin', 'e world, for we lurched and jolted terribly. i tried to look out of the windows to see something of ', 'ld, for we lurched and jolted terribly. i tried to look out of the windows to see something of where', 'or we lurched and jolted terribly. i tried to look out of the windows to see something of where we w', ' lurched and jolted terribly. i tried to look out of the windows to see something of where we were, ', 'hed and jolted terribly. i tried to look out of the windows to see something of where we were, but t', 'nd jolted terribly. i tried to look out of the windows to see something of where we were, but they w', 'lted terribly. i tried to look out of the windows to see something of where we were, but they were m', 'terribly. i tried to look out of the windows to see something of where we were, but they were made o', 'bly. i tried to look out of the windows to see something of where we were, but they were made of fro', 'i tried to look out of the windows to see something of where we were, but they were made of frosted ', 'ed to look out of the windows to see something of where we were, but they were made of frosted glass', ' look out of the windows to see something of where we were, but they were made of frosted glass, and', ' out of the windows to see something of where we were, but they were made of frosted glass, and i co', 'of the windows to see something of where we were, but they were made of frosted glass, and i could m', 'e windows to see something of where we were, but they were made of frosted glass, and i could make o', 'dows to see something of where we were, but they were made of frosted glass, and i could make out no', 'to see something of where we were, but they were made of frosted glass, and i could make out nothing', 'e something of where we were, but they were made of frosted glass, and i could make out nothing save', 'ething of where we were, but they were made of frosted glass, and i could make out nothing save the ', 'g of where we were, but they were made of frosted glass, and i could make out nothing save the occas', 'where we were, but they were made of frosted glass, and i could make out nothing save the occasional', ' we were, but they were made of frosted glass, and i could make out nothing save the occasional brig', 'ere, but they were made of frosted glass, and i could make out nothing save the occasional bright bl', 'but they were made of frosted glass, and i could make out nothing save the occasional bright blur of', 'hey were made of frosted glass, and i could make out nothing save the occasional bright blur of a pa', 'ere made of frosted glass, and i could make out nothing save the occasional bright blur of a passing', 'ade of frosted glass, and i could make out nothing save the occasional bright blur of a passing ligh', 'f frosted glass, and i could make out nothing save the occasional bright blur of a passing light. no', 'sted glass, and i could make out nothing save the occasional bright blur of a passing light. now and', 'glass, and i could make out nothing save the occasional bright blur of a passing light. now and then', ', and i could make out nothing save the occasional bright blur of a passing light. now and then i ha', ' i could make out nothing save the occasional bright blur of a passing light. now and then i hazarde', 'uld make out nothing save the occasional bright blur of a passing light. now and then i hazarded som', 'ake out nothing save the occasional bright blur of a passing light. now and then i hazarded some rem', 'ut nothing save the occasional bright blur of a passing light. now and then i hazarded some remark t', 'thing save the occasional bright blur of a passing light. now and then i hazarded some remark to bre', ' save the occasional bright blur of a passing light. now and then i hazarded some remark to break th', ' the occasional bright blur of a passing light. now and then i hazarded some remark to break the mon', 'occasional bright blur of a passing light. now and then i hazarded some remark to break the monotony', 'ional bright blur of a passing light. now and then i hazarded some remark to break the monotony of t', ' bright blur of a passing light. now and then i hazarded some remark to break the monotony of the jo', 'ht blur of a passing light. now and then i hazarded some remark to break the monotony of the journey', 'ur of a passing light. now and then i hazarded some remark to break the monotony of the journey, but', ' a passing light. now and then i hazarded some remark to break the monotony of the journey, but the ', 'ssing light. now and then i hazarded some remark to break the monotony of the journey, but the colon', ' light. now and then i hazarded some remark to break the monotony of the journey, but the colonel an', 't. now and then i hazarded some remark to break the monotony of the journey, but the colonel answere', 'w and then i hazarded some remark to break the monotony of the journey, but the colonel answered onl', ' then i hazarded some remark to break the monotony of the journey, but the colonel answered only in ', ' i hazarded some remark to break the monotony of the journey, but the colonel answered only in monos', 'zarded some remark to break the monotony of the journey, but the colonel answered only in monosyllab', 'd some remark to break the monotony of the journey, but the colonel answered only in monosyllables, ', 'e remark to break the monotony of the journey, but the colonel answered only in monosyllables, and t', 'ark to break the monotony of the journey, but the colonel answered only in monosyllables, and the co', 'o break the monotony of the journey, but the colonel answered only in monosyllables, and the convers', 'ak the monotony of the journey, but the colonel answered only in monosyllables, and the conversation', 'e monotony of the journey, but the colonel answered only in monosyllables, and the conversation soon', 'otony of the journey, but the colonel answered only in monosyllables, and the conversation soon flag', ' of the journey, but the colonel answered only in monosyllables, and the conversation soon flagged. ', 'he journey, but the colonel answered only in monosyllables, and the conversation soon flagged. at la', 'urney, but the colonel answered only in monosyllables, and the conversation soon flagged. at last, h', ', but the colonel answered only in monosyllables, and the conversation soon flagged. at last, howeve', ' the colonel answered only in monosyllables, and the conversation soon flagged. at last, however, th', 'colonel answered only in monosyllables, and the conversation soon flagged. at last, however, the bum', 'el answered only in monosyllables, and the conversation soon flagged. at last, however, the bumping ', 'swered only in monosyllables, and the conversation soon flagged. at last, however, the bumping of th', 'd only in monosyllables, and the conversation soon flagged. at last, however, the bumping of the roa', 'y in monosyllables, and the conversation soon flagged. at last, however, the bumping of the road was', 'monosyllables, and the conversation soon flagged. at last, however, the bumping of the road was exch', 'yllables, and the conversation soon flagged. at last, however, the bumping of the road was exchanged', 'les, and the conversation soon flagged. at last, however, the bumping of the road was exchanged for ', 'and the conversation soon flagged. at last, however, the bumping of the road was exchanged for the c', 'he conversation soon flagged. at last, however, the bumping of the road was exchanged for the crisp ', 'nversation soon flagged. at last, however, the bumping of the road was exchanged for the crisp smoot', 'ation soon flagged. at last, however, the bumping of the road was exchanged for the crisp smoothness', ' soon flagged. at last, however, the bumping of the road was exchanged for the crisp smoothness of a', ' flagged. at last, however, the bumping of the road was exchanged for the crisp smoothness of a grav', 'ged. at last, however, the bumping of the road was exchanged for the crisp smoothness of a gravel-dr', 'at last, however, the bumping of the road was exchanged for the crisp smoothness of a gravel-drive, ', 'st, however, the bumping of the road was exchanged for the crisp smoothness of a gravel-drive, and t', 'owever, the bumping of the road was exchanged for the crisp smoothness of a gravel-drive, and the ca', 'r, the bumping of the road was exchanged for the crisp smoothness of a gravel-drive, and the carriag', 'e bumping of the road was exchanged for the crisp smoothness of a gravel-drive, and the carriage cam', 'ping of the road was exchanged for the crisp smoothness of a gravel-drive, and the carriage came to ', 'of the road was exchanged for the crisp smoothness of a gravel-drive, and the carriage came to a sta', 'e road was exchanged for the crisp smoothness of a gravel-drive, and the carriage came to a stand. c', 'd was exchanged for the crisp smoothness of a gravel-drive, and the carriage came to a stand. colone', ' exchanged for the crisp smoothness of a gravel-drive, and the carriage came to a stand. colonel lys', 'anged for the crisp smoothness of a gravel-drive, and the carriage came to a stand. colonel lysander', ' for the crisp smoothness of a gravel-drive, and the carriage came to a stand. colonel lysander star', 'the crisp smoothness of a gravel-drive, and the carriage came to a stand. colonel lysander stark spr', 'risp smoothness of a gravel-drive, and the carriage came to a stand. colonel lysander stark sprang o', 'smoothness of a gravel-drive, and the carriage came to a stand. colonel lysander stark sprang out, a', 'hness of a gravel-drive, and the carriage came to a stand. colonel lysander stark sprang out, and, a', ' of a gravel-drive, and the carriage came to a stand. colonel lysander stark sprang out, and, as i f', ' gravel-drive, and the carriage came to a stand. colonel lysander stark sprang out, and, as i follow', 'el-drive, and the carriage came to a stand. colonel lysander stark sprang out, and, as i followed af', 'ive, and the carriage came to a stand. colonel lysander stark sprang out, and, as i followed after h', 'and the carriage came to a stand. colonel lysander stark sprang out, and, as i followed after him, p', 'he carriage came to a stand. colonel lysander stark sprang out, and, as i followed after him, pulled', 'rriage came to a stand. colonel lysander stark sprang out, and, as i followed after him, pulled me s', 'e came to a stand. colonel lysander stark sprang out, and, as i followed after him, pulled me swiftl', 'e to a stand. colonel lysander stark sprang out, and, as i followed after him, pulled me swiftly int', 'a stand. colonel lysander stark sprang out, and, as i followed after him, pulled me swiftly into a p', 'nd. colonel lysander stark sprang out, and, as i followed after him, pulled me swiftly into a porch ', 'olonel lysander stark sprang out, and, as i followed after him, pulled me swiftly into a porch which', 'l lysander stark sprang out, and, as i followed after him, pulled me swiftly into a porch which gape', 'ander stark sprang out, and, as i followed after him, pulled me swiftly into a porch which gaped in ', ' stark sprang out, and, as i followed after him, pulled me swiftly into a porch which gaped in front', 'k sprang out, and, as i followed after him, pulled me swiftly into a porch which gaped in front of u', 'ang out, and, as i followed after him, pulled me swiftly into a porch which gaped in front of us. we', 'ut, and, as i followed after him, pulled me swiftly into a porch which gaped in front of us. we step', 'nd, as i followed after him, pulled me swiftly into a porch which gaped in front of us. we stepped, ', 's i followed after him, pulled me swiftly into a porch which gaped in front of us. we stepped, as it', 'ollowed after him, pulled me swiftly into a porch which gaped in front of us. we stepped, as it were', 'ed after him, pulled me swiftly into a porch which gaped in front of us. we stepped, as it were, rig', 'ter him, pulled me swiftly into a porch which gaped in front of us. we stepped, as it were, right ou', 'im, pulled me swiftly into a porch which gaped in front of us. we stepped, as it were, right out of ', 'ulled me swiftly into a porch which gaped in front of us. we stepped, as it were, right out of the c', ' me swiftly into a porch which gaped in front of us. we stepped, as it were, right out of the carria', 'wiftly into a porch which gaped in front of us. we stepped, as it were, right out of the carriage an', 'y into a porch which gaped in front of us. we stepped, as it were, right out of the carriage and int', 'o a porch which gaped in front of us. we stepped, as it were, right out of the carriage and into the', 'orch which gaped in front of us. we stepped, as it were, right out of the carriage and into the hall', 'which gaped in front of us. we stepped, as it were, right out of the carriage and into the hall, so ', ' gaped in front of us. we stepped, as it were, right out of the carriage and into the hall, so that ', 'd in front of us. we stepped, as it were, right out of the carriage and into the hall, so that i fai', 'front of us. we stepped, as it were, right out of the carriage and into the hall, so that i failed t', ' of us. we stepped, as it were, right out of the carriage and into the hall, so that i failed to cat', 's. we stepped, as it were, right out of the carriage and into the hall, so that i failed to catch th', ' stepped, as it were, right out of the carriage and into the hall, so that i failed to catch the mos', 'ped, as it were, right out of the carriage and into the hall, so that i failed to catch the most fle', 'as it were, right out of the carriage and into the hall, so that i failed to catch the most fleeting', ' were, right out of the carriage and into the hall, so that i failed to catch the most fleeting glan', ', right out of the carriage and into the hall, so that i failed to catch the most fleeting glance of', 'ht out of the carriage and into the hall, so that i failed to catch the most fleeting glance of the ', 't of the carriage and into the hall, so that i failed to catch the most fleeting glance of the front', 'the carriage and into the hall, so that i failed to catch the most fleeting glance of the front of t', 'arriage and into the hall, so that i failed to catch the most fleeting glance of the front of the ho', 'ge and into the hall, so that i failed to catch the most fleeting glance of the front of the house. ', 'd into the hall, so that i failed to catch the most fleeting glance of the front of the house. the i', 'o the hall, so that i failed to catch the most fleeting glance of the front of the house. the instan', ' hall, so that i failed to catch the most fleeting glance of the front of the house. the instant tha', ', so that i failed to catch the most fleeting glance of the front of the house. the instant that i h', 'that i failed to catch the most fleeting glance of the front of the house. the instant that i had cr', 'i failed to catch the most fleeting glance of the front of the house. the instant that i had crossed', 'led to catch the most fleeting glance of the front of the house. the instant that i had crossed the ', 'o catch the most fleeting glance of the front of the house. the instant that i had crossed the thres', 'ch the most fleeting glance of the front of the house. the instant that i had crossed the threshold ', 'e most fleeting glance of the front of the house. the instant that i had crossed the threshold the d', 't fleeting glance of the front of the house. the instant that i had crossed the threshold the door s', 'eting glance of the front of the house. the instant that i had crossed the threshold the door slamme', ' glance of the front of the house. the instant that i had crossed the threshold the door slammed hea', 'ce of the front of the house. the instant that i had crossed the threshold the door slammed heavily ', ' the front of the house. the instant that i had crossed the threshold the door slammed heavily behin', 'front of the house. the instant that i had crossed the threshold the door slammed heavily behind us,', ' of the house. the instant that i had crossed the threshold the door slammed heavily behind us, and ', 'he house. the instant that i had crossed the threshold the door slammed heavily behind us, and i hea', 'use. the instant that i had crossed the threshold the door slammed heavily behind us, and i heard fa', 'the instant that i had crossed the threshold the door slammed heavily behind us, and i heard faintly', 'nstant that i had crossed the threshold the door slammed heavily behind us, and i heard faintly the ', 't that i had crossed the threshold the door slammed heavily behind us, and i heard faintly the rattl', 't i had crossed the threshold the door slammed heavily behind us, and i heard faintly the rattle of ', 'ad crossed the threshold the door slammed heavily behind us, and i heard faintly the rattle of the w', 'ossed the threshold the door slammed heavily behind us, and i heard faintly the rattle of the wheels', ' the threshold the door slammed heavily behind us, and i heard faintly the rattle of the wheels as t', 'threshold the door slammed heavily behind us, and i heard faintly the rattle of the wheels as the ca', 'hold the door slammed heavily behind us, and i heard faintly the rattle of the wheels as the carriag', 'the door slammed heavily behind us, and i heard faintly the rattle of the wheels as the carriage dro', 'oor slammed heavily behind us, and i heard faintly the rattle of the wheels as the carriage drove aw', 'lammed heavily behind us, and i heard faintly the rattle of the wheels as the carriage drove away. "', 'd heavily behind us, and i heard faintly the rattle of the wheels as the carriage drove away. "it wa', 'vily behind us, and i heard faintly the rattle of the wheels as the carriage drove away. "it was pit', 'behind us, and i heard faintly the rattle of the wheels as the carriage drove away. "it was pitch da', 'd us, and i heard faintly the rattle of the wheels as the carriage drove away. "it was pitch dark in', ' and i heard faintly the rattle of the wheels as the carriage drove away. "it was pitch dark inside ', 'i heard faintly the rattle of the wheels as the carriage drove away. "it was pitch dark inside the h', 'rd faintly the rattle of the wheels as the carriage drove away. "it was pitch dark inside the house,', 'intly the rattle of the wheels as the carriage drove away. "it was pitch dark inside the house, and ', ' the rattle of the wheels as the carriage drove away. "it was pitch dark inside the house, and the c', 'rattle of the wheels as the carriage drove away. "it was pitch dark inside the house, and the colone', 'e of the wheels as the carriage drove away. "it was pitch dark inside the house, and the colonel fum', 'the wheels as the carriage drove away. "it was pitch dark inside the house, and the colonel fumbled ', 'heels as the carriage drove away. "it was pitch dark inside the house, and the colonel fumbled about', ' as the carriage drove away. "it was pitch dark inside the house, and the colonel fumbled about look', 'he carriage drove away. "it was pitch dark inside the house, and the colonel fumbled about looking f', 'rriage drove away. "it was pitch dark inside the house, and the colonel fumbled about looking for ma', 'e drove away. "it was pitch dark inside the house, and the colonel fumbled about looking for matches', 've away. "it was pitch dark inside the house, and the colonel fumbled about looking for matches and ', 'ay. "it was pitch dark inside the house, and the colonel fumbled about looking for matches and mutte', 'it was pitch dark inside the house, and the colonel fumbled about looking for matches and muttering ', 's pitch dark inside the house, and the colonel fumbled about looking for matches and muttering under', 'ch dark inside the house, and the colonel fumbled about looking for matches and muttering under his ', 'rk inside the house, and the colonel fumbled about looking for matches and muttering under his breat', 'side the house, and the colonel fumbled about looking for matches and muttering under his breath. su', 'the house, and the colonel fumbled about looking for matches and muttering under his breath. suddenl', 'ouse, and the colonel fumbled about looking for matches and muttering under his breath. suddenly a d', ' and the colonel fumbled about looking for matches and muttering under his breath. suddenly a door o', 'the colonel fumbled about looking for matches and muttering under his breath. suddenly a door opened', 'olonel fumbled about looking for matches and muttering under his breath. suddenly a door opened at t', 'l fumbled about looking for matches and muttering under his breath. suddenly a door opened at the ot', 'bled about looking for matches and muttering under his breath. suddenly a door opened at the other e', 'about looking for matches and muttering under his breath. suddenly a door opened at the other end of', ' looking for matches and muttering under his breath. suddenly a door opened at the other end of the ', 'ing for matches and muttering under his breath. suddenly a door opened at the other end of the passa', 'or matches and muttering under his breath. suddenly a door opened at the other end of the passage, a', 'tches and muttering under his breath. suddenly a door opened at the other end of the passage, and a ', ' and muttering under his breath. suddenly a door opened at the other end of the passage, and a long,', 'muttering under his breath. suddenly a door opened at the other end of the passage, and a long, gold', 'ring under his breath. suddenly a door opened at the other end of the passage, and a long, golden ba', 'under his breath. suddenly a door opened at the other end of the passage, and a long, golden bar of ', ' his breath. suddenly a door opened at the other end of the passage, and a long, golden bar of light', 'breath. suddenly a door opened at the other end of the passage, and a long, golden bar of light shot', 'h. suddenly a door opened at the other end of the passage, and a long, golden bar of light shot out ', 'ddenly a door opened at the other end of the passage, and a long, golden bar of light shot out in ou', 'y a door opened at the other end of the passage, and a long, golden bar of light shot out in our dir', 'oor opened at the other end of the passage, and a long, golden bar of light shot out in our directio', 'pened at the other end of the passage, and a long, golden bar of light shot out in our direction. it', ' at the other end of the passage, and a long, golden bar of light shot out in our direction. it grew', 'he other end of the passage, and a long, golden bar of light shot out in our direction. it grew broa', 'her end of the passage, and a long, golden bar of light shot out in our direction. it grew broader, ', 'nd of the passage, and a long, golden bar of light shot out in our direction. it grew broader, and a', ' the passage, and a long, golden bar of light shot out in our direction. it grew broader, and a woma', 'passage, and a long, golden bar of light shot out in our direction. it grew broader, and a woman app', 'ge, and a long, golden bar of light shot out in our direction. it grew broader, and a woman appeared', 'nd a long, golden bar of light shot out in our direction. it grew broader, and a woman appeared with', 'long, golden bar of light shot out in our direction. it grew broader, and a woman appeared with a la', ' golden bar of light shot out in our direction. it grew broader, and a woman appeared with a lamp in', 'en bar of light shot out in our direction. it grew broader, and a woman appeared with a lamp in her ', 'r of light shot out in our direction. it grew broader, and a woman appeared with a lamp in her hand,', 'light shot out in our direction. it grew broader, and a woman appeared with a lamp in her hand, whic', ' shot out in our direction. it grew broader, and a woman appeared with a lamp in her hand, which she', ' out in our direction. it grew broader, and a woman appeared with a lamp in her hand, which she held', 'in our direction. it grew broader, and a woman appeared with a lamp in her hand, which she held abov', 'r direction. it grew broader, and a woman appeared with a lamp in her hand, which she held above her', 'ection. it grew broader, and a woman appeared with a lamp in her hand, which she held above her head', 'n. it grew broader, and a woman appeared with a lamp in her hand, which she held above her head, pus', ' grew broader, and a woman appeared with a lamp in her hand, which she held above her head, pushing ', ' broader, and a woman appeared with a lamp in her hand, which she held above her head, pushing her f', 'der, and a woman appeared with a lamp in her hand, which she held above her head, pushing her face f', 'and a woman appeared with a lamp in her hand, which she held above her head, pushing her face forwar', ' woman appeared with a lamp in her hand, which she held above her head, pushing her face forward and', 'n appeared with a lamp in her hand, which she held above her head, pushing her face forward and peer', 'eared with a lamp in her hand, which she held above her head, pushing her face forward and peering a', ' with a lamp in her hand, which she held above her head, pushing her face forward and peering at us.', ' a lamp in her hand, which she held above her head, pushing her face forward and peering at us. i co', 'mp in her hand, which she held above her head, pushing her face forward and peering at us. i could s', ' her hand, which she held above her head, pushing her face forward and peering at us. i could see th', 'hand, which she held above her head, pushing her face forward and peering at us. i could see that sh', ' which she held above her head, pushing her face forward and peering at us. i could see that she was', 'h she held above her head, pushing her face forward and peering at us. i could see that she was pret', ' held above her head, pushing her face forward and peering at us. i could see that she was pretty, a', ' above her head, pushing her face forward and peering at us. i could see that she was pretty, and fr', 'e her head, pushing her face forward and peering at us. i could see that she was pretty, and from th', ' head, pushing her face forward and peering at us. i could see that she was pretty, and from the glo', ', pushing her face forward and peering at us. i could see that she was pretty, and from the gloss wi', 'hing her face forward and peering at us. i could see that she was pretty, and from the gloss with wh', 'her face forward and peering at us. i could see that she was pretty, and from the gloss with which t', 'ace forward and peering at us. i could see that she was pretty, and from the gloss with which the li', 'orward and peering at us. i could see that she was pretty, and from the gloss with which the light s', 'd and peering at us. i could see that she was pretty, and from the gloss with which the light shone ', ' peering at us. i could see that she was pretty, and from the gloss with which the light shone upon ', 'ing at us. i could see that she was pretty, and from the gloss with which the light shone upon her d', 't us. i could see that she was pretty, and from the gloss with which the light shone upon her dark d', ' i could see that she was pretty, and from the gloss with which the light shone upon her dark dress ', 'uld see that she was pretty, and from the gloss with which the light shone upon her dark dress i kne', 'ee that she was pretty, and from the gloss with which the light shone upon her dark dress i knew tha', 'at she was pretty, and from the gloss with which the light shone upon her dark dress i knew that it ', 'e was pretty, and from the gloss with which the light shone upon her dark dress i knew that it was a', ' pretty, and from the gloss with which the light shone upon her dark dress i knew that it was a rich', 'ty, and from the gloss with which the light shone upon her dark dress i knew that it was a rich mate', 'nd from the gloss with which the light shone upon her dark dress i knew that it was a rich material.', 'om the gloss with which the light shone upon her dark dress i knew that it was a rich material. she ', 'e gloss with which the light shone upon her dark dress i knew that it was a rich material. she spoke', 'ss with which the light shone upon her dark dress i knew that it was a rich material. she spoke a fe', 'th which the light shone upon her dark dress i knew that it was a rich material. she spoke a few wor', 'ich the light shone upon her dark dress i knew that it was a rich material. she spoke a few words in', 'he light shone upon her dark dress i knew that it was a rich material. she spoke a few words in a fo', 'ght shone upon her dark dress i knew that it was a rich material. she spoke a few words in a foreign', 'hone upon her dark dress i knew that it was a rich material. she spoke a few words in a foreign tong', 'upon her dark dress i knew that it was a rich material. she spoke a few words in a foreign tongue in', 'her dark dress i knew that it was a rich material. she spoke a few words in a foreign tongue in a to', 'ark dress i knew that it was a rich material. she spoke a few words in a foreign tongue in a tone as', 'ress i knew that it was a rich material. she spoke a few words in a foreign tongue in a tone as thou', 'i knew that it was a rich material. she spoke a few words in a foreign tongue in a tone as though as', 'w that it was a rich material. she spoke a few words in a foreign tongue in a tone as though asking ', 't it was a rich material. she spoke a few words in a foreign tongue in a tone as though asking a que', 'was a rich material. she spoke a few words in a foreign tongue in a tone as though asking a question', ' rich material. she spoke a few words in a foreign tongue in a tone as though asking a question, and', ' material. she spoke a few words in a foreign tongue in a tone as though asking a question, and when', 'rial. she spoke a few words in a foreign tongue in a tone as though asking a question, and when my c', ' she spoke a few words in a foreign tongue in a tone as though asking a question, and when my compan', 'spoke a few words in a foreign tongue in a tone as though asking a question, and when my companion a', ' a few words in a foreign tongue in a tone as though asking a question, and when my companion answer', 'w words in a foreign tongue in a tone as though asking a question, and when my companion answered in', 'ds in a foreign tongue in a tone as though asking a question, and when my companion answered in a gr', ' a foreign tongue in a tone as though asking a question, and when my companion answered in a gruff m', 'reign tongue in a tone as though asking a question, and when my companion answered in a gruff monosy', ' tongue in a tone as though asking a question, and when my companion answered in a gruff monosyllabl', 'ue in a tone as though asking a question, and when my companion answered in a gruff monosyllable she', ' a tone as though asking a question, and when my companion answered in a gruff monosyllable she gave', 'ne as though asking a question, and when my companion answered in a gruff monosyllable she gave such', ' though asking a question, and when my companion answered in a gruff monosyllable she gave such a st', 'gh asking a question, and when my companion answered in a gruff monosyllable she gave such a start t', 'king a question, and when my companion answered in a gruff monosyllable she gave such a start that t', 'a question, and when my companion answered in a gruff monosyllable she gave such a start that the la', 'stion, and when my companion answered in a gruff monosyllable she gave such a start that the lamp ne', ', and when my companion answered in a gruff monosyllable she gave such a start that the lamp nearly ', ' when my companion answered in a gruff monosyllable she gave such a start that the lamp nearly fell ', ' my companion answered in a gruff monosyllable she gave such a start that the lamp nearly fell from ', 'ompanion answered in a gruff monosyllable she gave such a start that the lamp nearly fell from her h', 'ion answered in a gruff monosyllable she gave such a start that the lamp nearly fell from her hand. ', 'nswered in a gruff monosyllable she gave such a start that the lamp nearly fell from her hand. colon', 'ed in a gruff monosyllable she gave such a start that the lamp nearly fell from her hand. colonel st', ' a gruff monosyllable she gave such a start that the lamp nearly fell from her hand. colonel stark w', 'uff monosyllable she gave such a start that the lamp nearly fell from her hand. colonel stark went u', 'onosyllable she gave such a start that the lamp nearly fell from her hand. colonel stark went up to ', 'llable she gave such a start that the lamp nearly fell from her hand. colonel stark went up to her, ', 'e she gave such a start that the lamp nearly fell from her hand. colonel stark went up to her, whisp', ' gave such a start that the lamp nearly fell from her hand. colonel stark went up to her, whispered ', ' such a start that the lamp nearly fell from her hand. colonel stark went up to her, whispered somet', ' a start that the lamp nearly fell from her hand. colonel stark went up to her, whispered something ', 'art that the lamp nearly fell from her hand. colonel stark went up to her, whispered something in he', 'hat the lamp nearly fell from her hand. colonel stark went up to her, whispered something in her ear', 'he lamp nearly fell from her hand. colonel stark went up to her, whispered something in her ear, and', 'mp nearly fell from her hand. colonel stark went up to her, whispered something in her ear, and then', 'arly fell from her hand. colonel stark went up to her, whispered something in her ear, and then, pus', 'fell from her hand. colonel stark went up to her, whispered something in her ear, and then, pushing ', 'from her hand. colonel stark went up to her, whispered something in her ear, and then, pushing her b', 'her hand. colonel stark went up to her, whispered something in her ear, and then, pushing her back i', 'and. colonel stark went up to her, whispered something in her ear, and then, pushing her back into t', 'colonel stark went up to her, whispered something in her ear, and then, pushing her back into the ro', 'el stark went up to her, whispered something in her ear, and then, pushing her back into the room fr', 'ark went up to her, whispered something in her ear, and then, pushing her back into the room from wh', 'ent up to her, whispered something in her ear, and then, pushing her back into the room from whence ', 'p to her, whispered something in her ear, and then, pushing her back into the room from whence she h', 'her, whispered something in her ear, and then, pushing her back into the room from whence she had co', 'whispered something in her ear, and then, pushing her back into the room from whence she had come, h', 'ered something in her ear, and then, pushing her back into the room from whence she had come, he wal', 'something in her ear, and then, pushing her back into the room from whence she had come, he walked t', 'hing in her ear, and then, pushing her back into the room from whence she had come, he walked toward', 'in her ear, and then, pushing her back into the room from whence she had come, he walked towards me ', 'r ear, and then, pushing her back into the room from whence she had come, he walked towards me again', ', and then, pushing her back into the room from whence she had come, he walked towards me again with', ' then, pushing her back into the room from whence she had come, he walked towards me again with the ', ', pushing her back into the room from whence she had come, he walked towards me again with the lamp ', 'hing her back into the room from whence she had come, he walked towards me again with the lamp in hi', 'her back into the room from whence she had come, he walked towards me again with the lamp in his han', 'ack into the room from whence she had come, he walked towards me again with the lamp in his hand. "\'', 'nto the room from whence she had come, he walked towards me again with the lamp in his hand. "\'perha', 'he room from whence she had come, he walked towards me again with the lamp in his hand. "\'perhaps yo', 'om from whence she had come, he walked towards me again with the lamp in his hand. "\'perhaps you wil', 'om whence she had come, he walked towards me again with the lamp in his hand. "\'perhaps you will hav', 'ence she had come, he walked towards me again with the lamp in his hand. "\'perhaps you will have the', 'she had come, he walked towards me again with the lamp in his hand. "\'perhaps you will have the kind', 'ad come, he walked towards me again with the lamp in his hand. "\'perhaps you will have the kindness ', 'me, he walked towards me again with the lamp in his hand. "\'perhaps you will have the kindness to wa', 'e walked towards me again with the lamp in his hand. "\'perhaps you will have the kindness to wait in', 'ked towards me again with the lamp in his hand. "\'perhaps you will have the kindness to wait in this', 'owards me again with the lamp in his hand. "\'perhaps you will have the kindness to wait in this room', 's me again with the lamp in his hand. "\'perhaps you will have the kindness to wait in this room for ', 'again with the lamp in his hand. "\'perhaps you will have the kindness to wait in this room for a few', ' with the lamp in his hand. "\'perhaps you will have the kindness to wait in this room for a few minu', ' the lamp in his hand. "\'perhaps you will have the kindness to wait in this room for a few minutes,\'', 'lamp in his hand. "\'perhaps you will have the kindness to wait in this room for a few minutes,\' said', 'in his hand. "\'perhaps you will have the kindness to wait in this room for a few minutes,\' said he, ', 's hand. "\'perhaps you will have the kindness to wait in this room for a few minutes,\' said he, throw', 'd. "\'perhaps you will have the kindness to wait in this room for a few minutes,\' said he, throwing o', "perhaps you will have the kindness to wait in this room for a few minutes,' said he, throwing open a", "ps you will have the kindness to wait in this room for a few minutes,' said he, throwing open anothe", "u will have the kindness to wait in this room for a few minutes,' said he, throwing open another doo", "l have the kindness to wait in this room for a few minutes,' said he, throwing open another door. it", "e the kindness to wait in this room for a few minutes,' said he, throwing open another door. it was ", " kindness to wait in this room for a few minutes,' said he, throwing open another door. it was a qui", "ness to wait in this room for a few minutes,' said he, throwing open another door. it was a quiet, l", "to wait in this room for a few minutes,' said he, throwing open another door. it was a quiet, little", "it in this room for a few minutes,' said he, throwing open another door. it was a quiet, little, pla", " this room for a few minutes,' said he, throwing open another door. it was a quiet, little, plainly ", " room for a few minutes,' said he, throwing open another door. it was a quiet, little, plainly furni", " for a few minutes,' said he, throwing open another door. it was a quiet, little, plainly furnished ", "a few minutes,' said he, throwing open another door. it was a quiet, little, plainly furnished room,", " minutes,' said he, throwing open another door. it was a quiet, little, plainly furnished room, with", "tes,' said he, throwing open another door. it was a quiet, little, plainly furnished room, with a ro", ' said he, throwing open another door. it was a quiet, little, plainly furnished room, with a round t', ' he, throwing open another door. it was a quiet, little, plainly furnished room, with a round table ', 'throwing open another door. it was a quiet, little, plainly furnished room, with a round table in th', 'ing open another door. it was a quiet, little, plainly furnished room, with a round table in the cen', 'pen another door. it was a quiet, little, plainly furnished room, with a round table in the centre, ', 'nother door. it was a quiet, little, plainly furnished room, with a round table in the centre, on wh', 'r door. it was a quiet, little, plainly furnished room, with a round table in the centre, on which s', 'r. it was a quiet, little, plainly furnished room, with a round table in the centre, on which severa', ' was a quiet, little, plainly furnished room, with a round table in the centre, on which several ger', 'a quiet, little, plainly furnished room, with a round table in the centre, on which several german b', 'et, little, plainly furnished room, with a round table in the centre, on which several german books ', 'ittle, plainly furnished room, with a round table in the centre, on which several german books were ', ', plainly furnished room, with a round table in the centre, on which several german books were scatt', 'inly furnished room, with a round table in the centre, on which several german books were scattered.', 'furnished room, with a round table in the centre, on which several german books were scattered. colo', 'shed room, with a round table in the centre, on which several german books were scattered. colonel s', 'room, with a round table in the centre, on which several german books were scattered. colonel stark ', ' with a round table in the centre, on which several german books were scattered. colonel stark laid ', ' a round table in the centre, on which several german books were scattered. colonel stark laid down ', 'und table in the centre, on which several german books were scattered. colonel stark laid down the l', 'able in the centre, on which several german books were scattered. colonel stark laid down the lamp o', 'in the centre, on which several german books were scattered. colonel stark laid down the lamp on the', 'e centre, on which several german books were scattered. colonel stark laid down the lamp on the top ', 'tre, on which several german books were scattered. colonel stark laid down the lamp on the top of a ', 'on which several german books were scattered. colonel stark laid down the lamp on the top of a harmo', 'ich several german books were scattered. colonel stark laid down the lamp on the top of a harmonium ', 'everal german books were scattered. colonel stark laid down the lamp on the top of a harmonium besid', 'l german books were scattered. colonel stark laid down the lamp on the top of a harmonium beside the', 'man books were scattered. colonel stark laid down the lamp on the top of a harmonium beside the door', "ooks were scattered. colonel stark laid down the lamp on the top of a harmonium beside the door. 'i ", "were scattered. colonel stark laid down the lamp on the top of a harmonium beside the door. 'i shall", "scattered. colonel stark laid down the lamp on the top of a harmonium beside the door. 'i shall not ", "ered. colonel stark laid down the lamp on the top of a harmonium beside the door. 'i shall not keep ", " colonel stark laid down the lamp on the top of a harmonium beside the door. 'i shall not keep you w", "nel stark laid down the lamp on the top of a harmonium beside the door. 'i shall not keep you waitin", "tark laid down the lamp on the top of a harmonium beside the door. 'i shall not keep you waiting an ", "laid down the lamp on the top of a harmonium beside the door. 'i shall not keep you waiting an insta", "down the lamp on the top of a harmonium beside the door. 'i shall not keep you waiting an instant,' ", "the lamp on the top of a harmonium beside the door. 'i shall not keep you waiting an instant,' said ", "amp on the top of a harmonium beside the door. 'i shall not keep you waiting an instant,' said he, a", "n the top of a harmonium beside the door. 'i shall not keep you waiting an instant,' said he, and va", " top of a harmonium beside the door. 'i shall not keep you waiting an instant,' said he, and vanishe", "of a harmonium beside the door. 'i shall not keep you waiting an instant,' said he, and vanished int", "harmonium beside the door. 'i shall not keep you waiting an instant,' said he, and vanished into the", "nium beside the door. 'i shall not keep you waiting an instant,' said he, and vanished into the dark", "beside the door. 'i shall not keep you waiting an instant,' said he, and vanished into the darkness.", 'e the door. \'i shall not keep you waiting an instant,\' said he, and vanished into the darkness. "i g', ' door. \'i shall not keep you waiting an instant,\' said he, and vanished into the darkness. "i glance', '. \'i shall not keep you waiting an instant,\' said he, and vanished into the darkness. "i glanced at ', 'shall not keep you waiting an instant,\' said he, and vanished into the darkness. "i glanced at the b', ' not keep you waiting an instant,\' said he, and vanished into the darkness. "i glanced at the books ', 'keep you waiting an instant,\' said he, and vanished into the darkness. "i glanced at the books upon ', 'you waiting an instant,\' said he, and vanished into the darkness. "i glanced at the books upon the t', 'aiting an instant,\' said he, and vanished into the darkness. "i glanced at the books upon the table,', 'g an instant,\' said he, and vanished into the darkness. "i glanced at the books upon the table, and ', 'instant,\' said he, and vanished into the darkness. "i glanced at the books upon the table, and in sp', 'nt,\' said he, and vanished into the darkness. "i glanced at the books upon the table, and in spite o', 'said he, and vanished into the darkness. "i glanced at the books upon the table, and in spite of my ', 'he, and vanished into the darkness. "i glanced at the books upon the table, and in spite of my ignor', 'nd vanished into the darkness. "i glanced at the books upon the table, and in spite of my ignorance ', 'nished into the darkness. "i glanced at the books upon the table, and in spite of my ignorance of ge', 'd into the darkness. "i glanced at the books upon the table, and in spite of my ignorance of german ', 'o the darkness. "i glanced at the books upon the table, and in spite of my ignorance of german i cou', ' darkness. "i glanced at the books upon the table, and in spite of my ignorance of german i could se', 'ness. "i glanced at the books upon the table, and in spite of my ignorance of german i could see tha', ' "i glanced at the books upon the table, and in spite of my ignorance of german i could see that two', 'lanced at the books upon the table, and in spite of my ignorance of german i could see that two of t', 'd at the books upon the table, and in spite of my ignorance of german i could see that two of them w', 'the books upon the table, and in spite of my ignorance of german i could see that two of them were t', 'ooks upon the table, and in spite of my ignorance of german i could see that two of them were treati', 'upon the table, and in spite of my ignorance of german i could see that two of them were treatises o', 'the table, and in spite of my ignorance of german i could see that two of them were treatises on sci', 'able, and in spite of my ignorance of german i could see that two of them were treatises on science,', ' and in spite of my ignorance of german i could see that two of them were treatises on science, the ', 'in spite of my ignorance of german i could see that two of them were treatises on science, the other', 'ite of my ignorance of german i could see that two of them were treatises on science, the others bei', 'f my ignorance of german i could see that two of them were treatises on science, the others being vo', 'ignorance of german i could see that two of them were treatises on science, the others being volumes', 'ance of german i could see that two of them were treatises on science, the others being volumes of p', 'of german i could see that two of them were treatises on science, the others being volumes of poetry', 'rman i could see that two of them were treatises on science, the others being volumes of poetry. the', 'i could see that two of them were treatises on science, the others being volumes of poetry. then i w', 'ld see that two of them were treatises on science, the others being volumes of poetry. then i walked', 'e that two of them were treatises on science, the others being volumes of poetry. then i walked acro', 't two of them were treatises on science, the others being volumes of poetry. then i walked across to', ' of them were treatises on science, the others being volumes of poetry. then i walked across to the ', 'hem were treatises on science, the others being volumes of poetry. then i walked across to the windo', 'ere treatises on science, the others being volumes of poetry. then i walked across to the window, ho', 'reatises on science, the others being volumes of poetry. then i walked across to the window, hoping ', 'ses on science, the others being volumes of poetry. then i walked across to the window, hoping that ', 'n science, the others being volumes of poetry. then i walked across to the window, hoping that i mig', 'ence, the others being volumes of poetry. then i walked across to the window, hoping that i might ca', ' the others being volumes of poetry. then i walked across to the window, hoping that i might catch s', 'others being volumes of poetry. then i walked across to the window, hoping that i might catch some g', 's being volumes of poetry. then i walked across to the window, hoping that i might catch some glimps', 'ng volumes of poetry. then i walked across to the window, hoping that i might catch some glimpse of ', 'lumes of poetry. then i walked across to the window, hoping that i might catch some glimpse of the c', ' of poetry. then i walked across to the window, hoping that i might catch some glimpse of the countr', 'oetry. then i walked across to the window, hoping that i might catch some glimpse of the country-sid', '. then i walked across to the window, hoping that i might catch some glimpse of the country-side, bu', 'n i walked across to the window, hoping that i might catch some glimpse of the country-side, but an ', 'alked across to the window, hoping that i might catch some glimpse of the country-side, but an oak s', ' across to the window, hoping that i might catch some glimpse of the country-side, but an oak shutte', 'ss to the window, hoping that i might catch some glimpse of the country-side, but an oak shutter, he', ' the window, hoping that i might catch some glimpse of the country-side, but an oak shutter, heavily', 'window, hoping that i might catch some glimpse of the country-side, but an oak shutter, heavily barr', 'w, hoping that i might catch some glimpse of the country-side, but an oak shutter, heavily barred, w', 'ping that i might catch some glimpse of the country-side, but an oak shutter, heavily barred, was fo', 'that i might catch some glimpse of the country-side, but an oak shutter, heavily barred, was folded ', 'i might catch some glimpse of the country-side, but an oak shutter, heavily barred, was folded acros', 'ht catch some glimpse of the country-side, but an oak shutter, heavily barred, was folded across it.', 'tch some glimpse of the country-side, but an oak shutter, heavily barred, was folded across it. it w', 'ome glimpse of the country-side, but an oak shutter, heavily barred, was folded across it. it was a ', 'limpse of the country-side, but an oak shutter, heavily barred, was folded across it. it was a wonde', 'e of the country-side, but an oak shutter, heavily barred, was folded across it. it was a wonderfull', 'the country-side, but an oak shutter, heavily barred, was folded across it. it was a wonderfully sil', 'ountry-side, but an oak shutter, heavily barred, was folded across it. it was a wonderfully silent h', 'y-side, but an oak shutter, heavily barred, was folded across it. it was a wonderfully silent house.', 'e, but an oak shutter, heavily barred, was folded across it. it was a wonderfully silent house. ther', 't an oak shutter, heavily barred, was folded across it. it was a wonderfully silent house. there was', 'oak shutter, heavily barred, was folded across it. it was a wonderfully silent house. there was an o', 'hutter, heavily barred, was folded across it. it was a wonderfully silent house. there was an old cl', 'r, heavily barred, was folded across it. it was a wonderfully silent house. there was an old clock t', 'avily barred, was folded across it. it was a wonderfully silent house. there was an old clock tickin', ' barred, was folded across it. it was a wonderfully silent house. there was an old clock ticking lou', 'ed, was folded across it. it was a wonderfully silent house. there was an old clock ticking loudly s', 'as folded across it. it was a wonderfully silent house. there was an old clock ticking loudly somewh', 'lded across it. it was a wonderfully silent house. there was an old clock ticking loudly somewhere i', 'across it. it was a wonderfully silent house. there was an old clock ticking loudly somewhere in the', 's it. it was a wonderfully silent house. there was an old clock ticking loudly somewhere in the pass', ' it was a wonderfully silent house. there was an old clock ticking loudly somewhere in the passage, ', 'as a wonderfully silent house. there was an old clock ticking loudly somewhere in the passage, but o', 'wonderfully silent house. there was an old clock ticking loudly somewhere in the passage, but otherw', 'rfully silent house. there was an old clock ticking loudly somewhere in the passage, but otherwise e', 'y silent house. there was an old clock ticking loudly somewhere in the passage, but otherwise everyt', 'ent house. there was an old clock ticking loudly somewhere in the passage, but otherwise everything ', 'ouse. there was an old clock ticking loudly somewhere in the passage, but otherwise everything was d', ' there was an old clock ticking loudly somewhere in the passage, but otherwise everything was deadly', 'e was an old clock ticking loudly somewhere in the passage, but otherwise everything was deadly stil', ' an old clock ticking loudly somewhere in the passage, but otherwise everything was deadly still. a ', 'ld clock ticking loudly somewhere in the passage, but otherwise everything was deadly still. a vague', 'ock ticking loudly somewhere in the passage, but otherwise everything was deadly still. a vague feel', 'icking loudly somewhere in the passage, but otherwise everything was deadly still. a vague feeling o', 'g loudly somewhere in the passage, but otherwise everything was deadly still. a vague feeling of une', 'dly somewhere in the passage, but otherwise everything was deadly still. a vague feeling of uneasine', 'omewhere in the passage, but otherwise everything was deadly still. a vague feeling of uneasiness be', 'ere in the passage, but otherwise everything was deadly still. a vague feeling of uneasiness began t', 'n the passage, but otherwise everything was deadly still. a vague feeling of uneasiness began to ste', ' passage, but otherwise everything was deadly still. a vague feeling of uneasiness began to steal ov', 'age, but otherwise everything was deadly still. a vague feeling of uneasiness began to steal over me', 'but otherwise everything was deadly still. a vague feeling of uneasiness began to steal over me. who', 'therwise everything was deadly still. a vague feeling of uneasiness began to steal over me. who were', 'ise everything was deadly still. a vague feeling of uneasiness began to steal over me. who were thes', 'verything was deadly still. a vague feeling of uneasiness began to steal over me. who were these ger', 'hing was deadly still. a vague feeling of uneasiness began to steal over me. who were these german p', 'was deadly still. a vague feeling of uneasiness began to steal over me. who were these german people', 'eadly still. a vague feeling of uneasiness began to steal over me. who were these german people, and', ' still. a vague feeling of uneasiness began to steal over me. who were these german people, and what', 'l. a vague feeling of uneasiness began to steal over me. who were these german people, and what were', 'vague feeling of uneasiness began to steal over me. who were these german people, and what were they', ' feeling of uneasiness began to steal over me. who were these german people, and what were they doin', 'ing of uneasiness began to steal over me. who were these german people, and what were they doing liv', 'f uneasiness began to steal over me. who were these german people, and what were they doing living i', 'asiness began to steal over me. who were these german people, and what were they doing living in thi', 'ss began to steal over me. who were these german people, and what were they doing living in this str', 'gan to steal over me. who were these german people, and what were they doing living in this strange,', 'o steal over me. who were these german people, and what were they doing living in this strange, out-', 'al over me. who were these german people, and what were they doing living in this strange, out-of-th', 'er me. who were these german people, and what were they doing living in this strange, out-of-the-way', '. who were these german people, and what were they doing living in this strange, out-of-the-way plac', ' were these german people, and what were they doing living in this strange, out-of-the-way place? an', ' these german people, and what were they doing living in this strange, out-of-the-way place? and whe', 'e german people, and what were they doing living in this strange, out-of-the-way place? and where wa', 'man people, and what were they doing living in this strange, out-of-the-way place? and where was the', 'eople, and what were they doing living in this strange, out-of-the-way place? and where was the plac', ', and what were they doing living in this strange, out-of-the-way place? and where was the place? i ', ' what were they doing living in this strange, out-of-the-way place? and where was the place? i was t', ' were they doing living in this strange, out-of-the-way place? and where was the place? i was ten mi', ' they doing living in this strange, out-of-the-way place? and where was the place? i was ten miles o', ' doing living in this strange, out-of-the-way place? and where was the place? i was ten miles or so ', 'g living in this strange, out-of-the-way place? and where was the place? i was ten miles or so from ', 'ing in this strange, out-of-the-way place? and where was the place? i was ten miles or so from eyfor', 'n this strange, out-of-the-way place? and where was the place? i was ten miles or so from eyford, th', 's strange, out-of-the-way place? and where was the place? i was ten miles or so from eyford, that wa', 'ange, out-of-the-way place? and where was the place? i was ten miles or so from eyford, that was all', ' out-of-the-way place? and where was the place? i was ten miles or so from eyford, that was all i kn', 'of-the-way place? and where was the place? i was ten miles or so from eyford, that was all i knew, b', 'e-way place? and where was the place? i was ten miles or so from eyford, that was all i knew, but wh', ' place? and where was the place? i was ten miles or so from eyford, that was all i knew, but whether', 'e? and where was the place? i was ten miles or so from eyford, that was all i knew, but whether nort', 'd where was the place? i was ten miles or so from eyford, that was all i knew, but whether north, so', 're was the place? i was ten miles or so from eyford, that was all i knew, but whether north, south, ', 's the place? i was ten miles or so from eyford, that was all i knew, but whether north, south, east,', ' place? i was ten miles or so from eyford, that was all i knew, but whether north, south, east, or w', 'e? i was ten miles or so from eyford, that was all i knew, but whether north, south, east, or west i', 'was ten miles or so from eyford, that was all i knew, but whether north, south, east, or west i had ', 'en miles or so from eyford, that was all i knew, but whether north, south, east, or west i had no id', 'les or so from eyford, that was all i knew, but whether north, south, east, or west i had no idea. f', 'r so from eyford, that was all i knew, but whether north, south, east, or west i had no idea. for th', 'from eyford, that was all i knew, but whether north, south, east, or west i had no idea. for that ma', 'eyford, that was all i knew, but whether north, south, east, or west i had no idea. for that matter,', 'd, that was all i knew, but whether north, south, east, or west i had no idea. for that matter, read', 'at was all i knew, but whether north, south, east, or west i had no idea. for that matter, reading, ', 's all i knew, but whether north, south, east, or west i had no idea. for that matter, reading, and p', ' i knew, but whether north, south, east, or west i had no idea. for that matter, reading, and possib', 'ew, but whether north, south, east, or west i had no idea. for that matter, reading, and possibly ot', 'ut whether north, south, east, or west i had no idea. for that matter, reading, and possibly other l', 'ether north, south, east, or west i had no idea. for that matter, reading, and possibly other large ', ' north, south, east, or west i had no idea. for that matter, reading, and possibly other large towns', 'h, south, east, or west i had no idea. for that matter, reading, and possibly other large towns, wer', 'uth, east, or west i had no idea. for that matter, reading, and possibly other large towns, were wit', 'east, or west i had no idea. for that matter, reading, and possibly other large towns, were within t', ' or west i had no idea. for that matter, reading, and possibly other large towns, were within that r', 'est i had no idea. for that matter, reading, and possibly other large towns, were within that radius', ' had no idea. for that matter, reading, and possibly other large towns, were within that radius, so ', 'no idea. for that matter, reading, and possibly other large towns, were within that radius, so the p', 'ea. for that matter, reading, and possibly other large towns, were within that radius, so the place ', 'or that matter, reading, and possibly other large towns, were within that radius, so the place might', 'at matter, reading, and possibly other large towns, were within that radius, so the place might not ', 'tter, reading, and possibly other large towns, were within that radius, so the place might not be so', ' reading, and possibly other large towns, were within that radius, so the place might not be so secl', 'ing, and possibly other large towns, were within that radius, so the place might not be so secluded,', 'and possibly other large towns, were within that radius, so the place might not be so secluded, afte', 'ossibly other large towns, were within that radius, so the place might not be so secluded, after all', 'ly other large towns, were within that radius, so the place might not be so secluded, after all. yet', 'her large towns, were within that radius, so the place might not be so secluded, after all. yet it w', 'arge towns, were within that radius, so the place might not be so secluded, after all. yet it was qu', 'towns, were within that radius, so the place might not be so secluded, after all. yet it was quite c', ', were within that radius, so the place might not be so secluded, after all. yet it was quite certai', 'e within that radius, so the place might not be so secluded, after all. yet it was quite certain, fr', 'hin that radius, so the place might not be so secluded, after all. yet it was quite certain, from th', 'hat radius, so the place might not be so secluded, after all. yet it was quite certain, from the abs', 'adius, so the place might not be so secluded, after all. yet it was quite certain, from the absolute', ', so the place might not be so secluded, after all. yet it was quite certain, from the absolute stil', 'the place might not be so secluded, after all. yet it was quite certain, from the absolute stillness', 'lace might not be so secluded, after all. yet it was quite certain, from the absolute stillness, tha', 'might not be so secluded, after all. yet it was quite certain, from the absolute stillness, that we ', ' not be so secluded, after all. yet it was quite certain, from the absolute stillness, that we were ', 'be so secluded, after all. yet it was quite certain, from the absolute stillness, that we were in th', ' secluded, after all. yet it was quite certain, from the absolute stillness, that we were in the cou', 'uded, after all. yet it was quite certain, from the absolute stillness, that we were in the country.', ' after all. yet it was quite certain, from the absolute stillness, that we were in the country. i pa', 'r all. yet it was quite certain, from the absolute stillness, that we were in the country. i paced u', '. yet it was quite certain, from the absolute stillness, that we were in the country. i paced up and', ' it was quite certain, from the absolute stillness, that we were in the country. i paced up and down', 'as quite certain, from the absolute stillness, that we were in the country. i paced up and down the ', 'ite certain, from the absolute stillness, that we were in the country. i paced up and down the room,', 'ertain, from the absolute stillness, that we were in the country. i paced up and down the room, humm', 'n, from the absolute stillness, that we were in the country. i paced up and down the room, humming a', 'om the absolute stillness, that we were in the country. i paced up and down the room, humming a tune', 'e absolute stillness, that we were in the country. i paced up and down the room, humming a tune unde', 'olute stillness, that we were in the country. i paced up and down the room, humming a tune under my ', ' stillness, that we were in the country. i paced up and down the room, humming a tune under my breat', 'lness, that we were in the country. i paced up and down the room, humming a tune under my breath to ', ', that we were in the country. i paced up and down the room, humming a tune under my breath to keep ', 't we were in the country. i paced up and down the room, humming a tune under my breath to keep up my', 'were in the country. i paced up and down the room, humming a tune under my breath to keep up my spir', 'in the country. i paced up and down the room, humming a tune under my breath to keep up my spirits a', 'e country. i paced up and down the room, humming a tune under my breath to keep up my spirits and fe', 'ntry. i paced up and down the room, humming a tune under my breath to keep up my spirits and feeling', ' i paced up and down the room, humming a tune under my breath to keep up my spirits and feeling that', 'ced up and down the room, humming a tune under my breath to keep up my spirits and feeling that i wa', 'p and down the room, humming a tune under my breath to keep up my spirits and feeling that i was tho', ' down the room, humming a tune under my breath to keep up my spirits and feeling that i was thorough', ' the room, humming a tune under my breath to keep up my spirits and feeling that i was thoroughly ea', 'room, humming a tune under my breath to keep up my spirits and feeling that i was thoroughly earning', ' humming a tune under my breath to keep up my spirits and feeling that i was thoroughly earning my f', 'ing a tune under my breath to keep up my spirits and feeling that i was thoroughly earning my fifty-', ' tune under my breath to keep up my spirits and feeling that i was thoroughly earning my fifty-guine', ' under my breath to keep up my spirits and feeling that i was thoroughly earning my fifty-guinea fee', 'r my breath to keep up my spirits and feeling that i was thoroughly earning my fifty-guinea fee. "su', 'breath to keep up my spirits and feeling that i was thoroughly earning my fifty-guinea fee. "suddenl', 'h to keep up my spirits and feeling that i was thoroughly earning my fifty-guinea fee. "suddenly, wi', 'keep up my spirits and feeling that i was thoroughly earning my fifty-guinea fee. "suddenly, without', 'up my spirits and feeling that i was thoroughly earning my fifty-guinea fee. "suddenly, without any ', ' spirits and feeling that i was thoroughly earning my fifty-guinea fee. "suddenly, without any preli', 'its and feeling that i was thoroughly earning my fifty-guinea fee. "suddenly, without any preliminar', 'nd feeling that i was thoroughly earning my fifty-guinea fee. "suddenly, without any preliminary sou', 'eling that i was thoroughly earning my fifty-guinea fee. "suddenly, without any preliminary sound in', ' that i was thoroughly earning my fifty-guinea fee. "suddenly, without any preliminary sound in the ', ' i was thoroughly earning my fifty-guinea fee. "suddenly, without any preliminary sound in the midst', 's thoroughly earning my fifty-guinea fee. "suddenly, without any preliminary sound in the midst of t', 'roughly earning my fifty-guinea fee. "suddenly, without any preliminary sound in the midst of the ut', 'ly earning my fifty-guinea fee. "suddenly, without any preliminary sound in the midst of the utter s', 'rning my fifty-guinea fee. "suddenly, without any preliminary sound in the midst of the utter stilln', ' my fifty-guinea fee. "suddenly, without any preliminary sound in the midst of the utter stillness, ', 'ifty-guinea fee. "suddenly, without any preliminary sound in the midst of the utter stillness, the d', 'guinea fee. "suddenly, without any preliminary sound in the midst of the utter stillness, the door o', 'a fee. "suddenly, without any preliminary sound in the midst of the utter stillness, the door of my ', '. "suddenly, without any preliminary sound in the midst of the utter stillness, the door of my room ', 'ddenly, without any preliminary sound in the midst of the utter stillness, the door of my room swung', 'y, without any preliminary sound in the midst of the utter stillness, the door of my room swung slow', 'thout any preliminary sound in the midst of the utter stillness, the door of my room swung slowly op', ' any preliminary sound in the midst of the utter stillness, the door of my room swung slowly open. t', 'preliminary sound in the midst of the utter stillness, the door of my room swung slowly open. the wo', 'minary sound in the midst of the utter stillness, the door of my room swung slowly open. the woman w', 'y sound in the midst of the utter stillness, the door of my room swung slowly open. the woman was st', 'nd in the midst of the utter stillness, the door of my room swung slowly open. the woman was standin', ' the midst of the utter stillness, the door of my room swung slowly open. the woman was standing in ', 'midst of the utter stillness, the door of my room swung slowly open. the woman was standing in the a', ' of the utter stillness, the door of my room swung slowly open. the woman was standing in the apertu', 'he utter stillness, the door of my room swung slowly open. the woman was standing in the aperture, t', 'ter stillness, the door of my room swung slowly open. the woman was standing in the aperture, the da', 'tillness, the door of my room swung slowly open. the woman was standing in the aperture, the darknes', 'ess, the door of my room swung slowly open. the woman was standing in the aperture, the darkness of ', 'the door of my room swung slowly open. the woman was standing in the aperture, the darkness of the h', 'oor of my room swung slowly open. the woman was standing in the aperture, the darkness of the hall b', 'f my room swung slowly open. the woman was standing in the aperture, the darkness of the hall behind', 'room swung slowly open. the woman was standing in the aperture, the darkness of the hall behind her,', 'swung slowly open. the woman was standing in the aperture, the darkness of the hall behind her, the ', ' slowly open. the woman was standing in the aperture, the darkness of the hall behind her, the yello', 'ly open. the woman was standing in the aperture, the darkness of the hall behind her, the yellow lig', 'en. the woman was standing in the aperture, the darkness of the hall behind her, the yellow light fr', 'he woman was standing in the aperture, the darkness of the hall behind her, the yellow light from my', 'man was standing in the aperture, the darkness of the hall behind her, the yellow light from my lamp', 'as standing in the aperture, the darkness of the hall behind her, the yellow light from my lamp beat', 'anding in the aperture, the darkness of the hall behind her, the yellow light from my lamp beating u', 'g in the aperture, the darkness of the hall behind her, the yellow light from my lamp beating upon h', 'the aperture, the darkness of the hall behind her, the yellow light from my lamp beating upon her ea', 'perture, the darkness of the hall behind her, the yellow light from my lamp beating upon her eager a', 're, the darkness of the hall behind her, the yellow light from my lamp beating upon her eager and be', 'he darkness of the hall behind her, the yellow light from my lamp beating upon her eager and beautif', 'rkness of the hall behind her, the yellow light from my lamp beating upon her eager and beautiful fa', 's of the hall behind her, the yellow light from my lamp beating upon her eager and beautiful face. i', 'the hall behind her, the yellow light from my lamp beating upon her eager and beautiful face. i coul', 'all behind her, the yellow light from my lamp beating upon her eager and beautiful face. i could see', 'ehind her, the yellow light from my lamp beating upon her eager and beautiful face. i could see at a', ' her, the yellow light from my lamp beating upon her eager and beautiful face. i could see at a glan', ' the yellow light from my lamp beating upon her eager and beautiful face. i could see at a glance th', 'yellow light from my lamp beating upon her eager and beautiful face. i could see at a glance that sh', 'w light from my lamp beating upon her eager and beautiful face. i could see at a glance that she was', 'ht from my lamp beating upon her eager and beautiful face. i could see at a glance that she was sick', 'om my lamp beating upon her eager and beautiful face. i could see at a glance that she was sick with', ' lamp beating upon her eager and beautiful face. i could see at a glance that she was sick with fear', ' beating upon her eager and beautiful face. i could see at a glance that she was sick with fear, and', 'ing upon her eager and beautiful face. i could see at a glance that she was sick with fear, and the ', 'pon her eager and beautiful face. i could see at a glance that she was sick with fear, and the sight', 'er eager and beautiful face. i could see at a glance that she was sick with fear, and the sight sent', 'ger and beautiful face. i could see at a glance that she was sick with fear, and the sight sent a ch', 'nd beautiful face. i could see at a glance that she was sick with fear, and the sight sent a chill t', 'autiful face. i could see at a glance that she was sick with fear, and the sight sent a chill to my ', 'ul face. i could see at a glance that she was sick with fear, and the sight sent a chill to my own h', 'ce. i could see at a glance that she was sick with fear, and the sight sent a chill to my own heart.', ' could see at a glance that she was sick with fear, and the sight sent a chill to my own heart. she ', 'd see at a glance that she was sick with fear, and the sight sent a chill to my own heart. she held ', ' at a glance that she was sick with fear, and the sight sent a chill to my own heart. she held up on', ' glance that she was sick with fear, and the sight sent a chill to my own heart. she held up one sha', 'ce that she was sick with fear, and the sight sent a chill to my own heart. she held up one shaking ', 'at she was sick with fear, and the sight sent a chill to my own heart. she held up one shaking finge', 'e was sick with fear, and the sight sent a chill to my own heart. she held up one shaking finger to ', ' sick with fear, and the sight sent a chill to my own heart. she held up one shaking finger to warn ', ' with fear, and the sight sent a chill to my own heart. she held up one shaking finger to warn me to', ' fear, and the sight sent a chill to my own heart. she held up one shaking finger to warn me to be s', ', and the sight sent a chill to my own heart. she held up one shaking finger to warn me to be silent', ' the sight sent a chill to my own heart. she held up one shaking finger to warn me to be silent, and', 'sight sent a chill to my own heart. she held up one shaking finger to warn me to be silent, and she ', ' sent a chill to my own heart. she held up one shaking finger to warn me to be silent, and she shot ', ' a chill to my own heart. she held up one shaking finger to warn me to be silent, and she shot a few', 'ill to my own heart. she held up one shaking finger to warn me to be silent, and she shot a few whis', 'o my own heart. she held up one shaking finger to warn me to be silent, and she shot a few whispered', 'own heart. she held up one shaking finger to warn me to be silent, and she shot a few whispered word', 'eart. she held up one shaking finger to warn me to be silent, and she shot a few whispered words of ', ' she held up one shaking finger to warn me to be silent, and she shot a few whispered words of broke', 'held up one shaking finger to warn me to be silent, and she shot a few whispered words of broken eng', 'up one shaking finger to warn me to be silent, and she shot a few whispered words of broken english ', 'e shaking finger to warn me to be silent, and she shot a few whispered words of broken english at me', 'king finger to warn me to be silent, and she shot a few whispered words of broken english at me, her', 'finger to warn me to be silent, and she shot a few whispered words of broken english at me, her eyes', 'r to warn me to be silent, and she shot a few whispered words of broken english at me, her eyes glan', 'warn me to be silent, and she shot a few whispered words of broken english at me, her eyes glancing ', 'me to be silent, and she shot a few whispered words of broken english at me, her eyes glancing back,', ' be silent, and she shot a few whispered words of broken english at me, her eyes glancing back, like', 'ilent, and she shot a few whispered words of broken english at me, her eyes glancing back, like thos', ', and she shot a few whispered words of broken english at me, her eyes glancing back, like those of ', ' she shot a few whispered words of broken english at me, her eyes glancing back, like those of a fri', 'shot a few whispered words of broken english at me, her eyes glancing back, like those of a frighten', 'a few whispered words of broken english at me, her eyes glancing back, like those of a frightened ho', ' whispered words of broken english at me, her eyes glancing back, like those of a frightened horse, ', 'pered words of broken english at me, her eyes glancing back, like those of a frightened horse, into ', ' words of broken english at me, her eyes glancing back, like those of a frightened horse, into the g', 's of broken english at me, her eyes glancing back, like those of a frightened horse, into the gloom ', 'broken english at me, her eyes glancing back, like those of a frightened horse, into the gloom behin', 'n english at me, her eyes glancing back, like those of a frightened horse, into the gloom behind her', 'lish at me, her eyes glancing back, like those of a frightened horse, into the gloom behind her. "\'i', 'at me, her eyes glancing back, like those of a frightened horse, into the gloom behind her. "\'i woul', ', her eyes glancing back, like those of a frightened horse, into the gloom behind her. "\'i would go,', ' eyes glancing back, like those of a frightened horse, into the gloom behind her. "\'i would go,\' sai', ' glancing back, like those of a frightened horse, into the gloom behind her. "\'i would go,\' said she', 'cing back, like those of a frightened horse, into the gloom behind her. "\'i would go,\' said she, try', 'back, like those of a frightened horse, into the gloom behind her. "\'i would go,\' said she, trying h', ' like those of a frightened horse, into the gloom behind her. "\'i would go,\' said she, trying hard, ', ' those of a frightened horse, into the gloom behind her. "\'i would go,\' said she, trying hard, as it', 'e of a frightened horse, into the gloom behind her. "\'i would go,\' said she, trying hard, as it seem', 'a frightened horse, into the gloom behind her. "\'i would go,\' said she, trying hard, as it seemed to', 'ghtened horse, into the gloom behind her. "\'i would go,\' said she, trying hard, as it seemed to me, ', 'ed horse, into the gloom behind her. "\'i would go,\' said she, trying hard, as it seemed to me, to sp', 'rse, into the gloom behind her. "\'i would go,\' said she, trying hard, as it seemed to me, to speak c', 'into the gloom behind her. "\'i would go,\' said she, trying hard, as it seemed to me, to speak calmly', 'the gloom behind her. "\'i would go,\' said she, trying hard, as it seemed to me, to speak calmly; \'i ', 'loom behind her. "\'i would go,\' said she, trying hard, as it seemed to me, to speak calmly; \'i would', 'behind her. "\'i would go,\' said she, trying hard, as it seemed to me, to speak calmly; \'i would go. ', 'd her. "\'i would go,\' said she, trying hard, as it seemed to me, to speak calmly; \'i would go. i sho', '. "\'i would go,\' said she, trying hard, as it seemed to me, to speak calmly; \'i would go. i should n', " would go,' said she, trying hard, as it seemed to me, to speak calmly; 'i would go. i should not st", "d go,' said she, trying hard, as it seemed to me, to speak calmly; 'i would go. i should not stay he", "' said she, trying hard, as it seemed to me, to speak calmly; 'i would go. i should not stay here. t", "d she, trying hard, as it seemed to me, to speak calmly; 'i would go. i should not stay here. there ", ", trying hard, as it seemed to me, to speak calmly; 'i would go. i should not stay here. there is no", "ing hard, as it seemed to me, to speak calmly; 'i would go. i should not stay here. there is no good", "ard, as it seemed to me, to speak calmly; 'i would go. i should not stay here. there is no good for ", "as it seemed to me, to speak calmly; 'i would go. i should not stay here. there is no good for you t", " seemed to me, to speak calmly; 'i would go. i should not stay here. there is no good for you to do.", 'ed to me, to speak calmly; \'i would go. i should not stay here. there is no good for you to do.\' "\'b', ' me, to speak calmly; \'i would go. i should not stay here. there is no good for you to do.\' "\'but, m', 'to speak calmly; \'i would go. i should not stay here. there is no good for you to do.\' "\'but, madam,', 'eak calmly; \'i would go. i should not stay here. there is no good for you to do.\' "\'but, madam,\' sai', 'almly; \'i would go. i should not stay here. there is no good for you to do.\' "\'but, madam,\' said i, ', '; \'i would go. i should not stay here. there is no good for you to do.\' "\'but, madam,\' said i, \'i ha', 'would go. i should not stay here. there is no good for you to do.\' "\'but, madam,\' said i, \'i have no', ' go. i should not stay here. there is no good for you to do.\' "\'but, madam,\' said i, \'i have not yet', 'i should not stay here. there is no good for you to do.\' "\'but, madam,\' said i, \'i have not yet done', 'uld not stay here. there is no good for you to do.\' "\'but, madam,\' said i, \'i have not yet done what', 'ot stay here. there is no good for you to do.\' "\'but, madam,\' said i, \'i have not yet done what i ca', 'ay here. there is no good for you to do.\' "\'but, madam,\' said i, \'i have not yet done what i came fo', 're. there is no good for you to do.\' "\'but, madam,\' said i, \'i have not yet done what i came for. i ', 'here is no good for you to do.\' "\'but, madam,\' said i, \'i have not yet done what i came for. i canno', 'is no good for you to do.\' "\'but, madam,\' said i, \'i have not yet done what i came for. i cannot pos', ' good for you to do.\' "\'but, madam,\' said i, \'i have not yet done what i came for. i cannot possibly', ' for you to do.\' "\'but, madam,\' said i, \'i have not yet done what i came for. i cannot possibly leav', 'you to do.\' "\'but, madam,\' said i, \'i have not yet done what i came for. i cannot possibly leave unt', 'o do.\' "\'but, madam,\' said i, \'i have not yet done what i came for. i cannot possibly leave until i ', '\' "\'but, madam,\' said i, \'i have not yet done what i came for. i cannot possibly leave until i have ', "ut, madam,' said i, 'i have not yet done what i came for. i cannot possibly leave until i have seen ", "adam,' said i, 'i have not yet done what i came for. i cannot possibly leave until i have seen the m", "' said i, 'i have not yet done what i came for. i cannot possibly leave until i have seen the machin", 'd i, \'i have not yet done what i came for. i cannot possibly leave until i have seen the machine.\' "', '\'i have not yet done what i came for. i cannot possibly leave until i have seen the machine.\' "\'it i', 've not yet done what i came for. i cannot possibly leave until i have seen the machine.\' "\'it is not', 't yet done what i came for. i cannot possibly leave until i have seen the machine.\' "\'it is not wort', ' done what i came for. i cannot possibly leave until i have seen the machine.\' "\'it is not worth you', ' what i came for. i cannot possibly leave until i have seen the machine.\' "\'it is not worth your whi', ' i came for. i cannot possibly leave until i have seen the machine.\' "\'it is not worth your while to', 'me for. i cannot possibly leave until i have seen the machine.\' "\'it is not worth your while to wait', 'r. i cannot possibly leave until i have seen the machine.\' "\'it is not worth your while to wait,\' sh', 'cannot possibly leave until i have seen the machine.\' "\'it is not worth your while to wait,\' she wen', 't possibly leave until i have seen the machine.\' "\'it is not worth your while to wait,\' she went on.', 'sibly leave until i have seen the machine.\' "\'it is not worth your while to wait,\' she went on. \'you', ' leave until i have seen the machine.\' "\'it is not worth your while to wait,\' she went on. \'you can ', 'e until i have seen the machine.\' "\'it is not worth your while to wait,\' she went on. \'you can pass ', 'il i have seen the machine.\' "\'it is not worth your while to wait,\' she went on. \'you can pass throu', 'have seen the machine.\' "\'it is not worth your while to wait,\' she went on. \'you can pass through th', 'seen the machine.\' "\'it is not worth your while to wait,\' she went on. \'you can pass through the doo', 'the machine.\' "\'it is not worth your while to wait,\' she went on. \'you can pass through the door; no', 'achine.\' "\'it is not worth your while to wait,\' she went on. \'you can pass through the door; no one ', 'e.\' "\'it is not worth your while to wait,\' she went on. \'you can pass through the door; no one hinde', "'it is not worth your while to wait,' she went on. 'you can pass through the door; no one hinders.' ", "s not worth your while to wait,' she went on. 'you can pass through the door; no one hinders.' and t", " worth your while to wait,' she went on. 'you can pass through the door; no one hinders.' and then, ", "h your while to wait,' she went on. 'you can pass through the door; no one hinders.' and then, seein", "r while to wait,' she went on. 'you can pass through the door; no one hinders.' and then, seeing tha", "le to wait,' she went on. 'you can pass through the door; no one hinders.' and then, seeing that i s", " wait,' she went on. 'you can pass through the door; no one hinders.' and then, seeing that i smiled", ",' she went on. 'you can pass through the door; no one hinders.' and then, seeing that i smiled and ", "e went on. 'you can pass through the door; no one hinders.' and then, seeing that i smiled and shook", "t on. 'you can pass through the door; no one hinders.' and then, seeing that i smiled and shook my h", " 'you can pass through the door; no one hinders.' and then, seeing that i smiled and shook my head, ", " can pass through the door; no one hinders.' and then, seeing that i smiled and shook my head, she s", "pass through the door; no one hinders.' and then, seeing that i smiled and shook my head, she sudden", "through the door; no one hinders.' and then, seeing that i smiled and shook my head, she suddenly th", "gh the door; no one hinders.' and then, seeing that i smiled and shook my head, she suddenly threw a", "e door; no one hinders.' and then, seeing that i smiled and shook my head, she suddenly threw aside ", "r; no one hinders.' and then, seeing that i smiled and shook my head, she suddenly threw aside her c", " one hinders.' and then, seeing that i smiled and shook my head, she suddenly threw aside her constr", "hinders.' and then, seeing that i smiled and shook my head, she suddenly threw aside her constraint ", "rs.' and then, seeing that i smiled and shook my head, she suddenly threw aside her constraint and m", 'and then, seeing that i smiled and shook my head, she suddenly threw aside her constraint and made a', 'hen, seeing that i smiled and shook my head, she suddenly threw aside her constraint and made a step', 'seeing that i smiled and shook my head, she suddenly threw aside her constraint and made a step forw', 'g that i smiled and shook my head, she suddenly threw aside her constraint and made a step forward, ', 't i smiled and shook my head, she suddenly threw aside her constraint and made a step forward, with ', 'miled and shook my head, she suddenly threw aside her constraint and made a step forward, with her h', ' and shook my head, she suddenly threw aside her constraint and made a step forward, with her hands ', 'shook my head, she suddenly threw aside her constraint and made a step forward, with her hands wrung', ' my head, she suddenly threw aside her constraint and made a step forward, with her hands wrung toge', 'ead, she suddenly threw aside her constraint and made a step forward, with her hands wrung together.', "she suddenly threw aside her constraint and made a step forward, with her hands wrung together. 'for", "uddenly threw aside her constraint and made a step forward, with her hands wrung together. 'for the ", "ly threw aside her constraint and made a step forward, with her hands wrung together. 'for the love ", "rew aside her constraint and made a step forward, with her hands wrung together. 'for the love of he", "side her constraint and made a step forward, with her hands wrung together. 'for the love of heaven ", "her constraint and made a step forward, with her hands wrung together. 'for the love of heaven she w", "onstraint and made a step forward, with her hands wrung together. 'for the love of heaven she whispe", "aint and made a step forward, with her hands wrung together. 'for the love of heaven she whispered, ", "and made a step forward, with her hands wrung together. 'for the love of heaven she whispered, 'get ", "ade a step forward, with her hands wrung together. 'for the love of heaven she whispered, 'get away ", " step forward, with her hands wrung together. 'for the love of heaven she whispered, 'get away from ", " forward, with her hands wrung together. 'for the love of heaven she whispered, 'get away from here ", "ard, with her hands wrung together. 'for the love of heaven she whispered, 'get away from here befor", "with her hands wrung together. 'for the love of heaven she whispered, 'get away from here before it ", "her hands wrung together. 'for the love of heaven she whispered, 'get away from here before it is to", "ands wrung together. 'for the love of heaven she whispered, 'get away from here before it is too lat", 'wrung together. \'for the love of heaven she whispered, \'get away from here before it is too late "b', ' together. \'for the love of heaven she whispered, \'get away from here before it is too late "but i ', 'ther. \'for the love of heaven she whispered, \'get away from here before it is too late "but i am so', ' \'for the love of heaven she whispered, \'get away from here before it is too late "but i am somewha', ' the love of heaven she whispered, \'get away from here before it is too late "but i am somewhat hea', 'love of heaven she whispered, \'get away from here before it is too late "but i am somewhat headstro', 'of heaven she whispered, \'get away from here before it is too late "but i am somewhat headstrong by', 'aven she whispered, \'get away from here before it is too late "but i am somewhat headstrong by natu', 'she whispered, \'get away from here before it is too late "but i am somewhat headstrong by nature, a', 'hispered, \'get away from here before it is too late "but i am somewhat headstrong by nature, and th', 'red, \'get away from here before it is too late "but i am somewhat headstrong by nature, and the mor', '\'get away from here before it is too late "but i am somewhat headstrong by nature, and the more rea', 'away from here before it is too late "but i am somewhat headstrong by nature, and the more ready to', 'from here before it is too late "but i am somewhat headstrong by nature, and the more ready to enga', 'here before it is too late "but i am somewhat headstrong by nature, and the more ready to engage in', 'before it is too late "but i am somewhat headstrong by nature, and the more ready to engage in an a', 'e it is too late "but i am somewhat headstrong by nature, and the more ready to engage in an affair', 'is too late "but i am somewhat headstrong by nature, and the more ready to engage in an affair when', 'o late "but i am somewhat headstrong by nature, and the more ready to engage in an affair when ther', 'e "but i am somewhat headstrong by nature, and the more ready to engage in an affair when there is ', 'ut i am somewhat headstrong by nature, and the more ready to engage in an affair when there is some ', 'am somewhat headstrong by nature, and the more ready to engage in an affair when there is some obsta', 'mewhat headstrong by nature, and the more ready to engage in an affair when there is some obstacle i', 't headstrong by nature, and the more ready to engage in an affair when there is some obstacle in the', 'dstrong by nature, and the more ready to engage in an affair when there is some obstacle in the way.', 'ng by nature, and the more ready to engage in an affair when there is some obstacle in the way. i th', ' nature, and the more ready to engage in an affair when there is some obstacle in the way. i thought', 're, and the more ready to engage in an affair when there is some obstacle in the way. i thought of m', 'nd the more ready to engage in an affair when there is some obstacle in the way. i thought of my fif', 'e more ready to engage in an affair when there is some obstacle in the way. i thought of my fifty-gu', 'e ready to engage in an affair when there is some obstacle in the way. i thought of my fifty-guinea ', 'dy to engage in an affair when there is some obstacle in the way. i thought of my fifty-guinea fee, ', ' engage in an affair when there is some obstacle in the way. i thought of my fifty-guinea fee, of my', 'ge in an affair when there is some obstacle in the way. i thought of my fifty-guinea fee, of my wear', ' an affair when there is some obstacle in the way. i thought of my fifty-guinea fee, of my wearisome', 'ffair when there is some obstacle in the way. i thought of my fifty-guinea fee, of my wearisome jour', ' when there is some obstacle in the way. i thought of my fifty-guinea fee, of my wearisome journey, ', ' there is some obstacle in the way. i thought of my fifty-guinea fee, of my wearisome journey, and o', 'e is some obstacle in the way. i thought of my fifty-guinea fee, of my wearisome journey, and of the', 'some obstacle in the way. i thought of my fifty-guinea fee, of my wearisome journey, and of the unpl', 'obstacle in the way. i thought of my fifty-guinea fee, of my wearisome journey, and of the unpleasan', 'cle in the way. i thought of my fifty-guinea fee, of my wearisome journey, and of the unpleasant nig', 'n the way. i thought of my fifty-guinea fee, of my wearisome journey, and of the unpleasant night wh', ' way. i thought of my fifty-guinea fee, of my wearisome journey, and of the unpleasant night which s', ' i thought of my fifty-guinea fee, of my wearisome journey, and of the unpleasant night which seemed', 'ought of my fifty-guinea fee, of my wearisome journey, and of the unpleasant night which seemed to b', ' of my fifty-guinea fee, of my wearisome journey, and of the unpleasant night which seemed to be bef', 'y fifty-guinea fee, of my wearisome journey, and of the unpleasant night which seemed to be before m', 'ty-guinea fee, of my wearisome journey, and of the unpleasant night which seemed to be before me. wa', 'inea fee, of my wearisome journey, and of the unpleasant night which seemed to be before me. was it ', 'fee, of my wearisome journey, and of the unpleasant night which seemed to be before me. was it all t', 'of my wearisome journey, and of the unpleasant night which seemed to be before me. was it all to go ', ' wearisome journey, and of the unpleasant night which seemed to be before me. was it all to go for n', 'isome journey, and of the unpleasant night which seemed to be before me. was it all to go for nothin', ' journey, and of the unpleasant night which seemed to be before me. was it all to go for nothing? wh', 'ney, and of the unpleasant night which seemed to be before me. was it all to go for nothing? why sho', 'and of the unpleasant night which seemed to be before me. was it all to go for nothing? why should i', 'f the unpleasant night which seemed to be before me. was it all to go for nothing? why should i slin', ' unpleasant night which seemed to be before me. was it all to go for nothing? why should i slink awa', 'easant night which seemed to be before me. was it all to go for nothing? why should i slink away wit', 't night which seemed to be before me. was it all to go for nothing? why should i slink away without ', 'ht which seemed to be before me. was it all to go for nothing? why should i slink away without havin', 'ich seemed to be before me. was it all to go for nothing? why should i slink away without having car', 'eemed to be before me. was it all to go for nothing? why should i slink away without having carried ', ' to be before me. was it all to go for nothing? why should i slink away without having carried out m', 'e before me. was it all to go for nothing? why should i slink away without having carried out my com', 'ore me. was it all to go for nothing? why should i slink away without having carried out my commissi', 'e. was it all to go for nothing? why should i slink away without having carried out my commission, a', 's it all to go for nothing? why should i slink away without having carried out my commission, and wi', 'all to go for nothing? why should i slink away without having carried out my commission, and without', 'o go for nothing? why should i slink away without having carried out my commission, and without the ', 'for nothing? why should i slink away without having carried out my commission, and without the payme', 'othing? why should i slink away without having carried out my commission, and without the payment wh', 'g? why should i slink away without having carried out my commission, and without the payment which w', 'y should i slink away without having carried out my commission, and without the payment which was my', 'uld i slink away without having carried out my commission, and without the payment which was my due?', ' slink away without having carried out my commission, and without the payment which was my due? this', 'k away without having carried out my commission, and without the payment which was my due? this woma', 'y without having carried out my commission, and without the payment which was my due? this woman mig', 'hout having carried out my commission, and without the payment which was my due? this woman might, f', 'having carried out my commission, and without the payment which was my due? this woman might, for al', 'g carried out my commission, and without the payment which was my due? this woman might, for all i k', 'ried out my commission, and without the payment which was my due? this woman might, for all i knew, ', 'out my commission, and without the payment which was my due? this woman might, for all i knew, be a ', 'y commission, and without the payment which was my due? this woman might, for all i knew, be a monom', 'mission, and without the payment which was my due? this woman might, for all i knew, be a monomaniac', 'on, and without the payment which was my due? this woman might, for all i knew, be a monomaniac. wit', 'nd without the payment which was my due? this woman might, for all i knew, be a monomaniac. with a s', 'thout the payment which was my due? this woman might, for all i knew, be a monomaniac. with a stout ', ' the payment which was my due? this woman might, for all i knew, be a monomaniac. with a stout beari', 'payment which was my due? this woman might, for all i knew, be a monomaniac. with a stout bearing, t', 'nt which was my due? this woman might, for all i knew, be a monomaniac. with a stout bearing, theref', 'ich was my due? this woman might, for all i knew, be a monomaniac. with a stout bearing, therefore, ', 'as my due? this woman might, for all i knew, be a monomaniac. with a stout bearing, therefore, thoug', ' due? this woman might, for all i knew, be a monomaniac. with a stout bearing, therefore, though her', ' this woman might, for all i knew, be a monomaniac. with a stout bearing, therefore, though her mann', ' woman might, for all i knew, be a monomaniac. with a stout bearing, therefore, though her manner ha', 'n might, for all i knew, be a monomaniac. with a stout bearing, therefore, though her manner had sha', 'ht, for all i knew, be a monomaniac. with a stout bearing, therefore, though her manner had shaken m', 'or all i knew, be a monomaniac. with a stout bearing, therefore, though her manner had shaken me mor', 'l i knew, be a monomaniac. with a stout bearing, therefore, though her manner had shaken me more tha', 'new, be a monomaniac. with a stout bearing, therefore, though her manner had shaken me more than i c', 'be a monomaniac. with a stout bearing, therefore, though her manner had shaken me more than i cared ', 'monomaniac. with a stout bearing, therefore, though her manner had shaken me more than i cared to co', 'aniac. with a stout bearing, therefore, though her manner had shaken me more than i cared to confess', '. with a stout bearing, therefore, though her manner had shaken me more than i cared to confess, i s', 'h a stout bearing, therefore, though her manner had shaken me more than i cared to confess, i still ', 'tout bearing, therefore, though her manner had shaken me more than i cared to confess, i still shook', 'bearing, therefore, though her manner had shaken me more than i cared to confess, i still shook my h', 'ng, therefore, though her manner had shaken me more than i cared to confess, i still shook my head a', 'herefore, though her manner had shaken me more than i cared to confess, i still shook my head and de', 'ore, though her manner had shaken me more than i cared to confess, i still shook my head and declare', 'though her manner had shaken me more than i cared to confess, i still shook my head and declared my ', 'h her manner had shaken me more than i cared to confess, i still shook my head and declared my inten', ' manner had shaken me more than i cared to confess, i still shook my head and declared my intention ', 'er had shaken me more than i cared to confess, i still shook my head and declared my intention of re', 'd shaken me more than i cared to confess, i still shook my head and declared my intention of remaini', 'ken me more than i cared to confess, i still shook my head and declared my intention of remaining wh', 'e more than i cared to confess, i still shook my head and declared my intention of remaining where i', 'e than i cared to confess, i still shook my head and declared my intention of remaining where i was.', 'n i cared to confess, i still shook my head and declared my intention of remaining where i was. she ', 'ared to confess, i still shook my head and declared my intention of remaining where i was. she was a', 'to confess, i still shook my head and declared my intention of remaining where i was. she was about ', 'nfess, i still shook my head and declared my intention of remaining where i was. she was about to re', ', i still shook my head and declared my intention of remaining where i was. she was about to renew h', 'till shook my head and declared my intention of remaining where i was. she was about to renew her en', 'shook my head and declared my intention of remaining where i was. she was about to renew her entreat', ' my head and declared my intention of remaining where i was. she was about to renew her entreaties w', 'ead and declared my intention of remaining where i was. she was about to renew her entreaties when a', 'nd declared my intention of remaining where i was. she was about to renew her entreaties when a door', 'clared my intention of remaining where i was. she was about to renew her entreaties when a door slam', 'd my intention of remaining where i was. she was about to renew her entreaties when a door slammed o', 'intention of remaining where i was. she was about to renew her entreaties when a door slammed overhe', 'tion of remaining where i was. she was about to renew her entreaties when a door slammed overhead, a', 'of remaining where i was. she was about to renew her entreaties when a door slammed overhead, and th', 'maining where i was. she was about to renew her entreaties when a door slammed overhead, and the sou', 'ng where i was. she was about to renew her entreaties when a door slammed overhead, and the sound of', 'ere i was. she was about to renew her entreaties when a door slammed overhead, and the sound of seve', ' was. she was about to renew her entreaties when a door slammed overhead, and the sound of several f', ' she was about to renew her entreaties when a door slammed overhead, and the sound of several footst', 'was about to renew her entreaties when a door slammed overhead, and the sound of several footsteps w', 'bout to renew her entreaties when a door slammed overhead, and the sound of several footsteps was he', 'to renew her entreaties when a door slammed overhead, and the sound of several footsteps was heard u', 'new her entreaties when a door slammed overhead, and the sound of several footsteps was heard upon t', 'er entreaties when a door slammed overhead, and the sound of several footsteps was heard upon the st', 'treaties when a door slammed overhead, and the sound of several footsteps was heard upon the stairs.', 'ies when a door slammed overhead, and the sound of several footsteps was heard upon the stairs. she ', 'hen a door slammed overhead, and the sound of several footsteps was heard upon the stairs. she liste', ' door slammed overhead, and the sound of several footsteps was heard upon the stairs. she listened f', ' slammed overhead, and the sound of several footsteps was heard upon the stairs. she listened for an', 'med overhead, and the sound of several footsteps was heard upon the stairs. she listened for an inst', 'verhead, and the sound of several footsteps was heard upon the stairs. she listened for an instant, ', 'ad, and the sound of several footsteps was heard upon the stairs. she listened for an instant, threw', 'nd the sound of several footsteps was heard upon the stairs. she listened for an instant, threw up h', 'e sound of several footsteps was heard upon the stairs. she listened for an instant, threw up her ha', 'nd of several footsteps was heard upon the stairs. she listened for an instant, threw up her hands w', ' several footsteps was heard upon the stairs. she listened for an instant, threw up her hands with a', 'ral footsteps was heard upon the stairs. she listened for an instant, threw up her hands with a desp', 'ootsteps was heard upon the stairs. she listened for an instant, threw up her hands with a despairin', 'eps was heard upon the stairs. she listened for an instant, threw up her hands with a despairing ges', 'as heard upon the stairs. she listened for an instant, threw up her hands with a despairing gesture,', 'ard upon the stairs. she listened for an instant, threw up her hands with a despairing gesture, and ', 'pon the stairs. she listened for an instant, threw up her hands with a despairing gesture, and vanis', 'he stairs. she listened for an instant, threw up her hands with a despairing gesture, and vanished a', 'airs. she listened for an instant, threw up her hands with a despairing gesture, and vanished as sud', ' she listened for an instant, threw up her hands with a despairing gesture, and vanished as suddenly', 'listened for an instant, threw up her hands with a despairing gesture, and vanished as suddenly and ', 'ned for an instant, threw up her hands with a despairing gesture, and vanished as suddenly and as no', 'or an instant, threw up her hands with a despairing gesture, and vanished as suddenly and as noisele', ' instant, threw up her hands with a despairing gesture, and vanished as suddenly and as noiselessly ', 'ant, threw up her hands with a despairing gesture, and vanished as suddenly and as noiselessly as sh', 'threw up her hands with a despairing gesture, and vanished as suddenly and as noiselessly as she had', ' up her hands with a despairing gesture, and vanished as suddenly and as noiselessly as she had come', 'er hands with a despairing gesture, and vanished as suddenly and as noiselessly as she had come. "th', 'nds with a despairing gesture, and vanished as suddenly and as noiselessly as she had come. "the new', 'ith a despairing gesture, and vanished as suddenly and as noiselessly as she had come. "the newcomer', ' despairing gesture, and vanished as suddenly and as noiselessly as she had come. "the newcomers wer', 'airing gesture, and vanished as suddenly and as noiselessly as she had come. "the newcomers were col', 'g gesture, and vanished as suddenly and as noiselessly as she had come. "the newcomers were colonel ', 'ture, and vanished as suddenly and as noiselessly as she had come. "the newcomers were colonel lysan', ' and vanished as suddenly and as noiselessly as she had come. "the newcomers were colonel lysander s', 'vanished as suddenly and as noiselessly as she had come. "the newcomers were colonel lysander stark ', 'hed as suddenly and as noiselessly as she had come. "the newcomers were colonel lysander stark and a', 's suddenly and as noiselessly as she had come. "the newcomers were colonel lysander stark and a shor', 'denly and as noiselessly as she had come. "the newcomers were colonel lysander stark and a short thi', ' and as noiselessly as she had come. "the newcomers were colonel lysander stark and a short thick ma', 'as noiselessly as she had come. "the newcomers were colonel lysander stark and a short thick man wit', 'iselessly as she had come. "the newcomers were colonel lysander stark and a short thick man with a c', 'ssly as she had come. "the newcomers were colonel lysander stark and a short thick man with a chinch', 'as she had come. "the newcomers were colonel lysander stark and a short thick man with a chinchilla ', 'e had come. "the newcomers were colonel lysander stark and a short thick man with a chinchilla beard', ' come. "the newcomers were colonel lysander stark and a short thick man with a chinchilla beard grow', '. "the newcomers were colonel lysander stark and a short thick man with a chinchilla beard growing o', 'e newcomers were colonel lysander stark and a short thick man with a chinchilla beard growing out of', 'comers were colonel lysander stark and a short thick man with a chinchilla beard growing out of the ', 's were colonel lysander stark and a short thick man with a chinchilla beard growing out of the creas', 'e colonel lysander stark and a short thick man with a chinchilla beard growing out of the creases of', 'onel lysander stark and a short thick man with a chinchilla beard growing out of the creases of his ', 'lysander stark and a short thick man with a chinchilla beard growing out of the creases of his doubl', 'der stark and a short thick man with a chinchilla beard growing out of the creases of his double chi', 'tark and a short thick man with a chinchilla beard growing out of the creases of his double chin, wh', 'and a short thick man with a chinchilla beard growing out of the creases of his double chin, who was', ' short thick man with a chinchilla beard growing out of the creases of his double chin, who was intr', 't thick man with a chinchilla beard growing out of the creases of his double chin, who was introduce', 'ck man with a chinchilla beard growing out of the creases of his double chin, who was introduced to ', 'n with a chinchilla beard growing out of the creases of his double chin, who was introduced to me as', 'h a chinchilla beard growing out of the creases of his double chin, who was introduced to me as mr. ', 'hinchilla beard growing out of the creases of his double chin, who was introduced to me as mr. fergu', 'illa beard growing out of the creases of his double chin, who was introduced to me as mr. ferguson. ', 'beard growing out of the creases of his double chin, who was introduced to me as mr. ferguson. "\'thi', ' growing out of the creases of his double chin, who was introduced to me as mr. ferguson. "\'this is ', 'ing out of the creases of his double chin, who was introduced to me as mr. ferguson. "\'this is my se', 'ut of the creases of his double chin, who was introduced to me as mr. ferguson. "\'this is my secreta', ' the creases of his double chin, who was introduced to me as mr. ferguson. "\'this is my secretary an', 'creases of his double chin, who was introduced to me as mr. ferguson. "\'this is my secretary and man', 'es of his double chin, who was introduced to me as mr. ferguson. "\'this is my secretary and manager,', ' his double chin, who was introduced to me as mr. ferguson. "\'this is my secretary and manager,\' sai', 'double chin, who was introduced to me as mr. ferguson. "\'this is my secretary and manager,\' said the', 'e chin, who was introduced to me as mr. ferguson. "\'this is my secretary and manager,\' said the colo', 'n, who was introduced to me as mr. ferguson. "\'this is my secretary and manager,\' said the colonel. ', 'o was introduced to me as mr. ferguson. "\'this is my secretary and manager,\' said the colonel. \'by t', ' introduced to me as mr. ferguson. "\'this is my secretary and manager,\' said the colonel. \'by the wa', 'oduced to me as mr. ferguson. "\'this is my secretary and manager,\' said the colonel. \'by the way, i ', 'd to me as mr. ferguson. "\'this is my secretary and manager,\' said the colonel. \'by the way, i was u', 'me as mr. ferguson. "\'this is my secretary and manager,\' said the colonel. \'by the way, i was under ', ' mr. ferguson. "\'this is my secretary and manager,\' said the colonel. \'by the way, i was under the i', 'ferguson. "\'this is my secretary and manager,\' said the colonel. \'by the way, i was under the impres', 'son. "\'this is my secretary and manager,\' said the colonel. \'by the way, i was under the impression ', '"\'this is my secretary and manager,\' said the colonel. \'by the way, i was under the impression that ', "s is my secretary and manager,' said the colonel. 'by the way, i was under the impression that i lef", "my secretary and manager,' said the colonel. 'by the way, i was under the impression that i left thi", "cretary and manager,' said the colonel. 'by the way, i was under the impression that i left this doo", "ry and manager,' said the colonel. 'by the way, i was under the impression that i left this door shu", "d manager,' said the colonel. 'by the way, i was under the impression that i left this door shut jus", "ager,' said the colonel. 'by the way, i was under the impression that i left this door shut just now", "' said the colonel. 'by the way, i was under the impression that i left this door shut just now. i f", "d the colonel. 'by the way, i was under the impression that i left this door shut just now. i fear t", " colonel. 'by the way, i was under the impression that i left this door shut just now. i fear that y", "nel. 'by the way, i was under the impression that i left this door shut just now. i fear that you ha", "'by the way, i was under the impression that i left this door shut just now. i fear that you have fe", 'he way, i was under the impression that i left this door shut just now. i fear that you have felt th', 'y, i was under the impression that i left this door shut just now. i fear that you have felt the dra', 'was under the impression that i left this door shut just now. i fear that you have felt the draught.', 'nder the impression that i left this door shut just now. i fear that you have felt the draught.\' "\'o', 'the impression that i left this door shut just now. i fear that you have felt the draught.\' "\'on the', 'mpression that i left this door shut just now. i fear that you have felt the draught.\' "\'on the cont', 'sion that i left this door shut just now. i fear that you have felt the draught.\' "\'on the contrary,', 'that i left this door shut just now. i fear that you have felt the draught.\' "\'on the contrary,\' sai', 'i left this door shut just now. i fear that you have felt the draught.\' "\'on the contrary,\' said i, ', 't this door shut just now. i fear that you have felt the draught.\' "\'on the contrary,\' said i, \'i op', 's door shut just now. i fear that you have felt the draught.\' "\'on the contrary,\' said i, \'i opened ', 'r shut just now. i fear that you have felt the draught.\' "\'on the contrary,\' said i, \'i opened the d', 't just now. i fear that you have felt the draught.\' "\'on the contrary,\' said i, \'i opened the door m', 't now. i fear that you have felt the draught.\' "\'on the contrary,\' said i, \'i opened the door myself', '. i fear that you have felt the draught.\' "\'on the contrary,\' said i, \'i opened the door myself beca', 'ear that you have felt the draught.\' "\'on the contrary,\' said i, \'i opened the door myself because i', 'hat you have felt the draught.\' "\'on the contrary,\' said i, \'i opened the door myself because i felt', 'ou have felt the draught.\' "\'on the contrary,\' said i, \'i opened the door myself because i felt the ', 've felt the draught.\' "\'on the contrary,\' said i, \'i opened the door myself because i felt the room ', 'lt the draught.\' "\'on the contrary,\' said i, \'i opened the door myself because i felt the room to be', 'e draught.\' "\'on the contrary,\' said i, \'i opened the door myself because i felt the room to be a li', 'ught.\' "\'on the contrary,\' said i, \'i opened the door myself because i felt the room to be a little ', '\' "\'on the contrary,\' said i, \'i opened the door myself because i felt the room to be a little close', 'n the contrary,\' said i, \'i opened the door myself because i felt the room to be a little close.\' "h', ' contrary,\' said i, \'i opened the door myself because i felt the room to be a little close.\' "he sho', 'rary,\' said i, \'i opened the door myself because i felt the room to be a little close.\' "he shot one', '\' said i, \'i opened the door myself because i felt the room to be a little close.\' "he shot one of h', 'd i, \'i opened the door myself because i felt the room to be a little close.\' "he shot one of his su', '\'i opened the door myself because i felt the room to be a little close.\' "he shot one of his suspici', 'ened the door myself because i felt the room to be a little close.\' "he shot one of his suspicious l', 'the door myself because i felt the room to be a little close.\' "he shot one of his suspicious looks ', 'oor myself because i felt the room to be a little close.\' "he shot one of his suspicious looks at me', 'yself because i felt the room to be a little close.\' "he shot one of his suspicious looks at me. \'pe', ' because i felt the room to be a little close.\' "he shot one of his suspicious looks at me. \'perhaps', 'use i felt the room to be a little close.\' "he shot one of his suspicious looks at me. \'perhaps we h', ' felt the room to be a little close.\' "he shot one of his suspicious looks at me. \'perhaps we had be', ' the room to be a little close.\' "he shot one of his suspicious looks at me. \'perhaps we had better ', 'room to be a little close.\' "he shot one of his suspicious looks at me. \'perhaps we had better proce', 'to be a little close.\' "he shot one of his suspicious looks at me. \'perhaps we had better proceed to', ' a little close.\' "he shot one of his suspicious looks at me. \'perhaps we had better proceed to busi', 'ttle close.\' "he shot one of his suspicious looks at me. \'perhaps we had better proceed to business,', 'close.\' "he shot one of his suspicious looks at me. \'perhaps we had better proceed to business, then', '.\' "he shot one of his suspicious looks at me. \'perhaps we had better proceed to business, then,\' sa', "e shot one of his suspicious looks at me. 'perhaps we had better proceed to business, then,' said he", "t one of his suspicious looks at me. 'perhaps we had better proceed to business, then,' said he. 'mr", " of his suspicious looks at me. 'perhaps we had better proceed to business, then,' said he. 'mr. fer", "is suspicious looks at me. 'perhaps we had better proceed to business, then,' said he. 'mr. ferguson", "spicious looks at me. 'perhaps we had better proceed to business, then,' said he. 'mr. ferguson and ", "ous looks at me. 'perhaps we had better proceed to business, then,' said he. 'mr. ferguson and i wil", "ooks at me. 'perhaps we had better proceed to business, then,' said he. 'mr. ferguson and i will tak", "at me. 'perhaps we had better proceed to business, then,' said he. 'mr. ferguson and i will take you", ". 'perhaps we had better proceed to business, then,' said he. 'mr. ferguson and i will take you up t", "rhaps we had better proceed to business, then,' said he. 'mr. ferguson and i will take you up to see", " we had better proceed to business, then,' said he. 'mr. ferguson and i will take you up to see the ", "ad better proceed to business, then,' said he. 'mr. ferguson and i will take you up to see the machi", "tter proceed to business, then,' said he. 'mr. ferguson and i will take you up to see the machine.' ", 'proceed to business, then,\' said he. \'mr. ferguson and i will take you up to see the machine.\' "\'i h', 'ed to business, then,\' said he. \'mr. ferguson and i will take you up to see the machine.\' "\'i had be', ' business, then,\' said he. \'mr. ferguson and i will take you up to see the machine.\' "\'i had better ', 'ness, then,\' said he. \'mr. ferguson and i will take you up to see the machine.\' "\'i had better put m', ' then,\' said he. \'mr. ferguson and i will take you up to see the machine.\' "\'i had better put my hat', ',\' said he. \'mr. ferguson and i will take you up to see the machine.\' "\'i had better put my hat on, ', 'id he. \'mr. ferguson and i will take you up to see the machine.\' "\'i had better put my hat on, i sup', '. \'mr. ferguson and i will take you up to see the machine.\' "\'i had better put my hat on, i suppose.', '. ferguson and i will take you up to see the machine.\' "\'i had better put my hat on, i suppose.\' "\'o', 'guson and i will take you up to see the machine.\' "\'i had better put my hat on, i suppose.\' "\'oh, no', ' and i will take you up to see the machine.\' "\'i had better put my hat on, i suppose.\' "\'oh, no, it ', 'i will take you up to see the machine.\' "\'i had better put my hat on, i suppose.\' "\'oh, no, it is in', 'l take you up to see the machine.\' "\'i had better put my hat on, i suppose.\' "\'oh, no, it is in the ', 'e you up to see the machine.\' "\'i had better put my hat on, i suppose.\' "\'oh, no, it is in the house', ' up to see the machine.\' "\'i had better put my hat on, i suppose.\' "\'oh, no, it is in the house.\' "\'', 'o see the machine.\' "\'i had better put my hat on, i suppose.\' "\'oh, no, it is in the house.\' "\'what,', ' the machine.\' "\'i had better put my hat on, i suppose.\' "\'oh, no, it is in the house.\' "\'what, you ', 'machine.\' "\'i had better put my hat on, i suppose.\' "\'oh, no, it is in the house.\' "\'what, you dig f', 'ne.\' "\'i had better put my hat on, i suppose.\' "\'oh, no, it is in the house.\' "\'what, you dig fuller', '"\'i had better put my hat on, i suppose.\' "\'oh, no, it is in the house.\' "\'what, you dig fuller\'s-ea', 'ad better put my hat on, i suppose.\' "\'oh, no, it is in the house.\' "\'what, you dig fuller\'s-earth i', 'tter put my hat on, i suppose.\' "\'oh, no, it is in the house.\' "\'what, you dig fuller\'s-earth in the', 'put my hat on, i suppose.\' "\'oh, no, it is in the house.\' "\'what, you dig fuller\'s-earth in the hous', 'y hat on, i suppose.\' "\'oh, no, it is in the house.\' "\'what, you dig fuller\'s-earth in the house?\' "', ' on, i suppose.\' "\'oh, no, it is in the house.\' "\'what, you dig fuller\'s-earth in the house?\' "\'no, ', 'i suppose.\' "\'oh, no, it is in the house.\' "\'what, you dig fuller\'s-earth in the house?\' "\'no, no. t', 'pose.\' "\'oh, no, it is in the house.\' "\'what, you dig fuller\'s-earth in the house?\' "\'no, no. this i', '\' "\'oh, no, it is in the house.\' "\'what, you dig fuller\'s-earth in the house?\' "\'no, no. this is onl', 'h, no, it is in the house.\' "\'what, you dig fuller\'s-earth in the house?\' "\'no, no. this is only whe', ', it is in the house.\' "\'what, you dig fuller\'s-earth in the house?\' "\'no, no. this is only where we', 'is in the house.\' "\'what, you dig fuller\'s-earth in the house?\' "\'no, no. this is only where we comp', ' the house.\' "\'what, you dig fuller\'s-earth in the house?\' "\'no, no. this is only where we compress ', 'house.\' "\'what, you dig fuller\'s-earth in the house?\' "\'no, no. this is only where we compress it. b', '.\' "\'what, you dig fuller\'s-earth in the house?\' "\'no, no. this is only where we compress it. but ne', 'what, you dig fuller\'s-earth in the house?\' "\'no, no. this is only where we compress it. but never m', ' you dig fuller\'s-earth in the house?\' "\'no, no. this is only where we compress it. but never mind t', 'dig fuller\'s-earth in the house?\' "\'no, no. this is only where we compress it. but never mind that. ', 'uller\'s-earth in the house?\' "\'no, no. this is only where we compress it. but never mind that. all w', '\'s-earth in the house?\' "\'no, no. this is only where we compress it. but never mind that. all we wis', 'rth in the house?\' "\'no, no. this is only where we compress it. but never mind that. all we wish you', 'n the house?\' "\'no, no. this is only where we compress it. but never mind that. all we wish you to d', ' house?\' "\'no, no. this is only where we compress it. but never mind that. all we wish you to do is ', 'e?\' "\'no, no. this is only where we compress it. but never mind that. all we wish you to do is to ex', "'no, no. this is only where we compress it. but never mind that. all we wish you to do is to examine", 'no. this is only where we compress it. but never mind that. all we wish you to do is to examine the ', 'his is only where we compress it. but never mind that. all we wish you to do is to examine the machi', 's only where we compress it. but never mind that. all we wish you to do is to examine the machine an', 'y where we compress it. but never mind that. all we wish you to do is to examine the machine and to ', 're we compress it. but never mind that. all we wish you to do is to examine the machine and to let u', ' compress it. but never mind that. all we wish you to do is to examine the machine and to let us kno', 'ress it. but never mind that. all we wish you to do is to examine the machine and to let us know wha', 'it. but never mind that. all we wish you to do is to examine the machine and to let us know what is ', 'ut never mind that. all we wish you to do is to examine the machine and to let us know what is wrong', 'ver mind that. all we wish you to do is to examine the machine and to let us know what is wrong with', "ind that. all we wish you to do is to examine the machine and to let us know what is wrong with it.'", 'hat. all we wish you to do is to examine the machine and to let us know what is wrong with it.\' "we ', 'all we wish you to do is to examine the machine and to let us know what is wrong with it.\' "we went ', 'e wish you to do is to examine the machine and to let us know what is wrong with it.\' "we went upsta', 'h you to do is to examine the machine and to let us know what is wrong with it.\' "we went upstairs t', ' to do is to examine the machine and to let us know what is wrong with it.\' "we went upstairs togeth', 'o is to examine the machine and to let us know what is wrong with it.\' "we went upstairs together, t', 'to examine the machine and to let us know what is wrong with it.\' "we went upstairs together, the co', 'amine the machine and to let us know what is wrong with it.\' "we went upstairs together, the colonel', ' the machine and to let us know what is wrong with it.\' "we went upstairs together, the colonel firs', 'machine and to let us know what is wrong with it.\' "we went upstairs together, the colonel first wit', 'ne and to let us know what is wrong with it.\' "we went upstairs together, the colonel first with the', 'd to let us know what is wrong with it.\' "we went upstairs together, the colonel first with the lamp', 'let us know what is wrong with it.\' "we went upstairs together, the colonel first with the lamp, the', 's know what is wrong with it.\' "we went upstairs together, the colonel first with the lamp, the fat ', 'w what is wrong with it.\' "we went upstairs together, the colonel first with the lamp, the fat manag', 't is wrong with it.\' "we went upstairs together, the colonel first with the lamp, the fat manager an', 'wrong with it.\' "we went upstairs together, the colonel first with the lamp, the fat manager and i b', ' with it.\' "we went upstairs together, the colonel first with the lamp, the fat manager and i behind', ' it.\' "we went upstairs together, the colonel first with the lamp, the fat manager and i behind him.', ' "we went upstairs together, the colonel first with the lamp, the fat manager and i behind him. it w', 'went upstairs together, the colonel first with the lamp, the fat manager and i behind him. it was a ', 'upstairs together, the colonel first with the lamp, the fat manager and i behind him. it was a labyr', 'irs together, the colonel first with the lamp, the fat manager and i behind him. it was a labyrinth ', 'ogether, the colonel first with the lamp, the fat manager and i behind him. it was a labyrinth of an', 'er, the colonel first with the lamp, the fat manager and i behind him. it was a labyrinth of an old ', 'he colonel first with the lamp, the fat manager and i behind him. it was a labyrinth of an old house', 'lonel first with the lamp, the fat manager and i behind him. it was a labyrinth of an old house, wit', ' first with the lamp, the fat manager and i behind him. it was a labyrinth of an old house, with cor', 't with the lamp, the fat manager and i behind him. it was a labyrinth of an old house, with corridor', 'h the lamp, the fat manager and i behind him. it was a labyrinth of an old house, with corridors, pa', ' lamp, the fat manager and i behind him. it was a labyrinth of an old house, with corridors, passage', ', the fat manager and i behind him. it was a labyrinth of an old house, with corridors, passages, na', ' fat manager and i behind him. it was a labyrinth of an old house, with corridors, passages, narrow ', 'manager and i behind him. it was a labyrinth of an old house, with corridors, passages, narrow windi', 'er and i behind him. it was a labyrinth of an old house, with corridors, passages, narrow winding st', 'd i behind him. it was a labyrinth of an old house, with corridors, passages, narrow winding stairca', 'ehind him. it was a labyrinth of an old house, with corridors, passages, narrow winding staircases, ', ' him. it was a labyrinth of an old house, with corridors, passages, narrow winding staircases, and l', ' it was a labyrinth of an old house, with corridors, passages, narrow winding staircases, and little', 'as a labyrinth of an old house, with corridors, passages, narrow winding staircases, and little low ', 'labyrinth of an old house, with corridors, passages, narrow winding staircases, and little low doors', 'inth of an old house, with corridors, passages, narrow winding staircases, and little low doors, the', 'of an old house, with corridors, passages, narrow winding staircases, and little low doors, the thre', ' old house, with corridors, passages, narrow winding staircases, and little low doors, the threshold', 'house, with corridors, passages, narrow winding staircases, and little low doors, the thresholds of ', ', with corridors, passages, narrow winding staircases, and little low doors, the thresholds of which', 'h corridors, passages, narrow winding staircases, and little low doors, the thresholds of which were', 'ridors, passages, narrow winding staircases, and little low doors, the thresholds of which were holl', 's, passages, narrow winding staircases, and little low doors, the thresholds of which were hollowed ', 'ssages, narrow winding staircases, and little low doors, the thresholds of which were hollowed out b', 's, narrow winding staircases, and little low doors, the thresholds of which were hollowed out by the', 'rrow winding staircases, and little low doors, the thresholds of which were hollowed out by the gene', 'winding staircases, and little low doors, the thresholds of which were hollowed out by the generatio', 'ng staircases, and little low doors, the thresholds of which were hollowed out by the generations wh', 'aircases, and little low doors, the thresholds of which were hollowed out by the generations who had', 'ses, and little low doors, the thresholds of which were hollowed out by the generations who had cros', 'and little low doors, the thresholds of which were hollowed out by the generations who had crossed t', 'ittle low doors, the thresholds of which were hollowed out by the generations who had crossed them. ', ' low doors, the thresholds of which were hollowed out by the generations who had crossed them. there', 'doors, the thresholds of which were hollowed out by the generations who had crossed them. there were', ', the thresholds of which were hollowed out by the generations who had crossed them. there were no c', ' thresholds of which were hollowed out by the generations who had crossed them. there were no carpet', 'sholds of which were hollowed out by the generations who had crossed them. there were no carpets and', 's of which were hollowed out by the generations who had crossed them. there were no carpets and no s', 'which were hollowed out by the generations who had crossed them. there were no carpets and no signs ', ' were hollowed out by the generations who had crossed them. there were no carpets and no signs of an', ' hollowed out by the generations who had crossed them. there were no carpets and no signs of any fur', 'owed out by the generations who had crossed them. there were no carpets and no signs of any furnitur', 'out by the generations who had crossed them. there were no carpets and no signs of any furniture abo', 'y the generations who had crossed them. there were no carpets and no signs of any furniture above th', ' generations who had crossed them. there were no carpets and no signs of any furniture above the gro', 'rations who had crossed them. there were no carpets and no signs of any furniture above the ground f', 'ns who had crossed them. there were no carpets and no signs of any furniture above the ground floor,', 'o had crossed them. there were no carpets and no signs of any furniture above the ground floor, whil', ' crossed them. there were no carpets and no signs of any furniture above the ground floor, while the', 'sed them. there were no carpets and no signs of any furniture above the ground floor, while the plas', 'hem. there were no carpets and no signs of any furniture above the ground floor, while the plaster w', 'there were no carpets and no signs of any furniture above the ground floor, while the plaster was pe', ' were no carpets and no signs of any furniture above the ground floor, while the plaster was peeling', ' no carpets and no signs of any furniture above the ground floor, while the plaster was peeling off ', 'arpets and no signs of any furniture above the ground floor, while the plaster was peeling off the w', 's and no signs of any furniture above the ground floor, while the plaster was peeling off the walls,', ' no signs of any furniture above the ground floor, while the plaster was peeling off the walls, and ', 'igns of any furniture above the ground floor, while the plaster was peeling off the walls, and the d', 'of any furniture above the ground floor, while the plaster was peeling off the walls, and the damp w', 'y furniture above the ground floor, while the plaster was peeling off the walls, and the damp was br', 'niture above the ground floor, while the plaster was peeling off the walls, and the damp was breakin', 'e above the ground floor, while the plaster was peeling off the walls, and the damp was breaking thr', 've the ground floor, while the plaster was peeling off the walls, and the damp was breaking through ', 'e ground floor, while the plaster was peeling off the walls, and the damp was breaking through in gr', 'und floor, while the plaster was peeling off the walls, and the damp was breaking through in green, ', 'loor, while the plaster was peeling off the walls, and the damp was breaking through in green, unhea', ' while the plaster was peeling off the walls, and the damp was breaking through in green, unhealthy ', 'e the plaster was peeling off the walls, and the damp was breaking through in green, unhealthy blotc', ' plaster was peeling off the walls, and the damp was breaking through in green, unhealthy blotches. ', 'ter was peeling off the walls, and the damp was breaking through in green, unhealthy blotches. i tri', 'as peeling off the walls, and the damp was breaking through in green, unhealthy blotches. i tried to', 'eling off the walls, and the damp was breaking through in green, unhealthy blotches. i tried to put ', ' off the walls, and the damp was breaking through in green, unhealthy blotches. i tried to put on as', 'the walls, and the damp was breaking through in green, unhealthy blotches. i tried to put on as unco', 'alls, and the damp was breaking through in green, unhealthy blotches. i tried to put on as unconcern', ' and the damp was breaking through in green, unhealthy blotches. i tried to put on as unconcerned an', 'the damp was breaking through in green, unhealthy blotches. i tried to put on as unconcerned an air ', 'amp was breaking through in green, unhealthy blotches. i tried to put on as unconcerned an air as po', 'as breaking through in green, unhealthy blotches. i tried to put on as unconcerned an air as possibl', 'eaking through in green, unhealthy blotches. i tried to put on as unconcerned an air as possible, bu', 'g through in green, unhealthy blotches. i tried to put on as unconcerned an air as possible, but i h', 'ough in green, unhealthy blotches. i tried to put on as unconcerned an air as possible, but i had no', 'in green, unhealthy blotches. i tried to put on as unconcerned an air as possible, but i had not for', 'een, unhealthy blotches. i tried to put on as unconcerned an air as possible, but i had not forgotte', 'unhealthy blotches. i tried to put on as unconcerned an air as possible, but i had not forgotten the', 'lthy blotches. i tried to put on as unconcerned an air as possible, but i had not forgotten the warn', 'blotches. i tried to put on as unconcerned an air as possible, but i had not forgotten the warnings ', 'hes. i tried to put on as unconcerned an air as possible, but i had not forgotten the warnings of th', 'i tried to put on as unconcerned an air as possible, but i had not forgotten the warnings of the lad', 'ed to put on as unconcerned an air as possible, but i had not forgotten the warnings of the lady, ev', ' put on as unconcerned an air as possible, but i had not forgotten the warnings of the lady, even th', 'on as unconcerned an air as possible, but i had not forgotten the warnings of the lady, even though ', ' unconcerned an air as possible, but i had not forgotten the warnings of the lady, even though i dis', 'ncerned an air as possible, but i had not forgotten the warnings of the lady, even though i disregar', 'ed an air as possible, but i had not forgotten the warnings of the lady, even though i disregarded t', ' air as possible, but i had not forgotten the warnings of the lady, even though i disregarded them, ', 'as possible, but i had not forgotten the warnings of the lady, even though i disregarded them, and i', 'ssible, but i had not forgotten the warnings of the lady, even though i disregarded them, and i kept', 'e, but i had not forgotten the warnings of the lady, even though i disregarded them, and i kept a ke', 't i had not forgotten the warnings of the lady, even though i disregarded them, and i kept a keen ey', 'ad not forgotten the warnings of the lady, even though i disregarded them, and i kept a keen eye upo', 't forgotten the warnings of the lady, even though i disregarded them, and i kept a keen eye upon my ', 'gotten the warnings of the lady, even though i disregarded them, and i kept a keen eye upon my two c', 'n the warnings of the lady, even though i disregarded them, and i kept a keen eye upon my two compan', ' warnings of the lady, even though i disregarded them, and i kept a keen eye upon my two companions.', 'ings of the lady, even though i disregarded them, and i kept a keen eye upon my two companions. ferg', 'of the lady, even though i disregarded them, and i kept a keen eye upon my two companions. ferguson ', 'e lady, even though i disregarded them, and i kept a keen eye upon my two companions. ferguson appea', 'y, even though i disregarded them, and i kept a keen eye upon my two companions. ferguson appeared t', 'en though i disregarded them, and i kept a keen eye upon my two companions. ferguson appeared to be ', 'ough i disregarded them, and i kept a keen eye upon my two companions. ferguson appeared to be a mor', 'i disregarded them, and i kept a keen eye upon my two companions. ferguson appeared to be a morose a', 'regarded them, and i kept a keen eye upon my two companions. ferguson appeared to be a morose and si', 'ded them, and i kept a keen eye upon my two companions. ferguson appeared to be a morose and silent ', 'hem, and i kept a keen eye upon my two companions. ferguson appeared to be a morose and silent man, ', 'and i kept a keen eye upon my two companions. ferguson appeared to be a morose and silent man, but i', ' kept a keen eye upon my two companions. ferguson appeared to be a morose and silent man, but i coul', ' a keen eye upon my two companions. ferguson appeared to be a morose and silent man, but i could see', 'en eye upon my two companions. ferguson appeared to be a morose and silent man, but i could see from', 'e upon my two companions. ferguson appeared to be a morose and silent man, but i could see from the ', 'n my two companions. ferguson appeared to be a morose and silent man, but i could see from the littl', 'two companions. ferguson appeared to be a morose and silent man, but i could see from the little tha', 'ompanions. ferguson appeared to be a morose and silent man, but i could see from the little that he ', 'ions. ferguson appeared to be a morose and silent man, but i could see from the little that he said ', ' ferguson appeared to be a morose and silent man, but i could see from the little that he said that ', 'uson appeared to be a morose and silent man, but i could see from the little that he said that he wa', 'appeared to be a morose and silent man, but i could see from the little that he said that he was at ', 'red to be a morose and silent man, but i could see from the little that he said that he was at least', 'o be a morose and silent man, but i could see from the little that he said that he was at least a fe', 'a morose and silent man, but i could see from the little that he said that he was at least a fellow-', 'ose and silent man, but i could see from the little that he said that he was at least a fellow-count', 'nd silent man, but i could see from the little that he said that he was at least a fellow-countryman', 'lent man, but i could see from the little that he said that he was at least a fellow-countryman. "co', 'man, but i could see from the little that he said that he was at least a fellow-countryman. "colonel', 'but i could see from the little that he said that he was at least a fellow-countryman. "colonel lysa', ' could see from the little that he said that he was at least a fellow-countryman. "colonel lysander ', 'd see from the little that he said that he was at least a fellow-countryman. "colonel lysander stark', ' from the little that he said that he was at least a fellow-countryman. "colonel lysander stark stop', ' the little that he said that he was at least a fellow-countryman. "colonel lysander stark stopped a', 'little that he said that he was at least a fellow-countryman. "colonel lysander stark stopped at las', 'e that he said that he was at least a fellow-countryman. "colonel lysander stark stopped at last bef', 't he said that he was at least a fellow-countryman. "colonel lysander stark stopped at last before a', 'said that he was at least a fellow-countryman. "colonel lysander stark stopped at last before a low ', 'that he was at least a fellow-countryman. "colonel lysander stark stopped at last before a low door,', 'he was at least a fellow-countryman. "colonel lysander stark stopped at last before a low door, whic', 's at least a fellow-countryman. "colonel lysander stark stopped at last before a low door, which he ', 'least a fellow-countryman. "colonel lysander stark stopped at last before a low door, which he unloc', ' a fellow-countryman. "colonel lysander stark stopped at last before a low door, which he unlocked. ', 'llow-countryman. "colonel lysander stark stopped at last before a low door, which he unlocked. withi', 'countryman. "colonel lysander stark stopped at last before a low door, which he unlocked. within was', 'ryman. "colonel lysander stark stopped at last before a low door, which he unlocked. within was a sm', '. "colonel lysander stark stopped at last before a low door, which he unlocked. within was a small, ', 'lonel lysander stark stopped at last before a low door, which he unlocked. within was a small, squar', ' lysander stark stopped at last before a low door, which he unlocked. within was a small, square roo', 'nder stark stopped at last before a low door, which he unlocked. within was a small, square room, in', 'stark stopped at last before a low door, which he unlocked. within was a small, square room, in whic', ' stopped at last before a low door, which he unlocked. within was a small, square room, in which the', 'ped at last before a low door, which he unlocked. within was a small, square room, in which the thre', 't last before a low door, which he unlocked. within was a small, square room, in which the three of ', 't before a low door, which he unlocked. within was a small, square room, in which the three of us co', 'ore a low door, which he unlocked. within was a small, square room, in which the three of us could h', ' low door, which he unlocked. within was a small, square room, in which the three of us could hardly', 'door, which he unlocked. within was a small, square room, in which the three of us could hardly get ', ' which he unlocked. within was a small, square room, in which the three of us could hardly get at on', 'h he unlocked. within was a small, square room, in which the three of us could hardly get at one tim', 'unlocked. within was a small, square room, in which the three of us could hardly get at one time. fe', 'ked. within was a small, square room, in which the three of us could hardly get at one time. ferguso', 'within was a small, square room, in which the three of us could hardly get at one time. ferguson rem', 'n was a small, square room, in which the three of us could hardly get at one time. ferguson remained', ' a small, square room, in which the three of us could hardly get at one time. ferguson remained outs', 'all, square room, in which the three of us could hardly get at one time. ferguson remained outside, ', 'square room, in which the three of us could hardly get at one time. ferguson remained outside, and t', 'e room, in which the three of us could hardly get at one time. ferguson remained outside, and the co', 'm, in which the three of us could hardly get at one time. ferguson remained outside, and the colonel', ' which the three of us could hardly get at one time. ferguson remained outside, and the colonel ushe', 'h the three of us could hardly get at one time. ferguson remained outside, and the colonel ushered m', ' three of us could hardly get at one time. ferguson remained outside, and the colonel ushered me in.', 'e of us could hardly get at one time. ferguson remained outside, and the colonel ushered me in. "\'we', 'us could hardly get at one time. ferguson remained outside, and the colonel ushered me in. "\'we are ', 'uld hardly get at one time. ferguson remained outside, and the colonel ushered me in. "\'we are now,\'', 'ardly get at one time. ferguson remained outside, and the colonel ushered me in. "\'we are now,\' said', ' get at one time. ferguson remained outside, and the colonel ushered me in. "\'we are now,\' said he, ', 'at one time. ferguson remained outside, and the colonel ushered me in. "\'we are now,\' said he, \'actu', 'e time. ferguson remained outside, and the colonel ushered me in. "\'we are now,\' said he, \'actually ', 'e. ferguson remained outside, and the colonel ushered me in. "\'we are now,\' said he, \'actually withi', 'rguson remained outside, and the colonel ushered me in. "\'we are now,\' said he, \'actually within the', 'n remained outside, and the colonel ushered me in. "\'we are now,\' said he, \'actually within the hydr', 'ained outside, and the colonel ushered me in. "\'we are now,\' said he, \'actually within the hydraulic', ' outside, and the colonel ushered me in. "\'we are now,\' said he, \'actually within the hydraulic pres', 'ide, and the colonel ushered me in. "\'we are now,\' said he, \'actually within the hydraulic press, an', 'and the colonel ushered me in. "\'we are now,\' said he, \'actually within the hydraulic press, and it ', 'he colonel ushered me in. "\'we are now,\' said he, \'actually within the hydraulic press, and it would', 'lonel ushered me in. "\'we are now,\' said he, \'actually within the hydraulic press, and it would be a', ' ushered me in. "\'we are now,\' said he, \'actually within the hydraulic press, and it would be a part', 'red me in. "\'we are now,\' said he, \'actually within the hydraulic press, and it would be a particula', 'e in. "\'we are now,\' said he, \'actually within the hydraulic press, and it would be a particularly u', ' "\'we are now,\' said he, \'actually within the hydraulic press, and it would be a particularly unplea', " are now,' said he, 'actually within the hydraulic press, and it would be a particularly unpleasant ", "now,' said he, 'actually within the hydraulic press, and it would be a particularly unpleasant thing", " said he, 'actually within the hydraulic press, and it would be a particularly unpleasant thing for ", " he, 'actually within the hydraulic press, and it would be a particularly unpleasant thing for us if", "'actually within the hydraulic press, and it would be a particularly unpleasant thing for us if anyo", 'ally within the hydraulic press, and it would be a particularly unpleasant thing for us if anyone we', 'within the hydraulic press, and it would be a particularly unpleasant thing for us if anyone were to', 'n the hydraulic press, and it would be a particularly unpleasant thing for us if anyone were to turn', ' hydraulic press, and it would be a particularly unpleasant thing for us if anyone were to turn it o', 'aulic press, and it would be a particularly unpleasant thing for us if anyone were to turn it on. th', ' press, and it would be a particularly unpleasant thing for us if anyone were to turn it on. the cei', 's, and it would be a particularly unpleasant thing for us if anyone were to turn it on. the ceiling ', 'd it would be a particularly unpleasant thing for us if anyone were to turn it on. the ceiling of th', 'would be a particularly unpleasant thing for us if anyone were to turn it on. the ceiling of this sm', ' be a particularly unpleasant thing for us if anyone were to turn it on. the ceiling of this small c', ' particularly unpleasant thing for us if anyone were to turn it on. the ceiling of this small chambe', 'icularly unpleasant thing for us if anyone were to turn it on. the ceiling of this small chamber is ', 'rly unpleasant thing for us if anyone were to turn it on. the ceiling of this small chamber is reall', 'npleasant thing for us if anyone were to turn it on. the ceiling of this small chamber is really the', 'sant thing for us if anyone were to turn it on. the ceiling of this small chamber is really the end ', 'thing for us if anyone were to turn it on. the ceiling of this small chamber is really the end of th', ' for us if anyone were to turn it on. the ceiling of this small chamber is really the end of the des', 'us if anyone were to turn it on. the ceiling of this small chamber is really the end of the descendi', ' anyone were to turn it on. the ceiling of this small chamber is really the end of the descending pi', 'ne were to turn it on. the ceiling of this small chamber is really the end of the descending piston,', 're to turn it on. the ceiling of this small chamber is really the end of the descending piston, and ', ' turn it on. the ceiling of this small chamber is really the end of the descending piston, and it co', ' it on. the ceiling of this small chamber is really the end of the descending piston, and it comes d', 'n. the ceiling of this small chamber is really the end of the descending piston, and it comes down w', 'e ceiling of this small chamber is really the end of the descending piston, and it comes down with t', 'ling of this small chamber is really the end of the descending piston, and it comes down with the fo', 'of this small chamber is really the end of the descending piston, and it comes down with the force o', 'is small chamber is really the end of the descending piston, and it comes down with the force of man', 'all chamber is really the end of the descending piston, and it comes down with the force of many ton', 'hamber is really the end of the descending piston, and it comes down with the force of many tons upo', 'r is really the end of the descending piston, and it comes down with the force of many tons upon thi', 'really the end of the descending piston, and it comes down with the force of many tons upon this met', 'y the end of the descending piston, and it comes down with the force of many tons upon this metal fl', ' end of the descending piston, and it comes down with the force of many tons upon this metal floor. ', 'of the descending piston, and it comes down with the force of many tons upon this metal floor. there', 'e descending piston, and it comes down with the force of many tons upon this metal floor. there are ', 'cending piston, and it comes down with the force of many tons upon this metal floor. there are small', 'ng piston, and it comes down with the force of many tons upon this metal floor. there are small late', 'ston, and it comes down with the force of many tons upon this metal floor. there are small lateral c', ' and it comes down with the force of many tons upon this metal floor. there are small lateral column', 'it comes down with the force of many tons upon this metal floor. there are small lateral columns of ', 'mes down with the force of many tons upon this metal floor. there are small lateral columns of water', 'own with the force of many tons upon this metal floor. there are small lateral columns of water outs', 'ith the force of many tons upon this metal floor. there are small lateral columns of water outside w', 'he force of many tons upon this metal floor. there are small lateral columns of water outside which ', 'rce of many tons upon this metal floor. there are small lateral columns of water outside which recei', 'f many tons upon this metal floor. there are small lateral columns of water outside which receive th', 'y tons upon this metal floor. there are small lateral columns of water outside which receive the for', 's upon this metal floor. there are small lateral columns of water outside which receive the force, a', 'n this metal floor. there are small lateral columns of water outside which receive the force, and wh', 's metal floor. there are small lateral columns of water outside which receive the force, and which t', 'al floor. there are small lateral columns of water outside which receive the force, and which transm', 'oor. there are small lateral columns of water outside which receive the force, and which transmit an', 'there are small lateral columns of water outside which receive the force, and which transmit and mul', ' are small lateral columns of water outside which receive the force, and which transmit and multiply', 'small lateral columns of water outside which receive the force, and which transmit and multiply it i', ' lateral columns of water outside which receive the force, and which transmit and multiply it in the', 'ral columns of water outside which receive the force, and which transmit and multiply it in the mann', 'olumns of water outside which receive the force, and which transmit and multiply it in the manner wh', 's of water outside which receive the force, and which transmit and multiply it in the manner which i', 'water outside which receive the force, and which transmit and multiply it in the manner which is fam', ' outside which receive the force, and which transmit and multiply it in the manner which is familiar', 'ide which receive the force, and which transmit and multiply it in the manner which is familiar to y', 'hich receive the force, and which transmit and multiply it in the manner which is familiar to you. t', 'receive the force, and which transmit and multiply it in the manner which is familiar to you. the ma', 've the force, and which transmit and multiply it in the manner which is familiar to you. the machine', 'e force, and which transmit and multiply it in the manner which is familiar to you. the machine goes', 'ce, and which transmit and multiply it in the manner which is familiar to you. the machine goes read', 'nd which transmit and multiply it in the manner which is familiar to you. the machine goes readily e', 'ich transmit and multiply it in the manner which is familiar to you. the machine goes readily enough', 'ransmit and multiply it in the manner which is familiar to you. the machine goes readily enough, but', 'it and multiply it in the manner which is familiar to you. the machine goes readily enough, but ther', 'd multiply it in the manner which is familiar to you. the machine goes readily enough, but there is ', 'tiply it in the manner which is familiar to you. the machine goes readily enough, but there is some ', ' it in the manner which is familiar to you. the machine goes readily enough, but there is some stiff', 'n the manner which is familiar to you. the machine goes readily enough, but there is some stiffness ', ' manner which is familiar to you. the machine goes readily enough, but there is some stiffness in th', 'er which is familiar to you. the machine goes readily enough, but there is some stiffness in the wor', 'ich is familiar to you. the machine goes readily enough, but there is some stiffness in the working ', 's familiar to you. the machine goes readily enough, but there is some stiffness in the working of it', 'iliar to you. the machine goes readily enough, but there is some stiffness in the working of it, and', ' to you. the machine goes readily enough, but there is some stiffness in the working of it, and it h', 'ou. the machine goes readily enough, but there is some stiffness in the working of it, and it has lo', 'he machine goes readily enough, but there is some stiffness in the working of it, and it has lost a ', 'chine goes readily enough, but there is some stiffness in the working of it, and it has lost a littl', ' goes readily enough, but there is some stiffness in the working of it, and it has lost a little of ', ' readily enough, but there is some stiffness in the working of it, and it has lost a little of its f', 'ily enough, but there is some stiffness in the working of it, and it has lost a little of its force.', 'nough, but there is some stiffness in the working of it, and it has lost a little of its force. perh', ', but there is some stiffness in the working of it, and it has lost a little of its force. perhaps y', ' there is some stiffness in the working of it, and it has lost a little of its force. perhaps you wi', 'e is some stiffness in the working of it, and it has lost a little of its force. perhaps you will ha', 'some stiffness in the working of it, and it has lost a little of its force. perhaps you will have th', 'stiffness in the working of it, and it has lost a little of its force. perhaps you will have the goo', 'ness in the working of it, and it has lost a little of its force. perhaps you will have the goodness', 'in the working of it, and it has lost a little of its force. perhaps you will have the goodness to l', 'e working of it, and it has lost a little of its force. perhaps you will have the goodness to look i', 'king of it, and it has lost a little of its force. perhaps you will have the goodness to look it ove', 'of it, and it has lost a little of its force. perhaps you will have the goodness to look it over and', ', and it has lost a little of its force. perhaps you will have the goodness to look it over and to s', ' it has lost a little of its force. perhaps you will have the goodness to look it over and to show u', 'as lost a little of its force. perhaps you will have the goodness to look it over and to show us how', 'st a little of its force. perhaps you will have the goodness to look it over and to show us how we c', 'little of its force. perhaps you will have the goodness to look it over and to show us how we can se', 'e of its force. perhaps you will have the goodness to look it over and to show us how we can set it ', 'its force. perhaps you will have the goodness to look it over and to show us how we can set it right', 'orce. perhaps you will have the goodness to look it over and to show us how we can set it right.\' "i', ' perhaps you will have the goodness to look it over and to show us how we can set it right.\' "i took', 'aps you will have the goodness to look it over and to show us how we can set it right.\' "i took the ', 'ou will have the goodness to look it over and to show us how we can set it right.\' "i took the lamp ', 'll have the goodness to look it over and to show us how we can set it right.\' "i took the lamp from ', 've the goodness to look it over and to show us how we can set it right.\' "i took the lamp from him, ', 'e goodness to look it over and to show us how we can set it right.\' "i took the lamp from him, and i', 'dness to look it over and to show us how we can set it right.\' "i took the lamp from him, and i exam', ' to look it over and to show us how we can set it right.\' "i took the lamp from him, and i examined ', 'ook it over and to show us how we can set it right.\' "i took the lamp from him, and i examined the m', 't over and to show us how we can set it right.\' "i took the lamp from him, and i examined the machin', 'r and to show us how we can set it right.\' "i took the lamp from him, and i examined the machine ver', ' to show us how we can set it right.\' "i took the lamp from him, and i examined the machine very tho', 'how us how we can set it right.\' "i took the lamp from him, and i examined the machine very thorough', 's how we can set it right.\' "i took the lamp from him, and i examined the machine very thoroughly. i', ' we can set it right.\' "i took the lamp from him, and i examined the machine very thoroughly. it was', 'an set it right.\' "i took the lamp from him, and i examined the machine very thoroughly. it was inde', 't it right.\' "i took the lamp from him, and i examined the machine very thoroughly. it was indeed a ', 'right.\' "i took the lamp from him, and i examined the machine very thoroughly. it was indeed a gigan', '.\' "i took the lamp from him, and i examined the machine very thoroughly. it was indeed a gigantic o', ' took the lamp from him, and i examined the machine very thoroughly. it was indeed a gigantic one, a', ' the lamp from him, and i examined the machine very thoroughly. it was indeed a gigantic one, and ca', 'lamp from him, and i examined the machine very thoroughly. it was indeed a gigantic one, and capable', 'from him, and i examined the machine very thoroughly. it was indeed a gigantic one, and capable of e', 'him, and i examined the machine very thoroughly. it was indeed a gigantic one, and capable of exerci', 'and i examined the machine very thoroughly. it was indeed a gigantic one, and capable of exercising ', ' examined the machine very thoroughly. it was indeed a gigantic one, and capable of exercising enorm', 'ined the machine very thoroughly. it was indeed a gigantic one, and capable of exercising enormous p', 'the machine very thoroughly. it was indeed a gigantic one, and capable of exercising enormous pressu', 'achine very thoroughly. it was indeed a gigantic one, and capable of exercising enormous pressure. w', 'e very thoroughly. it was indeed a gigantic one, and capable of exercising enormous pressure. when i', 'y thoroughly. it was indeed a gigantic one, and capable of exercising enormous pressure. when i pass', 'roughly. it was indeed a gigantic one, and capable of exercising enormous pressure. when i passed ou', 'ly. it was indeed a gigantic one, and capable of exercising enormous pressure. when i passed outside', 't was indeed a gigantic one, and capable of exercising enormous pressure. when i passed outside, how', ' indeed a gigantic one, and capable of exercising enormous pressure. when i passed outside, however,', 'ed a gigantic one, and capable of exercising enormous pressure. when i passed outside, however, and ', 'gigantic one, and capable of exercising enormous pressure. when i passed outside, however, and press', 'tic one, and capable of exercising enormous pressure. when i passed outside, however, and pressed do', 'ne, and capable of exercising enormous pressure. when i passed outside, however, and pressed down th', 'nd capable of exercising enormous pressure. when i passed outside, however, and pressed down the lev', 'pable of exercising enormous pressure. when i passed outside, however, and pressed down the levers w', ' of exercising enormous pressure. when i passed outside, however, and pressed down the levers which ', 'xercising enormous pressure. when i passed outside, however, and pressed down the levers which contr', 'sing enormous pressure. when i passed outside, however, and pressed down the levers which controlled', 'enormous pressure. when i passed outside, however, and pressed down the levers which controlled it, ', 'ous pressure. when i passed outside, however, and pressed down the levers which controlled it, i kne', 'ressure. when i passed outside, however, and pressed down the levers which controlled it, i knew at ', 're. when i passed outside, however, and pressed down the levers which controlled it, i knew at once ', 'hen i passed outside, however, and pressed down the levers which controlled it, i knew at once by th', ' passed outside, however, and pressed down the levers which controlled it, i knew at once by the whi', 'ed outside, however, and pressed down the levers which controlled it, i knew at once by the whishing', 'tside, however, and pressed down the levers which controlled it, i knew at once by the whishing soun', ', however, and pressed down the levers which controlled it, i knew at once by the whishing sound tha', 'ever, and pressed down the levers which controlled it, i knew at once by the whishing sound that the', ' and pressed down the levers which controlled it, i knew at once by the whishing sound that there wa', 'pressed down the levers which controlled it, i knew at once by the whishing sound that there was a s', 'ed down the levers which controlled it, i knew at once by the whishing sound that there was a slight', 'wn the levers which controlled it, i knew at once by the whishing sound that there was a slight leak', 'e levers which controlled it, i knew at once by the whishing sound that there was a slight leakage, ', 'ers which controlled it, i knew at once by the whishing sound that there was a slight leakage, which', 'hich controlled it, i knew at once by the whishing sound that there was a slight leakage, which allo', 'controlled it, i knew at once by the whishing sound that there was a slight leakage, which allowed a', 'olled it, i knew at once by the whishing sound that there was a slight leakage, which allowed a regu', ' it, i knew at once by the whishing sound that there was a slight leakage, which allowed a regurgita', 'i knew at once by the whishing sound that there was a slight leakage, which allowed a regurgitation ', 'w at once by the whishing sound that there was a slight leakage, which allowed a regurgitation of wa', 'once by the whishing sound that there was a slight leakage, which allowed a regurgitation of water t', 'by the whishing sound that there was a slight leakage, which allowed a regurgitation of water throug', 'e whishing sound that there was a slight leakage, which allowed a regurgitation of water through one', 'shing sound that there was a slight leakage, which allowed a regurgitation of water through one of t', ' sound that there was a slight leakage, which allowed a regurgitation of water through one of the si', 'd that there was a slight leakage, which allowed a regurgitation of water through one of the side cy', 't there was a slight leakage, which allowed a regurgitation of water through one of the side cylinde', 're was a slight leakage, which allowed a regurgitation of water through one of the side cylinders. a', 's a slight leakage, which allowed a regurgitation of water through one of the side cylinders. an exa', 'light leakage, which allowed a regurgitation of water through one of the side cylinders. an examinat', ' leakage, which allowed a regurgitation of water through one of the side cylinders. an examination s', 'age, which allowed a regurgitation of water through one of the side cylinders. an examination showed', 'which allowed a regurgitation of water through one of the side cylinders. an examination showed that', ' allowed a regurgitation of water through one of the side cylinders. an examination showed that one ', 'wed a regurgitation of water through one of the side cylinders. an examination showed that one of th', ' regurgitation of water through one of the side cylinders. an examination showed that one of the ind', 'rgitation of water through one of the side cylinders. an examination showed that one of the india-ru', 'tion of water through one of the side cylinders. an examination showed that one of the india-rubber ', 'of water through one of the side cylinders. an examination showed that one of the india-rubber bands', 'ter through one of the side cylinders. an examination showed that one of the india-rubber bands whic', 'hrough one of the side cylinders. an examination showed that one of the india-rubber bands which was', 'h one of the side cylinders. an examination showed that one of the india-rubber bands which was roun', ' of the side cylinders. an examination showed that one of the india-rubber bands which was round the', 'he side cylinders. an examination showed that one of the india-rubber bands which was round the head', 'de cylinders. an examination showed that one of the india-rubber bands which was round the head of a', 'linders. an examination showed that one of the india-rubber bands which was round the head of a driv', 'rs. an examination showed that one of the india-rubber bands which was round the head of a driving-r', 'n examination showed that one of the india-rubber bands which was round the head of a driving-rod ha', 'mination showed that one of the india-rubber bands which was round the head of a driving-rod had shr', 'ion showed that one of the india-rubber bands which was round the head of a driving-rod had shrunk s', 'howed that one of the india-rubber bands which was round the head of a driving-rod had shrunk so as ', ' that one of the india-rubber bands which was round the head of a driving-rod had shrunk so as not q', ' one of the india-rubber bands which was round the head of a driving-rod had shrunk so as not quite ', 'of the india-rubber bands which was round the head of a driving-rod had shrunk so as not quite to fi', 'e india-rubber bands which was round the head of a driving-rod had shrunk so as not quite to fill th', 'ia-rubber bands which was round the head of a driving-rod had shrunk so as not quite to fill the soc', 'bber bands which was round the head of a driving-rod had shrunk so as not quite to fill the socket a', 'bands which was round the head of a driving-rod had shrunk so as not quite to fill the socket along ', ' which was round the head of a driving-rod had shrunk so as not quite to fill the socket along which', 'h was round the head of a driving-rod had shrunk so as not quite to fill the socket along which it w', ' round the head of a driving-rod had shrunk so as not quite to fill the socket along which it worked', 'd the head of a driving-rod had shrunk so as not quite to fill the socket along which it worked. thi', ' head of a driving-rod had shrunk so as not quite to fill the socket along which it worked. this was', ' of a driving-rod had shrunk so as not quite to fill the socket along which it worked. this was clea', ' driving-rod had shrunk so as not quite to fill the socket along which it worked. this was clearly t', 'ing-rod had shrunk so as not quite to fill the socket along which it worked. this was clearly the ca', 'od had shrunk so as not quite to fill the socket along which it worked. this was clearly the cause o', 'd shrunk so as not quite to fill the socket along which it worked. this was clearly the cause of the', 'unk so as not quite to fill the socket along which it worked. this was clearly the cause of the loss', 'o as not quite to fill the socket along which it worked. this was clearly the cause of the loss of p', 'not quite to fill the socket along which it worked. this was clearly the cause of the loss of power,', 'uite to fill the socket along which it worked. this was clearly the cause of the loss of power, and ', 'to fill the socket along which it worked. this was clearly the cause of the loss of power, and i poi', 'll the socket along which it worked. this was clearly the cause of the loss of power, and i pointed ', 'e socket along which it worked. this was clearly the cause of the loss of power, and i pointed it ou', 'ket along which it worked. this was clearly the cause of the loss of power, and i pointed it out to ', 'long which it worked. this was clearly the cause of the loss of power, and i pointed it out to my co', 'which it worked. this was clearly the cause of the loss of power, and i pointed it out to my compani', ' it worked. this was clearly the cause of the loss of power, and i pointed it out to my companions, ', 'orked. this was clearly the cause of the loss of power, and i pointed it out to my companions, who f', '. this was clearly the cause of the loss of power, and i pointed it out to my companions, who follow', 's was clearly the cause of the loss of power, and i pointed it out to my companions, who followed my', ' clearly the cause of the loss of power, and i pointed it out to my companions, who followed my rema', 'rly the cause of the loss of power, and i pointed it out to my companions, who followed my remarks v', 'he cause of the loss of power, and i pointed it out to my companions, who followed my remarks very c', 'use of the loss of power, and i pointed it out to my companions, who followed my remarks very carefu', 'f the loss of power, and i pointed it out to my companions, who followed my remarks very carefully a', ' loss of power, and i pointed it out to my companions, who followed my remarks very carefully and as', ' of power, and i pointed it out to my companions, who followed my remarks very carefully and asked s', 'ower, and i pointed it out to my companions, who followed my remarks very carefully and asked severa', ' and i pointed it out to my companions, who followed my remarks very carefully and asked several pra', 'i pointed it out to my companions, who followed my remarks very carefully and asked several practica', 'nted it out to my companions, who followed my remarks very carefully and asked several practical que', 'it out to my companions, who followed my remarks very carefully and asked several practical question', 't to my companions, who followed my remarks very carefully and asked several practical questions as ', 'my companions, who followed my remarks very carefully and asked several practical questions as to ho', 'mpanions, who followed my remarks very carefully and asked several practical questions as to how the', 'ons, who followed my remarks very carefully and asked several practical questions as to how they sho', 'who followed my remarks very carefully and asked several practical questions as to how they should p', 'ollowed my remarks very carefully and asked several practical questions as to how they should procee', 'ed my remarks very carefully and asked several practical questions as to how they should proceed to ', ' remarks very carefully and asked several practical questions as to how they should proceed to set i', 'rks very carefully and asked several practical questions as to how they should proceed to set it rig', 'ery carefully and asked several practical questions as to how they should proceed to set it right. w', 'arefully and asked several practical questions as to how they should proceed to set it right. when i', 'lly and asked several practical questions as to how they should proceed to set it right. when i had ', 'nd asked several practical questions as to how they should proceed to set it right. when i had made ', 'ked several practical questions as to how they should proceed to set it right. when i had made it cl', 'everal practical questions as to how they should proceed to set it right. when i had made it clear t', 'l practical questions as to how they should proceed to set it right. when i had made it clear to the', 'ctical questions as to how they should proceed to set it right. when i had made it clear to them, i ', 'l questions as to how they should proceed to set it right. when i had made it clear to them, i retur', 'stions as to how they should proceed to set it right. when i had made it clear to them, i returned t', 's as to how they should proceed to set it right. when i had made it clear to them, i returned to the', 'to how they should proceed to set it right. when i had made it clear to them, i returned to the main', 'w they should proceed to set it right. when i had made it clear to them, i returned to the main cham', 'y should proceed to set it right. when i had made it clear to them, i returned to the main chamber o', 'uld proceed to set it right. when i had made it clear to them, i returned to the main chamber of the', 'roceed to set it right. when i had made it clear to them, i returned to the main chamber of the mach', 'd to set it right. when i had made it clear to them, i returned to the main chamber of the machine a', 'set it right. when i had made it clear to them, i returned to the main chamber of the machine and to', 't right. when i had made it clear to them, i returned to the main chamber of the machine and took a ', 'ht. when i had made it clear to them, i returned to the main chamber of the machine and took a good ', 'hen i had made it clear to them, i returned to the main chamber of the machine and took a good look ', ' had made it clear to them, i returned to the main chamber of the machine and took a good look at it', 'made it clear to them, i returned to the main chamber of the machine and took a good look at it to s', 'it clear to them, i returned to the main chamber of the machine and took a good look at it to satisf', 'ear to them, i returned to the main chamber of the machine and took a good look at it to satisfy my ', 'o them, i returned to the main chamber of the machine and took a good look at it to satisfy my own c', 'm, i returned to the main chamber of the machine and took a good look at it to satisfy my own curios', 'returned to the main chamber of the machine and took a good look at it to satisfy my own curiosity. ', 'ned to the main chamber of the machine and took a good look at it to satisfy my own curiosity. it wa', 'o the main chamber of the machine and took a good look at it to satisfy my own curiosity. it was obv', ' main chamber of the machine and took a good look at it to satisfy my own curiosity. it was obvious ', ' chamber of the machine and took a good look at it to satisfy my own curiosity. it was obvious at a ', 'ber of the machine and took a good look at it to satisfy my own curiosity. it was obvious at a glanc', 'f the machine and took a good look at it to satisfy my own curiosity. it was obvious at a glance tha', ' machine and took a good look at it to satisfy my own curiosity. it was obvious at a glance that the', 'ine and took a good look at it to satisfy my own curiosity. it was obvious at a glance that the stor', 'nd took a good look at it to satisfy my own curiosity. it was obvious at a glance that the story of ', 'ok a good look at it to satisfy my own curiosity. it was obvious at a glance that the story of the f', 'good look at it to satisfy my own curiosity. it was obvious at a glance that the story of the fuller', "look at it to satisfy my own curiosity. it was obvious at a glance that the story of the fuller's-ea", "at it to satisfy my own curiosity. it was obvious at a glance that the story of the fuller's-earth w", " to satisfy my own curiosity. it was obvious at a glance that the story of the fuller's-earth was th", "atisfy my own curiosity. it was obvious at a glance that the story of the fuller's-earth was the mer", "y my own curiosity. it was obvious at a glance that the story of the fuller's-earth was the merest f", "own curiosity. it was obvious at a glance that the story of the fuller's-earth was the merest fabric", "uriosity. it was obvious at a glance that the story of the fuller's-earth was the merest fabrication", "ity. it was obvious at a glance that the story of the fuller's-earth was the merest fabrication, for", "it was obvious at a glance that the story of the fuller's-earth was the merest fabrication, for it w", "s obvious at a glance that the story of the fuller's-earth was the merest fabrication, for it would ", "ious at a glance that the story of the fuller's-earth was the merest fabrication, for it would be ab", "at a glance that the story of the fuller's-earth was the merest fabrication, for it would be absurd ", "glance that the story of the fuller's-earth was the merest fabrication, for it would be absurd to su", "e that the story of the fuller's-earth was the merest fabrication, for it would be absurd to suppose", "t the story of the fuller's-earth was the merest fabrication, for it would be absurd to suppose that", " story of the fuller's-earth was the merest fabrication, for it would be absurd to suppose that so p", "y of the fuller's-earth was the merest fabrication, for it would be absurd to suppose that so powerf", "the fuller's-earth was the merest fabrication, for it would be absurd to suppose that so powerful an", "uller's-earth was the merest fabrication, for it would be absurd to suppose that so powerful an engi", "'s-earth was the merest fabrication, for it would be absurd to suppose that so powerful an engine co", 'rth was the merest fabrication, for it would be absurd to suppose that so powerful an engine could b', 'as the merest fabrication, for it would be absurd to suppose that so powerful an engine could be des', 'e merest fabrication, for it would be absurd to suppose that so powerful an engine could be designed', 'est fabrication, for it would be absurd to suppose that so powerful an engine could be designed for ', 'abrication, for it would be absurd to suppose that so powerful an engine could be designed for so in', 'ation, for it would be absurd to suppose that so powerful an engine could be designed for so inadequ', ', for it would be absurd to suppose that so powerful an engine could be designed for so inadequate a', ' it would be absurd to suppose that so powerful an engine could be designed for so inadequate a purp', 'ould be absurd to suppose that so powerful an engine could be designed for so inadequate a purpose. ', 'be absurd to suppose that so powerful an engine could be designed for so inadequate a purpose. the w', 'surd to suppose that so powerful an engine could be designed for so inadequate a purpose. the walls ', 'to suppose that so powerful an engine could be designed for so inadequate a purpose. the walls were ', 'ppose that so powerful an engine could be designed for so inadequate a purpose. the walls were of wo', ' that so powerful an engine could be designed for so inadequate a purpose. the walls were of wood, b', ' so powerful an engine could be designed for so inadequate a purpose. the walls were of wood, but th', 'owerful an engine could be designed for so inadequate a purpose. the walls were of wood, but the flo', 'ul an engine could be designed for so inadequate a purpose. the walls were of wood, but the floor co', ' engine could be designed for so inadequate a purpose. the walls were of wood, but the floor consist', 'ne could be designed for so inadequate a purpose. the walls were of wood, but the floor consisted of', 'uld be designed for so inadequate a purpose. the walls were of wood, but the floor consisted of a la', 'e designed for so inadequate a purpose. the walls were of wood, but the floor consisted of a large i', 'igned for so inadequate a purpose. the walls were of wood, but the floor consisted of a large iron t', ' for so inadequate a purpose. the walls were of wood, but the floor consisted of a large iron trough', 'so inadequate a purpose. the walls were of wood, but the floor consisted of a large iron trough, and', 'adequate a purpose. the walls were of wood, but the floor consisted of a large iron trough, and when', 'ate a purpose. the walls were of wood, but the floor consisted of a large iron trough, and when i ca', ' purpose. the walls were of wood, but the floor consisted of a large iron trough, and when i came to', 'ose. the walls were of wood, but the floor consisted of a large iron trough, and when i came to exam', 'the walls were of wood, but the floor consisted of a large iron trough, and when i came to examine i', 'alls were of wood, but the floor consisted of a large iron trough, and when i came to examine it i c', 'were of wood, but the floor consisted of a large iron trough, and when i came to examine it i could ', 'of wood, but the floor consisted of a large iron trough, and when i came to examine it i could see a', 'od, but the floor consisted of a large iron trough, and when i came to examine it i could see a crus', 'ut the floor consisted of a large iron trough, and when i came to examine it i could see a crust of ', 'e floor consisted of a large iron trough, and when i came to examine it i could see a crust of metal', 'or consisted of a large iron trough, and when i came to examine it i could see a crust of metallic d', 'nsisted of a large iron trough, and when i came to examine it i could see a crust of metallic deposi', 'ed of a large iron trough, and when i came to examine it i could see a crust of metallic deposit all', ' a large iron trough, and when i came to examine it i could see a crust of metallic deposit all over', 'rge iron trough, and when i came to examine it i could see a crust of metallic deposit all over it. ', 'ron trough, and when i came to examine it i could see a crust of metallic deposit all over it. i had', 'rough, and when i came to examine it i could see a crust of metallic deposit all over it. i had stoo', ', and when i came to examine it i could see a crust of metallic deposit all over it. i had stooped a', ' when i came to examine it i could see a crust of metallic deposit all over it. i had stooped and wa', ' i came to examine it i could see a crust of metallic deposit all over it. i had stooped and was scr', 'me to examine it i could see a crust of metallic deposit all over it. i had stooped and was scraping', ' examine it i could see a crust of metallic deposit all over it. i had stooped and was scraping at t', 'ine it i could see a crust of metallic deposit all over it. i had stooped and was scraping at this t', 't i could see a crust of metallic deposit all over it. i had stooped and was scraping at this to see', 'ould see a crust of metallic deposit all over it. i had stooped and was scraping at this to see exac', 'see a crust of metallic deposit all over it. i had stooped and was scraping at this to see exactly w', ' crust of metallic deposit all over it. i had stooped and was scraping at this to see exactly what i', 't of metallic deposit all over it. i had stooped and was scraping at this to see exactly what it was', 'metallic deposit all over it. i had stooped and was scraping at this to see exactly what it was when', 'lic deposit all over it. i had stooped and was scraping at this to see exactly what it was when i he', 'eposit all over it. i had stooped and was scraping at this to see exactly what it was when i heard a', 't all over it. i had stooped and was scraping at this to see exactly what it was when i heard a mutt', ' over it. i had stooped and was scraping at this to see exactly what it was when i heard a muttered ', ' it. i had stooped and was scraping at this to see exactly what it was when i heard a muttered excla', 'i had stooped and was scraping at this to see exactly what it was when i heard a muttered exclamatio', ' stooped and was scraping at this to see exactly what it was when i heard a muttered exclamation in ', 'ped and was scraping at this to see exactly what it was when i heard a muttered exclamation in germa', 'nd was scraping at this to see exactly what it was when i heard a muttered exclamation in german and', 's scraping at this to see exactly what it was when i heard a muttered exclamation in german and saw ', 'aping at this to see exactly what it was when i heard a muttered exclamation in german and saw the c', ' at this to see exactly what it was when i heard a muttered exclamation in german and saw the cadave', 'his to see exactly what it was when i heard a muttered exclamation in german and saw the cadaverous ', 'o see exactly what it was when i heard a muttered exclamation in german and saw the cadaverous face ', ' exactly what it was when i heard a muttered exclamation in german and saw the cadaverous face of th', 'tly what it was when i heard a muttered exclamation in german and saw the cadaverous face of the col', 'hat it was when i heard a muttered exclamation in german and saw the cadaverous face of the colonel ', 't was when i heard a muttered exclamation in german and saw the cadaverous face of the colonel looki', ' when i heard a muttered exclamation in german and saw the cadaverous face of the colonel looking do', ' i heard a muttered exclamation in german and saw the cadaverous face of the colonel looking down at', 'ard a muttered exclamation in german and saw the cadaverous face of the colonel looking down at me. ', ' muttered exclamation in german and saw the cadaverous face of the colonel looking down at me. "\'wha', 'ered exclamation in german and saw the cadaverous face of the colonel looking down at me. "\'what are', 'exclamation in german and saw the cadaverous face of the colonel looking down at me. "\'what are you ', 'mation in german and saw the cadaverous face of the colonel looking down at me. "\'what are you doing', 'n in german and saw the cadaverous face of the colonel looking down at me. "\'what are you doing ther', 'german and saw the cadaverous face of the colonel looking down at me. "\'what are you doing there?\' h', 'n and saw the cadaverous face of the colonel looking down at me. "\'what are you doing there?\' he ask', ' saw the cadaverous face of the colonel looking down at me. "\'what are you doing there?\' he asked. "', 'the cadaverous face of the colonel looking down at me. "\'what are you doing there?\' he asked. "i fel', 'adaverous face of the colonel looking down at me. "\'what are you doing there?\' he asked. "i felt ang', 'rous face of the colonel looking down at me. "\'what are you doing there?\' he asked. "i felt angry at', 'face of the colonel looking down at me. "\'what are you doing there?\' he asked. "i felt angry at havi', 'of the colonel looking down at me. "\'what are you doing there?\' he asked. "i felt angry at having be', 'e colonel looking down at me. "\'what are you doing there?\' he asked. "i felt angry at having been tr', 'onel looking down at me. "\'what are you doing there?\' he asked. "i felt angry at having been tricked', 'looking down at me. "\'what are you doing there?\' he asked. "i felt angry at having been tricked by s', 'ng down at me. "\'what are you doing there?\' he asked. "i felt angry at having been tricked by so ela', 'wn at me. "\'what are you doing there?\' he asked. "i felt angry at having been tricked by so elaborat', ' me. "\'what are you doing there?\' he asked. "i felt angry at having been tricked by so elaborate a s', '"\'what are you doing there?\' he asked. "i felt angry at having been tricked by so elaborate a story ', 't are you doing there?\' he asked. "i felt angry at having been tricked by so elaborate a story as th', ' you doing there?\' he asked. "i felt angry at having been tricked by so elaborate a story as that wh', 'doing there?\' he asked. "i felt angry at having been tricked by so elaborate a story as that which h', ' there?\' he asked. "i felt angry at having been tricked by so elaborate a story as that which he had', 'e?\' he asked. "i felt angry at having been tricked by so elaborate a story as that which he had told', 'e asked. "i felt angry at having been tricked by so elaborate a story as that which he had told me. ', 'ed. "i felt angry at having been tricked by so elaborate a story as that which he had told me. \'i wa', "i felt angry at having been tricked by so elaborate a story as that which he had told me. 'i was adm", "t angry at having been tricked by so elaborate a story as that which he had told me. 'i was admiring", "ry at having been tricked by so elaborate a story as that which he had told me. 'i was admiring your", " having been tricked by so elaborate a story as that which he had told me. 'i was admiring your full", "ng been tricked by so elaborate a story as that which he had told me. 'i was admiring your fuller's-", "en tricked by so elaborate a story as that which he had told me. 'i was admiring your fuller's-earth", "icked by so elaborate a story as that which he had told me. 'i was admiring your fuller's-earth,' sa", " by so elaborate a story as that which he had told me. 'i was admiring your fuller's-earth,' said i;", "o elaborate a story as that which he had told me. 'i was admiring your fuller's-earth,' said i; 'i t", "borate a story as that which he had told me. 'i was admiring your fuller's-earth,' said i; 'i think ", "e a story as that which he had told me. 'i was admiring your fuller's-earth,' said i; 'i think that ", "tory as that which he had told me. 'i was admiring your fuller's-earth,' said i; 'i think that i sho", "as that which he had told me. 'i was admiring your fuller's-earth,' said i; 'i think that i should b", "at which he had told me. 'i was admiring your fuller's-earth,' said i; 'i think that i should be bet", "ich he had told me. 'i was admiring your fuller's-earth,' said i; 'i think that i should be better a", "e had told me. 'i was admiring your fuller's-earth,' said i; 'i think that i should be better able t", " told me. 'i was admiring your fuller's-earth,' said i; 'i think that i should be better able to adv", " me. 'i was admiring your fuller's-earth,' said i; 'i think that i should be better able to advise y", "'i was admiring your fuller's-earth,' said i; 'i think that i should be better able to advise you as", "s admiring your fuller's-earth,' said i; 'i think that i should be better able to advise you as to y", "iring your fuller's-earth,' said i; 'i think that i should be better able to advise you as to your m", " your fuller's-earth,' said i; 'i think that i should be better able to advise you as to your machin", " fuller's-earth,' said i; 'i think that i should be better able to advise you as to your machine if ", "er's-earth,' said i; 'i think that i should be better able to advise you as to your machine if i kne", "earth,' said i; 'i think that i should be better able to advise you as to your machine if i knew wha", ",' said i; 'i think that i should be better able to advise you as to your machine if i knew what the", "id i; 'i think that i should be better able to advise you as to your machine if i knew what the exac", " 'i think that i should be better able to advise you as to your machine if i knew what the exact pur", 'hink that i should be better able to advise you as to your machine if i knew what the exact purpose ', 'that i should be better able to advise you as to your machine if i knew what the exact purpose was f', 'i should be better able to advise you as to your machine if i knew what the exact purpose was for wh', 'uld be better able to advise you as to your machine if i knew what the exact purpose was for which i', 'e better able to advise you as to your machine if i knew what the exact purpose was for which it was', 'ter able to advise you as to your machine if i knew what the exact purpose was for which it was used', 'ble to advise you as to your machine if i knew what the exact purpose was for which it was used.\' "t', 'o advise you as to your machine if i knew what the exact purpose was for which it was used.\' "the in', 'ise you as to your machine if i knew what the exact purpose was for which it was used.\' "the instant', 'ou as to your machine if i knew what the exact purpose was for which it was used.\' "the instant that', ' to your machine if i knew what the exact purpose was for which it was used.\' "the instant that i ut', 'our machine if i knew what the exact purpose was for which it was used.\' "the instant that i uttered', 'achine if i knew what the exact purpose was for which it was used.\' "the instant that i uttered the ', 'e if i knew what the exact purpose was for which it was used.\' "the instant that i uttered the words', 'i knew what the exact purpose was for which it was used.\' "the instant that i uttered the words i re', 'w what the exact purpose was for which it was used.\' "the instant that i uttered the words i regrett', 't the exact purpose was for which it was used.\' "the instant that i uttered the words i regretted th', ' exact purpose was for which it was used.\' "the instant that i uttered the words i regretted the ras', 't purpose was for which it was used.\' "the instant that i uttered the words i regretted the rashness', 'pose was for which it was used.\' "the instant that i uttered the words i regretted the rashness of m', 'was for which it was used.\' "the instant that i uttered the words i regretted the rashness of my spe', 'or which it was used.\' "the instant that i uttered the words i regretted the rashness of my speech. ', 'ich it was used.\' "the instant that i uttered the words i regretted the rashness of my speech. his f', 't was used.\' "the instant that i uttered the words i regretted the rashness of my speech. his face s', ' used.\' "the instant that i uttered the words i regretted the rashness of my speech. his face set ha', '.\' "the instant that i uttered the words i regretted the rashness of my speech. his face set hard, a', 'he instant that i uttered the words i regretted the rashness of my speech. his face set hard, and a ', 'stant that i uttered the words i regretted the rashness of my speech. his face set hard, and a balef', ' that i uttered the words i regretted the rashness of my speech. his face set hard, and a baleful li', ' i uttered the words i regretted the rashness of my speech. his face set hard, and a baleful light s', 'tered the words i regretted the rashness of my speech. his face set hard, and a baleful light sprang', ' the words i regretted the rashness of my speech. his face set hard, and a baleful light sprang up i', 'words i regretted the rashness of my speech. his face set hard, and a baleful light sprang up in his', ' i regretted the rashness of my speech. his face set hard, and a baleful light sprang up in his grey', 'gretted the rashness of my speech. his face set hard, and a baleful light sprang up in his grey eyes', 'ed the rashness of my speech. his face set hard, and a baleful light sprang up in his grey eyes. "\'v', 'e rashness of my speech. his face set hard, and a baleful light sprang up in his grey eyes. "\'very w', 'hness of my speech. his face set hard, and a baleful light sprang up in his grey eyes. "\'very well,\'', ' of my speech. his face set hard, and a baleful light sprang up in his grey eyes. "\'very well,\' said', 'y speech. his face set hard, and a baleful light sprang up in his grey eyes. "\'very well,\' said he, ', 'ech. his face set hard, and a baleful light sprang up in his grey eyes. "\'very well,\' said he, \'you ', 'his face set hard, and a baleful light sprang up in his grey eyes. "\'very well,\' said he, \'you shall', 'ace set hard, and a baleful light sprang up in his grey eyes. "\'very well,\' said he, \'you shall know', 'et hard, and a baleful light sprang up in his grey eyes. "\'very well,\' said he, \'you shall know all ', 'rd, and a baleful light sprang up in his grey eyes. "\'very well,\' said he, \'you shall know all about', 'nd a baleful light sprang up in his grey eyes. "\'very well,\' said he, \'you shall know all about the ', 'baleful light sprang up in his grey eyes. "\'very well,\' said he, \'you shall know all about the machi', 'ul light sprang up in his grey eyes. "\'very well,\' said he, \'you shall know all about the machine.\' ', 'ght sprang up in his grey eyes. "\'very well,\' said he, \'you shall know all about the machine.\' he to', 'prang up in his grey eyes. "\'very well,\' said he, \'you shall know all about the machine.\' he took a ', ' up in his grey eyes. "\'very well,\' said he, \'you shall know all about the machine.\' he took a step ', 'n his grey eyes. "\'very well,\' said he, \'you shall know all about the machine.\' he took a step backw', ' grey eyes. "\'very well,\' said he, \'you shall know all about the machine.\' he took a step backward, ', ' eyes. "\'very well,\' said he, \'you shall know all about the machine.\' he took a step backward, slamm', '. "\'very well,\' said he, \'you shall know all about the machine.\' he took a step backward, slammed th', "ery well,' said he, 'you shall know all about the machine.' he took a step backward, slammed the lit", "ell,' said he, 'you shall know all about the machine.' he took a step backward, slammed the little d", " said he, 'you shall know all about the machine.' he took a step backward, slammed the little door, ", " he, 'you shall know all about the machine.' he took a step backward, slammed the little door, and t", "'you shall know all about the machine.' he took a step backward, slammed the little door, and turned", "shall know all about the machine.' he took a step backward, slammed the little door, and turned the ", " know all about the machine.' he took a step backward, slammed the little door, and turned the key i", " all about the machine.' he took a step backward, slammed the little door, and turned the key in the", "about the machine.' he took a step backward, slammed the little door, and turned the key in the lock", " the machine.' he took a step backward, slammed the little door, and turned the key in the lock. i r", "machine.' he took a step backward, slammed the little door, and turned the key in the lock. i rushed", "ne.' he took a step backward, slammed the little door, and turned the key in the lock. i rushed towa", 'he took a step backward, slammed the little door, and turned the key in the lock. i rushed towards i', 'ok a step backward, slammed the little door, and turned the key in the lock. i rushed towards it and', 'step backward, slammed the little door, and turned the key in the lock. i rushed towards it and pull', 'backward, slammed the little door, and turned the key in the lock. i rushed towards it and pulled at', 'ard, slammed the little door, and turned the key in the lock. i rushed towards it and pulled at the ', 'slammed the little door, and turned the key in the lock. i rushed towards it and pulled at the handl', 'ed the little door, and turned the key in the lock. i rushed towards it and pulled at the handle, bu', 'e little door, and turned the key in the lock. i rushed towards it and pulled at the handle, but it ', 'tle door, and turned the key in the lock. i rushed towards it and pulled at the handle, but it was q', 'oor, and turned the key in the lock. i rushed towards it and pulled at the handle, but it was quite ', 'and turned the key in the lock. i rushed towards it and pulled at the handle, but it was quite secur', 'urned the key in the lock. i rushed towards it and pulled at the handle, but it was quite secure, an', ' the key in the lock. i rushed towards it and pulled at the handle, but it was quite secure, and did', 'key in the lock. i rushed towards it and pulled at the handle, but it was quite secure, and did not ', 'n the lock. i rushed towards it and pulled at the handle, but it was quite secure, and did not give ', ' lock. i rushed towards it and pulled at the handle, but it was quite secure, and did not give in th', '. i rushed towards it and pulled at the handle, but it was quite secure, and did not give in the lea', 'ushed towards it and pulled at the handle, but it was quite secure, and did not give in the least to', ' towards it and pulled at the handle, but it was quite secure, and did not give in the least to my k', 'rds it and pulled at the handle, but it was quite secure, and did not give in the least to my kicks ', 't and pulled at the handle, but it was quite secure, and did not give in the least to my kicks and s', ' pulled at the handle, but it was quite secure, and did not give in the least to my kicks and shoves', "ed at the handle, but it was quite secure, and did not give in the least to my kicks and shoves. 'hu", " the handle, but it was quite secure, and did not give in the least to my kicks and shoves. 'hullo i", "handle, but it was quite secure, and did not give in the least to my kicks and shoves. 'hullo i yell", "e, but it was quite secure, and did not give in the least to my kicks and shoves. 'hullo i yelled. '", "t it was quite secure, and did not give in the least to my kicks and shoves. 'hullo i yelled. 'hullo", "was quite secure, and did not give in the least to my kicks and shoves. 'hullo i yelled. 'hullo! col", "uite secure, and did not give in the least to my kicks and shoves. 'hullo i yelled. 'hullo! colonel!", "secure, and did not give in the least to my kicks and shoves. 'hullo i yelled. 'hullo! colonel! let ", "e, and did not give in the least to my kicks and shoves. 'hullo i yelled. 'hullo! colonel! let me ou", 'd did not give in the least to my kicks and shoves. \'hullo i yelled. \'hullo! colonel! let me out "a', ' not give in the least to my kicks and shoves. \'hullo i yelled. \'hullo! colonel! let me out "and th', 'give in the least to my kicks and shoves. \'hullo i yelled. \'hullo! colonel! let me out "and then su', 'in the least to my kicks and shoves. \'hullo i yelled. \'hullo! colonel! let me out "and then suddenl', 'e least to my kicks and shoves. \'hullo i yelled. \'hullo! colonel! let me out "and then suddenly in ', 'st to my kicks and shoves. \'hullo i yelled. \'hullo! colonel! let me out "and then suddenly in the s', ' my kicks and shoves. \'hullo i yelled. \'hullo! colonel! let me out "and then suddenly in the silenc', 'icks and shoves. \'hullo i yelled. \'hullo! colonel! let me out "and then suddenly in the silence i h', 'and shoves. \'hullo i yelled. \'hullo! colonel! let me out "and then suddenly in the silence i heard ', 'hoves. \'hullo i yelled. \'hullo! colonel! let me out "and then suddenly in the silence i heard a sou', '. \'hullo i yelled. \'hullo! colonel! let me out "and then suddenly in the silence i heard a sound wh', 'llo i yelled. \'hullo! colonel! let me out "and then suddenly in the silence i heard a sound which s', ' yelled. \'hullo! colonel! let me out "and then suddenly in the silence i heard a sound which sent m', 'ed. \'hullo! colonel! let me out "and then suddenly in the silence i heard a sound which sent my hea', 'hullo! colonel! let me out "and then suddenly in the silence i heard a sound which sent my heart in', '! colonel! let me out "and then suddenly in the silence i heard a sound which sent my heart into my', 'onel! let me out "and then suddenly in the silence i heard a sound which sent my heart into my mout', ' let me out "and then suddenly in the silence i heard a sound which sent my heart into my mouth. it', 'me out "and then suddenly in the silence i heard a sound which sent my heart into my mouth. it was ', 't "and then suddenly in the silence i heard a sound which sent my heart into my mouth. it was the c', 'nd then suddenly in the silence i heard a sound which sent my heart into my mouth. it was the clank ', 'en suddenly in the silence i heard a sound which sent my heart into my mouth. it was the clank of th', 'ddenly in the silence i heard a sound which sent my heart into my mouth. it was the clank of the lev', 'y in the silence i heard a sound which sent my heart into my mouth. it was the clank of the levers a', 'the silence i heard a sound which sent my heart into my mouth. it was the clank of the levers and th', 'ilence i heard a sound which sent my heart into my mouth. it was the clank of the levers and the swi', 'e i heard a sound which sent my heart into my mouth. it was the clank of the levers and the swish of', 'eard a sound which sent my heart into my mouth. it was the clank of the levers and the swish of the ', 'a sound which sent my heart into my mouth. it was the clank of the levers and the swish of the leaki', 'nd which sent my heart into my mouth. it was the clank of the levers and the swish of the leaking cy', 'ich sent my heart into my mouth. it was the clank of the levers and the swish of the leaking cylinde', 'ent my heart into my mouth. it was the clank of the levers and the swish of the leaking cylinder. he', 'y heart into my mouth. it was the clank of the levers and the swish of the leaking cylinder. he had ', 'rt into my mouth. it was the clank of the levers and the swish of the leaking cylinder. he had set t', 'to my mouth. it was the clank of the levers and the swish of the leaking cylinder. he had set the en', ' mouth. it was the clank of the levers and the swish of the leaking cylinder. he had set the engine ', 'h. it was the clank of the levers and the swish of the leaking cylinder. he had set the engine at wo', ' was the clank of the levers and the swish of the leaking cylinder. he had set the engine at work. t', 'the clank of the levers and the swish of the leaking cylinder. he had set the engine at work. the la', 'lank of the levers and the swish of the leaking cylinder. he had set the engine at work. the lamp st', 'of the levers and the swish of the leaking cylinder. he had set the engine at work. the lamp still s', 'e levers and the swish of the leaking cylinder. he had set the engine at work. the lamp still stood ', 'ers and the swish of the leaking cylinder. he had set the engine at work. the lamp still stood upon ', 'nd the swish of the leaking cylinder. he had set the engine at work. the lamp still stood upon the f', 'e swish of the leaking cylinder. he had set the engine at work. the lamp still stood upon the floor ', 'sh of the leaking cylinder. he had set the engine at work. the lamp still stood upon the floor where', ' the leaking cylinder. he had set the engine at work. the lamp still stood upon the floor where i ha', 'leaking cylinder. he had set the engine at work. the lamp still stood upon the floor where i had pla', 'ng cylinder. he had set the engine at work. the lamp still stood upon the floor where i had placed i', 'linder. he had set the engine at work. the lamp still stood upon the floor where i had placed it whe', 'r. he had set the engine at work. the lamp still stood upon the floor where i had placed it when exa', ' had set the engine at work. the lamp still stood upon the floor where i had placed it when examinin', 'set the engine at work. the lamp still stood upon the floor where i had placed it when examining the', 'he engine at work. the lamp still stood upon the floor where i had placed it when examining the trou', 'gine at work. the lamp still stood upon the floor where i had placed it when examining the trough. b', 'at work. the lamp still stood upon the floor where i had placed it when examining the trough. by its', 'rk. the lamp still stood upon the floor where i had placed it when examining the trough. by its ligh', 'he lamp still stood upon the floor where i had placed it when examining the trough. by its light i s', 'mp still stood upon the floor where i had placed it when examining the trough. by its light i saw th', 'ill stood upon the floor where i had placed it when examining the trough. by its light i saw that th', 'tood upon the floor where i had placed it when examining the trough. by its light i saw that the bla', 'upon the floor where i had placed it when examining the trough. by its light i saw that the black ce', 'the floor where i had placed it when examining the trough. by its light i saw that the black ceiling', 'loor where i had placed it when examining the trough. by its light i saw that the black ceiling was ', 'where i had placed it when examining the trough. by its light i saw that the black ceiling was comin', ' i had placed it when examining the trough. by its light i saw that the black ceiling was coming dow', 'd placed it when examining the trough. by its light i saw that the black ceiling was coming down upo', 'ced it when examining the trough. by its light i saw that the black ceiling was coming down upon me,', 't when examining the trough. by its light i saw that the black ceiling was coming down upon me, slow', 'n examining the trough. by its light i saw that the black ceiling was coming down upon me, slowly, j', 'mining the trough. by its light i saw that the black ceiling was coming down upon me, slowly, jerkil', 'g the trough. by its light i saw that the black ceiling was coming down upon me, slowly, jerkily, bu', ' trough. by its light i saw that the black ceiling was coming down upon me, slowly, jerkily, but, as', 'gh. by its light i saw that the black ceiling was coming down upon me, slowly, jerkily, but, as none', 'y its light i saw that the black ceiling was coming down upon me, slowly, jerkily, but, as none knew', ' light i saw that the black ceiling was coming down upon me, slowly, jerkily, but, as none knew bett', 't i saw that the black ceiling was coming down upon me, slowly, jerkily, but, as none knew better th', 'aw that the black ceiling was coming down upon me, slowly, jerkily, but, as none knew better than my', 'at the black ceiling was coming down upon me, slowly, jerkily, but, as none knew better than myself,', 'e black ceiling was coming down upon me, slowly, jerkily, but, as none knew better than myself, with', 'ck ceiling was coming down upon me, slowly, jerkily, but, as none knew better than myself, with a fo', 'iling was coming down upon me, slowly, jerkily, but, as none knew better than myself, with a force w', ' was coming down upon me, slowly, jerkily, but, as none knew better than myself, with a force which ', 'coming down upon me, slowly, jerkily, but, as none knew better than myself, with a force which must ', 'g down upon me, slowly, jerkily, but, as none knew better than myself, with a force which must withi', 'n upon me, slowly, jerkily, but, as none knew better than myself, with a force which must within a m', 'n me, slowly, jerkily, but, as none knew better than myself, with a force which must within a minute', ' slowly, jerkily, but, as none knew better than myself, with a force which must within a minute grin', 'ly, jerkily, but, as none knew better than myself, with a force which must within a minute grind me ', 'erkily, but, as none knew better than myself, with a force which must within a minute grind me to a ', 'y, but, as none knew better than myself, with a force which must within a minute grind me to a shape', 't, as none knew better than myself, with a force which must within a minute grind me to a shapeless ', ' none knew better than myself, with a force which must within a minute grind me to a shapeless pulp.', ' knew better than myself, with a force which must within a minute grind me to a shapeless pulp. i th', ' better than myself, with a force which must within a minute grind me to a shapeless pulp. i threw m', 'er than myself, with a force which must within a minute grind me to a shapeless pulp. i threw myself', 'an myself, with a force which must within a minute grind me to a shapeless pulp. i threw myself, scr', 'self, with a force which must within a minute grind me to a shapeless pulp. i threw myself, screamin', ' with a force which must within a minute grind me to a shapeless pulp. i threw myself, screaming, ag', ' a force which must within a minute grind me to a shapeless pulp. i threw myself, screaming, against', 'rce which must within a minute grind me to a shapeless pulp. i threw myself, screaming, against the ', 'hich must within a minute grind me to a shapeless pulp. i threw myself, screaming, against the door,', 'must within a minute grind me to a shapeless pulp. i threw myself, screaming, against the door, and ', 'within a minute grind me to a shapeless pulp. i threw myself, screaming, against the door, and dragg', 'n a minute grind me to a shapeless pulp. i threw myself, screaming, against the door, and dragged wi', 'inute grind me to a shapeless pulp. i threw myself, screaming, against the door, and dragged with my', ' grind me to a shapeless pulp. i threw myself, screaming, against the door, and dragged with my nail', 'd me to a shapeless pulp. i threw myself, screaming, against the door, and dragged with my nails at ', 'to a shapeless pulp. i threw myself, screaming, against the door, and dragged with my nails at the l', 'shapeless pulp. i threw myself, screaming, against the door, and dragged with my nails at the lock. ', 'less pulp. i threw myself, screaming, against the door, and dragged with my nails at the lock. i imp', 'pulp. i threw myself, screaming, against the door, and dragged with my nails at the lock. i implored', ' i threw myself, screaming, against the door, and dragged with my nails at the lock. i implored the ', 'rew myself, screaming, against the door, and dragged with my nails at the lock. i implored the colon', 'yself, screaming, against the door, and dragged with my nails at the lock. i implored the colonel to', ', screaming, against the door, and dragged with my nails at the lock. i implored the colonel to let ', 'eaming, against the door, and dragged with my nails at the lock. i implored the colonel to let me ou', 'g, against the door, and dragged with my nails at the lock. i implored the colonel to let me out, bu', 'ainst the door, and dragged with my nails at the lock. i implored the colonel to let me out, but the', ' the door, and dragged with my nails at the lock. i implored the colonel to let me out, but the remo', 'door, and dragged with my nails at the lock. i implored the colonel to let me out, but the remorsele', ' and dragged with my nails at the lock. i implored the colonel to let me out, but the remorseless cl', 'dragged with my nails at the lock. i implored the colonel to let me out, but the remorseless clankin', 'ed with my nails at the lock. i implored the colonel to let me out, but the remorseless clanking of ', 'th my nails at the lock. i implored the colonel to let me out, but the remorseless clanking of the l', ' nails at the lock. i implored the colonel to let me out, but the remorseless clanking of the levers', 's at the lock. i implored the colonel to let me out, but the remorseless clanking of the levers drow', 'the lock. i implored the colonel to let me out, but the remorseless clanking of the levers drowned m', 'ock. i implored the colonel to let me out, but the remorseless clanking of the levers drowned my cri', 'i implored the colonel to let me out, but the remorseless clanking of the levers drowned my cries. t', 'lored the colonel to let me out, but the remorseless clanking of the levers drowned my cries. the ce', ' the colonel to let me out, but the remorseless clanking of the levers drowned my cries. the ceiling', 'colonel to let me out, but the remorseless clanking of the levers drowned my cries. the ceiling was ', 'el to let me out, but the remorseless clanking of the levers drowned my cries. the ceiling was only ', ' let me out, but the remorseless clanking of the levers drowned my cries. the ceiling was only a foo', 'me out, but the remorseless clanking of the levers drowned my cries. the ceiling was only a foot or ', 't, but the remorseless clanking of the levers drowned my cries. the ceiling was only a foot or two a', 't the remorseless clanking of the levers drowned my cries. the ceiling was only a foot or two above ', ' remorseless clanking of the levers drowned my cries. the ceiling was only a foot or two above my he', 'rseless clanking of the levers drowned my cries. the ceiling was only a foot or two above my head, a', 'ss clanking of the levers drowned my cries. the ceiling was only a foot or two above my head, and wi', 'anking of the levers drowned my cries. the ceiling was only a foot or two above my head, and with my', 'g of the levers drowned my cries. the ceiling was only a foot or two above my head, and with my hand', 'the levers drowned my cries. the ceiling was only a foot or two above my head, and with my hand upra', 'evers drowned my cries. the ceiling was only a foot or two above my head, and with my hand upraised ', ' drowned my cries. the ceiling was only a foot or two above my head, and with my hand upraised i cou', 'ned my cries. the ceiling was only a foot or two above my head, and with my hand upraised i could fe', 'y cries. the ceiling was only a foot or two above my head, and with my hand upraised i could feel it', 'es. the ceiling was only a foot or two above my head, and with my hand upraised i could feel its har', 'he ceiling was only a foot or two above my head, and with my hand upraised i could feel its hard, ro', 'iling was only a foot or two above my head, and with my hand upraised i could feel its hard, rough s', ' was only a foot or two above my head, and with my hand upraised i could feel its hard, rough surfac', 'only a foot or two above my head, and with my hand upraised i could feel its hard, rough surface. th', 'a foot or two above my head, and with my hand upraised i could feel its hard, rough surface. then it', 't or two above my head, and with my hand upraised i could feel its hard, rough surface. then it flas', 'two above my head, and with my hand upraised i could feel its hard, rough surface. then it flashed t', 'bove my head, and with my hand upraised i could feel its hard, rough surface. then it flashed throug', 'my head, and with my hand upraised i could feel its hard, rough surface. then it flashed through my ', 'ad, and with my hand upraised i could feel its hard, rough surface. then it flashed through my mind ', 'nd with my hand upraised i could feel its hard, rough surface. then it flashed through my mind that ', 'th my hand upraised i could feel its hard, rough surface. then it flashed through my mind that the p', ' hand upraised i could feel its hard, rough surface. then it flashed through my mind that the pain o', ' upraised i could feel its hard, rough surface. then it flashed through my mind that the pain of my ', 'ised i could feel its hard, rough surface. then it flashed through my mind that the pain of my death', 'i could feel its hard, rough surface. then it flashed through my mind that the pain of my death woul', 'ld feel its hard, rough surface. then it flashed through my mind that the pain of my death would dep', 'el its hard, rough surface. then it flashed through my mind that the pain of my death would depend v', 's hard, rough surface. then it flashed through my mind that the pain of my death would depend very m', 'd, rough surface. then it flashed through my mind that the pain of my death would depend very much u', 'ugh surface. then it flashed through my mind that the pain of my death would depend very much upon t', 'urface. then it flashed through my mind that the pain of my death would depend very much upon the po', 'e. then it flashed through my mind that the pain of my death would depend very much upon the positio', 'en it flashed through my mind that the pain of my death would depend very much upon the position in ', ' flashed through my mind that the pain of my death would depend very much upon the position in which', 'hed through my mind that the pain of my death would depend very much upon the position in which i me', 'hrough my mind that the pain of my death would depend very much upon the position in which i met it.', 'h my mind that the pain of my death would depend very much upon the position in which i met it. if i', 'mind that the pain of my death would depend very much upon the position in which i met it. if i lay ', 'that the pain of my death would depend very much upon the position in which i met it. if i lay on my', 'the pain of my death would depend very much upon the position in which i met it. if i lay on my face', 'ain of my death would depend very much upon the position in which i met it. if i lay on my face the ', 'f my death would depend very much upon the position in which i met it. if i lay on my face the weigh', 'death would depend very much upon the position in which i met it. if i lay on my face the weight wou', ' would depend very much upon the position in which i met it. if i lay on my face the weight would co', 'd depend very much upon the position in which i met it. if i lay on my face the weight would come up', 'end very much upon the position in which i met it. if i lay on my face the weight would come upon my', 'ery much upon the position in which i met it. if i lay on my face the weight would come upon my spin', 'uch upon the position in which i met it. if i lay on my face the weight would come upon my spine, an', 'pon the position in which i met it. if i lay on my face the weight would come upon my spine, and i s', 'he position in which i met it. if i lay on my face the weight would come upon my spine, and i shudde', 'sition in which i met it. if i lay on my face the weight would come upon my spine, and i shuddered t', 'n in which i met it. if i lay on my face the weight would come upon my spine, and i shuddered to thi', 'which i met it. if i lay on my face the weight would come upon my spine, and i shuddered to think of', ' i met it. if i lay on my face the weight would come upon my spine, and i shuddered to think of that', 't it. if i lay on my face the weight would come upon my spine, and i shuddered to think of that drea', ' if i lay on my face the weight would come upon my spine, and i shuddered to think of that dreadful ', ' lay on my face the weight would come upon my spine, and i shuddered to think of that dreadful snap.', 'on my face the weight would come upon my spine, and i shuddered to think of that dreadful snap. easi', ' face the weight would come upon my spine, and i shuddered to think of that dreadful snap. easier th', ' the weight would come upon my spine, and i shuddered to think of that dreadful snap. easier the oth', 'weight would come upon my spine, and i shuddered to think of that dreadful snap. easier the other wa', 't would come upon my spine, and i shuddered to think of that dreadful snap. easier the other way, pe', 'ld come upon my spine, and i shuddered to think of that dreadful snap. easier the other way, perhaps', 'me upon my spine, and i shuddered to think of that dreadful snap. easier the other way, perhaps; and', 'on my spine, and i shuddered to think of that dreadful snap. easier the other way, perhaps; and yet,', ' spine, and i shuddered to think of that dreadful snap. easier the other way, perhaps; and yet, had ', 'e, and i shuddered to think of that dreadful snap. easier the other way, perhaps; and yet, had i the', 'd i shuddered to think of that dreadful snap. easier the other way, perhaps; and yet, had i the nerv', 'huddered to think of that dreadful snap. easier the other way, perhaps; and yet, had i the nerve to ', 'red to think of that dreadful snap. easier the other way, perhaps; and yet, had i the nerve to lie a', 'o think of that dreadful snap. easier the other way, perhaps; and yet, had i the nerve to lie and lo', 'nk of that dreadful snap. easier the other way, perhaps; and yet, had i the nerve to lie and look up', ' that dreadful snap. easier the other way, perhaps; and yet, had i the nerve to lie and look up at t', ' dreadful snap. easier the other way, perhaps; and yet, had i the nerve to lie and look up at that d', 'dful snap. easier the other way, perhaps; and yet, had i the nerve to lie and look up at that deadly', 'snap. easier the other way, perhaps; and yet, had i the nerve to lie and look up at that deadly blac', ' easier the other way, perhaps; and yet, had i the nerve to lie and look up at that deadly black sha', 'er the other way, perhaps; and yet, had i the nerve to lie and look up at that deadly black shadow w', 'e other way, perhaps; and yet, had i the nerve to lie and look up at that deadly black shadow waveri', 'er way, perhaps; and yet, had i the nerve to lie and look up at that deadly black shadow wavering do', 'y, perhaps; and yet, had i the nerve to lie and look up at that deadly black shadow wavering down up', 'rhaps; and yet, had i the nerve to lie and look up at that deadly black shadow wavering down upon me', '; and yet, had i the nerve to lie and look up at that deadly black shadow wavering down upon me? alr', ' yet, had i the nerve to lie and look up at that deadly black shadow wavering down upon me? already ', ' had i the nerve to lie and look up at that deadly black shadow wavering down upon me? already i was', 'i the nerve to lie and look up at that deadly black shadow wavering down upon me? already i was unab', ' nerve to lie and look up at that deadly black shadow wavering down upon me? already i was unable to', 'e to lie and look up at that deadly black shadow wavering down upon me? already i was unable to stan', 'lie and look up at that deadly black shadow wavering down upon me? already i was unable to stand ere', 'nd look up at that deadly black shadow wavering down upon me? already i was unable to stand erect, w', 'ok up at that deadly black shadow wavering down upon me? already i was unable to stand erect, when m', ' at that deadly black shadow wavering down upon me? already i was unable to stand erect, when my eye', 'hat deadly black shadow wavering down upon me? already i was unable to stand erect, when my eye caug', 'eadly black shadow wavering down upon me? already i was unable to stand erect, when my eye caught so', ' black shadow wavering down upon me? already i was unable to stand erect, when my eye caught somethi', 'k shadow wavering down upon me? already i was unable to stand erect, when my eye caught something wh', 'dow wavering down upon me? already i was unable to stand erect, when my eye caught something which b', 'avering down upon me? already i was unable to stand erect, when my eye caught something which brough', 'ng down upon me? already i was unable to stand erect, when my eye caught something which brought a g', 'wn upon me? already i was unable to stand erect, when my eye caught something which brought a gush o', 'on me? already i was unable to stand erect, when my eye caught something which brought a gush of hop', '? already i was unable to stand erect, when my eye caught something which brought a gush of hope bac', 'eady i was unable to stand erect, when my eye caught something which brought a gush of hope back to ', 'i was unable to stand erect, when my eye caught something which brought a gush of hope back to my he', ' unable to stand erect, when my eye caught something which brought a gush of hope back to my heart. ', 'le to stand erect, when my eye caught something which brought a gush of hope back to my heart. "i ha', ' stand erect, when my eye caught something which brought a gush of hope back to my heart. "i have sa', 'd erect, when my eye caught something which brought a gush of hope back to my heart. "i have said th', 'ct, when my eye caught something which brought a gush of hope back to my heart. "i have said that th', 'hen my eye caught something which brought a gush of hope back to my heart. "i have said that though ', 'y eye caught something which brought a gush of hope back to my heart. "i have said that though the f', ' caught something which brought a gush of hope back to my heart. "i have said that though the floor ', 'ht something which brought a gush of hope back to my heart. "i have said that though the floor and c', 'mething which brought a gush of hope back to my heart. "i have said that though the floor and ceilin', 'ng which brought a gush of hope back to my heart. "i have said that though the floor and ceiling wer', 'ich brought a gush of hope back to my heart. "i have said that though the floor and ceiling were of ', 'rought a gush of hope back to my heart. "i have said that though the floor and ceiling were of iron,', 't a gush of hope back to my heart. "i have said that though the floor and ceiling were of iron, the ', 'ush of hope back to my heart. "i have said that though the floor and ceiling were of iron, the walls', 'f hope back to my heart. "i have said that though the floor and ceiling were of iron, the walls were', 'e back to my heart. "i have said that though the floor and ceiling were of iron, the walls were of w', 'k to my heart. "i have said that though the floor and ceiling were of iron, the walls were of wood. ', 'my heart. "i have said that though the floor and ceiling were of iron, the walls were of wood. as i ', 'art. "i have said that though the floor and ceiling were of iron, the walls were of wood. as i gave ', '"i have said that though the floor and ceiling were of iron, the walls were of wood. as i gave a las', 've said that though the floor and ceiling were of iron, the walls were of wood. as i gave a last hur', 'id that though the floor and ceiling were of iron, the walls were of wood. as i gave a last hurried ', 'at though the floor and ceiling were of iron, the walls were of wood. as i gave a last hurried glanc', 'ough the floor and ceiling were of iron, the walls were of wood. as i gave a last hurried glance aro', 'the floor and ceiling were of iron, the walls were of wood. as i gave a last hurried glance around, ', 'loor and ceiling were of iron, the walls were of wood. as i gave a last hurried glance around, i saw', 'and ceiling were of iron, the walls were of wood. as i gave a last hurried glance around, i saw a th', 'eiling were of iron, the walls were of wood. as i gave a last hurried glance around, i saw a thin li', 'g were of iron, the walls were of wood. as i gave a last hurried glance around, i saw a thin line of', 'e of iron, the walls were of wood. as i gave a last hurried glance around, i saw a thin line of yell', 'iron, the walls were of wood. as i gave a last hurried glance around, i saw a thin line of yellow li', ' the walls were of wood. as i gave a last hurried glance around, i saw a thin line of yellow light b', 'walls were of wood. as i gave a last hurried glance around, i saw a thin line of yellow light betwee', ' were of wood. as i gave a last hurried glance around, i saw a thin line of yellow light between two', ' of wood. as i gave a last hurried glance around, i saw a thin line of yellow light between two of t', 'ood. as i gave a last hurried glance around, i saw a thin line of yellow light between two of the bo', 'as i gave a last hurried glance around, i saw a thin line of yellow light between two of the boards,', 'gave a last hurried glance around, i saw a thin line of yellow light between two of the boards, whic', 'a last hurried glance around, i saw a thin line of yellow light between two of the boards, which bro', 't hurried glance around, i saw a thin line of yellow light between two of the boards, which broadene', 'ried glance around, i saw a thin line of yellow light between two of the boards, which broadened and', 'glance around, i saw a thin line of yellow light between two of the boards, which broadened and broa', 'e around, i saw a thin line of yellow light between two of the boards, which broadened and broadened', 'und, i saw a thin line of yellow light between two of the boards, which broadened and broadened as a', 'i saw a thin line of yellow light between two of the boards, which broadened and broadened as a smal', ' a thin line of yellow light between two of the boards, which broadened and broadened as a small pan', 'in line of yellow light between two of the boards, which broadened and broadened as a small panel wa', 'ne of yellow light between two of the boards, which broadened and broadened as a small panel was pus', ' yellow light between two of the boards, which broadened and broadened as a small panel was pushed b', 'ow light between two of the boards, which broadened and broadened as a small panel was pushed backwa', 'ght between two of the boards, which broadened and broadened as a small panel was pushed backward. f', 'etween two of the boards, which broadened and broadened as a small panel was pushed backward. for an', 'n two of the boards, which broadened and broadened as a small panel was pushed backward. for an inst', ' of the boards, which broadened and broadened as a small panel was pushed backward. for an instant i', 'he boards, which broadened and broadened as a small panel was pushed backward. for an instant i coul', 'ards, which broadened and broadened as a small panel was pushed backward. for an instant i could har', ' which broadened and broadened as a small panel was pushed backward. for an instant i could hardly b', 'h broadened and broadened as a small panel was pushed backward. for an instant i could hardly believ', 'adened and broadened as a small panel was pushed backward. for an instant i could hardly believe tha', 'd and broadened as a small panel was pushed backward. for an instant i could hardly believe that her', ' broadened as a small panel was pushed backward. for an instant i could hardly believe that here was', 'dened as a small panel was pushed backward. for an instant i could hardly believe that here was inde', ' as a small panel was pushed backward. for an instant i could hardly believe that here was indeed a ', ' small panel was pushed backward. for an instant i could hardly believe that here was indeed a door ', 'l panel was pushed backward. for an instant i could hardly believe that here was indeed a door which', 'el was pushed backward. for an instant i could hardly believe that here was indeed a door which led ', 's pushed backward. for an instant i could hardly believe that here was indeed a door which led away ', 'hed backward. for an instant i could hardly believe that here was indeed a door which led away from ', 'ackward. for an instant i could hardly believe that here was indeed a door which led away from death', 'rd. for an instant i could hardly believe that here was indeed a door which led away from death. the', 'or an instant i could hardly believe that here was indeed a door which led away from death. the next', ' instant i could hardly believe that here was indeed a door which led away from death. the next inst', 'ant i could hardly believe that here was indeed a door which led away from death. the next instant i', ' could hardly believe that here was indeed a door which led away from death. the next instant i thre', 'd hardly believe that here was indeed a door which led away from death. the next instant i threw mys', 'dly believe that here was indeed a door which led away from death. the next instant i threw myself t', 'elieve that here was indeed a door which led away from death. the next instant i threw myself throug', 'e that here was indeed a door which led away from death. the next instant i threw myself through, an', 't here was indeed a door which led away from death. the next instant i threw myself through, and lay', 'e was indeed a door which led away from death. the next instant i threw myself through, and lay half', ' indeed a door which led away from death. the next instant i threw myself through, and lay half-fain', 'ed a door which led away from death. the next instant i threw myself through, and lay half-fainting ', 'door which led away from death. the next instant i threw myself through, and lay half-fainting upon ', 'which led away from death. the next instant i threw myself through, and lay half-fainting upon the o', ' led away from death. the next instant i threw myself through, and lay half-fainting upon the other ', 'away from death. the next instant i threw myself through, and lay half-fainting upon the other side.', 'from death. the next instant i threw myself through, and lay half-fainting upon the other side. the ', 'death. the next instant i threw myself through, and lay half-fainting upon the other side. the panel', '. the next instant i threw myself through, and lay half-fainting upon the other side. the panel had ', ' next instant i threw myself through, and lay half-fainting upon the other side. the panel had close', ' instant i threw myself through, and lay half-fainting upon the other side. the panel had closed aga', 'ant i threw myself through, and lay half-fainting upon the other side. the panel had closed again be', ' threw myself through, and lay half-fainting upon the other side. the panel had closed again behind ', 'w myself through, and lay half-fainting upon the other side. the panel had closed again behind me, b', 'elf through, and lay half-fainting upon the other side. the panel had closed again behind me, but th', 'hrough, and lay half-fainting upon the other side. the panel had closed again behind me, but the cra', 'h, and lay half-fainting upon the other side. the panel had closed again behind me, but the crash of', 'd lay half-fainting upon the other side. the panel had closed again behind me, but the crash of the ', ' half-fainting upon the other side. the panel had closed again behind me, but the crash of the lamp,', '-fainting upon the other side. the panel had closed again behind me, but the crash of the lamp, and ', 'ting upon the other side. the panel had closed again behind me, but the crash of the lamp, and a few', 'upon the other side. the panel had closed again behind me, but the crash of the lamp, and a few mome', 'the other side. the panel had closed again behind me, but the crash of the lamp, and a few moments a', 'ther side. the panel had closed again behind me, but the crash of the lamp, and a few moments afterw', 'side. the panel had closed again behind me, but the crash of the lamp, and a few moments afterwards ', ' the panel had closed again behind me, but the crash of the lamp, and a few moments afterwards the c', 'panel had closed again behind me, but the crash of the lamp, and a few moments afterwards the clang ', ' had closed again behind me, but the crash of the lamp, and a few moments afterwards the clang of th', 'closed again behind me, but the crash of the lamp, and a few moments afterwards the clang of the two', 'd again behind me, but the crash of the lamp, and a few moments afterwards the clang of the two slab', 'in behind me, but the crash of the lamp, and a few moments afterwards the clang of the two slabs of ', 'hind me, but the crash of the lamp, and a few moments afterwards the clang of the two slabs of metal', 'me, but the crash of the lamp, and a few moments afterwards the clang of the two slabs of metal, tol', 'ut the crash of the lamp, and a few moments afterwards the clang of the two slabs of metal, told me ', 'e crash of the lamp, and a few moments afterwards the clang of the two slabs of metal, told me how n', 'sh of the lamp, and a few moments afterwards the clang of the two slabs of metal, told me how narrow', ' the lamp, and a few moments afterwards the clang of the two slabs of metal, told me how narrow had ', 'lamp, and a few moments afterwards the clang of the two slabs of metal, told me how narrow had been ', ' and a few moments afterwards the clang of the two slabs of metal, told me how narrow had been my es', 'a few moments afterwards the clang of the two slabs of metal, told me how narrow had been my escape.', ' moments afterwards the clang of the two slabs of metal, told me how narrow had been my escape. "i w', 'nts afterwards the clang of the two slabs of metal, told me how narrow had been my escape. "i was re', 'fterwards the clang of the two slabs of metal, told me how narrow had been my escape. "i was recalle', 'ards the clang of the two slabs of metal, told me how narrow had been my escape. "i was recalled to ', 'the clang of the two slabs of metal, told me how narrow had been my escape. "i was recalled to mysel', 'lang of the two slabs of metal, told me how narrow had been my escape. "i was recalled to myself by ', 'of the two slabs of metal, told me how narrow had been my escape. "i was recalled to myself by a fra', 'e two slabs of metal, told me how narrow had been my escape. "i was recalled to myself by a frantic ', ' slabs of metal, told me how narrow had been my escape. "i was recalled to myself by a frantic pluck', 's of metal, told me how narrow had been my escape. "i was recalled to myself by a frantic plucking a', 'metal, told me how narrow had been my escape. "i was recalled to myself by a frantic plucking at my ', ', told me how narrow had been my escape. "i was recalled to myself by a frantic plucking at my wrist', 'd me how narrow had been my escape. "i was recalled to myself by a frantic plucking at my wrist, and', 'how narrow had been my escape. "i was recalled to myself by a frantic plucking at my wrist, and i fo', 'arrow had been my escape. "i was recalled to myself by a frantic plucking at my wrist, and i found m', ' had been my escape. "i was recalled to myself by a frantic plucking at my wrist, and i found myself', 'been my escape. "i was recalled to myself by a frantic plucking at my wrist, and i found myself lyin', 'my escape. "i was recalled to myself by a frantic plucking at my wrist, and i found myself lying upo', 'cape. "i was recalled to myself by a frantic plucking at my wrist, and i found myself lying upon the', ' "i was recalled to myself by a frantic plucking at my wrist, and i found myself lying upon the ston', 'as recalled to myself by a frantic plucking at my wrist, and i found myself lying upon the stone flo', 'called to myself by a frantic plucking at my wrist, and i found myself lying upon the stone floor of', 'd to myself by a frantic plucking at my wrist, and i found myself lying upon the stone floor of a na', 'myself by a frantic plucking at my wrist, and i found myself lying upon the stone floor of a narrow ', 'f by a frantic plucking at my wrist, and i found myself lying upon the stone floor of a narrow corri', 'a frantic plucking at my wrist, and i found myself lying upon the stone floor of a narrow corridor, ', 'ntic plucking at my wrist, and i found myself lying upon the stone floor of a narrow corridor, while', 'plucking at my wrist, and i found myself lying upon the stone floor of a narrow corridor, while a wo', 'ing at my wrist, and i found myself lying upon the stone floor of a narrow corridor, while a woman b', 't my wrist, and i found myself lying upon the stone floor of a narrow corridor, while a woman bent o', 'wrist, and i found myself lying upon the stone floor of a narrow corridor, while a woman bent over m', ', and i found myself lying upon the stone floor of a narrow corridor, while a woman bent over me and', ' i found myself lying upon the stone floor of a narrow corridor, while a woman bent over me and tugg', 'und myself lying upon the stone floor of a narrow corridor, while a woman bent over me and tugged at', 'yself lying upon the stone floor of a narrow corridor, while a woman bent over me and tugged at me w', ' lying upon the stone floor of a narrow corridor, while a woman bent over me and tugged at me with h', 'g upon the stone floor of a narrow corridor, while a woman bent over me and tugged at me with her le', 'n the stone floor of a narrow corridor, while a woman bent over me and tugged at me with her left ha', ' stone floor of a narrow corridor, while a woman bent over me and tugged at me with her left hand, w', 'e floor of a narrow corridor, while a woman bent over me and tugged at me with her left hand, while ', 'or of a narrow corridor, while a woman bent over me and tugged at me with her left hand, while she h', ' a narrow corridor, while a woman bent over me and tugged at me with her left hand, while she held a', 'rrow corridor, while a woman bent over me and tugged at me with her left hand, while she held a cand', 'corridor, while a woman bent over me and tugged at me with her left hand, while she held a candle in', 'dor, while a woman bent over me and tugged at me with her left hand, while she held a candle in her ', 'while a woman bent over me and tugged at me with her left hand, while she held a candle in her right', ' a woman bent over me and tugged at me with her left hand, while she held a candle in her right. it ', 'man bent over me and tugged at me with her left hand, while she held a candle in her right. it was t', 'ent over me and tugged at me with her left hand, while she held a candle in her right. it was the sa', 'ver me and tugged at me with her left hand, while she held a candle in her right. it was the same go', 'e and tugged at me with her left hand, while she held a candle in her right. it was the same good fr', ' tugged at me with her left hand, while she held a candle in her right. it was the same good friend ', 'ed at me with her left hand, while she held a candle in her right. it was the same good friend whose', ' me with her left hand, while she held a candle in her right. it was the same good friend whose warn', 'ith her left hand, while she held a candle in her right. it was the same good friend whose warning i', 'er left hand, while she held a candle in her right. it was the same good friend whose warning i had ', 'ft hand, while she held a candle in her right. it was the same good friend whose warning i had so fo', 'nd, while she held a candle in her right. it was the same good friend whose warning i had so foolish', 'hile she held a candle in her right. it was the same good friend whose warning i had so foolishly re', 'she held a candle in her right. it was the same good friend whose warning i had so foolishly rejecte', 'eld a candle in her right. it was the same good friend whose warning i had so foolishly rejected. "\'', ' candle in her right. it was the same good friend whose warning i had so foolishly rejected. "\'come!', 'le in her right. it was the same good friend whose warning i had so foolishly rejected. "\'come! come', ' her right. it was the same good friend whose warning i had so foolishly rejected. "\'come! come she ', 'right. it was the same good friend whose warning i had so foolishly rejected. "\'come! come she cried', '. it was the same good friend whose warning i had so foolishly rejected. "\'come! come she cried brea', 'was the same good friend whose warning i had so foolishly rejected. "\'come! come she cried breathles', 'he same good friend whose warning i had so foolishly rejected. "\'come! come she cried breathlessly. ', 'me good friend whose warning i had so foolishly rejected. "\'come! come she cried breathlessly. \'they', 'od friend whose warning i had so foolishly rejected. "\'come! come she cried breathlessly. \'they will', 'iend whose warning i had so foolishly rejected. "\'come! come she cried breathlessly. \'they will be h', 'whose warning i had so foolishly rejected. "\'come! come she cried breathlessly. \'they will be here i', ' warning i had so foolishly rejected. "\'come! come she cried breathlessly. \'they will be here in a m', 'ing i had so foolishly rejected. "\'come! come she cried breathlessly. \'they will be here in a moment', ' had so foolishly rejected. "\'come! come she cried breathlessly. \'they will be here in a moment. the', 'so foolishly rejected. "\'come! come she cried breathlessly. \'they will be here in a moment. they wil', 'olishly rejected. "\'come! come she cried breathlessly. \'they will be here in a moment. they will see', 'ly rejected. "\'come! come she cried breathlessly. \'they will be here in a moment. they will see that', 'jected. "\'come! come she cried breathlessly. \'they will be here in a moment. they will see that you ', 'd. "\'come! come she cried breathlessly. \'they will be here in a moment. they will see that you are n', "come! come she cried breathlessly. 'they will be here in a moment. they will see that you are not th", " come she cried breathlessly. 'they will be here in a moment. they will see that you are not there. ", " she cried breathlessly. 'they will be here in a moment. they will see that you are not there. oh, d", "cried breathlessly. 'they will be here in a moment. they will see that you are not there. oh, do not", " breathlessly. 'they will be here in a moment. they will see that you are not there. oh, do not wast", "thlessly. 'they will be here in a moment. they will see that you are not there. oh, do not waste the", "sly. 'they will be here in a moment. they will see that you are not there. oh, do not waste the so-p", "'they will be here in a moment. they will see that you are not there. oh, do not waste the so-precio", ' will be here in a moment. they will see that you are not there. oh, do not waste the so-precious ti', ' be here in a moment. they will see that you are not there. oh, do not waste the so-precious time, b', 'ere in a moment. they will see that you are not there. oh, do not waste the so-precious time, but co', 'n a moment. they will see that you are not there. oh, do not waste the so-precious time, but come "', 'oment. they will see that you are not there. oh, do not waste the so-precious time, but come "this ', '. they will see that you are not there. oh, do not waste the so-precious time, but come "this time,', 'y will see that you are not there. oh, do not waste the so-precious time, but come "this time, at l', 'l see that you are not there. oh, do not waste the so-precious time, but come "this time, at least,', ' that you are not there. oh, do not waste the so-precious time, but come "this time, at least, i di', ' you are not there. oh, do not waste the so-precious time, but come "this time, at least, i did not', 'are not there. oh, do not waste the so-precious time, but come "this time, at least, i did not scor', 'ot there. oh, do not waste the so-precious time, but come "this time, at least, i did not scorn her', 'ere. oh, do not waste the so-precious time, but come "this time, at least, i did not scorn her advi', 'oh, do not waste the so-precious time, but come "this time, at least, i did not scorn her advice. i', 'o not waste the so-precious time, but come "this time, at least, i did not scorn her advice. i stag', ' waste the so-precious time, but come "this time, at least, i did not scorn her advice. i staggered', 'e the so-precious time, but come "this time, at least, i did not scorn her advice. i staggered to m', ' so-precious time, but come "this time, at least, i did not scorn her advice. i staggered to my fee', 'recious time, but come "this time, at least, i did not scorn her advice. i staggered to my feet and', 'us time, but come "this time, at least, i did not scorn her advice. i staggered to my feet and ran ', 'me, but come "this time, at least, i did not scorn her advice. i staggered to my feet and ran with ', 'ut come "this time, at least, i did not scorn her advice. i staggered to my feet and ran with her a', 'me "this time, at least, i did not scorn her advice. i staggered to my feet and ran with her along ', 'this time, at least, i did not scorn her advice. i staggered to my feet and ran with her along the c', 'time, at least, i did not scorn her advice. i staggered to my feet and ran with her along the corrid', ' at least, i did not scorn her advice. i staggered to my feet and ran with her along the corridor an', 'east, i did not scorn her advice. i staggered to my feet and ran with her along the corridor and dow', ' i did not scorn her advice. i staggered to my feet and ran with her along the corridor and down a w', 'd not scorn her advice. i staggered to my feet and ran with her along the corridor and down a windin', ' scorn her advice. i staggered to my feet and ran with her along the corridor and down a winding sta', 'n her advice. i staggered to my feet and ran with her along the corridor and down a winding stair. t', ' advice. i staggered to my feet and ran with her along the corridor and down a winding stair. the la', 'ce. i staggered to my feet and ran with her along the corridor and down a winding stair. the latter ', ' staggered to my feet and ran with her along the corridor and down a winding stair. the latter led t', 'gered to my feet and ran with her along the corridor and down a winding stair. the latter led to ano', ' to my feet and ran with her along the corridor and down a winding stair. the latter led to another ', 'y feet and ran with her along the corridor and down a winding stair. the latter led to another broad', 't and ran with her along the corridor and down a winding stair. the latter led to another broad pass', ' ran with her along the corridor and down a winding stair. the latter led to another broad passage, ', 'with her along the corridor and down a winding stair. the latter led to another broad passage, and j', 'her along the corridor and down a winding stair. the latter led to another broad passage, and just a', 'long the corridor and down a winding stair. the latter led to another broad passage, and just as we ', 'the corridor and down a winding stair. the latter led to another broad passage, and just as we reach', 'orridor and down a winding stair. the latter led to another broad passage, and just as we reached it', 'or and down a winding stair. the latter led to another broad passage, and just as we reached it we h', 'd down a winding stair. the latter led to another broad passage, and just as we reached it we heard ', 'n a winding stair. the latter led to another broad passage, and just as we reached it we heard the s', 'inding stair. the latter led to another broad passage, and just as we reached it we heard the sound ', 'g stair. the latter led to another broad passage, and just as we reached it we heard the sound of ru', 'ir. the latter led to another broad passage, and just as we reached it we heard the sound of running', 'he latter led to another broad passage, and just as we reached it we heard the sound of running feet', 'tter led to another broad passage, and just as we reached it we heard the sound of running feet and ', 'led to another broad passage, and just as we reached it we heard the sound of running feet and the s', 'o another broad passage, and just as we reached it we heard the sound of running feet and the shouti', 'ther broad passage, and just as we reached it we heard the sound of running feet and the shouting of', 'broad passage, and just as we reached it we heard the sound of running feet and the shouting of two ', ' passage, and just as we reached it we heard the sound of running feet and the shouting of two voice', 'age, and just as we reached it we heard the sound of running feet and the shouting of two voices, on', 'and just as we reached it we heard the sound of running feet and the shouting of two voices, one ans', 'ust as we reached it we heard the sound of running feet and the shouting of two voices, one answerin', 's we reached it we heard the sound of running feet and the shouting of two voices, one answering the', 'reached it we heard the sound of running feet and the shouting of two voices, one answering the othe', 'ed it we heard the sound of running feet and the shouting of two voices, one answering the other fro', ' we heard the sound of running feet and the shouting of two voices, one answering the other from the', 'eard the sound of running feet and the shouting of two voices, one answering the other from the floo', 'the sound of running feet and the shouting of two voices, one answering the other from the floor on ', 'ound of running feet and the shouting of two voices, one answering the other from the floor on which', 'of running feet and the shouting of two voices, one answering the other from the floor on which we w', 'nning feet and the shouting of two voices, one answering the other from the floor on which we were a', ' feet and the shouting of two voices, one answering the other from the floor on which we were and fr', ' and the shouting of two voices, one answering the other from the floor on which we were and from th', 'the shouting of two voices, one answering the other from the floor on which we were and from the one', 'houting of two voices, one answering the other from the floor on which we were and from the one bene', 'ng of two voices, one answering the other from the floor on which we were and from the one beneath. ', ' two voices, one answering the other from the floor on which we were and from the one beneath. my gu', 'voices, one answering the other from the floor on which we were and from the one beneath. my guide s', 's, one answering the other from the floor on which we were and from the one beneath. my guide stoppe', 'e answering the other from the floor on which we were and from the one beneath. my guide stopped and', 'wering the other from the floor on which we were and from the one beneath. my guide stopped and look', 'g the other from the floor on which we were and from the one beneath. my guide stopped and looked ab', ' other from the floor on which we were and from the one beneath. my guide stopped and looked about h', 'r from the floor on which we were and from the one beneath. my guide stopped and looked about her li', 'm the floor on which we were and from the one beneath. my guide stopped and looked about her like on', ' floor on which we were and from the one beneath. my guide stopped and looked about her like one who', 'r on which we were and from the one beneath. my guide stopped and looked about her like one who is a', 'which we were and from the one beneath. my guide stopped and looked about her like one who is at her', " we were and from the one beneath. my guide stopped and looked about her like one who is at her wit'", "ere and from the one beneath. my guide stopped and looked about her like one who is at her wit's end", "nd from the one beneath. my guide stopped and looked about her like one who is at her wit's end. the", "om the one beneath. my guide stopped and looked about her like one who is at her wit's end. then she", "e one beneath. my guide stopped and looked about her like one who is at her wit's end. then she thre", " beneath. my guide stopped and looked about her like one who is at her wit's end. then she threw ope", "ath. my guide stopped and looked about her like one who is at her wit's end. then she threw open a d", "my guide stopped and looked about her like one who is at her wit's end. then she threw open a door w", "ide stopped and looked about her like one who is at her wit's end. then she threw open a door which ", "topped and looked about her like one who is at her wit's end. then she threw open a door which led i", "d and looked about her like one who is at her wit's end. then she threw open a door which led into a", " looked about her like one who is at her wit's end. then she threw open a door which led into a bedr", "ed about her like one who is at her wit's end. then she threw open a door which led into a bedroom, ", "out her like one who is at her wit's end. then she threw open a door which led into a bedroom, throu", "er like one who is at her wit's end. then she threw open a door which led into a bedroom, through th", "ke one who is at her wit's end. then she threw open a door which led into a bedroom, through the win", "e who is at her wit's end. then she threw open a door which led into a bedroom, through the window o", " is at her wit's end. then she threw open a door which led into a bedroom, through the window of whi", "t her wit's end. then she threw open a door which led into a bedroom, through the window of which th", " wit's end. then she threw open a door which led into a bedroom, through the window of which the moo", 's end. then she threw open a door which led into a bedroom, through the window of which the moon was', '. then she threw open a door which led into a bedroom, through the window of which the moon was shin', 'n she threw open a door which led into a bedroom, through the window of which the moon was shining b', ' threw open a door which led into a bedroom, through the window of which the moon was shining bright', 'w open a door which led into a bedroom, through the window of which the moon was shining brightly. "', 'n a door which led into a bedroom, through the window of which the moon was shining brightly. "\'it i', 'oor which led into a bedroom, through the window of which the moon was shining brightly. "\'it is you', 'hich led into a bedroom, through the window of which the moon was shining brightly. "\'it is your onl', 'led into a bedroom, through the window of which the moon was shining brightly. "\'it is your only cha', 'nto a bedroom, through the window of which the moon was shining brightly. "\'it is your only chance,\'', ' bedroom, through the window of which the moon was shining brightly. "\'it is your only chance,\' said', 'oom, through the window of which the moon was shining brightly. "\'it is your only chance,\' said she.', 'through the window of which the moon was shining brightly. "\'it is your only chance,\' said she. \'it ', 'gh the window of which the moon was shining brightly. "\'it is your only chance,\' said she. \'it is hi', 'e window of which the moon was shining brightly. "\'it is your only chance,\' said she. \'it is high, b', 'dow of which the moon was shining brightly. "\'it is your only chance,\' said she. \'it is high, but it', 'f which the moon was shining brightly. "\'it is your only chance,\' said she. \'it is high, but it may ', 'ch the moon was shining brightly. "\'it is your only chance,\' said she. \'it is high, but it may be th', 'e moon was shining brightly. "\'it is your only chance,\' said she. \'it is high, but it may be that yo', 'n was shining brightly. "\'it is your only chance,\' said she. \'it is high, but it may be that you can', ' shining brightly. "\'it is your only chance,\' said she. \'it is high, but it may be that you can jump', 'ing brightly. "\'it is your only chance,\' said she. \'it is high, but it may be that you can jump it.\'', 'rightly. "\'it is your only chance,\' said she. \'it is high, but it may be that you can jump it.\' "as ', 'ly. "\'it is your only chance,\' said she. \'it is high, but it may be that you can jump it.\' "as she s', '\'it is your only chance,\' said she. \'it is high, but it may be that you can jump it.\' "as she spoke ', 's your only chance,\' said she. \'it is high, but it may be that you can jump it.\' "as she spoke a lig', 'r only chance,\' said she. \'it is high, but it may be that you can jump it.\' "as she spoke a light sp', 'y chance,\' said she. \'it is high, but it may be that you can jump it.\' "as she spoke a light sprang ', 'nce,\' said she. \'it is high, but it may be that you can jump it.\' "as she spoke a light sprang into ', ' said she. \'it is high, but it may be that you can jump it.\' "as she spoke a light sprang into view ', ' she. \'it is high, but it may be that you can jump it.\' "as she spoke a light sprang into view at th', ' \'it is high, but it may be that you can jump it.\' "as she spoke a light sprang into view at the fur', 'is high, but it may be that you can jump it.\' "as she spoke a light sprang into view at the further ', 'gh, but it may be that you can jump it.\' "as she spoke a light sprang into view at the further end o', 'ut it may be that you can jump it.\' "as she spoke a light sprang into view at the further end of the', ' may be that you can jump it.\' "as she spoke a light sprang into view at the further end of the pass', 'be that you can jump it.\' "as she spoke a light sprang into view at the further end of the passage, ', 'at you can jump it.\' "as she spoke a light sprang into view at the further end of the passage, and i', 'u can jump it.\' "as she spoke a light sprang into view at the further end of the passage, and i saw ', ' jump it.\' "as she spoke a light sprang into view at the further end of the passage, and i saw the l', ' it.\' "as she spoke a light sprang into view at the further end of the passage, and i saw the lean f', ' "as she spoke a light sprang into view at the further end of the passage, and i saw the lean figure', 'she spoke a light sprang into view at the further end of the passage, and i saw the lean figure of c', 'poke a light sprang into view at the further end of the passage, and i saw the lean figure of colone', 'a light sprang into view at the further end of the passage, and i saw the lean figure of colonel lys', 'ht sprang into view at the further end of the passage, and i saw the lean figure of colonel lysander', 'rang into view at the further end of the passage, and i saw the lean figure of colonel lysander star', 'into view at the further end of the passage, and i saw the lean figure of colonel lysander stark rus', 'view at the further end of the passage, and i saw the lean figure of colonel lysander stark rushing ', 'at the further end of the passage, and i saw the lean figure of colonel lysander stark rushing forwa', 'e further end of the passage, and i saw the lean figure of colonel lysander stark rushing forward wi', 'ther end of the passage, and i saw the lean figure of colonel lysander stark rushing forward with a ', 'end of the passage, and i saw the lean figure of colonel lysander stark rushing forward with a lante', 'f the passage, and i saw the lean figure of colonel lysander stark rushing forward with a lantern in', ' passage, and i saw the lean figure of colonel lysander stark rushing forward with a lantern in one ', 'age, and i saw the lean figure of colonel lysander stark rushing forward with a lantern in one hand ', 'and i saw the lean figure of colonel lysander stark rushing forward with a lantern in one hand and a', ' saw the lean figure of colonel lysander stark rushing forward with a lantern in one hand and a weap', 'the lean figure of colonel lysander stark rushing forward with a lantern in one hand and a weapon li', 'ean figure of colonel lysander stark rushing forward with a lantern in one hand and a weapon like a ', 'igure of colonel lysander stark rushing forward with a lantern in one hand and a weapon like a butch', " of colonel lysander stark rushing forward with a lantern in one hand and a weapon like a butcher's ", "olonel lysander stark rushing forward with a lantern in one hand and a weapon like a butcher's cleav", "l lysander stark rushing forward with a lantern in one hand and a weapon like a butcher's cleaver in", "ander stark rushing forward with a lantern in one hand and a weapon like a butcher's cleaver in the ", " stark rushing forward with a lantern in one hand and a weapon like a butcher's cleaver in the other", "k rushing forward with a lantern in one hand and a weapon like a butcher's cleaver in the other. i r", "hing forward with a lantern in one hand and a weapon like a butcher's cleaver in the other. i rushed", "forward with a lantern in one hand and a weapon like a butcher's cleaver in the other. i rushed acro", "rd with a lantern in one hand and a weapon like a butcher's cleaver in the other. i rushed across th", "th a lantern in one hand and a weapon like a butcher's cleaver in the other. i rushed across the bed", "lantern in one hand and a weapon like a butcher's cleaver in the other. i rushed across the bedroom,", "rn in one hand and a weapon like a butcher's cleaver in the other. i rushed across the bedroom, flun", " one hand and a weapon like a butcher's cleaver in the other. i rushed across the bedroom, flung ope", "hand and a weapon like a butcher's cleaver in the other. i rushed across the bedroom, flung open the", "and a weapon like a butcher's cleaver in the other. i rushed across the bedroom, flung open the wind", " weapon like a butcher's cleaver in the other. i rushed across the bedroom, flung open the window, a", "on like a butcher's cleaver in the other. i rushed across the bedroom, flung open the window, and lo", "ke a butcher's cleaver in the other. i rushed across the bedroom, flung open the window, and looked ", "butcher's cleaver in the other. i rushed across the bedroom, flung open the window, and looked out. ", "er's cleaver in the other. i rushed across the bedroom, flung open the window, and looked out. how q", 'cleaver in the other. i rushed across the bedroom, flung open the window, and looked out. how quiet ', 'er in the other. i rushed across the bedroom, flung open the window, and looked out. how quiet and s', ' the other. i rushed across the bedroom, flung open the window, and looked out. how quiet and sweet ', 'other. i rushed across the bedroom, flung open the window, and looked out. how quiet and sweet and w', '. i rushed across the bedroom, flung open the window, and looked out. how quiet and sweet and wholes', 'ushed across the bedroom, flung open the window, and looked out. how quiet and sweet and wholesome t', ' across the bedroom, flung open the window, and looked out. how quiet and sweet and wholesome the ga', 'ss the bedroom, flung open the window, and looked out. how quiet and sweet and wholesome the garden ', 'e bedroom, flung open the window, and looked out. how quiet and sweet and wholesome the garden looke', 'room, flung open the window, and looked out. how quiet and sweet and wholesome the garden looked in ', ' flung open the window, and looked out. how quiet and sweet and wholesome the garden looked in the m', 'g open the window, and looked out. how quiet and sweet and wholesome the garden looked in the moonli', 'n the window, and looked out. how quiet and sweet and wholesome the garden looked in the moonlight, ', ' window, and looked out. how quiet and sweet and wholesome the garden looked in the moonlight, and i', 'ow, and looked out. how quiet and sweet and wholesome the garden looked in the moonlight, and it cou', 'nd looked out. how quiet and sweet and wholesome the garden looked in the moonlight, and it could no', 'oked out. how quiet and sweet and wholesome the garden looked in the moonlight, and it could not be ', 'out. how quiet and sweet and wholesome the garden looked in the moonlight, and it could not be more ', 'how quiet and sweet and wholesome the garden looked in the moonlight, and it could not be more than ', 'uiet and sweet and wholesome the garden looked in the moonlight, and it could not be more than thirt', 'and sweet and wholesome the garden looked in the moonlight, and it could not be more than thirty fee', 'weet and wholesome the garden looked in the moonlight, and it could not be more than thirty feet dow', 'and wholesome the garden looked in the moonlight, and it could not be more than thirty feet down. i ', 'holesome the garden looked in the moonlight, and it could not be more than thirty feet down. i clamb', 'ome the garden looked in the moonlight, and it could not be more than thirty feet down. i clambered ', 'he garden looked in the moonlight, and it could not be more than thirty feet down. i clambered out u', 'rden looked in the moonlight, and it could not be more than thirty feet down. i clambered out upon t', 'looked in the moonlight, and it could not be more than thirty feet down. i clambered out upon the si', 'd in the moonlight, and it could not be more than thirty feet down. i clambered out upon the sill, b', 'the moonlight, and it could not be more than thirty feet down. i clambered out upon the sill, but i ', 'oonlight, and it could not be more than thirty feet down. i clambered out upon the sill, but i hesit', 'ght, and it could not be more than thirty feet down. i clambered out upon the sill, but i hesitated ', 'and it could not be more than thirty feet down. i clambered out upon the sill, but i hesitated to ju', 't could not be more than thirty feet down. i clambered out upon the sill, but i hesitated to jump un', 'ld not be more than thirty feet down. i clambered out upon the sill, but i hesitated to jump until i', 't be more than thirty feet down. i clambered out upon the sill, but i hesitated to jump until i shou', 'more than thirty feet down. i clambered out upon the sill, but i hesitated to jump until i should ha', 'than thirty feet down. i clambered out upon the sill, but i hesitated to jump until i should have he', 'thirty feet down. i clambered out upon the sill, but i hesitated to jump until i should have heard w', 'y feet down. i clambered out upon the sill, but i hesitated to jump until i should have heard what p', 't down. i clambered out upon the sill, but i hesitated to jump until i should have heard what passed', 'n. i clambered out upon the sill, but i hesitated to jump until i should have heard what passed betw', 'clambered out upon the sill, but i hesitated to jump until i should have heard what passed between m', 'ered out upon the sill, but i hesitated to jump until i should have heard what passed between my sav', 'out upon the sill, but i hesitated to jump until i should have heard what passed between my saviour ', 'pon the sill, but i hesitated to jump until i should have heard what passed between my saviour and t', 'he sill, but i hesitated to jump until i should have heard what passed between my saviour and the ru', 'll, but i hesitated to jump until i should have heard what passed between my saviour and the ruffian', 'ut i hesitated to jump until i should have heard what passed between my saviour and the ruffian who ', 'hesitated to jump until i should have heard what passed between my saviour and the ruffian who pursu', 'ated to jump until i should have heard what passed between my saviour and the ruffian who pursued me', 'to jump until i should have heard what passed between my saviour and the ruffian who pursued me. if ', 'mp until i should have heard what passed between my saviour and the ruffian who pursued me. if she w', 'til i should have heard what passed between my saviour and the ruffian who pursued me. if she were i', ' should have heard what passed between my saviour and the ruffian who pursued me. if she were ill-us', 'ld have heard what passed between my saviour and the ruffian who pursued me. if she were ill-used, t', 've heard what passed between my saviour and the ruffian who pursued me. if she were ill-used, then a', 'ard what passed between my saviour and the ruffian who pursued me. if she were ill-used, then at any', 'hat passed between my saviour and the ruffian who pursued me. if she were ill-used, then at any risk', 'assed between my saviour and the ruffian who pursued me. if she were ill-used, then at any risks i w', ' between my saviour and the ruffian who pursued me. if she were ill-used, then at any risks i was de', 'een my saviour and the ruffian who pursued me. if she were ill-used, then at any risks i was determi', 'y saviour and the ruffian who pursued me. if she were ill-used, then at any risks i was determined t', 'iour and the ruffian who pursued me. if she were ill-used, then at any risks i was determined to go ', 'and the ruffian who pursued me. if she were ill-used, then at any risks i was determined to go back ', 'he ruffian who pursued me. if she were ill-used, then at any risks i was determined to go back to he', 'ffian who pursued me. if she were ill-used, then at any risks i was determined to go back to her ass', ' who pursued me. if she were ill-used, then at any risks i was determined to go back to her assistan', 'pursued me. if she were ill-used, then at any risks i was determined to go back to her assistance. t', 'ed me. if she were ill-used, then at any risks i was determined to go back to her assistance. the th', '. if she were ill-used, then at any risks i was determined to go back to her assistance. the thought', 'she were ill-used, then at any risks i was determined to go back to her assistance. the thought had ', 'ere ill-used, then at any risks i was determined to go back to her assistance. the thought had hardl', 'll-used, then at any risks i was determined to go back to her assistance. the thought had hardly fla', 'ed, then at any risks i was determined to go back to her assistance. the thought had hardly flashed ', 'hen at any risks i was determined to go back to her assistance. the thought had hardly flashed throu', 't any risks i was determined to go back to her assistance. the thought had hardly flashed through my', ' risks i was determined to go back to her assistance. the thought had hardly flashed through my mind', 's i was determined to go back to her assistance. the thought had hardly flashed through my mind befo', 'as determined to go back to her assistance. the thought had hardly flashed through my mind before he', 'termined to go back to her assistance. the thought had hardly flashed through my mind before he was ', 'ned to go back to her assistance. the thought had hardly flashed through my mind before he was at th', 'o go back to her assistance. the thought had hardly flashed through my mind before he was at the doo', 'back to her assistance. the thought had hardly flashed through my mind before he was at the door, pu', 'to her assistance. the thought had hardly flashed through my mind before he was at the door, pushing', 'r assistance. the thought had hardly flashed through my mind before he was at the door, pushing his ', 'istance. the thought had hardly flashed through my mind before he was at the door, pushing his way p', 'ce. the thought had hardly flashed through my mind before he was at the door, pushing his way past h', 'he thought had hardly flashed through my mind before he was at the door, pushing his way past her; b', 'ought had hardly flashed through my mind before he was at the door, pushing his way past her; but sh', ' had hardly flashed through my mind before he was at the door, pushing his way past her; but she thr', 'hardly flashed through my mind before he was at the door, pushing his way past her; but she threw he', 'y flashed through my mind before he was at the door, pushing his way past her; but she threw her arm', 'shed through my mind before he was at the door, pushing his way past her; but she threw her arms rou', 'through my mind before he was at the door, pushing his way past her; but she threw her arms round hi', 'gh my mind before he was at the door, pushing his way past her; but she threw her arms round him and', ' mind before he was at the door, pushing his way past her; but she threw her arms round him and trie', ' before he was at the door, pushing his way past her; but she threw her arms round him and tried to ', 're he was at the door, pushing his way past her; but she threw her arms round him and tried to hold ', ' was at the door, pushing his way past her; but she threw her arms round him and tried to hold him b', 'at the door, pushing his way past her; but she threw her arms round him and tried to hold him back. ', 'e door, pushing his way past her; but she threw her arms round him and tried to hold him back. "\'fri', 'r, pushing his way past her; but she threw her arms round him and tried to hold him back. "\'fritz! f', 'shing his way past her; but she threw her arms round him and tried to hold him back. "\'fritz! fritz ', ' his way past her; but she threw her arms round him and tried to hold him back. "\'fritz! fritz she c', 'way past her; but she threw her arms round him and tried to hold him back. "\'fritz! fritz she cried ', 'ast her; but she threw her arms round him and tried to hold him back. "\'fritz! fritz she cried in en', 'er; but she threw her arms round him and tried to hold him back. "\'fritz! fritz she cried in english', 'ut she threw her arms round him and tried to hold him back. "\'fritz! fritz she cried in english, \'re', 'e threw her arms round him and tried to hold him back. "\'fritz! fritz she cried in english, \'remembe', 'ew her arms round him and tried to hold him back. "\'fritz! fritz she cried in english, \'remember you', 'r arms round him and tried to hold him back. "\'fritz! fritz she cried in english, \'remember your pro', 's round him and tried to hold him back. "\'fritz! fritz she cried in english, \'remember your promise ', 'nd him and tried to hold him back. "\'fritz! fritz she cried in english, \'remember your promise after', 'm and tried to hold him back. "\'fritz! fritz she cried in english, \'remember your promise after the ', ' tried to hold him back. "\'fritz! fritz she cried in english, \'remember your promise after the last ', 'd to hold him back. "\'fritz! fritz she cried in english, \'remember your promise after the last time.', 'hold him back. "\'fritz! fritz she cried in english, \'remember your promise after the last time. you ', 'him back. "\'fritz! fritz she cried in english, \'remember your promise after the last time. you said ', 'ack. "\'fritz! fritz she cried in english, \'remember your promise after the last time. you said it sh', '"\'fritz! fritz she cried in english, \'remember your promise after the last time. you said it should ', "tz! fritz she cried in english, 'remember your promise after the last time. you said it should not b", "ritz she cried in english, 'remember your promise after the last time. you said it should not be aga", "she cried in english, 'remember your promise after the last time. you said it should not be again. h", "ried in english, 'remember your promise after the last time. you said it should not be again. he wil", "in english, 'remember your promise after the last time. you said it should not be again. he will be ", "glish, 'remember your promise after the last time. you said it should not be again. he will be silen", ", 'remember your promise after the last time. you said it should not be again. he will be silent! oh", 'member your promise after the last time. you said it should not be again. he will be silent! oh, he ', 'r your promise after the last time. you said it should not be again. he will be silent! oh, he will ', 'r promise after the last time. you said it should not be again. he will be silent! oh, he will be si', 'mise after the last time. you said it should not be again. he will be silent! oh, he will be silent ', 'after the last time. you said it should not be again. he will be silent! oh, he will be silent "\'yo', ' the last time. you said it should not be again. he will be silent! oh, he will be silent "\'you are', 'last time. you said it should not be again. he will be silent! oh, he will be silent "\'you are mad,', 'time. you said it should not be again. he will be silent! oh, he will be silent "\'you are mad, elis', ' you said it should not be again. he will be silent! oh, he will be silent "\'you are mad, elise he ', 'said it should not be again. he will be silent! oh, he will be silent "\'you are mad, elise he shout', 'it should not be again. he will be silent! oh, he will be silent "\'you are mad, elise he shouted, s', 'ould not be again. he will be silent! oh, he will be silent "\'you are mad, elise he shouted, strugg', 'not be again. he will be silent! oh, he will be silent "\'you are mad, elise he shouted, struggling ', 'e again. he will be silent! oh, he will be silent "\'you are mad, elise he shouted, struggling to br', 'in. he will be silent! oh, he will be silent "\'you are mad, elise he shouted, struggling to break a', 'e will be silent! oh, he will be silent "\'you are mad, elise he shouted, struggling to break away f', 'l be silent! oh, he will be silent "\'you are mad, elise he shouted, struggling to break away from h', 'silent! oh, he will be silent "\'you are mad, elise he shouted, struggling to break away from her. \'', 't! oh, he will be silent "\'you are mad, elise he shouted, struggling to break away from her. \'you w', ', he will be silent "\'you are mad, elise he shouted, struggling to break away from her. \'you will b', 'will be silent "\'you are mad, elise he shouted, struggling to break away from her. \'you will be the', 'be silent "\'you are mad, elise he shouted, struggling to break away from her. \'you will be the ruin', 'lent "\'you are mad, elise he shouted, struggling to break away from her. \'you will be the ruin of u', ' "\'you are mad, elise he shouted, struggling to break away from her. \'you will be the ruin of us. he', "u are mad, elise he shouted, struggling to break away from her. 'you will be the ruin of us. he has ", " mad, elise he shouted, struggling to break away from her. 'you will be the ruin of us. he has seen ", " elise he shouted, struggling to break away from her. 'you will be the ruin of us. he has seen too m", "e he shouted, struggling to break away from her. 'you will be the ruin of us. he has seen too much. ", "shouted, struggling to break away from her. 'you will be the ruin of us. he has seen too much. let m", "ed, struggling to break away from her. 'you will be the ruin of us. he has seen too much. let me pas", "truggling to break away from her. 'you will be the ruin of us. he has seen too much. let me pass, i ", "ling to break away from her. 'you will be the ruin of us. he has seen too much. let me pass, i say h", "to break away from her. 'you will be the ruin of us. he has seen too much. let me pass, i say he das", "eak away from her. 'you will be the ruin of us. he has seen too much. let me pass, i say he dashed h", "way from her. 'you will be the ruin of us. he has seen too much. let me pass, i say he dashed her to", "rom her. 'you will be the ruin of us. he has seen too much. let me pass, i say he dashed her to one ", "er. 'you will be the ruin of us. he has seen too much. let me pass, i say he dashed her to one side,", 'you will be the ruin of us. he has seen too much. let me pass, i say he dashed her to one side, and,', 'ill be the ruin of us. he has seen too much. let me pass, i say he dashed her to one side, and, rush', 'e the ruin of us. he has seen too much. let me pass, i say he dashed her to one side, and, rushing t', ' ruin of us. he has seen too much. let me pass, i say he dashed her to one side, and, rushing to the', ' of us. he has seen too much. let me pass, i say he dashed her to one side, and, rushing to the wind', 's. he has seen too much. let me pass, i say he dashed her to one side, and, rushing to the window, c', ' has seen too much. let me pass, i say he dashed her to one side, and, rushing to the window, cut at', 'seen too much. let me pass, i say he dashed her to one side, and, rushing to the window, cut at me w', 'too much. let me pass, i say he dashed her to one side, and, rushing to the window, cut at me with h', 'uch. let me pass, i say he dashed her to one side, and, rushing to the window, cut at me with his he', 'let me pass, i say he dashed her to one side, and, rushing to the window, cut at me with his heavy w', 'e pass, i say he dashed her to one side, and, rushing to the window, cut at me with his heavy weapon', 's, i say he dashed her to one side, and, rushing to the window, cut at me with his heavy weapon. i h', 'say he dashed her to one side, and, rushing to the window, cut at me with his heavy weapon. i had le', 'e dashed her to one side, and, rushing to the window, cut at me with his heavy weapon. i had let mys', 'hed her to one side, and, rushing to the window, cut at me with his heavy weapon. i had let myself g', 'er to one side, and, rushing to the window, cut at me with his heavy weapon. i had let myself go, an', ' one side, and, rushing to the window, cut at me with his heavy weapon. i had let myself go, and was', 'side, and, rushing to the window, cut at me with his heavy weapon. i had let myself go, and was hang', ' and, rushing to the window, cut at me with his heavy weapon. i had let myself go, and was hanging b', ' rushing to the window, cut at me with his heavy weapon. i had let myself go, and was hanging by the', 'ing to the window, cut at me with his heavy weapon. i had let myself go, and was hanging by the hand', 'o the window, cut at me with his heavy weapon. i had let myself go, and was hanging by the hands to ', ' window, cut at me with his heavy weapon. i had let myself go, and was hanging by the hands to the s', 'ow, cut at me with his heavy weapon. i had let myself go, and was hanging by the hands to the sill, ', 'ut at me with his heavy weapon. i had let myself go, and was hanging by the hands to the sill, when ', ' me with his heavy weapon. i had let myself go, and was hanging by the hands to the sill, when his b', 'ith his heavy weapon. i had let myself go, and was hanging by the hands to the sill, when his blow f', 'is heavy weapon. i had let myself go, and was hanging by the hands to the sill, when his blow fell. ', 'avy weapon. i had let myself go, and was hanging by the hands to the sill, when his blow fell. i was', 'eapon. i had let myself go, and was hanging by the hands to the sill, when his blow fell. i was cons', '. i had let myself go, and was hanging by the hands to the sill, when his blow fell. i was conscious', 'ad let myself go, and was hanging by the hands to the sill, when his blow fell. i was conscious of a', 't myself go, and was hanging by the hands to the sill, when his blow fell. i was conscious of a dull', 'elf go, and was hanging by the hands to the sill, when his blow fell. i was conscious of a dull pain', 'o, and was hanging by the hands to the sill, when his blow fell. i was conscious of a dull pain, my ', 'd was hanging by the hands to the sill, when his blow fell. i was conscious of a dull pain, my grip ', ' hanging by the hands to the sill, when his blow fell. i was conscious of a dull pain, my grip loose', 'ing by the hands to the sill, when his blow fell. i was conscious of a dull pain, my grip loosened, ', 'y the hands to the sill, when his blow fell. i was conscious of a dull pain, my grip loosened, and i', ' hands to the sill, when his blow fell. i was conscious of a dull pain, my grip loosened, and i fell', 's to the sill, when his blow fell. i was conscious of a dull pain, my grip loosened, and i fell into', 'the sill, when his blow fell. i was conscious of a dull pain, my grip loosened, and i fell into the ', 'ill, when his blow fell. i was conscious of a dull pain, my grip loosened, and i fell into the garde', 'when his blow fell. i was conscious of a dull pain, my grip loosened, and i fell into the garden bel', 'his blow fell. i was conscious of a dull pain, my grip loosened, and i fell into the garden below. "', 'low fell. i was conscious of a dull pain, my grip loosened, and i fell into the garden below. "i was', 'ell. i was conscious of a dull pain, my grip loosened, and i fell into the garden below. "i was shak', 'i was conscious of a dull pain, my grip loosened, and i fell into the garden below. "i was shaken bu', ' conscious of a dull pain, my grip loosened, and i fell into the garden below. "i was shaken but not', 'cious of a dull pain, my grip loosened, and i fell into the garden below. "i was shaken but not hurt', ' of a dull pain, my grip loosened, and i fell into the garden below. "i was shaken but not hurt by t', ' dull pain, my grip loosened, and i fell into the garden below. "i was shaken but not hurt by the fa', ' pain, my grip loosened, and i fell into the garden below. "i was shaken but not hurt by the fall; s', ', my grip loosened, and i fell into the garden below. "i was shaken but not hurt by the fall; so i p', 'grip loosened, and i fell into the garden below. "i was shaken but not hurt by the fall; so i picked', 'loosened, and i fell into the garden below. "i was shaken but not hurt by the fall; so i picked myse', 'ned, and i fell into the garden below. "i was shaken but not hurt by the fall; so i picked myself up', 'and i fell into the garden below. "i was shaken but not hurt by the fall; so i picked myself up and ', ' fell into the garden below. "i was shaken but not hurt by the fall; so i picked myself up and rushe', ' into the garden below. "i was shaken but not hurt by the fall; so i picked myself up and rushed off', ' the garden below. "i was shaken but not hurt by the fall; so i picked myself up and rushed off amon', 'garden below. "i was shaken but not hurt by the fall; so i picked myself up and rushed off among the', 'n below. "i was shaken but not hurt by the fall; so i picked myself up and rushed off among the bush', 'ow. "i was shaken but not hurt by the fall; so i picked myself up and rushed off among the bushes as', 'i was shaken but not hurt by the fall; so i picked myself up and rushed off among the bushes as hard', ' shaken but not hurt by the fall; so i picked myself up and rushed off among the bushes as hard as i', 'en but not hurt by the fall; so i picked myself up and rushed off among the bushes as hard as i coul', 't not hurt by the fall; so i picked myself up and rushed off among the bushes as hard as i could run', ' hurt by the fall; so i picked myself up and rushed off among the bushes as hard as i could run, for', ' by the fall; so i picked myself up and rushed off among the bushes as hard as i could run, for i un', 'he fall; so i picked myself up and rushed off among the bushes as hard as i could run, for i underst', 'll; so i picked myself up and rushed off among the bushes as hard as i could run, for i understood t', 'o i picked myself up and rushed off among the bushes as hard as i could run, for i understood that i', 'icked myself up and rushed off among the bushes as hard as i could run, for i understood that i was ', ' myself up and rushed off among the bushes as hard as i could run, for i understood that i was far f', 'lf up and rushed off among the bushes as hard as i could run, for i understood that i was far from b', ' and rushed off among the bushes as hard as i could run, for i understood that i was far from being ', 'rushed off among the bushes as hard as i could run, for i understood that i was far from being out o', 'd off among the bushes as hard as i could run, for i understood that i was far from being out of dan', ' among the bushes as hard as i could run, for i understood that i was far from being out of danger y', 'g the bushes as hard as i could run, for i understood that i was far from being out of danger yet. s', ' bushes as hard as i could run, for i understood that i was far from being out of danger yet. sudden', 'es as hard as i could run, for i understood that i was far from being out of danger yet. suddenly, h', ' hard as i could run, for i understood that i was far from being out of danger yet. suddenly, howeve', ' as i could run, for i understood that i was far from being out of danger yet. suddenly, however, as', ' could run, for i understood that i was far from being out of danger yet. suddenly, however, as i ra', 'd run, for i understood that i was far from being out of danger yet. suddenly, however, as i ran, a ', ', for i understood that i was far from being out of danger yet. suddenly, however, as i ran, a deadl', ' i understood that i was far from being out of danger yet. suddenly, however, as i ran, a deadly diz', 'derstood that i was far from being out of danger yet. suddenly, however, as i ran, a deadly dizzines', 'ood that i was far from being out of danger yet. suddenly, however, as i ran, a deadly dizziness and', 'hat i was far from being out of danger yet. suddenly, however, as i ran, a deadly dizziness and sick', ' was far from being out of danger yet. suddenly, however, as i ran, a deadly dizziness and sickness ', 'far from being out of danger yet. suddenly, however, as i ran, a deadly dizziness and sickness came ', 'rom being out of danger yet. suddenly, however, as i ran, a deadly dizziness and sickness came over ', 'eing out of danger yet. suddenly, however, as i ran, a deadly dizziness and sickness came over me. i', 'out of danger yet. suddenly, however, as i ran, a deadly dizziness and sickness came over me. i glan', 'f danger yet. suddenly, however, as i ran, a deadly dizziness and sickness came over me. i glanced d', 'ger yet. suddenly, however, as i ran, a deadly dizziness and sickness came over me. i glanced down a', 'et. suddenly, however, as i ran, a deadly dizziness and sickness came over me. i glanced down at my ', 'uddenly, however, as i ran, a deadly dizziness and sickness came over me. i glanced down at my hand,', 'ly, however, as i ran, a deadly dizziness and sickness came over me. i glanced down at my hand, whic', 'owever, as i ran, a deadly dizziness and sickness came over me. i glanced down at my hand, which was', 'r, as i ran, a deadly dizziness and sickness came over me. i glanced down at my hand, which was thro', ' i ran, a deadly dizziness and sickness came over me. i glanced down at my hand, which was throbbing', 'n, a deadly dizziness and sickness came over me. i glanced down at my hand, which was throbbing pain', 'deadly dizziness and sickness came over me. i glanced down at my hand, which was throbbing painfully', 'y dizziness and sickness came over me. i glanced down at my hand, which was throbbing painfully, and', 'ziness and sickness came over me. i glanced down at my hand, which was throbbing painfully, and then', 's and sickness came over me. i glanced down at my hand, which was throbbing painfully, and then, for', ' sickness came over me. i glanced down at my hand, which was throbbing painfully, and then, for the ', 'ness came over me. i glanced down at my hand, which was throbbing painfully, and then, for the first', 'came over me. i glanced down at my hand, which was throbbing painfully, and then, for the first time', 'over me. i glanced down at my hand, which was throbbing painfully, and then, for the first time, saw', 'me. i glanced down at my hand, which was throbbing painfully, and then, for the first time, saw that', ' glanced down at my hand, which was throbbing painfully, and then, for the first time, saw that my t', 'ced down at my hand, which was throbbing painfully, and then, for the first time, saw that my thumb ', 'own at my hand, which was throbbing painfully, and then, for the first time, saw that my thumb had b', 't my hand, which was throbbing painfully, and then, for the first time, saw that my thumb had been c', 'hand, which was throbbing painfully, and then, for the first time, saw that my thumb had been cut of', ' which was throbbing painfully, and then, for the first time, saw that my thumb had been cut off and', 'h was throbbing painfully, and then, for the first time, saw that my thumb had been cut off and that', ' throbbing painfully, and then, for the first time, saw that my thumb had been cut off and that the ', 'bbing painfully, and then, for the first time, saw that my thumb had been cut off and that the blood', ' painfully, and then, for the first time, saw that my thumb had been cut off and that the blood was ', 'fully, and then, for the first time, saw that my thumb had been cut off and that the blood was pouri', ', and then, for the first time, saw that my thumb had been cut off and that the blood was pouring fr', ' then, for the first time, saw that my thumb had been cut off and that the blood was pouring from my', ', for the first time, saw that my thumb had been cut off and that the blood was pouring from my woun', ' the first time, saw that my thumb had been cut off and that the blood was pouring from my wound. i ', 'first time, saw that my thumb had been cut off and that the blood was pouring from my wound. i endea', ' time, saw that my thumb had been cut off and that the blood was pouring from my wound. i endeavoure', ', saw that my thumb had been cut off and that the blood was pouring from my wound. i endeavoured to ', ' that my thumb had been cut off and that the blood was pouring from my wound. i endeavoured to tie m', ' my thumb had been cut off and that the blood was pouring from my wound. i endeavoured to tie my han', 'humb had been cut off and that the blood was pouring from my wound. i endeavoured to tie my handkerc', 'had been cut off and that the blood was pouring from my wound. i endeavoured to tie my handkerchief ', 'een cut off and that the blood was pouring from my wound. i endeavoured to tie my handkerchief round', 'ut off and that the blood was pouring from my wound. i endeavoured to tie my handkerchief round it, ', 'f and that the blood was pouring from my wound. i endeavoured to tie my handkerchief round it, but t', ' that the blood was pouring from my wound. i endeavoured to tie my handkerchief round it, but there ', ' the blood was pouring from my wound. i endeavoured to tie my handkerchief round it, but there came ', 'blood was pouring from my wound. i endeavoured to tie my handkerchief round it, but there came a sud', ' was pouring from my wound. i endeavoured to tie my handkerchief round it, but there came a sudden b', 'pouring from my wound. i endeavoured to tie my handkerchief round it, but there came a sudden buzzin', 'ng from my wound. i endeavoured to tie my handkerchief round it, but there came a sudden buzzing in ', 'om my wound. i endeavoured to tie my handkerchief round it, but there came a sudden buzzing in my ea', ' wound. i endeavoured to tie my handkerchief round it, but there came a sudden buzzing in my ears, a', 'd. i endeavoured to tie my handkerchief round it, but there came a sudden buzzing in my ears, and ne', 'endeavoured to tie my handkerchief round it, but there came a sudden buzzing in my ears, and next mo', 'voured to tie my handkerchief round it, but there came a sudden buzzing in my ears, and next moment ', 'd to tie my handkerchief round it, but there came a sudden buzzing in my ears, and next moment i fel', 'tie my handkerchief round it, but there came a sudden buzzing in my ears, and next moment i fell in ', 'y handkerchief round it, but there came a sudden buzzing in my ears, and next moment i fell in a dea', 'dkerchief round it, but there came a sudden buzzing in my ears, and next moment i fell in a dead fai', 'hief round it, but there came a sudden buzzing in my ears, and next moment i fell in a dead faint am', 'round it, but there came a sudden buzzing in my ears, and next moment i fell in a dead faint among t', ' it, but there came a sudden buzzing in my ears, and next moment i fell in a dead faint among the ro', 'but there came a sudden buzzing in my ears, and next moment i fell in a dead faint among the rose-bu', 'here came a sudden buzzing in my ears, and next moment i fell in a dead faint among the rose-bushes.', 'came a sudden buzzing in my ears, and next moment i fell in a dead faint among the rose-bushes. "how', 'a sudden buzzing in my ears, and next moment i fell in a dead faint among the rose-bushes. "how long', 'den buzzing in my ears, and next moment i fell in a dead faint among the rose-bushes. "how long i re', 'uzzing in my ears, and next moment i fell in a dead faint among the rose-bushes. "how long i remaine', 'g in my ears, and next moment i fell in a dead faint among the rose-bushes. "how long i remained unc', 'my ears, and next moment i fell in a dead faint among the rose-bushes. "how long i remained unconsci', 'rs, and next moment i fell in a dead faint among the rose-bushes. "how long i remained unconscious i', 'nd next moment i fell in a dead faint among the rose-bushes. "how long i remained unconscious i cann', 'xt moment i fell in a dead faint among the rose-bushes. "how long i remained unconscious i cannot te', 'ment i fell in a dead faint among the rose-bushes. "how long i remained unconscious i cannot tell. i', 'i fell in a dead faint among the rose-bushes. "how long i remained unconscious i cannot tell. it mus', 'l in a dead faint among the rose-bushes. "how long i remained unconscious i cannot tell. it must hav', 'a dead faint among the rose-bushes. "how long i remained unconscious i cannot tell. it must have bee', 'd faint among the rose-bushes. "how long i remained unconscious i cannot tell. it must have been a v', 'nt among the rose-bushes. "how long i remained unconscious i cannot tell. it must have been a very l', 'ong the rose-bushes. "how long i remained unconscious i cannot tell. it must have been a very long t', 'he rose-bushes. "how long i remained unconscious i cannot tell. it must have been a very long time, ', 'se-bushes. "how long i remained unconscious i cannot tell. it must have been a very long time, for t', 'shes. "how long i remained unconscious i cannot tell. it must have been a very long time, for the mo', ' "how long i remained unconscious i cannot tell. it must have been a very long time, for the moon ha', ' long i remained unconscious i cannot tell. it must have been a very long time, for the moon had sun', ' i remained unconscious i cannot tell. it must have been a very long time, for the moon had sunk, an', 'mained unconscious i cannot tell. it must have been a very long time, for the moon had sunk, and a b', 'd unconscious i cannot tell. it must have been a very long time, for the moon had sunk, and a bright', 'onscious i cannot tell. it must have been a very long time, for the moon had sunk, and a bright morn', 'ous i cannot tell. it must have been a very long time, for the moon had sunk, and a bright morning w', ' cannot tell. it must have been a very long time, for the moon had sunk, and a bright morning was br', 'ot tell. it must have been a very long time, for the moon had sunk, and a bright morning was breakin', 'll. it must have been a very long time, for the moon had sunk, and a bright morning was breaking whe', 't must have been a very long time, for the moon had sunk, and a bright morning was breaking when i c', 't have been a very long time, for the moon had sunk, and a bright morning was breaking when i came t', 'e been a very long time, for the moon had sunk, and a bright morning was breaking when i came to mys', 'n a very long time, for the moon had sunk, and a bright morning was breaking when i came to myself. ', 'ery long time, for the moon had sunk, and a bright morning was breaking when i came to myself. my cl', 'ong time, for the moon had sunk, and a bright morning was breaking when i came to myself. my clothes', 'ime, for the moon had sunk, and a bright morning was breaking when i came to myself. my clothes were', 'for the moon had sunk, and a bright morning was breaking when i came to myself. my clothes were all ', 'he moon had sunk, and a bright morning was breaking when i came to myself. my clothes were all sodde', 'on had sunk, and a bright morning was breaking when i came to myself. my clothes were all sodden wit', 'd sunk, and a bright morning was breaking when i came to myself. my clothes were all sodden with dew', 'k, and a bright morning was breaking when i came to myself. my clothes were all sodden with dew, and', 'd a bright morning was breaking when i came to myself. my clothes were all sodden with dew, and my c', 'right morning was breaking when i came to myself. my clothes were all sodden with dew, and my coat-s', ' morning was breaking when i came to myself. my clothes were all sodden with dew, and my coat-sleeve', 'ing was breaking when i came to myself. my clothes were all sodden with dew, and my coat-sleeve was ', 'as breaking when i came to myself. my clothes were all sodden with dew, and my coat-sleeve was drenc', 'eaking when i came to myself. my clothes were all sodden with dew, and my coat-sleeve was drenched w', 'g when i came to myself. my clothes were all sodden with dew, and my coat-sleeve was drenched with b', 'n i came to myself. my clothes were all sodden with dew, and my coat-sleeve was drenched with blood ', 'ame to myself. my clothes were all sodden with dew, and my coat-sleeve was drenched with blood from ', 'o myself. my clothes were all sodden with dew, and my coat-sleeve was drenched with blood from my wo', 'elf. my clothes were all sodden with dew, and my coat-sleeve was drenched with blood from my wounded', 'my clothes were all sodden with dew, and my coat-sleeve was drenched with blood from my wounded thum', 'othes were all sodden with dew, and my coat-sleeve was drenched with blood from my wounded thumb. th', ' were all sodden with dew, and my coat-sleeve was drenched with blood from my wounded thumb. the sma', ' all sodden with dew, and my coat-sleeve was drenched with blood from my wounded thumb. the smarting', 'sodden with dew, and my coat-sleeve was drenched with blood from my wounded thumb. the smarting of i', 'n with dew, and my coat-sleeve was drenched with blood from my wounded thumb. the smarting of it rec', 'h dew, and my coat-sleeve was drenched with blood from my wounded thumb. the smarting of it recalled', ', and my coat-sleeve was drenched with blood from my wounded thumb. the smarting of it recalled in a', ' my coat-sleeve was drenched with blood from my wounded thumb. the smarting of it recalled in an ins', 'oat-sleeve was drenched with blood from my wounded thumb. the smarting of it recalled in an instant ', 'leeve was drenched with blood from my wounded thumb. the smarting of it recalled in an instant all t', ' was drenched with blood from my wounded thumb. the smarting of it recalled in an instant all the pa', 'drenched with blood from my wounded thumb. the smarting of it recalled in an instant all the particu', 'hed with blood from my wounded thumb. the smarting of it recalled in an instant all the particulars ', 'ith blood from my wounded thumb. the smarting of it recalled in an instant all the particulars of my', 'lood from my wounded thumb. the smarting of it recalled in an instant all the particulars of my nigh', "from my wounded thumb. the smarting of it recalled in an instant all the particulars of my night's a", "my wounded thumb. the smarting of it recalled in an instant all the particulars of my night's advent", "unded thumb. the smarting of it recalled in an instant all the particulars of my night's adventure, ", " thumb. the smarting of it recalled in an instant all the particulars of my night's adventure, and i", "b. the smarting of it recalled in an instant all the particulars of my night's adventure, and i spra", "e smarting of it recalled in an instant all the particulars of my night's adventure, and i sprang to", "rting of it recalled in an instant all the particulars of my night's adventure, and i sprang to my f", " of it recalled in an instant all the particulars of my night's adventure, and i sprang to my feet w", "t recalled in an instant all the particulars of my night's adventure, and i sprang to my feet with t", "alled in an instant all the particulars of my night's adventure, and i sprang to my feet with the fe", " in an instant all the particulars of my night's adventure, and i sprang to my feet with the feeling", "n instant all the particulars of my night's adventure, and i sprang to my feet with the feeling that", "tant all the particulars of my night's adventure, and i sprang to my feet with the feeling that i mi", "all the particulars of my night's adventure, and i sprang to my feet with the feeling that i might h", "he particulars of my night's adventure, and i sprang to my feet with the feeling that i might hardly", "rticulars of my night's adventure, and i sprang to my feet with the feeling that i might hardly yet ", "lars of my night's adventure, and i sprang to my feet with the feeling that i might hardly yet be sa", "of my night's adventure, and i sprang to my feet with the feeling that i might hardly yet be safe fr", " night's adventure, and i sprang to my feet with the feeling that i might hardly yet be safe from my", "t's adventure, and i sprang to my feet with the feeling that i might hardly yet be safe from my purs", 'dventure, and i sprang to my feet with the feeling that i might hardly yet be safe from my pursuers.', 'ure, and i sprang to my feet with the feeling that i might hardly yet be safe from my pursuers. but ', 'and i sprang to my feet with the feeling that i might hardly yet be safe from my pursuers. but to my', ' sprang to my feet with the feeling that i might hardly yet be safe from my pursuers. but to my asto', 'ng to my feet with the feeling that i might hardly yet be safe from my pursuers. but to my astonishm', ' my feet with the feeling that i might hardly yet be safe from my pursuers. but to my astonishment, ', 'eet with the feeling that i might hardly yet be safe from my pursuers. but to my astonishment, when ', 'ith the feeling that i might hardly yet be safe from my pursuers. but to my astonishment, when i cam', 'he feeling that i might hardly yet be safe from my pursuers. but to my astonishment, when i came to ', 'eling that i might hardly yet be safe from my pursuers. but to my astonishment, when i came to look ', ' that i might hardly yet be safe from my pursuers. but to my astonishment, when i came to look round', ' i might hardly yet be safe from my pursuers. but to my astonishment, when i came to look round me, ', 'ght hardly yet be safe from my pursuers. but to my astonishment, when i came to look round me, neith', 'ardly yet be safe from my pursuers. but to my astonishment, when i came to look round me, neither ho', ' yet be safe from my pursuers. but to my astonishment, when i came to look round me, neither house n', 'be safe from my pursuers. but to my astonishment, when i came to look round me, neither house nor ga', 'fe from my pursuers. but to my astonishment, when i came to look round me, neither house nor garden ', 'om my pursuers. but to my astonishment, when i came to look round me, neither house nor garden were ', ' pursuers. but to my astonishment, when i came to look round me, neither house nor garden were to be', 'uers. but to my astonishment, when i came to look round me, neither house nor garden were to be seen', ' but to my astonishment, when i came to look round me, neither house nor garden were to be seen. i h', 'to my astonishment, when i came to look round me, neither house nor garden were to be seen. i had be', ' astonishment, when i came to look round me, neither house nor garden were to be seen. i had been ly', 'nishment, when i came to look round me, neither house nor garden were to be seen. i had been lying i', 'ent, when i came to look round me, neither house nor garden were to be seen. i had been lying in an ', 'when i came to look round me, neither house nor garden were to be seen. i had been lying in an angle', 'i came to look round me, neither house nor garden were to be seen. i had been lying in an angle of t', 'e to look round me, neither house nor garden were to be seen. i had been lying in an angle of the he', 'look round me, neither house nor garden were to be seen. i had been lying in an angle of the hedge c', 'round me, neither house nor garden were to be seen. i had been lying in an angle of the hedge close ', ' me, neither house nor garden were to be seen. i had been lying in an angle of the hedge close by th', 'neither house nor garden were to be seen. i had been lying in an angle of the hedge close by the hig', 'er house nor garden were to be seen. i had been lying in an angle of the hedge close by the highroad', 'use nor garden were to be seen. i had been lying in an angle of the hedge close by the highroad, and', 'or garden were to be seen. i had been lying in an angle of the hedge close by the highroad, and just', 'rden were to be seen. i had been lying in an angle of the hedge close by the highroad, and just a li', 'were to be seen. i had been lying in an angle of the hedge close by the highroad, and just a little ', 'to be seen. i had been lying in an angle of the hedge close by the highroad, and just a little lower', ' seen. i had been lying in an angle of the hedge close by the highroad, and just a little lower down', '. i had been lying in an angle of the hedge close by the highroad, and just a little lower down was ', 'ad been lying in an angle of the hedge close by the highroad, and just a little lower down was a lon', 'en lying in an angle of the hedge close by the highroad, and just a little lower down was a long bui', 'ing in an angle of the hedge close by the highroad, and just a little lower down was a long building', 'n an angle of the hedge close by the highroad, and just a little lower down was a long building, whi', 'angle of the hedge close by the highroad, and just a little lower down was a long building, which pr', ' of the hedge close by the highroad, and just a little lower down was a long building, which proved,', 'he hedge close by the highroad, and just a little lower down was a long building, which proved, upon', 'dge close by the highroad, and just a little lower down was a long building, which proved, upon my a', 'lose by the highroad, and just a little lower down was a long building, which proved, upon my approa', 'by the highroad, and just a little lower down was a long building, which proved, upon my approaching', 'e highroad, and just a little lower down was a long building, which proved, upon my approaching it, ', 'hroad, and just a little lower down was a long building, which proved, upon my approaching it, to be', ', and just a little lower down was a long building, which proved, upon my approaching it, to be the ', ' just a little lower down was a long building, which proved, upon my approaching it, to be the very ', ' a little lower down was a long building, which proved, upon my approaching it, to be the very stati', 'ttle lower down was a long building, which proved, upon my approaching it, to be the very station at', 'lower down was a long building, which proved, upon my approaching it, to be the very station at whic', ' down was a long building, which proved, upon my approaching it, to be the very station at which i h', ' was a long building, which proved, upon my approaching it, to be the very station at which i had ar', 'a long building, which proved, upon my approaching it, to be the very station at which i had arrived', 'g building, which proved, upon my approaching it, to be the very station at which i had arrived upon', 'lding, which proved, upon my approaching it, to be the very station at which i had arrived upon the ', ', which proved, upon my approaching it, to be the very station at which i had arrived upon the previ', 'ch proved, upon my approaching it, to be the very station at which i had arrived upon the previous n', 'oved, upon my approaching it, to be the very station at which i had arrived upon the previous night.', ' upon my approaching it, to be the very station at which i had arrived upon the previous night. were', ' my approaching it, to be the very station at which i had arrived upon the previous night. were it n', 'pproaching it, to be the very station at which i had arrived upon the previous night. were it not fo', 'ching it, to be the very station at which i had arrived upon the previous night. were it not for the', ' it, to be the very station at which i had arrived upon the previous night. were it not for the ugly', 'to be the very station at which i had arrived upon the previous night. were it not for the ugly woun', ' the very station at which i had arrived upon the previous night. were it not for the ugly wound upo', 'very station at which i had arrived upon the previous night. were it not for the ugly wound upon my ', 'station at which i had arrived upon the previous night. were it not for the ugly wound upon my hand,', 'on at which i had arrived upon the previous night. were it not for the ugly wound upon my hand, all ', ' which i had arrived upon the previous night. were it not for the ugly wound upon my hand, all that ', 'h i had arrived upon the previous night. were it not for the ugly wound upon my hand, all that had p', 'ad arrived upon the previous night. were it not for the ugly wound upon my hand, all that had passed', 'rived upon the previous night. were it not for the ugly wound upon my hand, all that had passed duri', ' upon the previous night. were it not for the ugly wound upon my hand, all that had passed during th', ' the previous night. were it not for the ugly wound upon my hand, all that had passed during those d', 'previous night. were it not for the ugly wound upon my hand, all that had passed during those dreadf', 'ous night. were it not for the ugly wound upon my hand, all that had passed during those dreadful ho', 'ight. were it not for the ugly wound upon my hand, all that had passed during those dreadful hours m', ' were it not for the ugly wound upon my hand, all that had passed during those dreadful hours might ', ' it not for the ugly wound upon my hand, all that had passed during those dreadful hours might have ', 'ot for the ugly wound upon my hand, all that had passed during those dreadful hours might have been ', 'r the ugly wound upon my hand, all that had passed during those dreadful hours might have been an ev', ' ugly wound upon my hand, all that had passed during those dreadful hours might have been an evil dr', ' wound upon my hand, all that had passed during those dreadful hours might have been an evil dream. ', 'd upon my hand, all that had passed during those dreadful hours might have been an evil dream. "half', 'n my hand, all that had passed during those dreadful hours might have been an evil dream. "half daze', 'hand, all that had passed during those dreadful hours might have been an evil dream. "half dazed, i ', ' all that had passed during those dreadful hours might have been an evil dream. "half dazed, i went ', 'that had passed during those dreadful hours might have been an evil dream. "half dazed, i went into ', 'had passed during those dreadful hours might have been an evil dream. "half dazed, i went into the s', 'assed during those dreadful hours might have been an evil dream. "half dazed, i went into the statio', ' during those dreadful hours might have been an evil dream. "half dazed, i went into the station and', 'ng those dreadful hours might have been an evil dream. "half dazed, i went into the station and aske', 'ose dreadful hours might have been an evil dream. "half dazed, i went into the station and asked abo', 'readful hours might have been an evil dream. "half dazed, i went into the station and asked about th', 'ul hours might have been an evil dream. "half dazed, i went into the station and asked about the mor', 'urs might have been an evil dream. "half dazed, i went into the station and asked about the morning ', 'ight have been an evil dream. "half dazed, i went into the station and asked about the morning train', 'have been an evil dream. "half dazed, i went into the station and asked about the morning train. the', 'been an evil dream. "half dazed, i went into the station and asked about the morning train. there wo', 'an evil dream. "half dazed, i went into the station and asked about the morning train. there would b', 'il dream. "half dazed, i went into the station and asked about the morning train. there would be one', 'eam. "half dazed, i went into the station and asked about the morning train. there would be one to r', '"half dazed, i went into the station and asked about the morning train. there would be one to readin', ' dazed, i went into the station and asked about the morning train. there would be one to reading in ', 'd, i went into the station and asked about the morning train. there would be one to reading in less ', 'went into the station and asked about the morning train. there would be one to reading in less than ', 'into the station and asked about the morning train. there would be one to reading in less than an ho', 'the station and asked about the morning train. there would be one to reading in less than an hour. t', 'tation and asked about the morning train. there would be one to reading in less than an hour. the sa', 'n and asked about the morning train. there would be one to reading in less than an hour. the same po', ' asked about the morning train. there would be one to reading in less than an hour. the same porter ', 'd about the morning train. there would be one to reading in less than an hour. the same porter was o', 'ut the morning train. there would be one to reading in less than an hour. the same porter was on dut', 'e morning train. there would be one to reading in less than an hour. the same porter was on duty, i ', 'ning train. there would be one to reading in less than an hour. the same porter was on duty, i found', 'train. there would be one to reading in less than an hour. the same porter was on duty, i found, as ', '. there would be one to reading in less than an hour. the same porter was on duty, i found, as had b', 're would be one to reading in less than an hour. the same porter was on duty, i found, as had been t', 'uld be one to reading in less than an hour. the same porter was on duty, i found, as had been there ', 'e one to reading in less than an hour. the same porter was on duty, i found, as had been there when ', ' to reading in less than an hour. the same porter was on duty, i found, as had been there when i arr', 'eading in less than an hour. the same porter was on duty, i found, as had been there when i arrived.', 'g in less than an hour. the same porter was on duty, i found, as had been there when i arrived. i in', 'less than an hour. the same porter was on duty, i found, as had been there when i arrived. i inquire', 'than an hour. the same porter was on duty, i found, as had been there when i arrived. i inquired of ', 'an hour. the same porter was on duty, i found, as had been there when i arrived. i inquired of him w', 'ur. the same porter was on duty, i found, as had been there when i arrived. i inquired of him whethe', 'he same porter was on duty, i found, as had been there when i arrived. i inquired of him whether he ', 'me porter was on duty, i found, as had been there when i arrived. i inquired of him whether he had e', 'rter was on duty, i found, as had been there when i arrived. i inquired of him whether he had ever h', 'was on duty, i found, as had been there when i arrived. i inquired of him whether he had ever heard ', 'n duty, i found, as had been there when i arrived. i inquired of him whether he had ever heard of co', 'y, i found, as had been there when i arrived. i inquired of him whether he had ever heard of colonel', 'found, as had been there when i arrived. i inquired of him whether he had ever heard of colonel lysa', ', as had been there when i arrived. i inquired of him whether he had ever heard of colonel lysander ', 'had been there when i arrived. i inquired of him whether he had ever heard of colonel lysander stark', 'een there when i arrived. i inquired of him whether he had ever heard of colonel lysander stark. the', 'here when i arrived. i inquired of him whether he had ever heard of colonel lysander stark. the name', 'when i arrived. i inquired of him whether he had ever heard of colonel lysander stark. the name was ', 'i arrived. i inquired of him whether he had ever heard of colonel lysander stark. the name was stran', 'ived. i inquired of him whether he had ever heard of colonel lysander stark. the name was strange to', ' i inquired of him whether he had ever heard of colonel lysander stark. the name was strange to him.', 'quired of him whether he had ever heard of colonel lysander stark. the name was strange to him. had ', 'd of him whether he had ever heard of colonel lysander stark. the name was strange to him. had he ob', 'him whether he had ever heard of colonel lysander stark. the name was strange to him. had he observe', 'hether he had ever heard of colonel lysander stark. the name was strange to him. had he observed a c', 'r he had ever heard of colonel lysander stark. the name was strange to him. had he observed a carria', 'had ever heard of colonel lysander stark. the name was strange to him. had he observed a carriage th', 'ver heard of colonel lysander stark. the name was strange to him. had he observed a carriage the nig', 'eard of colonel lysander stark. the name was strange to him. had he observed a carriage the night be', 'of colonel lysander stark. the name was strange to him. had he observed a carriage the night before ', 'lonel lysander stark. the name was strange to him. had he observed a carriage the night before waiti', ' lysander stark. the name was strange to him. had he observed a carriage the night before waiting fo', 'nder stark. the name was strange to him. had he observed a carriage the night before waiting for me?', 'stark. the name was strange to him. had he observed a carriage the night before waiting for me? no, ', '. the name was strange to him. had he observed a carriage the night before waiting for me? no, he ha', ' name was strange to him. had he observed a carriage the night before waiting for me? no, he had not', ' was strange to him. had he observed a carriage the night before waiting for me? no, he had not. was', 'strange to him. had he observed a carriage the night before waiting for me? no, he had not. was ther', 'ge to him. had he observed a carriage the night before waiting for me? no, he had not. was there a p', ' him. had he observed a carriage the night before waiting for me? no, he had not. was there a police', ' had he observed a carriage the night before waiting for me? no, he had not. was there a police-stat', 'he observed a carriage the night before waiting for me? no, he had not. was there a police-station a', 'served a carriage the night before waiting for me? no, he had not. was there a police-station anywhe', 'd a carriage the night before waiting for me? no, he had not. was there a police-station anywhere ne', 'arriage the night before waiting for me? no, he had not. was there a police-station anywhere near? t', 'ge the night before waiting for me? no, he had not. was there a police-station anywhere near? there ', 'e night before waiting for me? no, he had not. was there a police-station anywhere near? there was o', 'ht before waiting for me? no, he had not. was there a police-station anywhere near? there was one ab', 'fore waiting for me? no, he had not. was there a police-station anywhere near? there was one about t', 'waiting for me? no, he had not. was there a police-station anywhere near? there was one about three ', 'ng for me? no, he had not. was there a police-station anywhere near? there was one about three miles', 'r me? no, he had not. was there a police-station anywhere near? there was one about three miles off.', ' no, he had not. was there a police-station anywhere near? there was one about three miles off. "it ', 'he had not. was there a police-station anywhere near? there was one about three miles off. "it was t', 'd not. was there a police-station anywhere near? there was one about three miles off. "it was too fa', '. was there a police-station anywhere near? there was one about three miles off. "it was too far for', ' there a police-station anywhere near? there was one about three miles off. "it was too far for me t', 'e a police-station anywhere near? there was one about three miles off. "it was too far for me to go,', 'olice-station anywhere near? there was one about three miles off. "it was too far for me to go, weak', '-station anywhere near? there was one about three miles off. "it was too far for me to go, weak and ', 'ion anywhere near? there was one about three miles off. "it was too far for me to go, weak and ill a', 'nywhere near? there was one about three miles off. "it was too far for me to go, weak and ill as i w', 're near? there was one about three miles off. "it was too far for me to go, weak and ill as i was. i', 'ar? there was one about three miles off. "it was too far for me to go, weak and ill as i was. i dete', 'here was one about three miles off. "it was too far for me to go, weak and ill as i was. i determine', 'was one about three miles off. "it was too far for me to go, weak and ill as i was. i determined to ', 'ne about three miles off. "it was too far for me to go, weak and ill as i was. i determined to wait ', 'out three miles off. "it was too far for me to go, weak and ill as i was. i determined to wait until', 'hree miles off. "it was too far for me to go, weak and ill as i was. i determined to wait until i go', 'miles off. "it was too far for me to go, weak and ill as i was. i determined to wait until i got bac', ' off. "it was too far for me to go, weak and ill as i was. i determined to wait until i got back to ', ' "it was too far for me to go, weak and ill as i was. i determined to wait until i got back to town ', 'was too far for me to go, weak and ill as i was. i determined to wait until i got back to town befor', 'oo far for me to go, weak and ill as i was. i determined to wait until i got back to town before tel', 'r for me to go, weak and ill as i was. i determined to wait until i got back to town before telling ', ' me to go, weak and ill as i was. i determined to wait until i got back to town before telling my st', 'o go, weak and ill as i was. i determined to wait until i got back to town before telling my story t', ' weak and ill as i was. i determined to wait until i got back to town before telling my story to the', ' and ill as i was. i determined to wait until i got back to town before telling my story to the poli', 'ill as i was. i determined to wait until i got back to town before telling my story to the police. i', 's i was. i determined to wait until i got back to town before telling my story to the police. it was', 'as. i determined to wait until i got back to town before telling my story to the police. it was a li', ' determined to wait until i got back to town before telling my story to the police. it was a little ', 'rmined to wait until i got back to town before telling my story to the police. it was a little past ', 'd to wait until i got back to town before telling my story to the police. it was a little past six w', 'wait until i got back to town before telling my story to the police. it was a little past six when i', 'until i got back to town before telling my story to the police. it was a little past six when i arri', ' i got back to town before telling my story to the police. it was a little past six when i arrived, ', 't back to town before telling my story to the police. it was a little past six when i arrived, so i ', 'k to town before telling my story to the police. it was a little past six when i arrived, so i went ', 'town before telling my story to the police. it was a little past six when i arrived, so i went first', 'before telling my story to the police. it was a little past six when i arrived, so i went first to h', 'e telling my story to the police. it was a little past six when i arrived, so i went first to have m', 'ling my story to the police. it was a little past six when i arrived, so i went first to have my wou', 'my story to the police. it was a little past six when i arrived, so i went first to have my wound dr', 'ory to the police. it was a little past six when i arrived, so i went first to have my wound dressed', 'o the police. it was a little past six when i arrived, so i went first to have my wound dressed, and', ' police. it was a little past six when i arrived, so i went first to have my wound dressed, and then', 'ce. it was a little past six when i arrived, so i went first to have my wound dressed, and then the ', 't was a little past six when i arrived, so i went first to have my wound dressed, and then the docto', ' a little past six when i arrived, so i went first to have my wound dressed, and then the doctor was', 'ttle past six when i arrived, so i went first to have my wound dressed, and then the doctor was kind', 'past six when i arrived, so i went first to have my wound dressed, and then the doctor was kind enou', 'six when i arrived, so i went first to have my wound dressed, and then the doctor was kind enough to', 'hen i arrived, so i went first to have my wound dressed, and then the doctor was kind enough to brin', ' arrived, so i went first to have my wound dressed, and then the doctor was kind enough to bring me ', 'ved, so i went first to have my wound dressed, and then the doctor was kind enough to bring me along', 'so i went first to have my wound dressed, and then the doctor was kind enough to bring me along here', 'went first to have my wound dressed, and then the doctor was kind enough to bring me along here. i p', 'first to have my wound dressed, and then the doctor was kind enough to bring me along here. i put th', ' to have my wound dressed, and then the doctor was kind enough to bring me along here. i put the cas', 'ave my wound dressed, and then the doctor was kind enough to bring me along here. i put the case int', 'y wound dressed, and then the doctor was kind enough to bring me along here. i put the case into you', 'nd dressed, and then the doctor was kind enough to bring me along here. i put the case into your han', 'essed, and then the doctor was kind enough to bring me along here. i put the case into your hands an', ', and then the doctor was kind enough to bring me along here. i put the case into your hands and sha', ' then the doctor was kind enough to bring me along here. i put the case into your hands and shall do', ' the doctor was kind enough to bring me along here. i put the case into your hands and shall do exac', 'doctor was kind enough to bring me along here. i put the case into your hands and shall do exactly w', 'r was kind enough to bring me along here. i put the case into your hands and shall do exactly what y', ' kind enough to bring me along here. i put the case into your hands and shall do exactly what you ad', ' enough to bring me along here. i put the case into your hands and shall do exactly what you advise.', 'gh to bring me along here. i put the case into your hands and shall do exactly what you advise." we ', ' bring me along here. i put the case into your hands and shall do exactly what you advise." we both ', 'g me along here. i put the case into your hands and shall do exactly what you advise." we both sat i', 'along here. i put the case into your hands and shall do exactly what you advise." we both sat in sil', ' here. i put the case into your hands and shall do exactly what you advise." we both sat in silence ', '. i put the case into your hands and shall do exactly what you advise." we both sat in silence for s', 'ut the case into your hands and shall do exactly what you advise." we both sat in silence for some l', 'e case into your hands and shall do exactly what you advise." we both sat in silence for some little', 'e into your hands and shall do exactly what you advise." we both sat in silence for some little time', 'o your hands and shall do exactly what you advise." we both sat in silence for some little time afte', 'r hands and shall do exactly what you advise." we both sat in silence for some little time after lis', 'ds and shall do exactly what you advise." we both sat in silence for some little time after listenin', 'd shall do exactly what you advise." we both sat in silence for some little time after listening to ', 'll do exactly what you advise." we both sat in silence for some little time after listening to this ', ' exactly what you advise." we both sat in silence for some little time after listening to this extra', 'tly what you advise." we both sat in silence for some little time after listening to this extraordin', 'hat you advise." we both sat in silence for some little time after listening to this extraordinary n', 'ou advise." we both sat in silence for some little time after listening to this extraordinary narrat', 'vise." we both sat in silence for some little time after listening to this extraordinary narrative. ', '" we both sat in silence for some little time after listening to this extraordinary narrative. then ', 'both sat in silence for some little time after listening to this extraordinary narrative. then sherl', 'sat in silence for some little time after listening to this extraordinary narrative. then sherlock h', 'n silence for some little time after listening to this extraordinary narrative. then sherlock holmes', 'ence for some little time after listening to this extraordinary narrative. then sherlock holmes pull', 'for some little time after listening to this extraordinary narrative. then sherlock holmes pulled do', 'ome little time after listening to this extraordinary narrative. then sherlock holmes pulled down fr', 'ittle time after listening to this extraordinary narrative. then sherlock holmes pulled down from th', ' time after listening to this extraordinary narrative. then sherlock holmes pulled down from the she', ' after listening to this extraordinary narrative. then sherlock holmes pulled down from the shelf on', 'r listening to this extraordinary narrative. then sherlock holmes pulled down from the shelf one of ', 'tening to this extraordinary narrative. then sherlock holmes pulled down from the shelf one of the p', 'g to this extraordinary narrative. then sherlock holmes pulled down from the shelf one of the ponder', 'this extraordinary narrative. then sherlock holmes pulled down from the shelf one of the ponderous c', 'extraordinary narrative. then sherlock holmes pulled down from the shelf one of the ponderous common', 'ordinary narrative. then sherlock holmes pulled down from the shelf one of the ponderous commonplace', 'ary narrative. then sherlock holmes pulled down from the shelf one of the ponderous commonplace book', 'arrative. then sherlock holmes pulled down from the shelf one of the ponderous commonplace books in ', 'ive. then sherlock holmes pulled down from the shelf one of the ponderous commonplace books in which', 'then sherlock holmes pulled down from the shelf one of the ponderous commonplace books in which he p', 'sherlock holmes pulled down from the shelf one of the ponderous commonplace books in which he placed', 'ock holmes pulled down from the shelf one of the ponderous commonplace books in which he placed his ', 'olmes pulled down from the shelf one of the ponderous commonplace books in which he placed his cutti', ' pulled down from the shelf one of the ponderous commonplace books in which he placed his cuttings. ', 'ed down from the shelf one of the ponderous commonplace books in which he placed his cuttings. "here', 'wn from the shelf one of the ponderous commonplace books in which he placed his cuttings. "here is a', 'om the shelf one of the ponderous commonplace books in which he placed his cuttings. "here is an adv', 'e shelf one of the ponderous commonplace books in which he placed his cuttings. "here is an advertis', 'lf one of the ponderous commonplace books in which he placed his cuttings. "here is an advertisement', 'e of the ponderous commonplace books in which he placed his cuttings. "here is an advertisement whic', 'the ponderous commonplace books in which he placed his cuttings. "here is an advertisement which wil', 'onderous commonplace books in which he placed his cuttings. "here is an advertisement which will int', 'ous commonplace books in which he placed his cuttings. "here is an advertisement which will interest', 'ommonplace books in which he placed his cuttings. "here is an advertisement which will interest you,', 'place books in which he placed his cuttings. "here is an advertisement which will interest you," sai', ' books in which he placed his cuttings. "here is an advertisement which will interest you," said he.', 's in which he placed his cuttings. "here is an advertisement which will interest you," said he. "it ', 'which he placed his cuttings. "here is an advertisement which will interest you," said he. "it appea', ' he placed his cuttings. "here is an advertisement which will interest you," said he. "it appeared i', 'laced his cuttings. "here is an advertisement which will interest you," said he. "it appeared in all', ' his cuttings. "here is an advertisement which will interest you," said he. "it appeared in all the ', 'cuttings. "here is an advertisement which will interest you," said he. "it appeared in all the paper', 'ngs. "here is an advertisement which will interest you," said he. "it appeared in all the papers abo', '"here is an advertisement which will interest you," said he. "it appeared in all the papers about a ', ' is an advertisement which will interest you," said he. "it appeared in all the papers about a year ', 'n advertisement which will interest you," said he. "it appeared in all the papers about a year ago. ', 'ertisement which will interest you," said he. "it appeared in all the papers about a year ago. liste', 'ement which will interest you," said he. "it appeared in all the papers about a year ago. listen to ', ' which will interest you," said he. "it appeared in all the papers about a year ago. listen to this:', 'h will interest you," said he. "it appeared in all the papers about a year ago. listen to this: \'los', 'l interest you," said he. "it appeared in all the papers about a year ago. listen to this: \'lost, on', 'erest you," said he. "it appeared in all the papers about a year ago. listen to this: \'lost, on the ', ' you," said he. "it appeared in all the papers about a year ago. listen to this: \'lost, on the th in', '" said he. "it appeared in all the papers about a year ago. listen to this: \'lost, on the th inst., ', 'd he. "it appeared in all the papers about a year ago. listen to this: \'lost, on the th inst., mr. j', ' "it appeared in all the papers about a year ago. listen to this: \'lost, on the th inst., mr. jeremi', "appeared in all the papers about a year ago. listen to this: 'lost, on the th inst., mr. jeremiah ha", "red in all the papers about a year ago. listen to this: 'lost, on the th inst., mr. jeremiah hayling", "n all the papers about a year ago. listen to this: 'lost, on the th inst., mr. jeremiah hayling, age", " the papers about a year ago. listen to this: 'lost, on the th inst., mr. jeremiah hayling, aged twe", "papers about a year ago. listen to this: 'lost, on the th inst., mr. jeremiah hayling, aged twenty-s", "s about a year ago. listen to this: 'lost, on the th inst., mr. jeremiah hayling, aged twenty-six, a", "ut a year ago. listen to this: 'lost, on the th inst., mr. jeremiah hayling, aged twenty-six, a hydr", "year ago. listen to this: 'lost, on the th inst., mr. jeremiah hayling, aged twenty-six, a hydraulic", "ago. listen to this: 'lost, on the th inst., mr. jeremiah hayling, aged twenty-six, a hydraulic engi", "listen to this: 'lost, on the th inst., mr. jeremiah hayling, aged twenty-six, a hydraulic engineer.", "n to this: 'lost, on the th inst., mr. jeremiah hayling, aged twenty-six, a hydraulic engineer. left", "this: 'lost, on the th inst., mr. jeremiah hayling, aged twenty-six, a hydraulic engineer. left his ", " 'lost, on the th inst., mr. jeremiah hayling, aged twenty-six, a hydraulic engineer. left his lodgi", 't, on the th inst., mr. jeremiah hayling, aged twenty-six, a hydraulic engineer. left his lodgings a', ' the th inst., mr. jeremiah hayling, aged twenty-six, a hydraulic engineer. left his lodgings at ten', "th inst., mr. jeremiah hayling, aged twenty-six, a hydraulic engineer. left his lodgings at ten o'cl", "st., mr. jeremiah hayling, aged twenty-six, a hydraulic engineer. left his lodgings at ten o'clock a", "mr. jeremiah hayling, aged twenty-six, a hydraulic engineer. left his lodgings at ten o'clock at nig", "eremiah hayling, aged twenty-six, a hydraulic engineer. left his lodgings at ten o'clock at night, a", "ah hayling, aged twenty-six, a hydraulic engineer. left his lodgings at ten o'clock at night, and ha", "yling, aged twenty-six, a hydraulic engineer. left his lodgings at ten o'clock at night, and has not", ", aged twenty-six, a hydraulic engineer. left his lodgings at ten o'clock at night, and has not been", "d twenty-six, a hydraulic engineer. left his lodgings at ten o'clock at night, and has not been hear", "nty-six, a hydraulic engineer. left his lodgings at ten o'clock at night, and has not been heard of ", "ix, a hydraulic engineer. left his lodgings at ten o'clock at night, and has not been heard of since", " hydraulic engineer. left his lodgings at ten o'clock at night, and has not been heard of since. was", "aulic engineer. left his lodgings at ten o'clock at night, and has not been heard of since. was dres", " engineer. left his lodgings at ten o'clock at night, and has not been heard of since. was dressed i", "neer. left his lodgings at ten o'clock at night, and has not been heard of since. was dressed in,' e", " left his lodgings at ten o'clock at night, and has not been heard of since. was dressed in,' etc., ", " his lodgings at ten o'clock at night, and has not been heard of since. was dressed in,' etc., etc. ", "lodgings at ten o'clock at night, and has not been heard of since. was dressed in,' etc., etc. ha! t", "ngs at ten o'clock at night, and has not been heard of since. was dressed in,' etc., etc. ha! that r", "t ten o'clock at night, and has not been heard of since. was dressed in,' etc., etc. ha! that repres", " o'clock at night, and has not been heard of since. was dressed in,' etc., etc. ha! that represents ", "ock at night, and has not been heard of since. was dressed in,' etc., etc. ha! that represents the l", "t night, and has not been heard of since. was dressed in,' etc., etc. ha! that represents the last t", "ht, and has not been heard of since. was dressed in,' etc., etc. ha! that represents the last time t", "nd has not been heard of since. was dressed in,' etc., etc. ha! that represents the last time that t", "s not been heard of since. was dressed in,' etc., etc. ha! that represents the last time that the co", " been heard of since. was dressed in,' etc., etc. ha! that represents the last time that the colonel", " heard of since. was dressed in,' etc., etc. ha! that represents the last time that the colonel need", "d of since. was dressed in,' etc., etc. ha! that represents the last time that the colonel needed to", "since. was dressed in,' etc., etc. ha! that represents the last time that the colonel needed to have", ". was dressed in,' etc., etc. ha! that represents the last time that the colonel needed to have his ", " dressed in,' etc., etc. ha! that represents the last time that the colonel needed to have his machi", "sed in,' etc., etc. ha! that represents the last time that the colonel needed to have his machine ov", "n,' etc., etc. ha! that represents the last time that the colonel needed to have his machine overhau", 'tc., etc. ha! that represents the last time that the colonel needed to have his machine overhauled, ', 'etc. ha! that represents the last time that the colonel needed to have his machine overhauled, i fan', 'ha! that represents the last time that the colonel needed to have his machine overhauled, i fancy." ', 'hat represents the last time that the colonel needed to have his machine overhauled, i fancy." "good', 'epresents the last time that the colonel needed to have his machine overhauled, i fancy." "good heav', 'ents the last time that the colonel needed to have his machine overhauled, i fancy." "good heavens c', 'the last time that the colonel needed to have his machine overhauled, i fancy." "good heavens cried ', 'ast time that the colonel needed to have his machine overhauled, i fancy." "good heavens cried my pa', 'ime that the colonel needed to have his machine overhauled, i fancy." "good heavens cried my patient', 'hat the colonel needed to have his machine overhauled, i fancy." "good heavens cried my patient. "th', 'he colonel needed to have his machine overhauled, i fancy." "good heavens cried my patient. "then th', 'lonel needed to have his machine overhauled, i fancy." "good heavens cried my patient. "then that ex', ' needed to have his machine overhauled, i fancy." "good heavens cried my patient. "then that explain', 'ed to have his machine overhauled, i fancy." "good heavens cried my patient. "then that explains wha', ' have his machine overhauled, i fancy." "good heavens cried my patient. "then that explains what the', ' his machine overhauled, i fancy." "good heavens cried my patient. "then that explains what the girl', 'machine overhauled, i fancy." "good heavens cried my patient. "then that explains what the girl said', 'ne overhauled, i fancy." "good heavens cried my patient. "then that explains what the girl said." "u', 'erhauled, i fancy." "good heavens cried my patient. "then that explains what the girl said." "undoub', 'led, i fancy." "good heavens cried my patient. "then that explains what the girl said." "undoubtedly', 'i fancy." "good heavens cried my patient. "then that explains what the girl said." "undoubtedly. it ', 'cy." "good heavens cried my patient. "then that explains what the girl said." "undoubtedly. it is qu', '"good heavens cried my patient. "then that explains what the girl said." "undoubtedly. it is quite c', ' heavens cried my patient. "then that explains what the girl said." "undoubtedly. it is quite clear ', 'ens cried my patient. "then that explains what the girl said." "undoubtedly. it is quite clear that ', 'ried my patient. "then that explains what the girl said." "undoubtedly. it is quite clear that the c', 'my patient. "then that explains what the girl said." "undoubtedly. it is quite clear that the colone', 'tient. "then that explains what the girl said." "undoubtedly. it is quite clear that the colonel was', '. "then that explains what the girl said." "undoubtedly. it is quite clear that the colonel was a co', 'en that explains what the girl said." "undoubtedly. it is quite clear that the colonel was a cool an', 'at explains what the girl said." "undoubtedly. it is quite clear that the colonel was a cool and des', 'plains what the girl said." "undoubtedly. it is quite clear that the colonel was a cool and desperat', 's what the girl said." "undoubtedly. it is quite clear that the colonel was a cool and desperate man', 't the girl said." "undoubtedly. it is quite clear that the colonel was a cool and desperate man, who', ' girl said." "undoubtedly. it is quite clear that the colonel was a cool and desperate man, who was ', ' said." "undoubtedly. it is quite clear that the colonel was a cool and desperate man, who was absol', '." "undoubtedly. it is quite clear that the colonel was a cool and desperate man, who was absolutely', 'ndoubtedly. it is quite clear that the colonel was a cool and desperate man, who was absolutely dete', 'tedly. it is quite clear that the colonel was a cool and desperate man, who was absolutely determine', '. it is quite clear that the colonel was a cool and desperate man, who was absolutely determined tha', 'is quite clear that the colonel was a cool and desperate man, who was absolutely determined that not', 'ite clear that the colonel was a cool and desperate man, who was absolutely determined that nothing ', 'lear that the colonel was a cool and desperate man, who was absolutely determined that nothing shoul', 'that the colonel was a cool and desperate man, who was absolutely determined that nothing should sta', 'the colonel was a cool and desperate man, who was absolutely determined that nothing should stand in', 'olonel was a cool and desperate man, who was absolutely determined that nothing should stand in the ', 'l was a cool and desperate man, who was absolutely determined that nothing should stand in the way o', ' a cool and desperate man, who was absolutely determined that nothing should stand in the way of his', 'ol and desperate man, who was absolutely determined that nothing should stand in the way of his litt', 'd desperate man, who was absolutely determined that nothing should stand in the way of his little ga', 'perate man, who was absolutely determined that nothing should stand in the way of his little game, l', 'e man, who was absolutely determined that nothing should stand in the way of his little game, like t', ', who was absolutely determined that nothing should stand in the way of his little game, like those ', ' was absolutely determined that nothing should stand in the way of his little game, like those out-a', 'absolutely determined that nothing should stand in the way of his little game, like those out-and-ou', 'utely determined that nothing should stand in the way of his little game, like those out-and-out pir', ' determined that nothing should stand in the way of his little game, like those out-and-out pirates ', 'rmined that nothing should stand in the way of his little game, like those out-and-out pirates who w', 'd that nothing should stand in the way of his little game, like those out-and-out pirates who will l', 't nothing should stand in the way of his little game, like those out-and-out pirates who will leave ', 'hing should stand in the way of his little game, like those out-and-out pirates who will leave no su', 'should stand in the way of his little game, like those out-and-out pirates who will leave no survivo', 'd stand in the way of his little game, like those out-and-out pirates who will leave no survivor fro', 'nd in the way of his little game, like those out-and-out pirates who will leave no survivor from a c', ' the way of his little game, like those out-and-out pirates who will leave no survivor from a captur', 'way of his little game, like those out-and-out pirates who will leave no survivor from a captured sh', 'f his little game, like those out-and-out pirates who will leave no survivor from a captured ship. w', ' little game, like those out-and-out pirates who will leave no survivor from a captured ship. well, ', 'le game, like those out-and-out pirates who will leave no survivor from a captured ship. well, every', 'me, like those out-and-out pirates who will leave no survivor from a captured ship. well, every mome', 'ike those out-and-out pirates who will leave no survivor from a captured ship. well, every moment no', 'hose out-and-out pirates who will leave no survivor from a captured ship. well, every moment now is ', 'out-and-out pirates who will leave no survivor from a captured ship. well, every moment now is preci', 'nd-out pirates who will leave no survivor from a captured ship. well, every moment now is precious, ', 't pirates who will leave no survivor from a captured ship. well, every moment now is precious, so if', 'ates who will leave no survivor from a captured ship. well, every moment now is precious, so if you ', 'who will leave no survivor from a captured ship. well, every moment now is precious, so if you feel ', 'ill leave no survivor from a captured ship. well, every moment now is precious, so if you feel equal', 'eave no survivor from a captured ship. well, every moment now is precious, so if you feel equal to i', 'no survivor from a captured ship. well, every moment now is precious, so if you feel equal to it we ', 'rvivor from a captured ship. well, every moment now is precious, so if you feel equal to it we shall', 'r from a captured ship. well, every moment now is precious, so if you feel equal to it we shall go d', 'm a captured ship. well, every moment now is precious, so if you feel equal to it we shall go down t', 'aptured ship. well, every moment now is precious, so if you feel equal to it we shall go down to sco', 'ed ship. well, every moment now is precious, so if you feel equal to it we shall go down to scotland', 'ip. well, every moment now is precious, so if you feel equal to it we shall go down to scotland yard', 'ell, every moment now is precious, so if you feel equal to it we shall go down to scotland yard at o', 'every moment now is precious, so if you feel equal to it we shall go down to scotland yard at once a', ' moment now is precious, so if you feel equal to it we shall go down to scotland yard at once as a p', 'nt now is precious, so if you feel equal to it we shall go down to scotland yard at once as a prelim', 'w is precious, so if you feel equal to it we shall go down to scotland yard at once as a preliminary', 'precious, so if you feel equal to it we shall go down to scotland yard at once as a preliminary to s', 'ous, so if you feel equal to it we shall go down to scotland yard at once as a preliminary to starti', 'so if you feel equal to it we shall go down to scotland yard at once as a preliminary to starting fo', ' you feel equal to it we shall go down to scotland yard at once as a preliminary to starting for eyf', 'feel equal to it we shall go down to scotland yard at once as a preliminary to starting for eyford."', 'equal to it we shall go down to scotland yard at once as a preliminary to starting for eyford." some', ' to it we shall go down to scotland yard at once as a preliminary to starting for eyford." some thre', 't we shall go down to scotland yard at once as a preliminary to starting for eyford." some three hou', 'shall go down to scotland yard at once as a preliminary to starting for eyford." some three hours or', ' go down to scotland yard at once as a preliminary to starting for eyford." some three hours or so a', 'own to scotland yard at once as a preliminary to starting for eyford." some three hours or so afterw', 'o scotland yard at once as a preliminary to starting for eyford." some three hours or so afterwards ', 'tland yard at once as a preliminary to starting for eyford." some three hours or so afterwards we we', ' yard at once as a preliminary to starting for eyford." some three hours or so afterwards we were al', ' at once as a preliminary to starting for eyford." some three hours or so afterwards we were all in ', 'nce as a preliminary to starting for eyford." some three hours or so afterwards we were all in the t', 's a preliminary to starting for eyford." some three hours or so afterwards we were all in the train ', 'reliminary to starting for eyford." some three hours or so afterwards we were all in the train toget', 'inary to starting for eyford." some three hours or so afterwards we were all in the train together, ', ' to starting for eyford." some three hours or so afterwards we were all in the train together, bound', 'tarting for eyford." some three hours or so afterwards we were all in the train together, bound from', 'ng for eyford." some three hours or so afterwards we were all in the train together, bound from read', 'r eyford." some three hours or so afterwards we were all in the train together, bound from reading t', 'ord." some three hours or so afterwards we were all in the train together, bound from reading to the', ' some three hours or so afterwards we were all in the train together, bound from reading to the litt', ' three hours or so afterwards we were all in the train together, bound from reading to the little be', 'e hours or so afterwards we were all in the train together, bound from reading to the little berkshi', 'rs or so afterwards we were all in the train together, bound from reading to the little berkshire vi', ' so afterwards we were all in the train together, bound from reading to the little berkshire village', 'fterwards we were all in the train together, bound from reading to the little berkshire village. the', 'ards we were all in the train together, bound from reading to the little berkshire village. there we', 'we were all in the train together, bound from reading to the little berkshire village. there were sh', 're all in the train together, bound from reading to the little berkshire village. there were sherloc', 'l in the train together, bound from reading to the little berkshire village. there were sherlock hol', 'the train together, bound from reading to the little berkshire village. there were sherlock holmes, ', 'rain together, bound from reading to the little berkshire village. there were sherlock holmes, the h', 'together, bound from reading to the little berkshire village. there were sherlock holmes, the hydrau', 'her, bound from reading to the little berkshire village. there were sherlock holmes, the hydraulic e', 'bound from reading to the little berkshire village. there were sherlock holmes, the hydraulic engine', ' from reading to the little berkshire village. there were sherlock holmes, the hydraulic engineer, i', ' reading to the little berkshire village. there were sherlock holmes, the hydraulic engineer, inspec', 'ing to the little berkshire village. there were sherlock holmes, the hydraulic engineer, inspector b', 'o the little berkshire village. there were sherlock holmes, the hydraulic engineer, inspector bradst', ' little berkshire village. there were sherlock holmes, the hydraulic engineer, inspector bradstreet,', 'le berkshire village. there were sherlock holmes, the hydraulic engineer, inspector bradstreet, of s', 'rkshire village. there were sherlock holmes, the hydraulic engineer, inspector bradstreet, of scotla', 're village. there were sherlock holmes, the hydraulic engineer, inspector bradstreet, of scotland ya', 'llage. there were sherlock holmes, the hydraulic engineer, inspector bradstreet, of scotland yard, a', '. there were sherlock holmes, the hydraulic engineer, inspector bradstreet, of scotland yard, a plai', 're were sherlock holmes, the hydraulic engineer, inspector bradstreet, of scotland yard, a plain-clo', 're sherlock holmes, the hydraulic engineer, inspector bradstreet, of scotland yard, a plain-clothes ', 'erlock holmes, the hydraulic engineer, inspector bradstreet, of scotland yard, a plain-clothes man, ', 'k holmes, the hydraulic engineer, inspector bradstreet, of scotland yard, a plain-clothes man, and m', 'mes, the hydraulic engineer, inspector bradstreet, of scotland yard, a plain-clothes man, and myself', 'the hydraulic engineer, inspector bradstreet, of scotland yard, a plain-clothes man, and myself. bra', 'ydraulic engineer, inspector bradstreet, of scotland yard, a plain-clothes man, and myself. bradstre', 'lic engineer, inspector bradstreet, of scotland yard, a plain-clothes man, and myself. bradstreet ha', 'ngineer, inspector bradstreet, of scotland yard, a plain-clothes man, and myself. bradstreet had spr', 'er, inspector bradstreet, of scotland yard, a plain-clothes man, and myself. bradstreet had spread a', 'nspector bradstreet, of scotland yard, a plain-clothes man, and myself. bradstreet had spread an ord', 'tor bradstreet, of scotland yard, a plain-clothes man, and myself. bradstreet had spread an ordnance', 'radstreet, of scotland yard, a plain-clothes man, and myself. bradstreet had spread an ordnance map ', 'reet, of scotland yard, a plain-clothes man, and myself. bradstreet had spread an ordnance map of th', ' of scotland yard, a plain-clothes man, and myself. bradstreet had spread an ordnance map of the cou', 'cotland yard, a plain-clothes man, and myself. bradstreet had spread an ordnance map of the county o', 'nd yard, a plain-clothes man, and myself. bradstreet had spread an ordnance map of the county out up', 'rd, a plain-clothes man, and myself. bradstreet had spread an ordnance map of the county out upon th', ' plain-clothes man, and myself. bradstreet had spread an ordnance map of the county out upon the sea', 'n-clothes man, and myself. bradstreet had spread an ordnance map of the county out upon the seat and', 'thes man, and myself. bradstreet had spread an ordnance map of the county out upon the seat and was ', 'man, and myself. bradstreet had spread an ordnance map of the county out upon the seat and was busy ', 'and myself. bradstreet had spread an ordnance map of the county out upon the seat and was busy with ', 'yself. bradstreet had spread an ordnance map of the county out upon the seat and was busy with his c', '. bradstreet had spread an ordnance map of the county out upon the seat and was busy with his compas', 'dstreet had spread an ordnance map of the county out upon the seat and was busy with his compasses d', 'et had spread an ordnance map of the county out upon the seat and was busy with his compasses drawin', 'd spread an ordnance map of the county out upon the seat and was busy with his compasses drawing a c', 'ead an ordnance map of the county out upon the seat and was busy with his compasses drawing a circle', 'n ordnance map of the county out upon the seat and was busy with his compasses drawing a circle with', 'nance map of the county out upon the seat and was busy with his compasses drawing a circle with eyfo', ' map of the county out upon the seat and was busy with his compasses drawing a circle with eyford fo', 'of the county out upon the seat and was busy with his compasses drawing a circle with eyford for its', 'e county out upon the seat and was busy with his compasses drawing a circle with eyford for its cent', 'nty out upon the seat and was busy with his compasses drawing a circle with eyford for its centre. "', 'ut upon the seat and was busy with his compasses drawing a circle with eyford for its centre. "there', 'on the seat and was busy with his compasses drawing a circle with eyford for its centre. "there you ', 'e seat and was busy with his compasses drawing a circle with eyford for its centre. "there you are,"', 't and was busy with his compasses drawing a circle with eyford for its centre. "there you are," said', ' was busy with his compasses drawing a circle with eyford for its centre. "there you are," said he. ', 'busy with his compasses drawing a circle with eyford for its centre. "there you are," said he. "that', 'with his compasses drawing a circle with eyford for its centre. "there you are," said he. "that circ', 'his compasses drawing a circle with eyford for its centre. "there you are," said he. "that circle is', 'ompasses drawing a circle with eyford for its centre. "there you are," said he. "that circle is draw', 'ses drawing a circle with eyford for its centre. "there you are," said he. "that circle is drawn at ', 'rawing a circle with eyford for its centre. "there you are," said he. "that circle is drawn at a rad', 'g a circle with eyford for its centre. "there you are," said he. "that circle is drawn at a radius o', 'ircle with eyford for its centre. "there you are," said he. "that circle is drawn at a radius of ten', ' with eyford for its centre. "there you are," said he. "that circle is drawn at a radius of ten mile', ' eyford for its centre. "there you are," said he. "that circle is drawn at a radius of ten miles fro', 'rd for its centre. "there you are," said he. "that circle is drawn at a radius of ten miles from the', 'r its centre. "there you are," said he. "that circle is drawn at a radius of ten miles from the vill', ' centre. "there you are," said he. "that circle is drawn at a radius of ten miles from the village. ', 're. "there you are," said he. "that circle is drawn at a radius of ten miles from the village. the p', 'there you are," said he. "that circle is drawn at a radius of ten miles from the village. the place ', ' you are," said he. "that circle is drawn at a radius of ten miles from the village. the place we wa', 'are," said he. "that circle is drawn at a radius of ten miles from the village. the place we want mu', ' said he. "that circle is drawn at a radius of ten miles from the village. the place we want must be', ' he. "that circle is drawn at a radius of ten miles from the village. the place we want must be some', '"that circle is drawn at a radius of ten miles from the village. the place we want must be somewhere', ' circle is drawn at a radius of ten miles from the village. the place we want must be somewhere near', 'le is drawn at a radius of ten miles from the village. the place we want must be somewhere near that', ' drawn at a radius of ten miles from the village. the place we want must be somewhere near that line', 'n at a radius of ten miles from the village. the place we want must be somewhere near that line. you', 'a radius of ten miles from the village. the place we want must be somewhere near that line. you said', 'ius of ten miles from the village. the place we want must be somewhere near that line. you said ten ', 'f ten miles from the village. the place we want must be somewhere near that line. you said ten miles', ' miles from the village. the place we want must be somewhere near that line. you said ten miles, i t', 's from the village. the place we want must be somewhere near that line. you said ten miles, i think,', 'm the village. the place we want must be somewhere near that line. you said ten miles, i think, sir.', ' village. the place we want must be somewhere near that line. you said ten miles, i think, sir." "it', 'age. the place we want must be somewhere near that line. you said ten miles, i think, sir." "it was ', 'the place we want must be somewhere near that line. you said ten miles, i think, sir." "it was an ho', 'lace we want must be somewhere near that line. you said ten miles, i think, sir." "it was an hour\'s ', 'we want must be somewhere near that line. you said ten miles, i think, sir." "it was an hour\'s good ', 'nt must be somewhere near that line. you said ten miles, i think, sir." "it was an hour\'s good drive', 'st be somewhere near that line. you said ten miles, i think, sir." "it was an hour\'s good drive." "a', ' somewhere near that line. you said ten miles, i think, sir." "it was an hour\'s good drive." "and yo', 'where near that line. you said ten miles, i think, sir." "it was an hour\'s good drive." "and you thi', ' near that line. you said ten miles, i think, sir." "it was an hour\'s good drive." "and you think th', ' that line. you said ten miles, i think, sir." "it was an hour\'s good drive." "and you think that th', ' line. you said ten miles, i think, sir." "it was an hour\'s good drive." "and you think that they br', '. you said ten miles, i think, sir." "it was an hour\'s good drive." "and you think that they brought', ' said ten miles, i think, sir." "it was an hour\'s good drive." "and you think that they brought you ', ' ten miles, i think, sir." "it was an hour\'s good drive." "and you think that they brought you back ', 'miles, i think, sir." "it was an hour\'s good drive." "and you think that they brought you back all t', ', i think, sir." "it was an hour\'s good drive." "and you think that they brought you back all that w', 'hink, sir." "it was an hour\'s good drive." "and you think that they brought you back all that way wh', ' sir." "it was an hour\'s good drive." "and you think that they brought you back all that way when yo', '" "it was an hour\'s good drive." "and you think that they brought you back all that way when you wer', ' was an hour\'s good drive." "and you think that they brought you back all that way when you were unc', 'an hour\'s good drive." "and you think that they brought you back all that way when you were unconsci', 'ur\'s good drive." "and you think that they brought you back all that way when you were unconscious?"', 'good drive." "and you think that they brought you back all that way when you were unconscious?" "the', 'drive." "and you think that they brought you back all that way when you were unconscious?" "they mus', '." "and you think that they brought you back all that way when you were unconscious?" "they must hav', 'nd you think that they brought you back all that way when you were unconscious?" "they must have don', 'u think that they brought you back all that way when you were unconscious?" "they must have done so.', 'nk that they brought you back all that way when you were unconscious?" "they must have done so. i ha', 'at they brought you back all that way when you were unconscious?" "they must have done so. i have a ', 'ey brought you back all that way when you were unconscious?" "they must have done so. i have a confu', 'ought you back all that way when you were unconscious?" "they must have done so. i have a confused m', ' you back all that way when you were unconscious?" "they must have done so. i have a confused memory', 'back all that way when you were unconscious?" "they must have done so. i have a confused memory, too', 'all that way when you were unconscious?" "they must have done so. i have a confused memory, too, of ', 'hat way when you were unconscious?" "they must have done so. i have a confused memory, too, of havin', 'ay when you were unconscious?" "they must have done so. i have a confused memory, too, of having bee', 'en you were unconscious?" "they must have done so. i have a confused memory, too, of having been lif', 'u were unconscious?" "they must have done so. i have a confused memory, too, of having been lifted a', 'e unconscious?" "they must have done so. i have a confused memory, too, of having been lifted and co', 'onscious?" "they must have done so. i have a confused memory, too, of having been lifted and conveye', 'ous?" "they must have done so. i have a confused memory, too, of having been lifted and conveyed som', ' "they must have done so. i have a confused memory, too, of having been lifted and conveyed somewher', 'y must have done so. i have a confused memory, too, of having been lifted and conveyed somewhere." "', 't have done so. i have a confused memory, too, of having been lifted and conveyed somewhere." "what ', 'e done so. i have a confused memory, too, of having been lifted and conveyed somewhere." "what i can', 'e so. i have a confused memory, too, of having been lifted and conveyed somewhere." "what i cannot u', ' i have a confused memory, too, of having been lifted and conveyed somewhere." "what i cannot unders', 've a confused memory, too, of having been lifted and conveyed somewhere." "what i cannot understand,', 'confused memory, too, of having been lifted and conveyed somewhere." "what i cannot understand," sai', 'sed memory, too, of having been lifted and conveyed somewhere." "what i cannot understand," said i, ', 'emory, too, of having been lifted and conveyed somewhere." "what i cannot understand," said i, "is w', ', too, of having been lifted and conveyed somewhere." "what i cannot understand," said i, "is why th', ', of having been lifted and conveyed somewhere." "what i cannot understand," said i, "is why they sh', 'having been lifted and conveyed somewhere." "what i cannot understand," said i, "is why they should ', 'g been lifted and conveyed somewhere." "what i cannot understand," said i, "is why they should have ', 'n lifted and conveyed somewhere." "what i cannot understand," said i, "is why they should have spare', 'ted and conveyed somewhere." "what i cannot understand," said i, "is why they should have spared you', 'nd conveyed somewhere." "what i cannot understand," said i, "is why they should have spared you when', 'nveyed somewhere." "what i cannot understand," said i, "is why they should have spared you when they', 'd somewhere." "what i cannot understand," said i, "is why they should have spared you when they foun', 'ewhere." "what i cannot understand," said i, "is why they should have spared you when they found you', 'e." "what i cannot understand," said i, "is why they should have spared you when they found you lyin', 'what i cannot understand," said i, "is why they should have spared you when they found you lying fai', 'i cannot understand," said i, "is why they should have spared you when they found you lying fainting', 'not understand," said i, "is why they should have spared you when they found you lying fainting in t', 'nderstand," said i, "is why they should have spared you when they found you lying fainting in the ga', 'tand," said i, "is why they should have spared you when they found you lying fainting in the garden.', '" said i, "is why they should have spared you when they found you lying fainting in the garden. perh', 'd i, "is why they should have spared you when they found you lying fainting in the garden. perhaps t', '"is why they should have spared you when they found you lying fainting in the garden. perhaps the vi', 'hy they should have spared you when they found you lying fainting in the garden. perhaps the villain', 'ey should have spared you when they found you lying fainting in the garden. perhaps the villain was ', 'ould have spared you when they found you lying fainting in the garden. perhaps the villain was softe', 'have spared you when they found you lying fainting in the garden. perhaps the villain was softened b', 'spared you when they found you lying fainting in the garden. perhaps the villain was softened by the', 'd you when they found you lying fainting in the garden. perhaps the villain was softened by the woma', " when they found you lying fainting in the garden. perhaps the villain was softened by the woman's e", " they found you lying fainting in the garden. perhaps the villain was softened by the woman's entrea", " found you lying fainting in the garden. perhaps the villain was softened by the woman's entreaties.", 'd you lying fainting in the garden. perhaps the villain was softened by the woman\'s entreaties." "i ', ' lying fainting in the garden. perhaps the villain was softened by the woman\'s entreaties." "i hardl', 'g fainting in the garden. perhaps the villain was softened by the woman\'s entreaties." "i hardly thi', 'nting in the garden. perhaps the villain was softened by the woman\'s entreaties." "i hardly think th', ' in the garden. perhaps the villain was softened by the woman\'s entreaties." "i hardly think that li', 'he garden. perhaps the villain was softened by the woman\'s entreaties." "i hardly think that likely.', 'rden. perhaps the villain was softened by the woman\'s entreaties." "i hardly think that likely. i ne', ' perhaps the villain was softened by the woman\'s entreaties." "i hardly think that likely. i never s', 'aps the villain was softened by the woman\'s entreaties." "i hardly think that likely. i never saw a ', 'he villain was softened by the woman\'s entreaties." "i hardly think that likely. i never saw a more ', 'llain was softened by the woman\'s entreaties." "i hardly think that likely. i never saw a more inexo', ' was softened by the woman\'s entreaties." "i hardly think that likely. i never saw a more inexorable', 'softened by the woman\'s entreaties." "i hardly think that likely. i never saw a more inexorable face', 'ned by the woman\'s entreaties." "i hardly think that likely. i never saw a more inexorable face in m', 'y the woman\'s entreaties." "i hardly think that likely. i never saw a more inexorable face in my lif', ' woman\'s entreaties." "i hardly think that likely. i never saw a more inexorable face in my life." "', 'n\'s entreaties." "i hardly think that likely. i never saw a more inexorable face in my life." "oh, w', 'ntreaties." "i hardly think that likely. i never saw a more inexorable face in my life." "oh, we sha', 'ties." "i hardly think that likely. i never saw a more inexorable face in my life." "oh, we shall so', '" "i hardly think that likely. i never saw a more inexorable face in my life." "oh, we shall soon cl', 'hardly think that likely. i never saw a more inexorable face in my life." "oh, we shall soon clear u', 'y think that likely. i never saw a more inexorable face in my life." "oh, we shall soon clear up all', 'nk that likely. i never saw a more inexorable face in my life." "oh, we shall soon clear up all that', 'at likely. i never saw a more inexorable face in my life." "oh, we shall soon clear up all that," sa', 'kely. i never saw a more inexorable face in my life." "oh, we shall soon clear up all that," said br', ' i never saw a more inexorable face in my life." "oh, we shall soon clear up all that," said bradstr', 'ver saw a more inexorable face in my life." "oh, we shall soon clear up all that," said bradstreet. ', 'aw a more inexorable face in my life." "oh, we shall soon clear up all that," said bradstreet. "well', 'more inexorable face in my life." "oh, we shall soon clear up all that," said bradstreet. "well, i h', 'inexorable face in my life." "oh, we shall soon clear up all that," said bradstreet. "well, i have d', 'rable face in my life." "oh, we shall soon clear up all that," said bradstreet. "well, i have drawn ', ' face in my life." "oh, we shall soon clear up all that," said bradstreet. "well, i have drawn my ci', ' in my life." "oh, we shall soon clear up all that," said bradstreet. "well, i have drawn my circle,', 'y life." "oh, we shall soon clear up all that," said bradstreet. "well, i have drawn my circle, and ', 'e." "oh, we shall soon clear up all that," said bradstreet. "well, i have drawn my circle, and i onl', 'oh, we shall soon clear up all that," said bradstreet. "well, i have drawn my circle, and i only wis', 'e shall soon clear up all that," said bradstreet. "well, i have drawn my circle, and i only wish i k', 'll soon clear up all that," said bradstreet. "well, i have drawn my circle, and i only wish i knew a', 'on clear up all that," said bradstreet. "well, i have drawn my circle, and i only wish i knew at wha', 'ear up all that," said bradstreet. "well, i have drawn my circle, and i only wish i knew at what poi', 'p all that," said bradstreet. "well, i have drawn my circle, and i only wish i knew at what point up', ' that," said bradstreet. "well, i have drawn my circle, and i only wish i knew at what point upon it', '," said bradstreet. "well, i have drawn my circle, and i only wish i knew at what point upon it the ', 'id bradstreet. "well, i have drawn my circle, and i only wish i knew at what point upon it the folk ', 'adstreet. "well, i have drawn my circle, and i only wish i knew at what point upon it the folk that ', 'eet. "well, i have drawn my circle, and i only wish i knew at what point upon it the folk that we ar', '"well, i have drawn my circle, and i only wish i knew at what point upon it the folk that we are in ', ', i have drawn my circle, and i only wish i knew at what point upon it the folk that we are in searc', 'ave drawn my circle, and i only wish i knew at what point upon it the folk that we are in search of ', 'rawn my circle, and i only wish i knew at what point upon it the folk that we are in search of are t', 'my circle, and i only wish i knew at what point upon it the folk that we are in search of are to be ', 'rcle, and i only wish i knew at what point upon it the folk that we are in search of are to be found', ' and i only wish i knew at what point upon it the folk that we are in search of are to be found." "i', 'i only wish i knew at what point upon it the folk that we are in search of are to be found." "i thin', 'y wish i knew at what point upon it the folk that we are in search of are to be found." "i think i c', 'h i knew at what point upon it the folk that we are in search of are to be found." "i think i could ', 'new at what point upon it the folk that we are in search of are to be found." "i think i could lay m', 't what point upon it the folk that we are in search of are to be found." "i think i could lay my fin', 't point upon it the folk that we are in search of are to be found." "i think i could lay my finger o', 'nt upon it the folk that we are in search of are to be found." "i think i could lay my finger on it,', 'on it the folk that we are in search of are to be found." "i think i could lay my finger on it," sai', ' the folk that we are in search of are to be found." "i think i could lay my finger on it," said hol', 'folk that we are in search of are to be found." "i think i could lay my finger on it," said holmes q', 'that we are in search of are to be found." "i think i could lay my finger on it," said holmes quietl', 'we are in search of are to be found." "i think i could lay my finger on it," said holmes quietly. "r', 'e in search of are to be found." "i think i could lay my finger on it," said holmes quietly. "really', 'search of are to be found." "i think i could lay my finger on it," said holmes quietly. "really, now', 'h of are to be found." "i think i could lay my finger on it," said holmes quietly. "really, now crie', 'are to be found." "i think i could lay my finger on it," said holmes quietly. "really, now cried the', 'o be found." "i think i could lay my finger on it," said holmes quietly. "really, now cried the insp', 'found." "i think i could lay my finger on it," said holmes quietly. "really, now cried the inspector', '." "i think i could lay my finger on it," said holmes quietly. "really, now cried the inspector, "yo', ' think i could lay my finger on it," said holmes quietly. "really, now cried the inspector, "you hav', 'k i could lay my finger on it," said holmes quietly. "really, now cried the inspector, "you have for', 'ould lay my finger on it," said holmes quietly. "really, now cried the inspector, "you have formed y', 'lay my finger on it," said holmes quietly. "really, now cried the inspector, "you have formed your o', 'y finger on it," said holmes quietly. "really, now cried the inspector, "you have formed your opinio', 'ger on it," said holmes quietly. "really, now cried the inspector, "you have formed your opinion! co', 'n it," said holmes quietly. "really, now cried the inspector, "you have formed your opinion! come, n', '" said holmes quietly. "really, now cried the inspector, "you have formed your opinion! come, now, w', 'd holmes quietly. "really, now cried the inspector, "you have formed your opinion! come, now, we sha', 'mes quietly. "really, now cried the inspector, "you have formed your opinion! come, now, we shall se', 'uietly. "really, now cried the inspector, "you have formed your opinion! come, now, we shall see who', 'y. "really, now cried the inspector, "you have formed your opinion! come, now, we shall see who agre', 'eally, now cried the inspector, "you have formed your opinion! come, now, we shall see who agrees wi', ', now cried the inspector, "you have formed your opinion! come, now, we shall see who agrees with yo', ' cried the inspector, "you have formed your opinion! come, now, we shall see who agrees with you. i ', 'd the inspector, "you have formed your opinion! come, now, we shall see who agrees with you. i say i', ' inspector, "you have formed your opinion! come, now, we shall see who agrees with you. i say it is ', 'ector, "you have formed your opinion! come, now, we shall see who agrees with you. i say it is south', ', "you have formed your opinion! come, now, we shall see who agrees with you. i say it is south, for', 'u have formed your opinion! come, now, we shall see who agrees with you. i say it is south, for the ', 'e formed your opinion! come, now, we shall see who agrees with you. i say it is south, for the count', 'med your opinion! come, now, we shall see who agrees with you. i say it is south, for the country is', 'our opinion! come, now, we shall see who agrees with you. i say it is south, for the country is more', 'pinion! come, now, we shall see who agrees with you. i say it is south, for the country is more dese', 'n! come, now, we shall see who agrees with you. i say it is south, for the country is more deserted ', 'me, now, we shall see who agrees with you. i say it is south, for the country is more deserted there', 'ow, we shall see who agrees with you. i say it is south, for the country is more deserted there." "a', 'e shall see who agrees with you. i say it is south, for the country is more deserted there." "and i ', 'll see who agrees with you. i say it is south, for the country is more deserted there." "and i say e', 'e who agrees with you. i say it is south, for the country is more deserted there." "and i say east,"', ' agrees with you. i say it is south, for the country is more deserted there." "and i say east," said', 'es with you. i say it is south, for the country is more deserted there." "and i say east," said my p', 'th you. i say it is south, for the country is more deserted there." "and i say east," said my patien', 'u. i say it is south, for the country is more deserted there." "and i say east," said my patient. "i', 'say it is south, for the country is more deserted there." "and i say east," said my patient. "i am f', 't is south, for the country is more deserted there." "and i say east," said my patient. "i am for we', 'south, for the country is more deserted there." "and i say east," said my patient. "i am for west," ', ', for the country is more deserted there." "and i say east," said my patient. "i am for west," remar', ' the country is more deserted there." "and i say east," said my patient. "i am for west," remarked t', 'country is more deserted there." "and i say east," said my patient. "i am for west," remarked the pl', 'ry is more deserted there." "and i say east," said my patient. "i am for west," remarked the plain-c', ' more deserted there." "and i say east," said my patient. "i am for west," remarked the plain-clothe', ' deserted there." "and i say east," said my patient. "i am for west," remarked the plain-clothes man', 'rted there." "and i say east," said my patient. "i am for west," remarked the plain-clothes man. "th', 'there." "and i say east," said my patient. "i am for west," remarked the plain-clothes man. "there a', '." "and i say east," said my patient. "i am for west," remarked the plain-clothes man. "there are se', 'nd i say east," said my patient. "i am for west," remarked the plain-clothes man. "there are several', 'say east," said my patient. "i am for west," remarked the plain-clothes man. "there are several quie', 'ast," said my patient. "i am for west," remarked the plain-clothes man. "there are several quiet lit', ' said my patient. "i am for west," remarked the plain-clothes man. "there are several quiet little v', ' my patient. "i am for west," remarked the plain-clothes man. "there are several quiet little villag', 'atient. "i am for west," remarked the plain-clothes man. "there are several quiet little villages up', 't. "i am for west," remarked the plain-clothes man. "there are several quiet little villages up ther', ' am for west," remarked the plain-clothes man. "there are several quiet little villages up there." "', 'or west," remarked the plain-clothes man. "there are several quiet little villages up there." "and i', 'st," remarked the plain-clothes man. "there are several quiet little villages up there." "and i am f', 'remarked the plain-clothes man. "there are several quiet little villages up there." "and i am for no', 'ked the plain-clothes man. "there are several quiet little villages up there." "and i am for north,"', 'he plain-clothes man. "there are several quiet little villages up there." "and i am for north," said', 'ain-clothes man. "there are several quiet little villages up there." "and i am for north," said i, "', 'lothes man. "there are several quiet little villages up there." "and i am for north," said i, "becau', 's man. "there are several quiet little villages up there." "and i am for north," said i, "because th', '. "there are several quiet little villages up there." "and i am for north," said i, "because there a', 'ere are several quiet little villages up there." "and i am for north," said i, "because there are no', 're several quiet little villages up there." "and i am for north," said i, "because there are no hill', 'veral quiet little villages up there." "and i am for north," said i, "because there are no hills the', ' quiet little villages up there." "and i am for north," said i, "because there are no hills there, a', 't little villages up there." "and i am for north," said i, "because there are no hills there, and ou', 'tle villages up there." "and i am for north," said i, "because there are no hills there, and our fri', 'illages up there." "and i am for north," said i, "because there are no hills there, and our friend s', 'es up there." "and i am for north," said i, "because there are no hills there, and our friend says t', ' there." "and i am for north," said i, "because there are no hills there, and our friend says that h', 'e." "and i am for north," said i, "because there are no hills there, and our friend says that he did', 'and i am for north," said i, "because there are no hills there, and our friend says that he did not ', ' am for north," said i, "because there are no hills there, and our friend says that he did not notic', 'or north," said i, "because there are no hills there, and our friend says that he did not notice the', 'rth," said i, "because there are no hills there, and our friend says that he did not notice the carr', ' said i, "because there are no hills there, and our friend says that he did not notice the carriage ', ' i, "because there are no hills there, and our friend says that he did not notice the carriage go up', 'because there are no hills there, and our friend says that he did not notice the carriage go up any.', 'se there are no hills there, and our friend says that he did not notice the carriage go up any." "co', 'ere are no hills there, and our friend says that he did not notice the carriage go up any." "come," ', 're no hills there, and our friend says that he did not notice the carriage go up any." "come," cried', ' hills there, and our friend says that he did not notice the carriage go up any." "come," cried the ', 's there, and our friend says that he did not notice the carriage go up any." "come," cried the inspe', 're, and our friend says that he did not notice the carriage go up any." "come," cried the inspector,', 'nd our friend says that he did not notice the carriage go up any." "come," cried the inspector, laug', 'r friend says that he did not notice the carriage go up any." "come," cried the inspector, laughing;', 'end says that he did not notice the carriage go up any." "come," cried the inspector, laughing; "it\'', 'ays that he did not notice the carriage go up any." "come," cried the inspector, laughing; "it\'s a v', 'hat he did not notice the carriage go up any." "come," cried the inspector, laughing; "it\'s a very p', 'e did not notice the carriage go up any." "come," cried the inspector, laughing; "it\'s a very pretty', ' not notice the carriage go up any." "come," cried the inspector, laughing; "it\'s a very pretty dive', 'notice the carriage go up any." "come," cried the inspector, laughing; "it\'s a very pretty diversity', 'e the carriage go up any." "come," cried the inspector, laughing; "it\'s a very pretty diversity of o', ' carriage go up any." "come," cried the inspector, laughing; "it\'s a very pretty diversity of opinio', 'iage go up any." "come," cried the inspector, laughing; "it\'s a very pretty diversity of opinion. we', 'go up any." "come," cried the inspector, laughing; "it\'s a very pretty diversity of opinion. we have', ' any." "come," cried the inspector, laughing; "it\'s a very pretty diversity of opinion. we have boxe', '" "come," cried the inspector, laughing; "it\'s a very pretty diversity of opinion. we have boxed the', 'me," cried the inspector, laughing; "it\'s a very pretty diversity of opinion. we have boxed the comp', 'cried the inspector, laughing; "it\'s a very pretty diversity of opinion. we have boxed the compass a', ' the inspector, laughing; "it\'s a very pretty diversity of opinion. we have boxed the compass among ', 'inspector, laughing; "it\'s a very pretty diversity of opinion. we have boxed the compass among us. w', 'ctor, laughing; "it\'s a very pretty diversity of opinion. we have boxed the compass among us. who do', ' laughing; "it\'s a very pretty diversity of opinion. we have boxed the compass among us. who do you ', 'hing; "it\'s a very pretty diversity of opinion. we have boxed the compass among us. who do you give ', ' "it\'s a very pretty diversity of opinion. we have boxed the compass among us. who do you give your ', 's a very pretty diversity of opinion. we have boxed the compass among us. who do you give your casti', 'ery pretty diversity of opinion. we have boxed the compass among us. who do you give your casting vo', 'retty diversity of opinion. we have boxed the compass among us. who do you give your casting vote to', ' diversity of opinion. we have boxed the compass among us. who do you give your casting vote to?" "y', 'rsity of opinion. we have boxed the compass among us. who do you give your casting vote to?" "you ar', ' of opinion. we have boxed the compass among us. who do you give your casting vote to?" "you are all', 'pinion. we have boxed the compass among us. who do you give your casting vote to?" "you are all wron', 'n. we have boxed the compass among us. who do you give your casting vote to?" "you are all wrong." "', ' have boxed the compass among us. who do you give your casting vote to?" "you are all wrong." "but w', ' boxed the compass among us. who do you give your casting vote to?" "you are all wrong." "but we can', 'd the compass among us. who do you give your casting vote to?" "you are all wrong." "but we can\'t al', ' compass among us. who do you give your casting vote to?" "you are all wrong." "but we can\'t all be.', 'ass among us. who do you give your casting vote to?" "you are all wrong." "but we can\'t all be." "oh', 'mong us. who do you give your casting vote to?" "you are all wrong." "but we can\'t all be." "oh, yes', 'us. who do you give your casting vote to?" "you are all wrong." "but we can\'t all be." "oh, yes, you', 'ho do you give your casting vote to?" "you are all wrong." "but we can\'t all be." "oh, yes, you can.', ' you give your casting vote to?" "you are all wrong." "but we can\'t all be." "oh, yes, you can. this', 'give your casting vote to?" "you are all wrong." "but we can\'t all be." "oh, yes, you can. this is m', 'your casting vote to?" "you are all wrong." "but we can\'t all be." "oh, yes, you can. this is my poi', 'casting vote to?" "you are all wrong." "but we can\'t all be." "oh, yes, you can. this is my point." ', 'ng vote to?" "you are all wrong." "but we can\'t all be." "oh, yes, you can. this is my point." he pl', 'te to?" "you are all wrong." "but we can\'t all be." "oh, yes, you can. this is my point." he placed ', '?" "you are all wrong." "but we can\'t all be." "oh, yes, you can. this is my point." he placed his f', 'ou are all wrong." "but we can\'t all be." "oh, yes, you can. this is my point." he placed his finger', 'e all wrong." "but we can\'t all be." "oh, yes, you can. this is my point." he placed his finger in t', ' wrong." "but we can\'t all be." "oh, yes, you can. this is my point." he placed his finger in the ce', 'g." "but we can\'t all be." "oh, yes, you can. this is my point." he placed his finger in the centre ', 'but we can\'t all be." "oh, yes, you can. this is my point." he placed his finger in the centre of th', 'e can\'t all be." "oh, yes, you can. this is my point." he placed his finger in the centre of the cir', '\'t all be." "oh, yes, you can. this is my point." he placed his finger in the centre of the circle. ', 'l be." "oh, yes, you can. this is my point." he placed his finger in the centre of the circle. "this', '" "oh, yes, you can. this is my point." he placed his finger in the centre of the circle. "this is w', ', yes, you can. this is my point." he placed his finger in the centre of the circle. "this is where ', ', you can. this is my point." he placed his finger in the centre of the circle. "this is where we sh', ' can. this is my point." he placed his finger in the centre of the circle. "this is where we shall f', ' this is my point." he placed his finger in the centre of the circle. "this is where we shall find t', ' is my point." he placed his finger in the centre of the circle. "this is where we shall find them."', 'y point." he placed his finger in the centre of the circle. "this is where we shall find them." "but', 'nt." he placed his finger in the centre of the circle. "this is where we shall find them." "but the ', 'he placed his finger in the centre of the circle. "this is where we shall find them." "but the twelv', 'aced his finger in the centre of the circle. "this is where we shall find them." "but the twelve-mil', 'his finger in the centre of the circle. "this is where we shall find them." "but the twelve-mile dri', 'inger in the centre of the circle. "this is where we shall find them." "but the twelve-mile drive?" ', ' in the centre of the circle. "this is where we shall find them." "but the twelve-mile drive?" gaspe', 'he centre of the circle. "this is where we shall find them." "but the twelve-mile drive?" gasped hat', 'ntre of the circle. "this is where we shall find them." "but the twelve-mile drive?" gasped hatherle', 'of the circle. "this is where we shall find them." "but the twelve-mile drive?" gasped hatherley. "s', 'e circle. "this is where we shall find them." "but the twelve-mile drive?" gasped hatherley. "six ou', 'cle. "this is where we shall find them." "but the twelve-mile drive?" gasped hatherley. "six out and', '"this is where we shall find them." "but the twelve-mile drive?" gasped hatherley. "six out and six ', ' is where we shall find them." "but the twelve-mile drive?" gasped hatherley. "six out and six back.', 'here we shall find them." "but the twelve-mile drive?" gasped hatherley. "six out and six back. noth', 'we shall find them." "but the twelve-mile drive?" gasped hatherley. "six out and six back. nothing s', 'all find them." "but the twelve-mile drive?" gasped hatherley. "six out and six back. nothing simple', 'ind them." "but the twelve-mile drive?" gasped hatherley. "six out and six back. nothing simpler. yo', 'hem." "but the twelve-mile drive?" gasped hatherley. "six out and six back. nothing simpler. you say', ' "but the twelve-mile drive?" gasped hatherley. "six out and six back. nothing simpler. you say your', ' the twelve-mile drive?" gasped hatherley. "six out and six back. nothing simpler. you say yourself ', 'twelve-mile drive?" gasped hatherley. "six out and six back. nothing simpler. you say yourself that ', 'e-mile drive?" gasped hatherley. "six out and six back. nothing simpler. you say yourself that the h', 'e drive?" gasped hatherley. "six out and six back. nothing simpler. you say yourself that the horse ', 've?" gasped hatherley. "six out and six back. nothing simpler. you say yourself that the horse was f', 'gasped hatherley. "six out and six back. nothing simpler. you say yourself that the horse was fresh ', 'd hatherley. "six out and six back. nothing simpler. you say yourself that the horse was fresh and g', 'herley. "six out and six back. nothing simpler. you say yourself that the horse was fresh and glossy', 'y. "six out and six back. nothing simpler. you say yourself that the horse was fresh and glossy when', 'ix out and six back. nothing simpler. you say yourself that the horse was fresh and glossy when you ', 't and six back. nothing simpler. you say yourself that the horse was fresh and glossy when you got i', ' six back. nothing simpler. you say yourself that the horse was fresh and glossy when you got in. ho', 'back. nothing simpler. you say yourself that the horse was fresh and glossy when you got in. how cou', ' nothing simpler. you say yourself that the horse was fresh and glossy when you got in. how could it', 'ing simpler. you say yourself that the horse was fresh and glossy when you got in. how could it be t', 'impler. you say yourself that the horse was fresh and glossy when you got in. how could it be that i', 'r. you say yourself that the horse was fresh and glossy when you got in. how could it be that if it ', 'u say yourself that the horse was fresh and glossy when you got in. how could it be that if it had g', ' yourself that the horse was fresh and glossy when you got in. how could it be that if it had gone t', 'self that the horse was fresh and glossy when you got in. how could it be that if it had gone twelve', 'that the horse was fresh and glossy when you got in. how could it be that if it had gone twelve mile', 'the horse was fresh and glossy when you got in. how could it be that if it had gone twelve miles ove', 'orse was fresh and glossy when you got in. how could it be that if it had gone twelve miles over hea', 'was fresh and glossy when you got in. how could it be that if it had gone twelve miles over heavy ro', 'resh and glossy when you got in. how could it be that if it had gone twelve miles over heavy roads?"', 'and glossy when you got in. how could it be that if it had gone twelve miles over heavy roads?" "ind', 'lossy when you got in. how could it be that if it had gone twelve miles over heavy roads?" "indeed, ', ' when you got in. how could it be that if it had gone twelve miles over heavy roads?" "indeed, it is', ' you got in. how could it be that if it had gone twelve miles over heavy roads?" "indeed, it is a li', 'got in. how could it be that if it had gone twelve miles over heavy roads?" "indeed, it is a likely ', 'n. how could it be that if it had gone twelve miles over heavy roads?" "indeed, it is a likely ruse ', 'w could it be that if it had gone twelve miles over heavy roads?" "indeed, it is a likely ruse enoug', 'ld it be that if it had gone twelve miles over heavy roads?" "indeed, it is a likely ruse enough," o', ' be that if it had gone twelve miles over heavy roads?" "indeed, it is a likely ruse enough," observ', 'hat if it had gone twelve miles over heavy roads?" "indeed, it is a likely ruse enough," observed br', 'f it had gone twelve miles over heavy roads?" "indeed, it is a likely ruse enough," observed bradstr', 'had gone twelve miles over heavy roads?" "indeed, it is a likely ruse enough," observed bradstreet t', 'one twelve miles over heavy roads?" "indeed, it is a likely ruse enough," observed bradstreet though', 'welve miles over heavy roads?" "indeed, it is a likely ruse enough," observed bradstreet thoughtfull', ' miles over heavy roads?" "indeed, it is a likely ruse enough," observed bradstreet thoughtfully. "o', 's over heavy roads?" "indeed, it is a likely ruse enough," observed bradstreet thoughtfully. "of cou', 'r heavy roads?" "indeed, it is a likely ruse enough," observed bradstreet thoughtfully. "of course t', 'vy roads?" "indeed, it is a likely ruse enough," observed bradstreet thoughtfully. "of course there ', 'ads?" "indeed, it is a likely ruse enough," observed bradstreet thoughtfully. "of course there can b', ' "indeed, it is a likely ruse enough," observed bradstreet thoughtfully. "of course there can be no ', 'eed, it is a likely ruse enough," observed bradstreet thoughtfully. "of course there can be no doubt', 'it is a likely ruse enough," observed bradstreet thoughtfully. "of course there can be no doubt as t', ' a likely ruse enough," observed bradstreet thoughtfully. "of course there can be no doubt as to the', 'kely ruse enough," observed bradstreet thoughtfully. "of course there can be no doubt as to the natu', 'ruse enough," observed bradstreet thoughtfully. "of course there can be no doubt as to the nature of', 'enough," observed bradstreet thoughtfully. "of course there can be no doubt as to the nature of this', 'h," observed bradstreet thoughtfully. "of course there can be no doubt as to the nature of this gang', 'bserved bradstreet thoughtfully. "of course there can be no doubt as to the nature of this gang." "n', 'ed bradstreet thoughtfully. "of course there can be no doubt as to the nature of this gang." "none a', 'adstreet thoughtfully. "of course there can be no doubt as to the nature of this gang." "none at all', 'eet thoughtfully. "of course there can be no doubt as to the nature of this gang." "none at all," sa', 'houghtfully. "of course there can be no doubt as to the nature of this gang." "none at all," said ho', 'tfully. "of course there can be no doubt as to the nature of this gang." "none at all," said holmes.', 'y. "of course there can be no doubt as to the nature of this gang." "none at all," said holmes. "the', 'f course there can be no doubt as to the nature of this gang." "none at all," said holmes. "they are', 'rse there can be no doubt as to the nature of this gang." "none at all," said holmes. "they are coin', 'here can be no doubt as to the nature of this gang." "none at all," said holmes. "they are coiners o', 'can be no doubt as to the nature of this gang." "none at all," said holmes. "they are coiners on a l', 'e no doubt as to the nature of this gang." "none at all," said holmes. "they are coiners on a large ', 'doubt as to the nature of this gang." "none at all," said holmes. "they are coiners on a large scale', ' as to the nature of this gang." "none at all," said holmes. "they are coiners on a large scale, and', 'o the nature of this gang." "none at all," said holmes. "they are coiners on a large scale, and have', ' nature of this gang." "none at all," said holmes. "they are coiners on a large scale, and have used', 're of this gang." "none at all," said holmes. "they are coiners on a large scale, and have used the ', ' this gang." "none at all," said holmes. "they are coiners on a large scale, and have used the machi', ' gang." "none at all," said holmes. "they are coiners on a large scale, and have used the machine to', '." "none at all," said holmes. "they are coiners on a large scale, and have used the machine to form', 'one at all," said holmes. "they are coiners on a large scale, and have used the machine to form the ', 't all," said holmes. "they are coiners on a large scale, and have used the machine to form the amalg', '," said holmes. "they are coiners on a large scale, and have used the machine to form the amalgam wh', 'id holmes. "they are coiners on a large scale, and have used the machine to form the amalgam which h', 'lmes. "they are coiners on a large scale, and have used the machine to form the amalgam which has ta', ' "they are coiners on a large scale, and have used the machine to form the amalgam which has taken t', 'y are coiners on a large scale, and have used the machine to form the amalgam which has taken the pl', ' coiners on a large scale, and have used the machine to form the amalgam which has taken the place o', 'ers on a large scale, and have used the machine to form the amalgam which has taken the place of sil', 'n a large scale, and have used the machine to form the amalgam which has taken the place of silver."', 'arge scale, and have used the machine to form the amalgam which has taken the place of silver." "we ', 'scale, and have used the machine to form the amalgam which has taken the place of silver." "we have ', ', and have used the machine to form the amalgam which has taken the place of silver." "we have known', ' have used the machine to form the amalgam which has taken the place of silver." "we have known for ', ' used the machine to form the amalgam which has taken the place of silver." "we have known for some ', ' the machine to form the amalgam which has taken the place of silver." "we have known for some time ', 'machine to form the amalgam which has taken the place of silver." "we have known for some time that ', 'ne to form the amalgam which has taken the place of silver." "we have known for some time that a cle', ' form the amalgam which has taken the place of silver." "we have known for some time that a clever g', ' the amalgam which has taken the place of silver." "we have known for some time that a clever gang w', 'amalgam which has taken the place of silver." "we have known for some time that a clever gang was at', 'am which has taken the place of silver." "we have known for some time that a clever gang was at work', 'ich has taken the place of silver." "we have known for some time that a clever gang was at work," sa', 'as taken the place of silver." "we have known for some time that a clever gang was at work," said th', 'ken the place of silver." "we have known for some time that a clever gang was at work," said the ins', 'he place of silver." "we have known for some time that a clever gang was at work," said the inspecto', 'ace of silver." "we have known for some time that a clever gang was at work," said the inspector. "t', 'f silver." "we have known for some time that a clever gang was at work," said the inspector. "they h', 'ver." "we have known for some time that a clever gang was at work," said the inspector. "they have b', ' "we have known for some time that a clever gang was at work," said the inspector. "they have been t', 'have known for some time that a clever gang was at work," said the inspector. "they have been turnin', 'known for some time that a clever gang was at work," said the inspector. "they have been turning out', ' for some time that a clever gang was at work," said the inspector. "they have been turning out half', 'some time that a clever gang was at work," said the inspector. "they have been turning out half-crow', 'time that a clever gang was at work," said the inspector. "they have been turning out half-crowns by', 'that a clever gang was at work," said the inspector. "they have been turning out half-crowns by the ', 'a clever gang was at work," said the inspector. "they have been turning out half-crowns by the thous', 'ver gang was at work," said the inspector. "they have been turning out half-crowns by the thousand. ', 'ang was at work," said the inspector. "they have been turning out half-crowns by the thousand. we ev', 'as at work," said the inspector. "they have been turning out half-crowns by the thousand. we even tr', ' work," said the inspector. "they have been turning out half-crowns by the thousand. we even traced ', '," said the inspector. "they have been turning out half-crowns by the thousand. we even traced them ', 'id the inspector. "they have been turning out half-crowns by the thousand. we even traced them as fa', 'e inspector. "they have been turning out half-crowns by the thousand. we even traced them as far as ', 'pector. "they have been turning out half-crowns by the thousand. we even traced them as far as readi', 'r. "they have been turning out half-crowns by the thousand. we even traced them as far as reading, b', 'hey have been turning out half-crowns by the thousand. we even traced them as far as reading, but co', 'ave been turning out half-crowns by the thousand. we even traced them as far as reading, but could g', 'een turning out half-crowns by the thousand. we even traced them as far as reading, but could get no', 'urning out half-crowns by the thousand. we even traced them as far as reading, but could get no fart', 'g out half-crowns by the thousand. we even traced them as far as reading, but could get no farther, ', ' half-crowns by the thousand. we even traced them as far as reading, but could get no farther, for t', '-crowns by the thousand. we even traced them as far as reading, but could get no farther, for they h', 'ns by the thousand. we even traced them as far as reading, but could get no farther, for they had co', ' the thousand. we even traced them as far as reading, but could get no farther, for they had covered', 'thousand. we even traced them as far as reading, but could get no farther, for they had covered thei', 'and. we even traced them as far as reading, but could get no farther, for they had covered their tra', 'we even traced them as far as reading, but could get no farther, for they had covered their traces i', 'en traced them as far as reading, but could get no farther, for they had covered their traces in a w', 'aced them as far as reading, but could get no farther, for they had covered their traces in a way th', 'them as far as reading, but could get no farther, for they had covered their traces in a way that sh', 'as far as reading, but could get no farther, for they had covered their traces in a way that showed ', 'r as reading, but could get no farther, for they had covered their traces in a way that showed that ', 'reading, but could get no farther, for they had covered their traces in a way that showed that they ', 'ng, but could get no farther, for they had covered their traces in a way that showed that they were ', 'ut could get no farther, for they had covered their traces in a way that showed that they were very ', 'uld get no farther, for they had covered their traces in a way that showed that they were very old h', 'et no farther, for they had covered their traces in a way that showed that they were very old hands.', ' farther, for they had covered their traces in a way that showed that they were very old hands. but ', 'her, for they had covered their traces in a way that showed that they were very old hands. but now, ', 'for they had covered their traces in a way that showed that they were very old hands. but now, thank', 'hey had covered their traces in a way that showed that they were very old hands. but now, thanks to ', 'ad covered their traces in a way that showed that they were very old hands. but now, thanks to this ', 'vered their traces in a way that showed that they were very old hands. but now, thanks to this lucky', ' their traces in a way that showed that they were very old hands. but now, thanks to this lucky chan', 'r traces in a way that showed that they were very old hands. but now, thanks to this lucky chance, i', 'ces in a way that showed that they were very old hands. but now, thanks to this lucky chance, i thin', 'n a way that showed that they were very old hands. but now, thanks to this lucky chance, i think tha', 'ay that showed that they were very old hands. but now, thanks to this lucky chance, i think that we ', 'at showed that they were very old hands. but now, thanks to this lucky chance, i think that we have ', 'owed that they were very old hands. but now, thanks to this lucky chance, i think that we have got t', 'that they were very old hands. but now, thanks to this lucky chance, i think that we have got them r', 'they were very old hands. but now, thanks to this lucky chance, i think that we have got them right ', 'were very old hands. but now, thanks to this lucky chance, i think that we have got them right enoug', 'very old hands. but now, thanks to this lucky chance, i think that we have got them right enough." b', 'old hands. but now, thanks to this lucky chance, i think that we have got them right enough." but th', 'ands. but now, thanks to this lucky chance, i think that we have got them right enough." but the ins', ' but now, thanks to this lucky chance, i think that we have got them right enough." but the inspecto', 'now, thanks to this lucky chance, i think that we have got them right enough." but the inspector was', 'thanks to this lucky chance, i think that we have got them right enough." but the inspector was mist', 's to this lucky chance, i think that we have got them right enough." but the inspector was mistaken,', 'this lucky chance, i think that we have got them right enough." but the inspector was mistaken, for ', 'lucky chance, i think that we have got them right enough." but the inspector was mistaken, for those', ' chance, i think that we have got them right enough." but the inspector was mistaken, for those crim', 'ce, i think that we have got them right enough." but the inspector was mistaken, for those criminals', ' think that we have got them right enough." but the inspector was mistaken, for those criminals were', 'k that we have got them right enough." but the inspector was mistaken, for those criminals were not ', 't we have got them right enough." but the inspector was mistaken, for those criminals were not desti', 'have got them right enough." but the inspector was mistaken, for those criminals were not destined t', 'got them right enough." but the inspector was mistaken, for those criminals were not destined to fal', 'hem right enough." but the inspector was mistaken, for those criminals were not destined to fall int', 'ight enough." but the inspector was mistaken, for those criminals were not destined to fall into the', 'enough." but the inspector was mistaken, for those criminals were not destined to fall into the hand', 'h." but the inspector was mistaken, for those criminals were not destined to fall into the hands of ', 'ut the inspector was mistaken, for those criminals were not destined to fall into the hands of justi', 'e inspector was mistaken, for those criminals were not destined to fall into the hands of justice. a', 'pector was mistaken, for those criminals were not destined to fall into the hands of justice. as we ', 'r was mistaken, for those criminals were not destined to fall into the hands of justice. as we rolle', ' mistaken, for those criminals were not destined to fall into the hands of justice. as we rolled int', 'aken, for those criminals were not destined to fall into the hands of justice. as we rolled into eyf', ' for those criminals were not destined to fall into the hands of justice. as we rolled into eyford s', 'those criminals were not destined to fall into the hands of justice. as we rolled into eyford statio', ' criminals were not destined to fall into the hands of justice. as we rolled into eyford station we ', 'inals were not destined to fall into the hands of justice. as we rolled into eyford station we saw a', ' were not destined to fall into the hands of justice. as we rolled into eyford station we saw a giga', ' not destined to fall into the hands of justice. as we rolled into eyford station we saw a gigantic ', 'destined to fall into the hands of justice. as we rolled into eyford station we saw a gigantic colum', 'ned to fall into the hands of justice. as we rolled into eyford station we saw a gigantic column of ', 'o fall into the hands of justice. as we rolled into eyford station we saw a gigantic column of smoke', 'l into the hands of justice. as we rolled into eyford station we saw a gigantic column of smoke whic', 'o the hands of justice. as we rolled into eyford station we saw a gigantic column of smoke which str', ' hands of justice. as we rolled into eyford station we saw a gigantic column of smoke which streamed', 's of justice. as we rolled into eyford station we saw a gigantic column of smoke which streamed up f', 'justice. as we rolled into eyford station we saw a gigantic column of smoke which streamed up from b', 'ce. as we rolled into eyford station we saw a gigantic column of smoke which streamed up from behind', 's we rolled into eyford station we saw a gigantic column of smoke which streamed up from behind a sm', 'rolled into eyford station we saw a gigantic column of smoke which streamed up from behind a small c', 'd into eyford station we saw a gigantic column of smoke which streamed up from behind a small clump ', 'o eyford station we saw a gigantic column of smoke which streamed up from behind a small clump of tr', 'ord station we saw a gigantic column of smoke which streamed up from behind a small clump of trees i', 'tation we saw a gigantic column of smoke which streamed up from behind a small clump of trees in the', 'n we saw a gigantic column of smoke which streamed up from behind a small clump of trees in the neig', 'saw a gigantic column of smoke which streamed up from behind a small clump of trees in the neighbour', ' gigantic column of smoke which streamed up from behind a small clump of trees in the neighbourhood ', 'ntic column of smoke which streamed up from behind a small clump of trees in the neighbourhood and h', 'column of smoke which streamed up from behind a small clump of trees in the neighbourhood and hung l', 'n of smoke which streamed up from behind a small clump of trees in the neighbourhood and hung like a', 'smoke which streamed up from behind a small clump of trees in the neighbourhood and hung like an imm', ' which streamed up from behind a small clump of trees in the neighbourhood and hung like an immense ', 'h streamed up from behind a small clump of trees in the neighbourhood and hung like an immense ostri', 'eamed up from behind a small clump of trees in the neighbourhood and hung like an immense ostrich fe', ' up from behind a small clump of trees in the neighbourhood and hung like an immense ostrich feather', 'rom behind a small clump of trees in the neighbourhood and hung like an immense ostrich feather over', 'ehind a small clump of trees in the neighbourhood and hung like an immense ostrich feather over the ', ' a small clump of trees in the neighbourhood and hung like an immense ostrich feather over the lands', 'all clump of trees in the neighbourhood and hung like an immense ostrich feather over the landscape.', 'lump of trees in the neighbourhood and hung like an immense ostrich feather over the landscape. "a h', 'of trees in the neighbourhood and hung like an immense ostrich feather over the landscape. "a house ', 'ees in the neighbourhood and hung like an immense ostrich feather over the landscape. "a house on fi', 'n the neighbourhood and hung like an immense ostrich feather over the landscape. "a house on fire?" ', ' neighbourhood and hung like an immense ostrich feather over the landscape. "a house on fire?" asked', 'hbourhood and hung like an immense ostrich feather over the landscape. "a house on fire?" asked brad', 'hood and hung like an immense ostrich feather over the landscape. "a house on fire?" asked bradstree', 'and hung like an immense ostrich feather over the landscape. "a house on fire?" asked bradstreet as ', 'ung like an immense ostrich feather over the landscape. "a house on fire?" asked bradstreet as the t', 'ike an immense ostrich feather over the landscape. "a house on fire?" asked bradstreet as the train ', 'n immense ostrich feather over the landscape. "a house on fire?" asked bradstreet as the train steam', 'ense ostrich feather over the landscape. "a house on fire?" asked bradstreet as the train steamed of', 'ostrich feather over the landscape. "a house on fire?" asked bradstreet as the train steamed off aga', 'ch feather over the landscape. "a house on fire?" asked bradstreet as the train steamed off again on', 'ather over the landscape. "a house on fire?" asked bradstreet as the train steamed off again on its ', ' over the landscape. "a house on fire?" asked bradstreet as the train steamed off again on its way. ', ' the landscape. "a house on fire?" asked bradstreet as the train steamed off again on its way. "yes,', 'landscape. "a house on fire?" asked bradstreet as the train steamed off again on its way. "yes, sir ', 'cape. "a house on fire?" asked bradstreet as the train steamed off again on its way. "yes, sir said ', ' "a house on fire?" asked bradstreet as the train steamed off again on its way. "yes, sir said the s', 'ouse on fire?" asked bradstreet as the train steamed off again on its way. "yes, sir said the statio', 'on fire?" asked bradstreet as the train steamed off again on its way. "yes, sir said the station-mas', 're?" asked bradstreet as the train steamed off again on its way. "yes, sir said the station-master. ', 'asked bradstreet as the train steamed off again on its way. "yes, sir said the station-master. "when', ' bradstreet as the train steamed off again on its way. "yes, sir said the station-master. "when did ', 'street as the train steamed off again on its way. "yes, sir said the station-master. "when did it br', 't as the train steamed off again on its way. "yes, sir said the station-master. "when did it break o', 'the train steamed off again on its way. "yes, sir said the station-master. "when did it break out?" ', 'rain steamed off again on its way. "yes, sir said the station-master. "when did it break out?" "i he', 'steamed off again on its way. "yes, sir said the station-master. "when did it break out?" "i hear th', 'ed off again on its way. "yes, sir said the station-master. "when did it break out?" "i hear that it', 'f again on its way. "yes, sir said the station-master. "when did it break out?" "i hear that it was ', 'in on its way. "yes, sir said the station-master. "when did it break out?" "i hear that it was durin', ' its way. "yes, sir said the station-master. "when did it break out?" "i hear that it was during the', 'way. "yes, sir said the station-master. "when did it break out?" "i hear that it was during the nigh', '"yes, sir said the station-master. "when did it break out?" "i hear that it was during the night, si', ' sir said the station-master. "when did it break out?" "i hear that it was during the night, sir, bu', 'said the station-master. "when did it break out?" "i hear that it was during the night, sir, but it ', 'the station-master. "when did it break out?" "i hear that it was during the night, sir, but it has g', 'tation-master. "when did it break out?" "i hear that it was during the night, sir, but it has got wo', 'n-master. "when did it break out?" "i hear that it was during the night, sir, but it has got worse, ', 'ter. "when did it break out?" "i hear that it was during the night, sir, but it has got worse, and t', '"when did it break out?" "i hear that it was during the night, sir, but it has got worse, and the wh', ' did it break out?" "i hear that it was during the night, sir, but it has got worse, and the whole p', 'it break out?" "i hear that it was during the night, sir, but it has got worse, and the whole place ', 'eak out?" "i hear that it was during the night, sir, but it has got worse, and the whole place is in', 'ut?" "i hear that it was during the night, sir, but it has got worse, and the whole place is in a bl', '"i hear that it was during the night, sir, but it has got worse, and the whole place is in a blaze."', 'ar that it was during the night, sir, but it has got worse, and the whole place is in a blaze." "who', 'at it was during the night, sir, but it has got worse, and the whole place is in a blaze." "whose ho', ' was during the night, sir, but it has got worse, and the whole place is in a blaze." "whose house i', 'during the night, sir, but it has got worse, and the whole place is in a blaze." "whose house is it?', 'g the night, sir, but it has got worse, and the whole place is in a blaze." "whose house is it?" "dr', ' night, sir, but it has got worse, and the whole place is in a blaze." "whose house is it?" "dr. bec', 't, sir, but it has got worse, and the whole place is in a blaze." "whose house is it?" "dr. becher\'s', 'r, but it has got worse, and the whole place is in a blaze." "whose house is it?" "dr. becher\'s." "t', 't it has got worse, and the whole place is in a blaze." "whose house is it?" "dr. becher\'s." "tell m', 'has got worse, and the whole place is in a blaze." "whose house is it?" "dr. becher\'s." "tell me," b', 'ot worse, and the whole place is in a blaze." "whose house is it?" "dr. becher\'s." "tell me," broke ', 'rse, and the whole place is in a blaze." "whose house is it?" "dr. becher\'s." "tell me," broke in th', 'and the whole place is in a blaze." "whose house is it?" "dr. becher\'s." "tell me," broke in the eng', 'he whole place is in a blaze." "whose house is it?" "dr. becher\'s." "tell me," broke in the engineer', 'ole place is in a blaze." "whose house is it?" "dr. becher\'s." "tell me," broke in the engineer, "is', 'lace is in a blaze." "whose house is it?" "dr. becher\'s." "tell me," broke in the engineer, "is dr. ', 'is in a blaze." "whose house is it?" "dr. becher\'s." "tell me," broke in the engineer, "is dr. beche', ' a blaze." "whose house is it?" "dr. becher\'s." "tell me," broke in the engineer, "is dr. becher a g', 'aze." "whose house is it?" "dr. becher\'s." "tell me," broke in the engineer, "is dr. becher a german', ' "whose house is it?" "dr. becher\'s." "tell me," broke in the engineer, "is dr. becher a german, ver', 'se house is it?" "dr. becher\'s." "tell me," broke in the engineer, "is dr. becher a german, very thi', 'use is it?" "dr. becher\'s." "tell me," broke in the engineer, "is dr. becher a german, very thin, wi', 's it?" "dr. becher\'s." "tell me," broke in the engineer, "is dr. becher a german, very thin, with a ', '" "dr. becher\'s." "tell me," broke in the engineer, "is dr. becher a german, very thin, with a long,', '. becher\'s." "tell me," broke in the engineer, "is dr. becher a german, very thin, with a long, shar', 'her\'s." "tell me," broke in the engineer, "is dr. becher a german, very thin, with a long, sharp nos', '." "tell me," broke in the engineer, "is dr. becher a german, very thin, with a long, sharp nose?" t', 'ell me," broke in the engineer, "is dr. becher a german, very thin, with a long, sharp nose?" the st', 'e," broke in the engineer, "is dr. becher a german, very thin, with a long, sharp nose?" the station', 'roke in the engineer, "is dr. becher a german, very thin, with a long, sharp nose?" the station-mast', 'in the engineer, "is dr. becher a german, very thin, with a long, sharp nose?" the station-master la', 'e engineer, "is dr. becher a german, very thin, with a long, sharp nose?" the station-master laughed', 'ineer, "is dr. becher a german, very thin, with a long, sharp nose?" the station-master laughed hear', ', "is dr. becher a german, very thin, with a long, sharp nose?" the station-master laughed heartily.', ' dr. becher a german, very thin, with a long, sharp nose?" the station-master laughed heartily. "no,', 'becher a german, very thin, with a long, sharp nose?" the station-master laughed heartily. "no, sir,', 'r a german, very thin, with a long, sharp nose?" the station-master laughed heartily. "no, sir, dr. ', 'erman, very thin, with a long, sharp nose?" the station-master laughed heartily. "no, sir, dr. beche', ', very thin, with a long, sharp nose?" the station-master laughed heartily. "no, sir, dr. becher is ', 'y thin, with a long, sharp nose?" the station-master laughed heartily. "no, sir, dr. becher is an en', 'n, with a long, sharp nose?" the station-master laughed heartily. "no, sir, dr. becher is an english', 'th a long, sharp nose?" the station-master laughed heartily. "no, sir, dr. becher is an englishman, ', 'long, sharp nose?" the station-master laughed heartily. "no, sir, dr. becher is an englishman, and t', ' sharp nose?" the station-master laughed heartily. "no, sir, dr. becher is an englishman, and there ', 'p nose?" the station-master laughed heartily. "no, sir, dr. becher is an englishman, and there isn\'t', 'e?" the station-master laughed heartily. "no, sir, dr. becher is an englishman, and there isn\'t a ma', 'he station-master laughed heartily. "no, sir, dr. becher is an englishman, and there isn\'t a man in ', 'ation-master laughed heartily. "no, sir, dr. becher is an englishman, and there isn\'t a man in the p', '-master laughed heartily. "no, sir, dr. becher is an englishman, and there isn\'t a man in the parish', 'er laughed heartily. "no, sir, dr. becher is an englishman, and there isn\'t a man in the parish who ', 'ughed heartily. "no, sir, dr. becher is an englishman, and there isn\'t a man in the parish who has a', ' heartily. "no, sir, dr. becher is an englishman, and there isn\'t a man in the parish who has a bett', 'tily. "no, sir, dr. becher is an englishman, and there isn\'t a man in the parish who has a better-li', ' "no, sir, dr. becher is an englishman, and there isn\'t a man in the parish who has a better-lined w', " sir, dr. becher is an englishman, and there isn't a man in the parish who has a better-lined waistc", " dr. becher is an englishman, and there isn't a man in the parish who has a better-lined waistcoat. ", "becher is an englishman, and there isn't a man in the parish who has a better-lined waistcoat. but h", "r is an englishman, and there isn't a man in the parish who has a better-lined waistcoat. but he has", "an englishman, and there isn't a man in the parish who has a better-lined waistcoat. but he has a ge", "glishman, and there isn't a man in the parish who has a better-lined waistcoat. but he has a gentlem", "man, and there isn't a man in the parish who has a better-lined waistcoat. but he has a gentleman st", "and there isn't a man in the parish who has a better-lined waistcoat. but he has a gentleman staying", "here isn't a man in the parish who has a better-lined waistcoat. but he has a gentleman staying with", "isn't a man in the parish who has a better-lined waistcoat. but he has a gentleman staying with him,", ' a man in the parish who has a better-lined waistcoat. but he has a gentleman staying with him, a pa', 'n in the parish who has a better-lined waistcoat. but he has a gentleman staying with him, a patient', 'the parish who has a better-lined waistcoat. but he has a gentleman staying with him, a patient, as ', 'arish who has a better-lined waistcoat. but he has a gentleman staying with him, a patient, as i und', ' who has a better-lined waistcoat. but he has a gentleman staying with him, a patient, as i understa', 'has a better-lined waistcoat. but he has a gentleman staying with him, a patient, as i understand, w', ' better-lined waistcoat. but he has a gentleman staying with him, a patient, as i understand, who is', 'er-lined waistcoat. but he has a gentleman staying with him, a patient, as i understand, who is a fo', 'ned waistcoat. but he has a gentleman staying with him, a patient, as i understand, who is a foreign', 'aistcoat. but he has a gentleman staying with him, a patient, as i understand, who is a foreigner, a', 'oat. but he has a gentleman staying with him, a patient, as i understand, who is a foreigner, and he', 'but he has a gentleman staying with him, a patient, as i understand, who is a foreigner, and he look', 'e has a gentleman staying with him, a patient, as i understand, who is a foreigner, and he looks as ', ' a gentleman staying with him, a patient, as i understand, who is a foreigner, and he looks as if a ', 'ntleman staying with him, a patient, as i understand, who is a foreigner, and he looks as if a littl', 'an staying with him, a patient, as i understand, who is a foreigner, and he looks as if a little goo', 'aying with him, a patient, as i understand, who is a foreigner, and he looks as if a little good ber', ' with him, a patient, as i understand, who is a foreigner, and he looks as if a little good berkshir', ' him, a patient, as i understand, who is a foreigner, and he looks as if a little good berkshire bee', ' a patient, as i understand, who is a foreigner, and he looks as if a little good berkshire beef wou', 'tient, as i understand, who is a foreigner, and he looks as if a little good berkshire beef would do', ', as i understand, who is a foreigner, and he looks as if a little good berkshire beef would do him ', 'i understand, who is a foreigner, and he looks as if a little good berkshire beef would do him no ha', 'erstand, who is a foreigner, and he looks as if a little good berkshire beef would do him no harm." ', 'nd, who is a foreigner, and he looks as if a little good berkshire beef would do him no harm." the s', 'ho is a foreigner, and he looks as if a little good berkshire beef would do him no harm." the statio', ' a foreigner, and he looks as if a little good berkshire beef would do him no harm." the station-mas', 'reigner, and he looks as if a little good berkshire beef would do him no harm." the station-master h', 'er, and he looks as if a little good berkshire beef would do him no harm." the station-master had no', 'nd he looks as if a little good berkshire beef would do him no harm." the station-master had not fin', ' looks as if a little good berkshire beef would do him no harm." the station-master had not finished', 's as if a little good berkshire beef would do him no harm." the station-master had not finished his ', 'if a little good berkshire beef would do him no harm." the station-master had not finished his speec', 'little good berkshire beef would do him no harm." the station-master had not finished his speech bef', 'e good berkshire beef would do him no harm." the station-master had not finished his speech before w', 'd berkshire beef would do him no harm." the station-master had not finished his speech before we wer', 'kshire beef would do him no harm." the station-master had not finished his speech before we were all', 'e beef would do him no harm." the station-master had not finished his speech before we were all hast', 'f would do him no harm." the station-master had not finished his speech before we were all hastening', 'ld do him no harm." the station-master had not finished his speech before we were all hastening in t', ' him no harm." the station-master had not finished his speech before we were all hastening in the di', 'no harm." the station-master had not finished his speech before we were all hastening in the directi', 'rm." the station-master had not finished his speech before we were all hastening in the direction of', 'the station-master had not finished his speech before we were all hastening in the direction of the ', 'tation-master had not finished his speech before we were all hastening in the direction of the fire.', 'n-master had not finished his speech before we were all hastening in the direction of the fire. the ', 'ter had not finished his speech before we were all hastening in the direction of the fire. the road ', 'ad not finished his speech before we were all hastening in the direction of the fire. the road toppe', 't finished his speech before we were all hastening in the direction of the fire. the road topped a l', 'ished his speech before we were all hastening in the direction of the fire. the road topped a low hi', ' his speech before we were all hastening in the direction of the fire. the road topped a low hill, a', 'speech before we were all hastening in the direction of the fire. the road topped a low hill, and th', 'h before we were all hastening in the direction of the fire. the road topped a low hill, and there w', 'ore we were all hastening in the direction of the fire. the road topped a low hill, and there was a ', 'e were all hastening in the direction of the fire. the road topped a low hill, and there was a great', 'e all hastening in the direction of the fire. the road topped a low hill, and there was a great wide', ' hastening in the direction of the fire. the road topped a low hill, and there was a great widesprea', 'ening in the direction of the fire. the road topped a low hill, and there was a great widespread whi', ' in the direction of the fire. the road topped a low hill, and there was a great widespread whitewas', 'he direction of the fire. the road topped a low hill, and there was a great widespread whitewashed b', 'rection of the fire. the road topped a low hill, and there was a great widespread whitewashed buildi', 'on of the fire. the road topped a low hill, and there was a great widespread whitewashed building in', ' the fire. the road topped a low hill, and there was a great widespread whitewashed building in fron', 'fire. the road topped a low hill, and there was a great widespread whitewashed building in front of ', ' the road topped a low hill, and there was a great widespread whitewashed building in front of us, s', 'road topped a low hill, and there was a great widespread whitewashed building in front of us, spouti', 'topped a low hill, and there was a great widespread whitewashed building in front of us, spouting fi', 'd a low hill, and there was a great widespread whitewashed building in front of us, spouting fire at', 'ow hill, and there was a great widespread whitewashed building in front of us, spouting fire at ever', 'll, and there was a great widespread whitewashed building in front of us, spouting fire at every chi', 'nd there was a great widespread whitewashed building in front of us, spouting fire at every chink an', 'ere was a great widespread whitewashed building in front of us, spouting fire at every chink and win', 'as a great widespread whitewashed building in front of us, spouting fire at every chink and window, ', 'great widespread whitewashed building in front of us, spouting fire at every chink and window, while', ' widespread whitewashed building in front of us, spouting fire at every chink and window, while in t', 'spread whitewashed building in front of us, spouting fire at every chink and window, while in the ga', 'd whitewashed building in front of us, spouting fire at every chink and window, while in the garden ', 'tewashed building in front of us, spouting fire at every chink and window, while in the garden in fr', 'hed building in front of us, spouting fire at every chink and window, while in the garden in front t', 'uilding in front of us, spouting fire at every chink and window, while in the garden in front three ', 'ng in front of us, spouting fire at every chink and window, while in the garden in front three fire-', ' front of us, spouting fire at every chink and window, while in the garden in front three fire-engin', 't of us, spouting fire at every chink and window, while in the garden in front three fire-engines we', 'us, spouting fire at every chink and window, while in the garden in front three fire-engines were va', 'pouting fire at every chink and window, while in the garden in front three fire-engines were vainly ', 'ng fire at every chink and window, while in the garden in front three fire-engines were vainly striv', 're at every chink and window, while in the garden in front three fire-engines were vainly striving t', ' every chink and window, while in the garden in front three fire-engines were vainly striving to kee', 'y chink and window, while in the garden in front three fire-engines were vainly striving to keep the', 'nk and window, while in the garden in front three fire-engines were vainly striving to keep the flam', 'd window, while in the garden in front three fire-engines were vainly striving to keep the flames un', 'dow, while in the garden in front three fire-engines were vainly striving to keep the flames under. ', 'while in the garden in front three fire-engines were vainly striving to keep the flames under. "that', ' in the garden in front three fire-engines were vainly striving to keep the flames under. "that\'s it', 'he garden in front three fire-engines were vainly striving to keep the flames under. "that\'s it crie', 'rden in front three fire-engines were vainly striving to keep the flames under. "that\'s it cried hat', 'in front three fire-engines were vainly striving to keep the flames under. "that\'s it cried hatherle', 'ont three fire-engines were vainly striving to keep the flames under. "that\'s it cried hatherley, in', 'hree fire-engines were vainly striving to keep the flames under. "that\'s it cried hatherley, in inte', 'fire-engines were vainly striving to keep the flames under. "that\'s it cried hatherley, in intense e', 'engines were vainly striving to keep the flames under. "that\'s it cried hatherley, in intense excite', 'es were vainly striving to keep the flames under. "that\'s it cried hatherley, in intense excitement.', 're vainly striving to keep the flames under. "that\'s it cried hatherley, in intense excitement. "the', 'inly striving to keep the flames under. "that\'s it cried hatherley, in intense excitement. "there is', 'striving to keep the flames under. "that\'s it cried hatherley, in intense excitement. "there is the ', 'ing to keep the flames under. "that\'s it cried hatherley, in intense excitement. "there is the grave', 'o keep the flames under. "that\'s it cried hatherley, in intense excitement. "there is the gravel-dri', 'p the flames under. "that\'s it cried hatherley, in intense excitement. "there is the gravel-drive, a', ' flames under. "that\'s it cried hatherley, in intense excitement. "there is the gravel-drive, and th', 'es under. "that\'s it cried hatherley, in intense excitement. "there is the gravel-drive, and there a', 'der. "that\'s it cried hatherley, in intense excitement. "there is the gravel-drive, and there are th', '"that\'s it cried hatherley, in intense excitement. "there is the gravel-drive, and there are the ros', '\'s it cried hatherley, in intense excitement. "there is the gravel-drive, and there are the rose-bus', ' cried hatherley, in intense excitement. "there is the gravel-drive, and there are the rose-bushes w', 'd hatherley, in intense excitement. "there is the gravel-drive, and there are the rose-bushes where ', 'herley, in intense excitement. "there is the gravel-drive, and there are the rose-bushes where i lay', 'y, in intense excitement. "there is the gravel-drive, and there are the rose-bushes where i lay. tha', ' intense excitement. "there is the gravel-drive, and there are the rose-bushes where i lay. that sec', 'nse excitement. "there is the gravel-drive, and there are the rose-bushes where i lay. that second w', 'xcitement. "there is the gravel-drive, and there are the rose-bushes where i lay. that second window', 'ment. "there is the gravel-drive, and there are the rose-bushes where i lay. that second window is t', ' "there is the gravel-drive, and there are the rose-bushes where i lay. that second window is the on', 're is the gravel-drive, and there are the rose-bushes where i lay. that second window is the one tha', ' the gravel-drive, and there are the rose-bushes where i lay. that second window is the one that i j', 'gravel-drive, and there are the rose-bushes where i lay. that second window is the one that i jumped', 'l-drive, and there are the rose-bushes where i lay. that second window is the one that i jumped from', 've, and there are the rose-bushes where i lay. that second window is the one that i jumped from." "w', 'nd there are the rose-bushes where i lay. that second window is the one that i jumped from." "well, ', 'ere are the rose-bushes where i lay. that second window is the one that i jumped from." "well, at le', 're the rose-bushes where i lay. that second window is the one that i jumped from." "well, at least,"', 'e rose-bushes where i lay. that second window is the one that i jumped from." "well, at least," said', 'e-bushes where i lay. that second window is the one that i jumped from." "well, at least," said holm', 'hes where i lay. that second window is the one that i jumped from." "well, at least," said holmes, "', 'here i lay. that second window is the one that i jumped from." "well, at least," said holmes, "you h', 'i lay. that second window is the one that i jumped from." "well, at least," said holmes, "you have h', '. that second window is the one that i jumped from." "well, at least," said holmes, "you have had yo', 't second window is the one that i jumped from." "well, at least," said holmes, "you have had your re', 'ond window is the one that i jumped from." "well, at least," said holmes, "you have had your revenge', 'indow is the one that i jumped from." "well, at least," said holmes, "you have had your revenge upon', ' is the one that i jumped from." "well, at least," said holmes, "you have had your revenge upon them', 'he one that i jumped from." "well, at least," said holmes, "you have had your revenge upon them. the', 'e that i jumped from." "well, at least," said holmes, "you have had your revenge upon them. there ca', 't i jumped from." "well, at least," said holmes, "you have had your revenge upon them. there can be ', 'umped from." "well, at least," said holmes, "you have had your revenge upon them. there can be no qu', ' from." "well, at least," said holmes, "you have had your revenge upon them. there can be no questio', '." "well, at least," said holmes, "you have had your revenge upon them. there can be no question tha', 'ell, at least," said holmes, "you have had your revenge upon them. there can be no question that it ', 'at least," said holmes, "you have had your revenge upon them. there can be no question that it was y', 'ast," said holmes, "you have had your revenge upon them. there can be no question that it was your o', ' said holmes, "you have had your revenge upon them. there can be no question that it was your oil-la', ' holmes, "you have had your revenge upon them. there can be no question that it was your oil-lamp wh', 'es, "you have had your revenge upon them. there can be no question that it was your oil-lamp which, ', 'you have had your revenge upon them. there can be no question that it was your oil-lamp which, when ', 'ave had your revenge upon them. there can be no question that it was your oil-lamp which, when it wa', 'ad your revenge upon them. there can be no question that it was your oil-lamp which, when it was cru', 'ur revenge upon them. there can be no question that it was your oil-lamp which, when it was crushed ', 'venge upon them. there can be no question that it was your oil-lamp which, when it was crushed in th', ' upon them. there can be no question that it was your oil-lamp which, when it was crushed in the pre', ' them. there can be no question that it was your oil-lamp which, when it was crushed in the press, s', '. there can be no question that it was your oil-lamp which, when it was crushed in the press, set fi', 're can be no question that it was your oil-lamp which, when it was crushed in the press, set fire to', 'n be no question that it was your oil-lamp which, when it was crushed in the press, set fire to the ', 'no question that it was your oil-lamp which, when it was crushed in the press, set fire to the woode', 'estion that it was your oil-lamp which, when it was crushed in the press, set fire to the wooden wal', 'n that it was your oil-lamp which, when it was crushed in the press, set fire to the wooden walls, t', 't it was your oil-lamp which, when it was crushed in the press, set fire to the wooden walls, though', 'was your oil-lamp which, when it was crushed in the press, set fire to the wooden walls, though no d', 'our oil-lamp which, when it was crushed in the press, set fire to the wooden walls, though no doubt ', 'il-lamp which, when it was crushed in the press, set fire to the wooden walls, though no doubt they ', 'mp which, when it was crushed in the press, set fire to the wooden walls, though no doubt they were ', 'ich, when it was crushed in the press, set fire to the wooden walls, though no doubt they were too e', 'when it was crushed in the press, set fire to the wooden walls, though no doubt they were too excite', 'it was crushed in the press, set fire to the wooden walls, though no doubt they were too excited in ', 's crushed in the press, set fire to the wooden walls, though no doubt they were too excited in the c', 'shed in the press, set fire to the wooden walls, though no doubt they were too excited in the chase ', 'in the press, set fire to the wooden walls, though no doubt they were too excited in the chase after', 'e press, set fire to the wooden walls, though no doubt they were too excited in the chase after you ', 'ss, set fire to the wooden walls, though no doubt they were too excited in the chase after you to ob', 'et fire to the wooden walls, though no doubt they were too excited in the chase after you to observe', 're to the wooden walls, though no doubt they were too excited in the chase after you to observe it a', ' the wooden walls, though no doubt they were too excited in the chase after you to observe it at the', 'wooden walls, though no doubt they were too excited in the chase after you to observe it at the time', 'n walls, though no doubt they were too excited in the chase after you to observe it at the time. now', 'ls, though no doubt they were too excited in the chase after you to observe it at the time. now keep', 'hough no doubt they were too excited in the chase after you to observe it at the time. now keep your', ' no doubt they were too excited in the chase after you to observe it at the time. now keep your eyes', 'oubt they were too excited in the chase after you to observe it at the time. now keep your eyes open', 'they were too excited in the chase after you to observe it at the time. now keep your eyes open in t', 'were too excited in the chase after you to observe it at the time. now keep your eyes open in this c', 'too excited in the chase after you to observe it at the time. now keep your eyes open in this crowd ', 'xcited in the chase after you to observe it at the time. now keep your eyes open in this crowd for y', 'd in the chase after you to observe it at the time. now keep your eyes open in this crowd for your f', 'the chase after you to observe it at the time. now keep your eyes open in this crowd for your friend', 'hase after you to observe it at the time. now keep your eyes open in this crowd for your friends of ', 'after you to observe it at the time. now keep your eyes open in this crowd for your friends of last ', ' you to observe it at the time. now keep your eyes open in this crowd for your friends of last night', 'to observe it at the time. now keep your eyes open in this crowd for your friends of last night, tho', 'serve it at the time. now keep your eyes open in this crowd for your friends of last night, though i', ' it at the time. now keep your eyes open in this crowd for your friends of last night, though i very', 't the time. now keep your eyes open in this crowd for your friends of last night, though i very much', ' time. now keep your eyes open in this crowd for your friends of last night, though i very much fear', '. now keep your eyes open in this crowd for your friends of last night, though i very much fear that', ' keep your eyes open in this crowd for your friends of last night, though i very much fear that they', ' your eyes open in this crowd for your friends of last night, though i very much fear that they are ', ' eyes open in this crowd for your friends of last night, though i very much fear that they are a goo', ' open in this crowd for your friends of last night, though i very much fear that they are a good hun', ' in this crowd for your friends of last night, though i very much fear that they are a good hundred ', 'his crowd for your friends of last night, though i very much fear that they are a good hundred miles', 'rowd for your friends of last night, though i very much fear that they are a good hundred miles off ', 'for your friends of last night, though i very much fear that they are a good hundred miles off by no', 'our friends of last night, though i very much fear that they are a good hundred miles off by now." a', 'riends of last night, though i very much fear that they are a good hundred miles off by now." and ho', 's of last night, though i very much fear that they are a good hundred miles off by now." and holmes\'', 'last night, though i very much fear that they are a good hundred miles off by now." and holmes\' fear', 'night, though i very much fear that they are a good hundred miles off by now." and holmes\' fears cam', ', though i very much fear that they are a good hundred miles off by now." and holmes\' fears came to ', 'ugh i very much fear that they are a good hundred miles off by now." and holmes\' fears came to be re', ' very much fear that they are a good hundred miles off by now." and holmes\' fears came to be realise', ' much fear that they are a good hundred miles off by now." and holmes\' fears came to be realised, fo', ' fear that they are a good hundred miles off by now." and holmes\' fears came to be realised, for fro', ' that they are a good hundred miles off by now." and holmes\' fears came to be realised, for from tha', ' they are a good hundred miles off by now." and holmes\' fears came to be realised, for from that day', ' are a good hundred miles off by now." and holmes\' fears came to be realised, for from that day to t', 'a good hundred miles off by now." and holmes\' fears came to be realised, for from that day to this n', 'd hundred miles off by now." and holmes\' fears came to be realised, for from that day to this no wor', 'dred miles off by now." and holmes\' fears came to be realised, for from that day to this no word has', 'miles off by now." and holmes\' fears came to be realised, for from that day to this no word has ever', ' off by now." and holmes\' fears came to be realised, for from that day to this no word has ever been', 'by now." and holmes\' fears came to be realised, for from that day to this no word has ever been hear', 'w." and holmes\' fears came to be realised, for from that day to this no word has ever been heard eit', "nd holmes' fears came to be realised, for from that day to this no word has ever been heard either o", "lmes' fears came to be realised, for from that day to this no word has ever been heard either of the", ' fears came to be realised, for from that day to this no word has ever been heard either of the beau', 's came to be realised, for from that day to this no word has ever been heard either of the beautiful', 'e to be realised, for from that day to this no word has ever been heard either of the beautiful woma', 'be realised, for from that day to this no word has ever been heard either of the beautiful woman, th', 'alised, for from that day to this no word has ever been heard either of the beautiful woman, the sin', 'd, for from that day to this no word has ever been heard either of the beautiful woman, the sinister', 'r from that day to this no word has ever been heard either of the beautiful woman, the sinister germ', 'm that day to this no word has ever been heard either of the beautiful woman, the sinister german, o', 't day to this no word has ever been heard either of the beautiful woman, the sinister german, or the', ' to this no word has ever been heard either of the beautiful woman, the sinister german, or the moro', 'his no word has ever been heard either of the beautiful woman, the sinister german, or the morose en', 'o word has ever been heard either of the beautiful woman, the sinister german, or the morose english', 'd has ever been heard either of the beautiful woman, the sinister german, or the morose englishman. ', ' ever been heard either of the beautiful woman, the sinister german, or the morose englishman. early', ' been heard either of the beautiful woman, the sinister german, or the morose englishman. early that', ' heard either of the beautiful woman, the sinister german, or the morose englishman. early that morn', 'd either of the beautiful woman, the sinister german, or the morose englishman. early that morning a', 'her of the beautiful woman, the sinister german, or the morose englishman. early that morning a peas', 'f the beautiful woman, the sinister german, or the morose englishman. early that morning a peasant h', ' beautiful woman, the sinister german, or the morose englishman. early that morning a peasant had me', 'tiful woman, the sinister german, or the morose englishman. early that morning a peasant had met a c', ' woman, the sinister german, or the morose englishman. early that morning a peasant had met a cart c', 'n, the sinister german, or the morose englishman. early that morning a peasant had met a cart contai', 'e sinister german, or the morose englishman. early that morning a peasant had met a cart containing ', 'ister german, or the morose englishman. early that morning a peasant had met a cart containing sever', ' german, or the morose englishman. early that morning a peasant had met a cart containing several pe', 'an, or the morose englishman. early that morning a peasant had met a cart containing several people ', 'r the morose englishman. early that morning a peasant had met a cart containing several people and s', ' morose englishman. early that morning a peasant had met a cart containing several people and some v', 'se englishman. early that morning a peasant had met a cart containing several people and some very b', 'glishman. early that morning a peasant had met a cart containing several people and some very bulky ', 'man. early that morning a peasant had met a cart containing several people and some very bulky boxes', 'early that morning a peasant had met a cart containing several people and some very bulky boxes driv', ' that morning a peasant had met a cart containing several people and some very bulky boxes driving r', ' morning a peasant had met a cart containing several people and some very bulky boxes driving rapidl', 'ing a peasant had met a cart containing several people and some very bulky boxes driving rapidly in ', ' peasant had met a cart containing several people and some very bulky boxes driving rapidly in the d', 'ant had met a cart containing several people and some very bulky boxes driving rapidly in the direct', 'ad met a cart containing several people and some very bulky boxes driving rapidly in the direction o', 't a cart containing several people and some very bulky boxes driving rapidly in the direction of rea', 'art containing several people and some very bulky boxes driving rapidly in the direction of reading,', 'ontaining several people and some very bulky boxes driving rapidly in the direction of reading, but ', 'ning several people and some very bulky boxes driving rapidly in the direction of reading, but there', 'several people and some very bulky boxes driving rapidly in the direction of reading, but there all ', 'al people and some very bulky boxes driving rapidly in the direction of reading, but there all trace', 'ople and some very bulky boxes driving rapidly in the direction of reading, but there all traces of ', 'and some very bulky boxes driving rapidly in the direction of reading, but there all traces of the f', 'ome very bulky boxes driving rapidly in the direction of reading, but there all traces of the fugiti', 'ery bulky boxes driving rapidly in the direction of reading, but there all traces of the fugitives d', 'ulky boxes driving rapidly in the direction of reading, but there all traces of the fugitives disapp', 'boxes driving rapidly in the direction of reading, but there all traces of the fugitives disappeared', ' driving rapidly in the direction of reading, but there all traces of the fugitives disappeared, and', 'ing rapidly in the direction of reading, but there all traces of the fugitives disappeared, and even', 'apidly in the direction of reading, but there all traces of the fugitives disappeared, and even holm', "y in the direction of reading, but there all traces of the fugitives disappeared, and even holmes' i", "the direction of reading, but there all traces of the fugitives disappeared, and even holmes' ingenu", "irection of reading, but there all traces of the fugitives disappeared, and even holmes' ingenuity f", "ion of reading, but there all traces of the fugitives disappeared, and even holmes' ingenuity failed", "f reading, but there all traces of the fugitives disappeared, and even holmes' ingenuity failed ever", "ding, but there all traces of the fugitives disappeared, and even holmes' ingenuity failed ever to d", " but there all traces of the fugitives disappeared, and even holmes' ingenuity failed ever to discov", "there all traces of the fugitives disappeared, and even holmes' ingenuity failed ever to discover th", " all traces of the fugitives disappeared, and even holmes' ingenuity failed ever to discover the lea", "traces of the fugitives disappeared, and even holmes' ingenuity failed ever to discover the least cl", "s of the fugitives disappeared, and even holmes' ingenuity failed ever to discover the least clue as", "the fugitives disappeared, and even holmes' ingenuity failed ever to discover the least clue as to t", "ugitives disappeared, and even holmes' ingenuity failed ever to discover the least clue as to their ", "ves disappeared, and even holmes' ingenuity failed ever to discover the least clue as to their where", "isappeared, and even holmes' ingenuity failed ever to discover the least clue as to their whereabout", "eared, and even holmes' ingenuity failed ever to discover the least clue as to their whereabouts. th", ", and even holmes' ingenuity failed ever to discover the least clue as to their whereabouts. the fir", " even holmes' ingenuity failed ever to discover the least clue as to their whereabouts. the firemen ", " holmes' ingenuity failed ever to discover the least clue as to their whereabouts. the firemen had b", "es' ingenuity failed ever to discover the least clue as to their whereabouts. the firemen had been m", 'ngenuity failed ever to discover the least clue as to their whereabouts. the firemen had been much p', 'ity failed ever to discover the least clue as to their whereabouts. the firemen had been much pertur', 'ailed ever to discover the least clue as to their whereabouts. the firemen had been much perturbed a', ' ever to discover the least clue as to their whereabouts. the firemen had been much perturbed at the', ' to discover the least clue as to their whereabouts. the firemen had been much perturbed at the stra', 'iscover the least clue as to their whereabouts. the firemen had been much perturbed at the strange a', 'er the least clue as to their whereabouts. the firemen had been much perturbed at the strange arrang', 'e least clue as to their whereabouts. the firemen had been much perturbed at the strange arrangement', 'st clue as to their whereabouts. the firemen had been much perturbed at the strange arrangements whi', 'ue as to their whereabouts. the firemen had been much perturbed at the strange arrangements which th', ' to their whereabouts. the firemen had been much perturbed at the strange arrangements which they ha', 'heir whereabouts. the firemen had been much perturbed at the strange arrangements which they had fou', 'whereabouts. the firemen had been much perturbed at the strange arrangements which they had found wi', 'abouts. the firemen had been much perturbed at the strange arrangements which they had found within,', 's. the firemen had been much perturbed at the strange arrangements which they had found within, and ', 'e firemen had been much perturbed at the strange arrangements which they had found within, and still', 'emen had been much perturbed at the strange arrangements which they had found within, and still more', 'had been much perturbed at the strange arrangements which they had found within, and still more so b', 'een much perturbed at the strange arrangements which they had found within, and still more so by dis', 'uch perturbed at the strange arrangements which they had found within, and still more so by discover', 'erturbed at the strange arrangements which they had found within, and still more so by discovering a', 'bed at the strange arrangements which they had found within, and still more so by discovering a newl', 't the strange arrangements which they had found within, and still more so by discovering a newly sev', ' strange arrangements which they had found within, and still more so by discovering a newly severed ', 'nge arrangements which they had found within, and still more so by discovering a newly severed human', 'rrangements which they had found within, and still more so by discovering a newly severed human thum', 'ements which they had found within, and still more so by discovering a newly severed human thumb upo', 's which they had found within, and still more so by discovering a newly severed human thumb upon a w', 'ch they had found within, and still more so by discovering a newly severed human thumb upon a window', 'ey had found within, and still more so by discovering a newly severed human thumb upon a window-sill', 'd found within, and still more so by discovering a newly severed human thumb upon a window-sill of t', 'nd within, and still more so by discovering a newly severed human thumb upon a window-sill of the se', 'thin, and still more so by discovering a newly severed human thumb upon a window-sill of the second ', ' and still more so by discovering a newly severed human thumb upon a window-sill of the second floor', 'still more so by discovering a newly severed human thumb upon a window-sill of the second floor. abo', ' more so by discovering a newly severed human thumb upon a window-sill of the second floor. about su', ' so by discovering a newly severed human thumb upon a window-sill of the second floor. about sunset,', 'y discovering a newly severed human thumb upon a window-sill of the second floor. about sunset, howe', 'covering a newly severed human thumb upon a window-sill of the second floor. about sunset, however, ', 'ing a newly severed human thumb upon a window-sill of the second floor. about sunset, however, their', ' newly severed human thumb upon a window-sill of the second floor. about sunset, however, their effo', 'y severed human thumb upon a window-sill of the second floor. about sunset, however, their efforts w', 'ered human thumb upon a window-sill of the second floor. about sunset, however, their efforts were a', 'human thumb upon a window-sill of the second floor. about sunset, however, their efforts were at las', ' thumb upon a window-sill of the second floor. about sunset, however, their efforts were at last suc', 'b upon a window-sill of the second floor. about sunset, however, their efforts were at last successf', 'n a window-sill of the second floor. about sunset, however, their efforts were at last successful, a', 'indow-sill of the second floor. about sunset, however, their efforts were at last successful, and th', '-sill of the second floor. about sunset, however, their efforts were at last successful, and they su', ' of the second floor. about sunset, however, their efforts were at last successful, and they subdued', 'he second floor. about sunset, however, their efforts were at last successful, and they subdued the ', 'cond floor. about sunset, however, their efforts were at last successful, and they subdued the flame', 'floor. about sunset, however, their efforts were at last successful, and they subdued the flames, bu', '. about sunset, however, their efforts were at last successful, and they subdued the flames, but not', 'ut sunset, however, their efforts were at last successful, and they subdued the flames, but not befo', 'nset, however, their efforts were at last successful, and they subdued the flames, but not before th', ' however, their efforts were at last successful, and they subdued the flames, but not before the roo', 'ver, their efforts were at last successful, and they subdued the flames, but not before the roof had', 'their efforts were at last successful, and they subdued the flames, but not before the roof had fall', ' efforts were at last successful, and they subdued the flames, but not before the roof had fallen in', 'rts were at last successful, and they subdued the flames, but not before the roof had fallen in, and', 'ere at last successful, and they subdued the flames, but not before the roof had fallen in, and the ', 't last successful, and they subdued the flames, but not before the roof had fallen in, and the whole', 't successful, and they subdued the flames, but not before the roof had fallen in, and the whole plac', 'cessful, and they subdued the flames, but not before the roof had fallen in, and the whole place bee', 'ul, and they subdued the flames, but not before the roof had fallen in, and the whole place been red', 'nd they subdued the flames, but not before the roof had fallen in, and the whole place been reduced ', 'ey subdued the flames, but not before the roof had fallen in, and the whole place been reduced to su', 'bdued the flames, but not before the roof had fallen in, and the whole place been reduced to such ab', ' the flames, but not before the roof had fallen in, and the whole place been reduced to such absolut', 'flames, but not before the roof had fallen in, and the whole place been reduced to such absolute rui', 's, but not before the roof had fallen in, and the whole place been reduced to such absolute ruin tha', 't not before the roof had fallen in, and the whole place been reduced to such absolute ruin that, sa', ' before the roof had fallen in, and the whole place been reduced to such absolute ruin that, save so', 're the roof had fallen in, and the whole place been reduced to such absolute ruin that, save some tw', 'e roof had fallen in, and the whole place been reduced to such absolute ruin that, save some twisted', 'f had fallen in, and the whole place been reduced to such absolute ruin that, save some twisted cyli', ' fallen in, and the whole place been reduced to such absolute ruin that, save some twisted cylinders', 'en in, and the whole place been reduced to such absolute ruin that, save some twisted cylinders and ', ', and the whole place been reduced to such absolute ruin that, save some twisted cylinders and iron ', ' the whole place been reduced to such absolute ruin that, save some twisted cylinders and iron pipin', 'whole place been reduced to such absolute ruin that, save some twisted cylinders and iron piping, no', ' place been reduced to such absolute ruin that, save some twisted cylinders and iron piping, not a t', 'e been reduced to such absolute ruin that, save some twisted cylinders and iron piping, not a trace ', 'n reduced to such absolute ruin that, save some twisted cylinders and iron piping, not a trace remai', 'uced to such absolute ruin that, save some twisted cylinders and iron piping, not a trace remained o', 'to such absolute ruin that, save some twisted cylinders and iron piping, not a trace remained of the', 'ch absolute ruin that, save some twisted cylinders and iron piping, not a trace remained of the mach', 'solute ruin that, save some twisted cylinders and iron piping, not a trace remained of the machinery', 'e ruin that, save some twisted cylinders and iron piping, not a trace remained of the machinery whic', 'n that, save some twisted cylinders and iron piping, not a trace remained of the machinery which had', 't, save some twisted cylinders and iron piping, not a trace remained of the machinery which had cost', 've some twisted cylinders and iron piping, not a trace remained of the machinery which had cost our ', 'me twisted cylinders and iron piping, not a trace remained of the machinery which had cost our unfor', 'isted cylinders and iron piping, not a trace remained of the machinery which had cost our unfortunat', ' cylinders and iron piping, not a trace remained of the machinery which had cost our unfortunate acq', 'nders and iron piping, not a trace remained of the machinery which had cost our unfortunate acquaint', ' and iron piping, not a trace remained of the machinery which had cost our unfortunate acquaintance ', 'iron piping, not a trace remained of the machinery which had cost our unfortunate acquaintance so de', 'piping, not a trace remained of the machinery which had cost our unfortunate acquaintance so dearly.', 'g, not a trace remained of the machinery which had cost our unfortunate acquaintance so dearly. larg', 't a trace remained of the machinery which had cost our unfortunate acquaintance so dearly. large mas', 'race remained of the machinery which had cost our unfortunate acquaintance so dearly. large masses o', 'remained of the machinery which had cost our unfortunate acquaintance so dearly. large masses of nic', 'ned of the machinery which had cost our unfortunate acquaintance so dearly. large masses of nickel a', 'f the machinery which had cost our unfortunate acquaintance so dearly. large masses of nickel and of', ' machinery which had cost our unfortunate acquaintance so dearly. large masses of nickel and of tin ', 'inery which had cost our unfortunate acquaintance so dearly. large masses of nickel and of tin were ', ' which had cost our unfortunate acquaintance so dearly. large masses of nickel and of tin were disco', 'h had cost our unfortunate acquaintance so dearly. large masses of nickel and of tin were discovered', ' cost our unfortunate acquaintance so dearly. large masses of nickel and of tin were discovered stor', ' our unfortunate acquaintance so dearly. large masses of nickel and of tin were discovered stored in', 'unfortunate acquaintance so dearly. large masses of nickel and of tin were discovered stored in an o', 'tunate acquaintance so dearly. large masses of nickel and of tin were discovered stored in an out-ho', 'e acquaintance so dearly. large masses of nickel and of tin were discovered stored in an out-house, ', 'uaintance so dearly. large masses of nickel and of tin were discovered stored in an out-house, but n', 'ance so dearly. large masses of nickel and of tin were discovered stored in an out-house, but no coi', 'so dearly. large masses of nickel and of tin were discovered stored in an out-house, but no coins we', 'arly. large masses of nickel and of tin were discovered stored in an out-house, but no coins were to', ' large masses of nickel and of tin were discovered stored in an out-house, but no coins were to be f', 'e masses of nickel and of tin were discovered stored in an out-house, but no coins were to be found,', 'ses of nickel and of tin were discovered stored in an out-house, but no coins were to be found, whic', 'f nickel and of tin were discovered stored in an out-house, but no coins were to be found, which may', 'kel and of tin were discovered stored in an out-house, but no coins were to be found, which may have', 'nd of tin were discovered stored in an out-house, but no coins were to be found, which may have expl', ' tin were discovered stored in an out-house, but no coins were to be found, which may have explained', 'were discovered stored in an out-house, but no coins were to be found, which may have explained the ', 'discovered stored in an out-house, but no coins were to be found, which may have explained the prese', 'vered stored in an out-house, but no coins were to be found, which may have explained the presence o', ' stored in an out-house, but no coins were to be found, which may have explained the presence of tho', 'ed in an out-house, but no coins were to be found, which may have explained the presence of those bu', ' an out-house, but no coins were to be found, which may have explained the presence of those bulky b', 'ut-house, but no coins were to be found, which may have explained the presence of those bulky boxes ', 'use, but no coins were to be found, which may have explained the presence of those bulky boxes which', 'but no coins were to be found, which may have explained the presence of those bulky boxes which have', 'o coins were to be found, which may have explained the presence of those bulky boxes which have been', 'ns were to be found, which may have explained the presence of those bulky boxes which have been alre', 're to be found, which may have explained the presence of those bulky boxes which have been already r', ' be found, which may have explained the presence of those bulky boxes which have been already referr', 'ound, which may have explained the presence of those bulky boxes which have been already referred to', ' which may have explained the presence of those bulky boxes which have been already referred to. how', 'h may have explained the presence of those bulky boxes which have been already referred to. how our ', ' have explained the presence of those bulky boxes which have been already referred to. how our hydra', ' explained the presence of those bulky boxes which have been already referred to. how our hydraulic ', 'ained the presence of those bulky boxes which have been already referred to. how our hydraulic engin', ' the presence of those bulky boxes which have been already referred to. how our hydraulic engineer h', 'presence of those bulky boxes which have been already referred to. how our hydraulic engineer had be', 'nce of those bulky boxes which have been already referred to. how our hydraulic engineer had been co', 'f those bulky boxes which have been already referred to. how our hydraulic engineer had been conveye', 'se bulky boxes which have been already referred to. how our hydraulic engineer had been conveyed fro', 'lky boxes which have been already referred to. how our hydraulic engineer had been conveyed from the', 'oxes which have been already referred to. how our hydraulic engineer had been conveyed from the gard', 'which have been already referred to. how our hydraulic engineer had been conveyed from the garden to', ' have been already referred to. how our hydraulic engineer had been conveyed from the garden to the ', ' been already referred to. how our hydraulic engineer had been conveyed from the garden to the spot ', ' already referred to. how our hydraulic engineer had been conveyed from the garden to the spot where', 'ady referred to. how our hydraulic engineer had been conveyed from the garden to the spot where he r', 'eferred to. how our hydraulic engineer had been conveyed from the garden to the spot where he recove', 'ed to. how our hydraulic engineer had been conveyed from the garden to the spot where he recovered h', '. how our hydraulic engineer had been conveyed from the garden to the spot where he recovered his se', ' our hydraulic engineer had been conveyed from the garden to the spot where he recovered his senses ', 'hydraulic engineer had been conveyed from the garden to the spot where he recovered his senses might', 'ulic engineer had been conveyed from the garden to the spot where he recovered his senses might have', 'engineer had been conveyed from the garden to the spot where he recovered his senses might have rema', 'eer had been conveyed from the garden to the spot where he recovered his senses might have remained ', 'ad been conveyed from the garden to the spot where he recovered his senses might have remained forev', 'en conveyed from the garden to the spot where he recovered his senses might have remained forever a ', 'nveyed from the garden to the spot where he recovered his senses might have remained forever a myste', 'd from the garden to the spot where he recovered his senses might have remained forever a mystery we', 'm the garden to the spot where he recovered his senses might have remained forever a mystery were it', ' garden to the spot where he recovered his senses might have remained forever a mystery were it not ', 'en to the spot where he recovered his senses might have remained forever a mystery were it not for t', ' the spot where he recovered his senses might have remained forever a mystery were it not for the so', 'spot where he recovered his senses might have remained forever a mystery were it not for the soft mo', 'where he recovered his senses might have remained forever a mystery were it not for the soft mould, ', ' he recovered his senses might have remained forever a mystery were it not for the soft mould, which', 'ecovered his senses might have remained forever a mystery were it not for the soft mould, which told', 'red his senses might have remained forever a mystery were it not for the soft mould, which told us a', 'is senses might have remained forever a mystery were it not for the soft mould, which told us a very', 'nses might have remained forever a mystery were it not for the soft mould, which told us a very plai', 'might have remained forever a mystery were it not for the soft mould, which told us a very plain tal', ' have remained forever a mystery were it not for the soft mould, which told us a very plain tale. he', ' remained forever a mystery were it not for the soft mould, which told us a very plain tale. he had ', 'ined forever a mystery were it not for the soft mould, which told us a very plain tale. he had evide', 'forever a mystery were it not for the soft mould, which told us a very plain tale. he had evidently ', 'er a mystery were it not for the soft mould, which told us a very plain tale. he had evidently been ', 'mystery were it not for the soft mould, which told us a very plain tale. he had evidently been carri', 'ry were it not for the soft mould, which told us a very plain tale. he had evidently been carried do', 're it not for the soft mould, which told us a very plain tale. he had evidently been carried down by', ' not for the soft mould, which told us a very plain tale. he had evidently been carried down by two ', 'for the soft mould, which told us a very plain tale. he had evidently been carried down by two perso', 'he soft mould, which told us a very plain tale. he had evidently been carried down by two persons, o', 'ft mould, which told us a very plain tale. he had evidently been carried down by two persons, one of', 'uld, which told us a very plain tale. he had evidently been carried down by two persons, one of whom', 'which told us a very plain tale. he had evidently been carried down by two persons, one of whom had ', ' told us a very plain tale. he had evidently been carried down by two persons, one of whom had remar', ' us a very plain tale. he had evidently been carried down by two persons, one of whom had remarkably', ' very plain tale. he had evidently been carried down by two persons, one of whom had remarkably smal', ' plain tale. he had evidently been carried down by two persons, one of whom had remarkably small fee', 'n tale. he had evidently been carried down by two persons, one of whom had remarkably small feet and', 'e. he had evidently been carried down by two persons, one of whom had remarkably small feet and the ', ' had evidently been carried down by two persons, one of whom had remarkably small feet and the other', 'evidently been carried down by two persons, one of whom had remarkably small feet and the other unus', 'ntly been carried down by two persons, one of whom had remarkably small feet and the other unusually', 'been carried down by two persons, one of whom had remarkably small feet and the other unusually larg', 'carried down by two persons, one of whom had remarkably small feet and the other unusually large one', 'ed down by two persons, one of whom had remarkably small feet and the other unusually large ones. on', 'wn by two persons, one of whom had remarkably small feet and the other unusually large ones. on the ', ' two persons, one of whom had remarkably small feet and the other unusually large ones. on the whole', 'persons, one of whom had remarkably small feet and the other unusually large ones. on the whole, it ', 'ns, one of whom had remarkably small feet and the other unusually large ones. on the whole, it was m', 'ne of whom had remarkably small feet and the other unusually large ones. on the whole, it was most p', ' whom had remarkably small feet and the other unusually large ones. on the whole, it was most probab', ' had remarkably small feet and the other unusually large ones. on the whole, it was most probable th', 'remarkably small feet and the other unusually large ones. on the whole, it was most probable that th', 'kably small feet and the other unusually large ones. on the whole, it was most probable that the sil', ' small feet and the other unusually large ones. on the whole, it was most probable that the silent e', 'l feet and the other unusually large ones. on the whole, it was most probable that the silent englis', 't and the other unusually large ones. on the whole, it was most probable that the silent englishman,', ' the other unusually large ones. on the whole, it was most probable that the silent englishman, bein', 'other unusually large ones. on the whole, it was most probable that the silent englishman, being les', ' unusually large ones. on the whole, it was most probable that the silent englishman, being less bol', 'ually large ones. on the whole, it was most probable that the silent englishman, being less bold or ', ' large ones. on the whole, it was most probable that the silent englishman, being less bold or less ', 'e ones. on the whole, it was most probable that the silent englishman, being less bold or less murde', 's. on the whole, it was most probable that the silent englishman, being less bold or less murderous ', ' the whole, it was most probable that the silent englishman, being less bold or less murderous than ', 'whole, it was most probable that the silent englishman, being less bold or less murderous than his c', ', it was most probable that the silent englishman, being less bold or less murderous than his compan', 'was most probable that the silent englishman, being less bold or less murderous than his companion, ', 'ost probable that the silent englishman, being less bold or less murderous than his companion, had a', 'robable that the silent englishman, being less bold or less murderous than his companion, had assist', 'le that the silent englishman, being less bold or less murderous than his companion, had assisted th', 'at the silent englishman, being less bold or less murderous than his companion, had assisted the wom', 'e silent englishman, being less bold or less murderous than his companion, had assisted the woman to', 'ent englishman, being less bold or less murderous than his companion, had assisted the woman to bear', 'nglishman, being less bold or less murderous than his companion, had assisted the woman to bear the ', 'hman, being less bold or less murderous than his companion, had assisted the woman to bear the uncon', ' being less bold or less murderous than his companion, had assisted the woman to bear the unconsciou', 'g less bold or less murderous than his companion, had assisted the woman to bear the unconscious man', 's bold or less murderous than his companion, had assisted the woman to bear the unconscious man out ', 'd or less murderous than his companion, had assisted the woman to bear the unconscious man out of th', 'less murderous than his companion, had assisted the woman to bear the unconscious man out of the way', 'murderous than his companion, had assisted the woman to bear the unconscious man out of the way of d', 'rous than his companion, had assisted the woman to bear the unconscious man out of the way of danger', 'than his companion, had assisted the woman to bear the unconscious man out of the way of danger. "we', 'his companion, had assisted the woman to bear the unconscious man out of the way of danger. "well," ', 'ompanion, had assisted the woman to bear the unconscious man out of the way of danger. "well," said ', 'ion, had assisted the woman to bear the unconscious man out of the way of danger. "well," said our e', 'had assisted the woman to bear the unconscious man out of the way of danger. "well," said our engine', 'ssisted the woman to bear the unconscious man out of the way of danger. "well," said our engineer ru', 'ed the woman to bear the unconscious man out of the way of danger. "well," said our engineer ruefull', 'e woman to bear the unconscious man out of the way of danger. "well," said our engineer ruefully as ', 'an to bear the unconscious man out of the way of danger. "well," said our engineer ruefully as we to', ' bear the unconscious man out of the way of danger. "well," said our engineer ruefully as we took ou', ' the unconscious man out of the way of danger. "well," said our engineer ruefully as we took our sea', 'unconscious man out of the way of danger. "well," said our engineer ruefully as we took our seats to', 'scious man out of the way of danger. "well," said our engineer ruefully as we took our seats to retu', 's man out of the way of danger. "well," said our engineer ruefully as we took our seats to return on', ' out of the way of danger. "well," said our engineer ruefully as we took our seats to return once mo', 'of the way of danger. "well," said our engineer ruefully as we took our seats to return once more to', 'e way of danger. "well," said our engineer ruefully as we took our seats to return once more to lond', ' of danger. "well," said our engineer ruefully as we took our seats to return once more to london, "', 'anger. "well," said our engineer ruefully as we took our seats to return once more to london, "it ha', '. "well," said our engineer ruefully as we took our seats to return once more to london, "it has bee', 'll," said our engineer ruefully as we took our seats to return once more to london, "it has been a p', 'said our engineer ruefully as we took our seats to return once more to london, "it has been a pretty', 'our engineer ruefully as we took our seats to return once more to london, "it has been a pretty busi', 'ngineer ruefully as we took our seats to return once more to london, "it has been a pretty business ', 'er ruefully as we took our seats to return once more to london, "it has been a pretty business for m', 'efully as we took our seats to return once more to london, "it has been a pretty business for me! i ', 'y as we took our seats to return once more to london, "it has been a pretty business for me! i have ', 'we took our seats to return once more to london, "it has been a pretty business for me! i have lost ', 'ok our seats to return once more to london, "it has been a pretty business for me! i have lost my th', 'r seats to return once more to london, "it has been a pretty business for me! i have lost my thumb a', 'ts to return once more to london, "it has been a pretty business for me! i have lost my thumb and i ', ' return once more to london, "it has been a pretty business for me! i have lost my thumb and i have ', 'rn once more to london, "it has been a pretty business for me! i have lost my thumb and i have lost ', 'ce more to london, "it has been a pretty business for me! i have lost my thumb and i have lost a fif', 're to london, "it has been a pretty business for me! i have lost my thumb and i have lost a fifty-gu', ' london, "it has been a pretty business for me! i have lost my thumb and i have lost a fifty-guinea ', 'on, "it has been a pretty business for me! i have lost my thumb and i have lost a fifty-guinea fee, ', 'it has been a pretty business for me! i have lost my thumb and i have lost a fifty-guinea fee, and w', 's been a pretty business for me! i have lost my thumb and i have lost a fifty-guinea fee, and what h', 'n a pretty business for me! i have lost my thumb and i have lost a fifty-guinea fee, and what have i', 'retty business for me! i have lost my thumb and i have lost a fifty-guinea fee, and what have i gain', ' business for me! i have lost my thumb and i have lost a fifty-guinea fee, and what have i gained?" ', 'ness for me! i have lost my thumb and i have lost a fifty-guinea fee, and what have i gained?" "expe', 'for me! i have lost my thumb and i have lost a fifty-guinea fee, and what have i gained?" "experienc', 'e! i have lost my thumb and i have lost a fifty-guinea fee, and what have i gained?" "experience," s', 'have lost my thumb and i have lost a fifty-guinea fee, and what have i gained?" "experience," said h', 'lost my thumb and i have lost a fifty-guinea fee, and what have i gained?" "experience," said holmes', 'my thumb and i have lost a fifty-guinea fee, and what have i gained?" "experience," said holmes, lau', 'umb and i have lost a fifty-guinea fee, and what have i gained?" "experience," said holmes, laughing', 'nd i have lost a fifty-guinea fee, and what have i gained?" "experience," said holmes, laughing. "in', 'have lost a fifty-guinea fee, and what have i gained?" "experience," said holmes, laughing. "indirec', 'lost a fifty-guinea fee, and what have i gained?" "experience," said holmes, laughing. "indirectly i', 'a fifty-guinea fee, and what have i gained?" "experience," said holmes, laughing. "indirectly it may', 'ty-guinea fee, and what have i gained?" "experience," said holmes, laughing. "indirectly it may be o', 'inea fee, and what have i gained?" "experience," said holmes, laughing. "indirectly it may be of val', 'fee, and what have i gained?" "experience," said holmes, laughing. "indirectly it may be of value, y', 'and what have i gained?" "experience," said holmes, laughing. "indirectly it may be of value, you kn', 'hat have i gained?" "experience," said holmes, laughing. "indirectly it may be of value, you know; y', 'ave i gained?" "experience," said holmes, laughing. "indirectly it may be of value, you know; you ha', ' gained?" "experience," said holmes, laughing. "indirectly it may be of value, you know; you have on', 'ed?" "experience," said holmes, laughing. "indirectly it may be of value, you know; you have only to', '"experience," said holmes, laughing. "indirectly it may be of value, you know; you have only to put ', 'rience," said holmes, laughing. "indirectly it may be of value, you know; you have only to put it in', 'e," said holmes, laughing. "indirectly it may be of value, you know; you have only to put it into wo', 'aid holmes, laughing. "indirectly it may be of value, you know; you have only to put it into words t', 'olmes, laughing. "indirectly it may be of value, you know; you have only to put it into words to gai', ', laughing. "indirectly it may be of value, you know; you have only to put it into words to gain the', 'ghing. "indirectly it may be of value, you know; you have only to put it into words to gain the repu', '. "indirectly it may be of value, you know; you have only to put it into words to gain the reputatio', 'directly it may be of value, you know; you have only to put it into words to gain the reputation of ', 'tly it may be of value, you know; you have only to put it into words to gain the reputation of being', 't may be of value, you know; you have only to put it into words to gain the reputation of being exce', ' be of value, you know; you have only to put it into words to gain the reputation of being excellent', 'f value, you know; you have only to put it into words to gain the reputation of being excellent comp', 'ue, you know; you have only to put it into words to gain the reputation of being excellent company f', 'ou know; you have only to put it into words to gain the reputation of being excellent company for th', 'ow; you have only to put it into words to gain the reputation of being excellent company for the rem', 'ou have only to put it into words to gain the reputation of being excellent company for the remainde', 've only to put it into words to gain the reputation of being excellent company for the remainder of ', 'ly to put it into words to gain the reputation of being excellent company for the remainder of your ', ' put it into words to gain the reputation of being excellent company for the remainder of your exist', 'it into words to gain the reputation of being excellent company for the remainder of your existence.', 'to words to gain the reputation of being excellent company for the remainder of your existence." x.', 'rds to gain the reputation of being excellent company for the remainder of your existence." x. the ', 'o gain the reputation of being excellent company for the remainder of your existence." x. the adven', 'n the reputation of being excellent company for the remainder of your existence." x. the adventure ', ' reputation of being excellent company for the remainder of your existence." x. the adventure of th', 'tation of being excellent company for the remainder of your existence." x. the adventure of the nob', 'n of being excellent company for the remainder of your existence." x. the adventure of the noble ba', 'being excellent company for the remainder of your existence." x. the adventure of the noble bachelo', ' excellent company for the remainder of your existence." x. the adventure of the noble bachelor the', 'llent company for the remainder of your existence." x. the adventure of the noble bachelor the lord', ' company for the remainder of your existence." x. the adventure of the noble bachelor the lord st. ', 'any for the remainder of your existence." x. the adventure of the noble bachelor the lord st. simon', 'or the remainder of your existence." x. the adventure of the noble bachelor the lord st. simon marr', 'e remainder of your existence." x. the adventure of the noble bachelor the lord st. simon marriage,', 'ainder of your existence." x. the adventure of the noble bachelor the lord st. simon marriage, and ', 'r of your existence." x. the adventure of the noble bachelor the lord st. simon marriage, and its c', 'your existence." x. the adventure of the noble bachelor the lord st. simon marriage, and its curiou', 'existence." x. the adventure of the noble bachelor the lord st. simon marriage, and its curious ter', 'ence." x. the adventure of the noble bachelor the lord st. simon marriage, and its curious terminat', '" x. the adventure of the noble bachelor the lord st. simon marriage, and its curious termination, ', ' the adventure of the noble bachelor the lord st. simon marriage, and its curious termination, have ', 'adventure of the noble bachelor the lord st. simon marriage, and its curious termination, have long ', 'ture of the noble bachelor the lord st. simon marriage, and its curious termination, have long cease', 'of the noble bachelor the lord st. simon marriage, and its curious termination, have long ceased to ', 'e noble bachelor the lord st. simon marriage, and its curious termination, have long ceased to be a ', 'le bachelor the lord st. simon marriage, and its curious termination, have long ceased to be a subje', 'chelor the lord st. simon marriage, and its curious termination, have long ceased to be a subject of', 'r the lord st. simon marriage, and its curious termination, have long ceased to be a subject of inte', ' lord st. simon marriage, and its curious termination, have long ceased to be a subject of interest ', ' st. simon marriage, and its curious termination, have long ceased to be a subject of interest in th', 'simon marriage, and its curious termination, have long ceased to be a subject of interest in those e', ' marriage, and its curious termination, have long ceased to be a subject of interest in those exalte', 'iage, and its curious termination, have long ceased to be a subject of interest in those exalted cir', ' and its curious termination, have long ceased to be a subject of interest in those exalted circles ', 'its curious termination, have long ceased to be a subject of interest in those exalted circles in wh', 'urious termination, have long ceased to be a subject of interest in those exalted circles in which t', 's termination, have long ceased to be a subject of interest in those exalted circles in which the un', 'mination, have long ceased to be a subject of interest in those exalted circles in which the unfortu', 'ion, have long ceased to be a subject of interest in those exalted circles in which the unfortunate ', 'have long ceased to be a subject of interest in those exalted circles in which the unfortunate bride', 'long ceased to be a subject of interest in those exalted circles in which the unfortunate bridegroom', 'ceased to be a subject of interest in those exalted circles in which the unfortunate bridegroom move', 'd to be a subject of interest in those exalted circles in which the unfortunate bridegroom moves. fr', 'be a subject of interest in those exalted circles in which the unfortunate bridegroom moves. fresh s', 'subject of interest in those exalted circles in which the unfortunate bridegroom moves. fresh scanda', 'ct of interest in those exalted circles in which the unfortunate bridegroom moves. fresh scandals ha', ' interest in those exalted circles in which the unfortunate bridegroom moves. fresh scandals have ec', 'rest in those exalted circles in which the unfortunate bridegroom moves. fresh scandals have eclipse', 'in those exalted circles in which the unfortunate bridegroom moves. fresh scandals have eclipsed it,', 'ose exalted circles in which the unfortunate bridegroom moves. fresh scandals have eclipsed it, and ', 'xalted circles in which the unfortunate bridegroom moves. fresh scandals have eclipsed it, and their', 'd circles in which the unfortunate bridegroom moves. fresh scandals have eclipsed it, and their more', 'cles in which the unfortunate bridegroom moves. fresh scandals have eclipsed it, and their more piqu', 'in which the unfortunate bridegroom moves. fresh scandals have eclipsed it, and their more piquant d', 'ich the unfortunate bridegroom moves. fresh scandals have eclipsed it, and their more piquant detail', 'he unfortunate bridegroom moves. fresh scandals have eclipsed it, and their more piquant details hav', 'fortunate bridegroom moves. fresh scandals have eclipsed it, and their more piquant details have dra', 'nate bridegroom moves. fresh scandals have eclipsed it, and their more piquant details have drawn th', 'bridegroom moves. fresh scandals have eclipsed it, and their more piquant details have drawn the gos', 'groom moves. fresh scandals have eclipsed it, and their more piquant details have drawn the gossips ', ' moves. fresh scandals have eclipsed it, and their more piquant details have drawn the gossips away ', 's. fresh scandals have eclipsed it, and their more piquant details have drawn the gossips away from ', 'esh scandals have eclipsed it, and their more piquant details have drawn the gossips away from this ', 'candals have eclipsed it, and their more piquant details have drawn the gossips away from this four-', 'ls have eclipsed it, and their more piquant details have drawn the gossips away from this four-year-', 've eclipsed it, and their more piquant details have drawn the gossips away from this four-year-old d', 'lipsed it, and their more piquant details have drawn the gossips away from this four-year-old drama.', 'd it, and their more piquant details have drawn the gossips away from this four-year-old drama. as i', ' and their more piquant details have drawn the gossips away from this four-year-old drama. as i have', 'their more piquant details have drawn the gossips away from this four-year-old drama. as i have reas', ' more piquant details have drawn the gossips away from this four-year-old drama. as i have reason to', ' piquant details have drawn the gossips away from this four-year-old drama. as i have reason to beli', 'ant details have drawn the gossips away from this four-year-old drama. as i have reason to believe, ', 'etails have drawn the gossips away from this four-year-old drama. as i have reason to believe, howev', 's have drawn the gossips away from this four-year-old drama. as i have reason to believe, however, t', 'e drawn the gossips away from this four-year-old drama. as i have reason to believe, however, that t', 'wn the gossips away from this four-year-old drama. as i have reason to believe, however, that the fu', 'e gossips away from this four-year-old drama. as i have reason to believe, however, that the full fa', 'sips away from this four-year-old drama. as i have reason to believe, however, that the full facts h', 'away from this four-year-old drama. as i have reason to believe, however, that the full facts have n', 'from this four-year-old drama. as i have reason to believe, however, that the full facts have never ', 'this four-year-old drama. as i have reason to believe, however, that the full facts have never been ', 'four-year-old drama. as i have reason to believe, however, that the full facts have never been revea', 'year-old drama. as i have reason to believe, however, that the full facts have never been revealed t', 'old drama. as i have reason to believe, however, that the full facts have never been revealed to the', 'rama. as i have reason to believe, however, that the full facts have never been revealed to the gene', ' as i have reason to believe, however, that the full facts have never been revealed to the general p', ' have reason to believe, however, that the full facts have never been revealed to the general public', ' reason to believe, however, that the full facts have never been revealed to the general public, and', 'on to believe, however, that the full facts have never been revealed to the general public, and as m', ' believe, however, that the full facts have never been revealed to the general public, and as my fri', 'eve, however, that the full facts have never been revealed to the general public, and as my friend s', 'however, that the full facts have never been revealed to the general public, and as my friend sherlo', 'er, that the full facts have never been revealed to the general public, and as my friend sherlock ho', 'hat the full facts have never been revealed to the general public, and as my friend sherlock holmes ', 'he full facts have never been revealed to the general public, and as my friend sherlock holmes had a', 'll facts have never been revealed to the general public, and as my friend sherlock holmes had a cons', 'cts have never been revealed to the general public, and as my friend sherlock holmes had a considera', 'ave never been revealed to the general public, and as my friend sherlock holmes had a considerable s', 'ever been revealed to the general public, and as my friend sherlock holmes had a considerable share ', 'been revealed to the general public, and as my friend sherlock holmes had a considerable share in cl', 'revealed to the general public, and as my friend sherlock holmes had a considerable share in clearin', 'led to the general public, and as my friend sherlock holmes had a considerable share in clearing the', 'o the general public, and as my friend sherlock holmes had a considerable share in clearing the matt', ' general public, and as my friend sherlock holmes had a considerable share in clearing the matter up', 'ral public, and as my friend sherlock holmes had a considerable share in clearing the matter up, i f', 'ublic, and as my friend sherlock holmes had a considerable share in clearing the matter up, i feel t', ', and as my friend sherlock holmes had a considerable share in clearing the matter up, i feel that n', ' as my friend sherlock holmes had a considerable share in clearing the matter up, i feel that no mem', 'y friend sherlock holmes had a considerable share in clearing the matter up, i feel that no memoir o', 'end sherlock holmes had a considerable share in clearing the matter up, i feel that no memoir of him', 'herlock holmes had a considerable share in clearing the matter up, i feel that no memoir of him woul', 'ck holmes had a considerable share in clearing the matter up, i feel that no memoir of him would be ', 'lmes had a considerable share in clearing the matter up, i feel that no memoir of him would be compl', 'had a considerable share in clearing the matter up, i feel that no memoir of him would be complete w', ' considerable share in clearing the matter up, i feel that no memoir of him would be complete withou', 'iderable share in clearing the matter up, i feel that no memoir of him would be complete without som', 'ble share in clearing the matter up, i feel that no memoir of him would be complete without some lit', 'hare in clearing the matter up, i feel that no memoir of him would be complete without some little s', 'in clearing the matter up, i feel that no memoir of him would be complete without some little sketch', 'earing the matter up, i feel that no memoir of him would be complete without some little sketch of t', 'g the matter up, i feel that no memoir of him would be complete without some little sketch of this r', ' matter up, i feel that no memoir of him would be complete without some little sketch of this remark', 'er up, i feel that no memoir of him would be complete without some little sketch of this remarkable ', ', i feel that no memoir of him would be complete without some little sketch of this remarkable episo', 'eel that no memoir of him would be complete without some little sketch of this remarkable episode. i', 'hat no memoir of him would be complete without some little sketch of this remarkable episode. it was', 'o memoir of him would be complete without some little sketch of this remarkable episode. it was a fe', 'oir of him would be complete without some little sketch of this remarkable episode. it was a few wee', 'f him would be complete without some little sketch of this remarkable episode. it was a few weeks be', ' would be complete without some little sketch of this remarkable episode. it was a few weeks before ', 'd be complete without some little sketch of this remarkable episode. it was a few weeks before my ow', 'complete without some little sketch of this remarkable episode. it was a few weeks before my own mar', 'ete without some little sketch of this remarkable episode. it was a few weeks before my own marriage', 'ithout some little sketch of this remarkable episode. it was a few weeks before my own marriage, dur', 't some little sketch of this remarkable episode. it was a few weeks before my own marriage, during t', 'e little sketch of this remarkable episode. it was a few weeks before my own marriage, during the da', 'tle sketch of this remarkable episode. it was a few weeks before my own marriage, during the days wh', 'ketch of this remarkable episode. it was a few weeks before my own marriage, during the days when i ', ' of this remarkable episode. it was a few weeks before my own marriage, during the days when i was s', 'his remarkable episode. it was a few weeks before my own marriage, during the days when i was still ', 'emarkable episode. it was a few weeks before my own marriage, during the days when i was still shari', 'able episode. it was a few weeks before my own marriage, during the days when i was still sharing ro', 'episode. it was a few weeks before my own marriage, during the days when i was still sharing rooms w', 'de. it was a few weeks before my own marriage, during the days when i was still sharing rooms with h', 't was a few weeks before my own marriage, during the days when i was still sharing rooms with holmes', ' a few weeks before my own marriage, during the days when i was still sharing rooms with holmes in b', 'w weeks before my own marriage, during the days when i was still sharing rooms with holmes in baker ', 'ks before my own marriage, during the days when i was still sharing rooms with holmes in baker stree', 'fore my own marriage, during the days when i was still sharing rooms with holmes in baker street, th', 'my own marriage, during the days when i was still sharing rooms with holmes in baker street, that he', 'n marriage, during the days when i was still sharing rooms with holmes in baker street, that he came', 'riage, during the days when i was still sharing rooms with holmes in baker street, that he came home', ', during the days when i was still sharing rooms with holmes in baker street, that he came home from', 'ing the days when i was still sharing rooms with holmes in baker street, that he came home from an a', 'he days when i was still sharing rooms with holmes in baker street, that he came home from an aftern', 'ys when i was still sharing rooms with holmes in baker street, that he came home from an afternoon s', 'en i was still sharing rooms with holmes in baker street, that he came home from an afternoon stroll', 'was still sharing rooms with holmes in baker street, that he came home from an afternoon stroll to f', 'till sharing rooms with holmes in baker street, that he came home from an afternoon stroll to find a', 'sharing rooms with holmes in baker street, that he came home from an afternoon stroll to find a lett', 'ng rooms with holmes in baker street, that he came home from an afternoon stroll to find a letter on', 'oms with holmes in baker street, that he came home from an afternoon stroll to find a letter on the ', 'ith holmes in baker street, that he came home from an afternoon stroll to find a letter on the table', 'olmes in baker street, that he came home from an afternoon stroll to find a letter on the table wait', ' in baker street, that he came home from an afternoon stroll to find a letter on the table waiting f', 'aker street, that he came home from an afternoon stroll to find a letter on the table waiting for hi', 'street, that he came home from an afternoon stroll to find a letter on the table waiting for him. i ', 't, that he came home from an afternoon stroll to find a letter on the table waiting for him. i had r', 'at he came home from an afternoon stroll to find a letter on the table waiting for him. i had remain', ' came home from an afternoon stroll to find a letter on the table waiting for him. i had remained in', ' home from an afternoon stroll to find a letter on the table waiting for him. i had remained indoors', ' from an afternoon stroll to find a letter on the table waiting for him. i had remained indoors all ', ' an afternoon stroll to find a letter on the table waiting for him. i had remained indoors all day, ', 'fternoon stroll to find a letter on the table waiting for him. i had remained indoors all day, for t', 'oon stroll to find a letter on the table waiting for him. i had remained indoors all day, for the we', 'troll to find a letter on the table waiting for him. i had remained indoors all day, for the weather', ' to find a letter on the table waiting for him. i had remained indoors all day, for the weather had ', 'ind a letter on the table waiting for him. i had remained indoors all day, for the weather had taken', ' letter on the table waiting for him. i had remained indoors all day, for the weather had taken a su', 'er on the table waiting for him. i had remained indoors all day, for the weather had taken a sudden ', ' the table waiting for him. i had remained indoors all day, for the weather had taken a sudden turn ', 'table waiting for him. i had remained indoors all day, for the weather had taken a sudden turn to ra', ' waiting for him. i had remained indoors all day, for the weather had taken a sudden turn to rain, w', 'ing for him. i had remained indoors all day, for the weather had taken a sudden turn to rain, with h', 'or him. i had remained indoors all day, for the weather had taken a sudden turn to rain, with high a', 'm. i had remained indoors all day, for the weather had taken a sudden turn to rain, with high autumn', 'had remained indoors all day, for the weather had taken a sudden turn to rain, with high autumnal wi', 'emained indoors all day, for the weather had taken a sudden turn to rain, with high autumnal winds, ', 'ed indoors all day, for the weather had taken a sudden turn to rain, with high autumnal winds, and t', 'doors all day, for the weather had taken a sudden turn to rain, with high autumnal winds, and the je', ' all day, for the weather had taken a sudden turn to rain, with high autumnal winds, and the jezail ', 'day, for the weather had taken a sudden turn to rain, with high autumnal winds, and the jezail bulle', 'for the weather had taken a sudden turn to rain, with high autumnal winds, and the jezail bullet whi', 'he weather had taken a sudden turn to rain, with high autumnal winds, and the jezail bullet which i ', 'ather had taken a sudden turn to rain, with high autumnal winds, and the jezail bullet which i had b', ' had taken a sudden turn to rain, with high autumnal winds, and the jezail bullet which i had brough', 'taken a sudden turn to rain, with high autumnal winds, and the jezail bullet which i had brought bac', ' a sudden turn to rain, with high autumnal winds, and the jezail bullet which i had brought back in ', 'dden turn to rain, with high autumnal winds, and the jezail bullet which i had brought back in one o', 'turn to rain, with high autumnal winds, and the jezail bullet which i had brought back in one of my ', 'to rain, with high autumnal winds, and the jezail bullet which i had brought back in one of my limbs', 'in, with high autumnal winds, and the jezail bullet which i had brought back in one of my limbs as a', 'ith high autumnal winds, and the jezail bullet which i had brought back in one of my limbs as a reli', 'igh autumnal winds, and the jezail bullet which i had brought back in one of my limbs as a relic of ', 'utumnal winds, and the jezail bullet which i had brought back in one of my limbs as a relic of my af', 'al winds, and the jezail bullet which i had brought back in one of my limbs as a relic of my afghan ', 'nds, and the jezail bullet which i had brought back in one of my limbs as a relic of my afghan campa', 'and the jezail bullet which i had brought back in one of my limbs as a relic of my afghan campaign t', 'he jezail bullet which i had brought back in one of my limbs as a relic of my afghan campaign throbb', 'zail bullet which i had brought back in one of my limbs as a relic of my afghan campaign throbbed wi', 'bullet which i had brought back in one of my limbs as a relic of my afghan campaign throbbed with du', 't which i had brought back in one of my limbs as a relic of my afghan campaign throbbed with dull pe', 'ch i had brought back in one of my limbs as a relic of my afghan campaign throbbed with dull persist', 'had brought back in one of my limbs as a relic of my afghan campaign throbbed with dull persistence.', 'rought back in one of my limbs as a relic of my afghan campaign throbbed with dull persistence. with', 't back in one of my limbs as a relic of my afghan campaign throbbed with dull persistence. with my b', 'k in one of my limbs as a relic of my afghan campaign throbbed with dull persistence. with my body i', 'one of my limbs as a relic of my afghan campaign throbbed with dull persistence. with my body in one', 'f my limbs as a relic of my afghan campaign throbbed with dull persistence. with my body in one easy', 'limbs as a relic of my afghan campaign throbbed with dull persistence. with my body in one easy-chai', ' as a relic of my afghan campaign throbbed with dull persistence. with my body in one easy-chair and', ' relic of my afghan campaign throbbed with dull persistence. with my body in one easy-chair and my l', 'c of my afghan campaign throbbed with dull persistence. with my body in one easy-chair and my legs u', 'my afghan campaign throbbed with dull persistence. with my body in one easy-chair and my legs upon a', 'ghan campaign throbbed with dull persistence. with my body in one easy-chair and my legs upon anothe', 'campaign throbbed with dull persistence. with my body in one easy-chair and my legs upon another, i ', 'ign throbbed with dull persistence. with my body in one easy-chair and my legs upon another, i had s', 'hrobbed with dull persistence. with my body in one easy-chair and my legs upon another, i had surrou', 'ed with dull persistence. with my body in one easy-chair and my legs upon another, i had surrounded ', 'th dull persistence. with my body in one easy-chair and my legs upon another, i had surrounded mysel', 'll persistence. with my body in one easy-chair and my legs upon another, i had surrounded myself wit', 'rsistence. with my body in one easy-chair and my legs upon another, i had surrounded myself with a c', 'ence. with my body in one easy-chair and my legs upon another, i had surrounded myself with a cloud ', ' with my body in one easy-chair and my legs upon another, i had surrounded myself with a cloud of ne', ' my body in one easy-chair and my legs upon another, i had surrounded myself with a cloud of newspap', 'ody in one easy-chair and my legs upon another, i had surrounded myself with a cloud of newspapers u', 'n one easy-chair and my legs upon another, i had surrounded myself with a cloud of newspapers until ', ' easy-chair and my legs upon another, i had surrounded myself with a cloud of newspapers until at la', '-chair and my legs upon another, i had surrounded myself with a cloud of newspapers until at last, s', 'r and my legs upon another, i had surrounded myself with a cloud of newspapers until at last, satura', ' my legs upon another, i had surrounded myself with a cloud of newspapers until at last, saturated w', 'egs upon another, i had surrounded myself with a cloud of newspapers until at last, saturated with t', 'pon another, i had surrounded myself with a cloud of newspapers until at last, saturated with the ne', 'nother, i had surrounded myself with a cloud of newspapers until at last, saturated with the news of', 'r, i had surrounded myself with a cloud of newspapers until at last, saturated with the news of the ', 'had surrounded myself with a cloud of newspapers until at last, saturated with the news of the day, ', 'urrounded myself with a cloud of newspapers until at last, saturated with the news of the day, i tos', 'nded myself with a cloud of newspapers until at last, saturated with the news of the day, i tossed t', 'myself with a cloud of newspapers until at last, saturated with the news of the day, i tossed them a', 'f with a cloud of newspapers until at last, saturated with the news of the day, i tossed them all as', 'h a cloud of newspapers until at last, saturated with the news of the day, i tossed them all aside a', 'loud of newspapers until at last, saturated with the news of the day, i tossed them all aside and la', 'of newspapers until at last, saturated with the news of the day, i tossed them all aside and lay lis', 'wspapers until at last, saturated with the news of the day, i tossed them all aside and lay listless', 'ers until at last, saturated with the news of the day, i tossed them all aside and lay listless, wat', 'ntil at last, saturated with the news of the day, i tossed them all aside and lay listless, watching', 'at last, saturated with the news of the day, i tossed them all aside and lay listless, watching the ', 'st, saturated with the news of the day, i tossed them all aside and lay listless, watching the huge ', 'aturated with the news of the day, i tossed them all aside and lay listless, watching the huge crest', 'ted with the news of the day, i tossed them all aside and lay listless, watching the huge crest and ', 'ith the news of the day, i tossed them all aside and lay listless, watching the huge crest and monog', 'he news of the day, i tossed them all aside and lay listless, watching the huge crest and monogram u', 'ws of the day, i tossed them all aside and lay listless, watching the huge crest and monogram upon t', ' the day, i tossed them all aside and lay listless, watching the huge crest and monogram upon the en', 'day, i tossed them all aside and lay listless, watching the huge crest and monogram upon the envelop', 'i tossed them all aside and lay listless, watching the huge crest and monogram upon the envelope upo', 'sed them all aside and lay listless, watching the huge crest and monogram upon the envelope upon the', 'hem all aside and lay listless, watching the huge crest and monogram upon the envelope upon the tabl', 'll aside and lay listless, watching the huge crest and monogram upon the envelope upon the table and', 'ide and lay listless, watching the huge crest and monogram upon the envelope upon the table and wond', 'nd lay listless, watching the huge crest and monogram upon the envelope upon the table and wondering', 'y listless, watching the huge crest and monogram upon the envelope upon the table and wondering lazi', 'tless, watching the huge crest and monogram upon the envelope upon the table and wondering lazily wh', ', watching the huge crest and monogram upon the envelope upon the table and wondering lazily who my ', 'ching the huge crest and monogram upon the envelope upon the table and wondering lazily who my frien', " the huge crest and monogram upon the envelope upon the table and wondering lazily who my friend's n", "huge crest and monogram upon the envelope upon the table and wondering lazily who my friend's noble ", "crest and monogram upon the envelope upon the table and wondering lazily who my friend's noble corre", " and monogram upon the envelope upon the table and wondering lazily who my friend's noble correspond", "monogram upon the envelope upon the table and wondering lazily who my friend's noble correspondent c", "ram upon the envelope upon the table and wondering lazily who my friend's noble correspondent could ", 'pon the envelope upon the table and wondering lazily who my friend\'s noble correspondent could be. "', 'he envelope upon the table and wondering lazily who my friend\'s noble correspondent could be. "here ', 'velope upon the table and wondering lazily who my friend\'s noble correspondent could be. "here is a ', 'e upon the table and wondering lazily who my friend\'s noble correspondent could be. "here is a very ', 'n the table and wondering lazily who my friend\'s noble correspondent could be. "here is a very fashi', ' table and wondering lazily who my friend\'s noble correspondent could be. "here is a very fashionabl', 'e and wondering lazily who my friend\'s noble correspondent could be. "here is a very fashionable epi', ' wondering lazily who my friend\'s noble correspondent could be. "here is a very fashionable epistle,', 'ering lazily who my friend\'s noble correspondent could be. "here is a very fashionable epistle," i r', ' lazily who my friend\'s noble correspondent could be. "here is a very fashionable epistle," i remark', 'ly who my friend\'s noble correspondent could be. "here is a very fashionable epistle," i remarked as', 'o my friend\'s noble correspondent could be. "here is a very fashionable epistle," i remarked as he e', 'friend\'s noble correspondent could be. "here is a very fashionable epistle," i remarked as he entere', 'd\'s noble correspondent could be. "here is a very fashionable epistle," i remarked as he entered. "y', 'oble correspondent could be. "here is a very fashionable epistle," i remarked as he entered. "your m', 'correspondent could be. "here is a very fashionable epistle," i remarked as he entered. "your mornin', 'spondent could be. "here is a very fashionable epistle," i remarked as he entered. "your morning let', 'ent could be. "here is a very fashionable epistle," i remarked as he entered. "your morning letters,', 'ould be. "here is a very fashionable epistle," i remarked as he entered. "your morning letters, if i', 'be. "here is a very fashionable epistle," i remarked as he entered. "your morning letters, if i reme', 'here is a very fashionable epistle," i remarked as he entered. "your morning letters, if i remember ', 'is a very fashionable epistle," i remarked as he entered. "your morning letters, if i remember right', 'very fashionable epistle," i remarked as he entered. "your morning letters, if i remember right, wer', 'fashionable epistle," i remarked as he entered. "your morning letters, if i remember right, were fro', 'onable epistle," i remarked as he entered. "your morning letters, if i remember right, were from a f', 'e epistle," i remarked as he entered. "your morning letters, if i remember right, were from a fish-m', 'stle," i remarked as he entered. "your morning letters, if i remember right, were from a fish-monger', '" i remarked as he entered. "your morning letters, if i remember right, were from a fish-monger and ', 'emarked as he entered. "your morning letters, if i remember right, were from a fish-monger and a tid', 'ed as he entered. "your morning letters, if i remember right, were from a fish-monger and a tide-wai', ' he entered. "your morning letters, if i remember right, were from a fish-monger and a tide-waiter."', 'ntered. "your morning letters, if i remember right, were from a fish-monger and a tide-waiter." "yes', 'd. "your morning letters, if i remember right, were from a fish-monger and a tide-waiter." "yes, my ', 'our morning letters, if i remember right, were from a fish-monger and a tide-waiter." "yes, my corre', 'orning letters, if i remember right, were from a fish-monger and a tide-waiter." "yes, my correspond', 'g letters, if i remember right, were from a fish-monger and a tide-waiter." "yes, my correspondence ', 'ters, if i remember right, were from a fish-monger and a tide-waiter." "yes, my correspondence has c', ' if i remember right, were from a fish-monger and a tide-waiter." "yes, my correspondence has certai', ' remember right, were from a fish-monger and a tide-waiter." "yes, my correspondence has certainly t', 'mber right, were from a fish-monger and a tide-waiter." "yes, my correspondence has certainly the ch', 'right, were from a fish-monger and a tide-waiter." "yes, my correspondence has certainly the charm o', ', were from a fish-monger and a tide-waiter." "yes, my correspondence has certainly the charm of var', 'e from a fish-monger and a tide-waiter." "yes, my correspondence has certainly the charm of variety,', 'm a fish-monger and a tide-waiter." "yes, my correspondence has certainly the charm of variety," he ', 'ish-monger and a tide-waiter." "yes, my correspondence has certainly the charm of variety," he answe', 'onger and a tide-waiter." "yes, my correspondence has certainly the charm of variety," he answered, ', ' and a tide-waiter." "yes, my correspondence has certainly the charm of variety," he answered, smili', 'a tide-waiter." "yes, my correspondence has certainly the charm of variety," he answered, smiling, "', 'e-waiter." "yes, my correspondence has certainly the charm of variety," he answered, smiling, "and t', 'ter." "yes, my correspondence has certainly the charm of variety," he answered, smiling, "and the hu', ' "yes, my correspondence has certainly the charm of variety," he answered, smiling, "and the humbler', ', my correspondence has certainly the charm of variety," he answered, smiling, "and the humbler are ', 'correspondence has certainly the charm of variety," he answered, smiling, "and the humbler are usual', 'spondence has certainly the charm of variety," he answered, smiling, "and the humbler are usually th', 'ence has certainly the charm of variety," he answered, smiling, "and the humbler are usually the mor', 'has certainly the charm of variety," he answered, smiling, "and the humbler are usually the more int', 'ertainly the charm of variety," he answered, smiling, "and the humbler are usually the more interest', 'nly the charm of variety," he answered, smiling, "and the humbler are usually the more interesting. ', 'he charm of variety," he answered, smiling, "and the humbler are usually the more interesting. this ', 'arm of variety," he answered, smiling, "and the humbler are usually the more interesting. this looks', 'f variety," he answered, smiling, "and the humbler are usually the more interesting. this looks like', 'iety," he answered, smiling, "and the humbler are usually the more interesting. this looks like one ', '" he answered, smiling, "and the humbler are usually the more interesting. this looks like one of th', 'answered, smiling, "and the humbler are usually the more interesting. this looks like one of those u', 'red, smiling, "and the humbler are usually the more interesting. this looks like one of those unwelc', 'smiling, "and the humbler are usually the more interesting. this looks like one of those unwelcome s', 'ng, "and the humbler are usually the more interesting. this looks like one of those unwelcome social', 'and the humbler are usually the more interesting. this looks like one of those unwelcome social summ', 'he humbler are usually the more interesting. this looks like one of those unwelcome social summonses', 'mbler are usually the more interesting. this looks like one of those unwelcome social summonses whic', ' are usually the more interesting. this looks like one of those unwelcome social summonses which cal', 'usually the more interesting. this looks like one of those unwelcome social summonses which call upo', 'ly the more interesting. this looks like one of those unwelcome social summonses which call upon a m', 'e more interesting. this looks like one of those unwelcome social summonses which call upon a man ei', 'e interesting. this looks like one of those unwelcome social summonses which call upon a man either ', 'eresting. this looks like one of those unwelcome social summonses which call upon a man either to be', 'ing. this looks like one of those unwelcome social summonses which call upon a man either to be bore', 'this looks like one of those unwelcome social summonses which call upon a man either to be bored or ', 'looks like one of those unwelcome social summonses which call upon a man either to be bored or to li', ' like one of those unwelcome social summonses which call upon a man either to be bored or to lie." h', ' one of those unwelcome social summonses which call upon a man either to be bored or to lie." he bro', 'of those unwelcome social summonses which call upon a man either to be bored or to lie." he broke th', 'ose unwelcome social summonses which call upon a man either to be bored or to lie." he broke the sea', 'nwelcome social summonses which call upon a man either to be bored or to lie." he broke the seal and', 'ome social summonses which call upon a man either to be bored or to lie." he broke the seal and glan', 'ocial summonses which call upon a man either to be bored or to lie." he broke the seal and glanced o', ' summonses which call upon a man either to be bored or to lie." he broke the seal and glanced over t', 'onses which call upon a man either to be bored or to lie." he broke the seal and glanced over the co', ' which call upon a man either to be bored or to lie." he broke the seal and glanced over the content', 'h call upon a man either to be bored or to lie." he broke the seal and glanced over the contents. "o', 'l upon a man either to be bored or to lie." he broke the seal and glanced over the contents. "oh, co', 'n a man either to be bored or to lie." he broke the seal and glanced over the contents. "oh, come, i', 'an either to be bored or to lie." he broke the seal and glanced over the contents. "oh, come, it may', 'ther to be bored or to lie." he broke the seal and glanced over the contents. "oh, come, it may prov', 'to be bored or to lie." he broke the seal and glanced over the contents. "oh, come, it may prove to ', ' bored or to lie." he broke the seal and glanced over the contents. "oh, come, it may prove to be so', 'd or to lie." he broke the seal and glanced over the contents. "oh, come, it may prove to be somethi', 'to lie." he broke the seal and glanced over the contents. "oh, come, it may prove to be something of', 'e." he broke the seal and glanced over the contents. "oh, come, it may prove to be something of inte', 'e broke the seal and glanced over the contents. "oh, come, it may prove to be something of interest,', 'ke the seal and glanced over the contents. "oh, come, it may prove to be something of interest, afte', 'e seal and glanced over the contents. "oh, come, it may prove to be something of interest, after all', 'l and glanced over the contents. "oh, come, it may prove to be something of interest, after all." "n', ' glanced over the contents. "oh, come, it may prove to be something of interest, after all." "not so', 'ced over the contents. "oh, come, it may prove to be something of interest, after all." "not social,', 'ver the contents. "oh, come, it may prove to be something of interest, after all." "not social, then', 'he contents. "oh, come, it may prove to be something of interest, after all." "not social, then?" "n', 'ntents. "oh, come, it may prove to be something of interest, after all." "not social, then?" "no, di', 's. "oh, come, it may prove to be something of interest, after all." "not social, then?" "no, distinc', 'h, come, it may prove to be something of interest, after all." "not social, then?" "no, distinctly p', 'me, it may prove to be something of interest, after all." "not social, then?" "no, distinctly profes', 't may prove to be something of interest, after all." "not social, then?" "no, distinctly professiona', ' prove to be something of interest, after all." "not social, then?" "no, distinctly professional." "', 'e to be something of interest, after all." "not social, then?" "no, distinctly professional." "and f', 'be something of interest, after all." "not social, then?" "no, distinctly professional." "and from a', 'mething of interest, after all." "not social, then?" "no, distinctly professional." "and from a nobl', 'ng of interest, after all." "not social, then?" "no, distinctly professional." "and from a noble cli', ' interest, after all." "not social, then?" "no, distinctly professional." "and from a noble client?"', 'rest, after all." "not social, then?" "no, distinctly professional." "and from a noble client?" "one', ' after all." "not social, then?" "no, distinctly professional." "and from a noble client?" "one of t', 'r all." "not social, then?" "no, distinctly professional." "and from a noble client?" "one of the hi', '." "not social, then?" "no, distinctly professional." "and from a noble client?" "one of the highest', 'ot social, then?" "no, distinctly professional." "and from a noble client?" "one of the highest in e', 'cial, then?" "no, distinctly professional." "and from a noble client?" "one of the highest in englan', ' then?" "no, distinctly professional." "and from a noble client?" "one of the highest in england." "', '?" "no, distinctly professional." "and from a noble client?" "one of the highest in england." "my de', 'o, distinctly professional." "and from a noble client?" "one of the highest in england." "my dear fe', 'stinctly professional." "and from a noble client?" "one of the highest in england." "my dear fellow,', 'tly professional." "and from a noble client?" "one of the highest in england." "my dear fellow, i co', 'rofessional." "and from a noble client?" "one of the highest in england." "my dear fellow, i congrat', 'sional." "and from a noble client?" "one of the highest in england." "my dear fellow, i congratulate', 'l." "and from a noble client?" "one of the highest in england." "my dear fellow, i congratulate you.', 'and from a noble client?" "one of the highest in england." "my dear fellow, i congratulate you." "i ', 'rom a noble client?" "one of the highest in england." "my dear fellow, i congratulate you." "i assur', ' noble client?" "one of the highest in england." "my dear fellow, i congratulate you." "i assure you', 'e client?" "one of the highest in england." "my dear fellow, i congratulate you." "i assure you, wat', 'ent?" "one of the highest in england." "my dear fellow, i congratulate you." "i assure you, watson, ', ' "one of the highest in england." "my dear fellow, i congratulate you." "i assure you, watson, witho', ' of the highest in england." "my dear fellow, i congratulate you." "i assure you, watson, without af', 'he highest in england." "my dear fellow, i congratulate you." "i assure you, watson, without affecta', 'ghest in england." "my dear fellow, i congratulate you." "i assure you, watson, without affectation,', ' in england." "my dear fellow, i congratulate you." "i assure you, watson, without affectation, that', 'ngland." "my dear fellow, i congratulate you." "i assure you, watson, without affectation, that the ', 'd." "my dear fellow, i congratulate you." "i assure you, watson, without affectation, that the statu', 'my dear fellow, i congratulate you." "i assure you, watson, without affectation, that the status of ', 'ar fellow, i congratulate you." "i assure you, watson, without affectation, that the status of my cl', 'llow, i congratulate you." "i assure you, watson, without affectation, that the status of my client ', ' i congratulate you." "i assure you, watson, without affectation, that the status of my client is a ', 'ngratulate you." "i assure you, watson, without affectation, that the status of my client is a matte', 'ulate you." "i assure you, watson, without affectation, that the status of my client is a matter of ', ' you." "i assure you, watson, without affectation, that the status of my client is a matter of less ', '" "i assure you, watson, without affectation, that the status of my client is a matter of less momen', 'assure you, watson, without affectation, that the status of my client is a matter of less moment to ', 'e you, watson, without affectation, that the status of my client is a matter of less moment to me th', ', watson, without affectation, that the status of my client is a matter of less moment to me than th', 'son, without affectation, that the status of my client is a matter of less moment to me than the int', 'without affectation, that the status of my client is a matter of less moment to me than the interest', 'ut affectation, that the status of my client is a matter of less moment to me than the interest of h', 'fectation, that the status of my client is a matter of less moment to me than the interest of his ca', 'tion, that the status of my client is a matter of less moment to me than the interest of his case. i', ' that the status of my client is a matter of less moment to me than the interest of his case. it is ', ' the status of my client is a matter of less moment to me than the interest of his case. it is just ', 'status of my client is a matter of less moment to me than the interest of his case. it is just possi', 's of my client is a matter of less moment to me than the interest of his case. it is just possible, ', 'my client is a matter of less moment to me than the interest of his case. it is just possible, howev', 'ient is a matter of less moment to me than the interest of his case. it is just possible, however, t', 'is a matter of less moment to me than the interest of his case. it is just possible, however, that t', 'matter of less moment to me than the interest of his case. it is just possible, however, that that a', 'r of less moment to me than the interest of his case. it is just possible, however, that that also m', 'less moment to me than the interest of his case. it is just possible, however, that that also may no', 'moment to me than the interest of his case. it is just possible, however, that that also may not be ', 't to me than the interest of his case. it is just possible, however, that that also may not be wanti', 'me than the interest of his case. it is just possible, however, that that also may not be wanting in', 'an the interest of his case. it is just possible, however, that that also may not be wanting in this', 'e interest of his case. it is just possible, however, that that also may not be wanting in this new ', 'erest of his case. it is just possible, however, that that also may not be wanting in this new inves', ' of his case. it is just possible, however, that that also may not be wanting in this new investigat', 'is case. it is just possible, however, that that also may not be wanting in this new investigation. ', 'se. it is just possible, however, that that also may not be wanting in this new investigation. you h', 't is just possible, however, that that also may not be wanting in this new investigation. you have b', 'just possible, however, that that also may not be wanting in this new investigation. you have been r', 'possible, however, that that also may not be wanting in this new investigation. you have been readin', 'ble, however, that that also may not be wanting in this new investigation. you have been reading the', 'however, that that also may not be wanting in this new investigation. you have been reading the pape', 'er, that that also may not be wanting in this new investigation. you have been reading the papers di', 'hat that also may not be wanting in this new investigation. you have been reading the papers diligen', 'hat also may not be wanting in this new investigation. you have been reading the papers diligently o', 'lso may not be wanting in this new investigation. you have been reading the papers diligently of lat', 'ay not be wanting in this new investigation. you have been reading the papers diligently of late, ha', 't be wanting in this new investigation. you have been reading the papers diligently of late, have yo', 'wanting in this new investigation. you have been reading the papers diligently of late, have you not', 'ng in this new investigation. you have been reading the papers diligently of late, have you not?" "i', ' this new investigation. you have been reading the papers diligently of late, have you not?" "it loo', ' new investigation. you have been reading the papers diligently of late, have you not?" "it looks li', 'investigation. you have been reading the papers diligently of late, have you not?" "it looks like it', 'tigation. you have been reading the papers diligently of late, have you not?" "it looks like it," sa', 'ion. you have been reading the papers diligently of late, have you not?" "it looks like it," said i ', 'you have been reading the papers diligently of late, have you not?" "it looks like it," said i ruefu', 'ave been reading the papers diligently of late, have you not?" "it looks like it," said i ruefully, ', 'een reading the papers diligently of late, have you not?" "it looks like it," said i ruefully, point', 'eading the papers diligently of late, have you not?" "it looks like it," said i ruefully, pointing t', 'g the papers diligently of late, have you not?" "it looks like it," said i ruefully, pointing to a h', ' papers diligently of late, have you not?" "it looks like it," said i ruefully, pointing to a huge b', 'rs diligently of late, have you not?" "it looks like it," said i ruefully, pointing to a huge bundle', 'ligently of late, have you not?" "it looks like it," said i ruefully, pointing to a huge bundle in t', 'tly of late, have you not?" "it looks like it," said i ruefully, pointing to a huge bundle in the co', 'f late, have you not?" "it looks like it," said i ruefully, pointing to a huge bundle in the corner.', 'e, have you not?" "it looks like it," said i ruefully, pointing to a huge bundle in the corner. "i h', 've you not?" "it looks like it," said i ruefully, pointing to a huge bundle in the corner. "i have h', 'u not?" "it looks like it," said i ruefully, pointing to a huge bundle in the corner. "i have had no', '?" "it looks like it," said i ruefully, pointing to a huge bundle in the corner. "i have had nothing', 't looks like it," said i ruefully, pointing to a huge bundle in the corner. "i have had nothing else', 'ks like it," said i ruefully, pointing to a huge bundle in the corner. "i have had nothing else to d', 'ke it," said i ruefully, pointing to a huge bundle in the corner. "i have had nothing else to do." "', '," said i ruefully, pointing to a huge bundle in the corner. "i have had nothing else to do." "it is', 'id i ruefully, pointing to a huge bundle in the corner. "i have had nothing else to do." "it is fort', 'ruefully, pointing to a huge bundle in the corner. "i have had nothing else to do." "it is fortunate', 'lly, pointing to a huge bundle in the corner. "i have had nothing else to do." "it is fortunate, for', 'pointing to a huge bundle in the corner. "i have had nothing else to do." "it is fortunate, for you ', 'ing to a huge bundle in the corner. "i have had nothing else to do." "it is fortunate, for you will ', 'o a huge bundle in the corner. "i have had nothing else to do." "it is fortunate, for you will perha', 'uge bundle in the corner. "i have had nothing else to do." "it is fortunate, for you will perhaps be', 'undle in the corner. "i have had nothing else to do." "it is fortunate, for you will perhaps be able', ' in the corner. "i have had nothing else to do." "it is fortunate, for you will perhaps be able to p', 'he corner. "i have had nothing else to do." "it is fortunate, for you will perhaps be able to post m', 'rner. "i have had nothing else to do." "it is fortunate, for you will perhaps be able to post me up.', ' "i have had nothing else to do." "it is fortunate, for you will perhaps be able to post me up. i re', 'ave had nothing else to do." "it is fortunate, for you will perhaps be able to post me up. i read no', 'ad nothing else to do." "it is fortunate, for you will perhaps be able to post me up. i read nothing', 'thing else to do." "it is fortunate, for you will perhaps be able to post me up. i read nothing exce', ' else to do." "it is fortunate, for you will perhaps be able to post me up. i read nothing except th', ' to do." "it is fortunate, for you will perhaps be able to post me up. i read nothing except the cri', 'o." "it is fortunate, for you will perhaps be able to post me up. i read nothing except the criminal', 'it is fortunate, for you will perhaps be able to post me up. i read nothing except the criminal news', ' fortunate, for you will perhaps be able to post me up. i read nothing except the criminal news and ', 'unate, for you will perhaps be able to post me up. i read nothing except the criminal news and the a', ', for you will perhaps be able to post me up. i read nothing except the criminal news and the agony ', ' you will perhaps be able to post me up. i read nothing except the criminal news and the agony colum', 'will perhaps be able to post me up. i read nothing except the criminal news and the agony column. th', 'perhaps be able to post me up. i read nothing except the criminal news and the agony column. the lat', 'ps be able to post me up. i read nothing except the criminal news and the agony column. the latter i', ' able to post me up. i read nothing except the criminal news and the agony column. the latter is alw', ' to post me up. i read nothing except the criminal news and the agony column. the latter is always i', 'ost me up. i read nothing except the criminal news and the agony column. the latter is always instru', 'e up. i read nothing except the criminal news and the agony column. the latter is always instructive', ' i read nothing except the criminal news and the agony column. the latter is always instructive. but', 'ad nothing except the criminal news and the agony column. the latter is always instructive. but if y', 'thing except the criminal news and the agony column. the latter is always instructive. but if you ha', ' except the criminal news and the agony column. the latter is always instructive. but if you have fo', 'pt the criminal news and the agony column. the latter is always instructive. but if you have followe', 'e criminal news and the agony column. the latter is always instructive. but if you have followed rec', 'minal news and the agony column. the latter is always instructive. but if you have followed recent e', ' news and the agony column. the latter is always instructive. but if you have followed recent events', ' and the agony column. the latter is always instructive. but if you have followed recent events so c', 'the agony column. the latter is always instructive. but if you have followed recent events so closel', 'gony column. the latter is always instructive. but if you have followed recent events so closely you', 'column. the latter is always instructive. but if you have followed recent events so closely you must', 'n. the latter is always instructive. but if you have followed recent events so closely you must have', 'e latter is always instructive. but if you have followed recent events so closely you must have read', 'ter is always instructive. but if you have followed recent events so closely you must have read abou', 's always instructive. but if you have followed recent events so closely you must have read about lor', 'ays instructive. but if you have followed recent events so closely you must have read about lord st.', 'nstructive. but if you have followed recent events so closely you must have read about lord st. simo', 'ctive. but if you have followed recent events so closely you must have read about lord st. simon and', '. but if you have followed recent events so closely you must have read about lord st. simon and his ', ' if you have followed recent events so closely you must have read about lord st. simon and his weddi', 'ou have followed recent events so closely you must have read about lord st. simon and his wedding?" ', 've followed recent events so closely you must have read about lord st. simon and his wedding?" "oh, ', 'llowed recent events so closely you must have read about lord st. simon and his wedding?" "oh, yes, ', 'd recent events so closely you must have read about lord st. simon and his wedding?" "oh, yes, with ', 'ent events so closely you must have read about lord st. simon and his wedding?" "oh, yes, with the d', 'vents so closely you must have read about lord st. simon and his wedding?" "oh, yes, with the deepes', ' so closely you must have read about lord st. simon and his wedding?" "oh, yes, with the deepest int', 'losely you must have read about lord st. simon and his wedding?" "oh, yes, with the deepest interest', 'y you must have read about lord st. simon and his wedding?" "oh, yes, with the deepest interest." "t', ' must have read about lord st. simon and his wedding?" "oh, yes, with the deepest interest." "that i', ' have read about lord st. simon and his wedding?" "oh, yes, with the deepest interest." "that is wel', ' read about lord st. simon and his wedding?" "oh, yes, with the deepest interest." "that is well. th', ' about lord st. simon and his wedding?" "oh, yes, with the deepest interest." "that is well. the let', 't lord st. simon and his wedding?" "oh, yes, with the deepest interest." "that is well. the letter w', 'd st. simon and his wedding?" "oh, yes, with the deepest interest." "that is well. the letter which ', ' simon and his wedding?" "oh, yes, with the deepest interest." "that is well. the letter which i hol', 'n and his wedding?" "oh, yes, with the deepest interest." "that is well. the letter which i hold in ', ' his wedding?" "oh, yes, with the deepest interest." "that is well. the letter which i hold in my ha', 'wedding?" "oh, yes, with the deepest interest." "that is well. the letter which i hold in my hand is', 'ng?" "oh, yes, with the deepest interest." "that is well. the letter which i hold in my hand is from', '"oh, yes, with the deepest interest." "that is well. the letter which i hold in my hand is from lord', 'yes, with the deepest interest." "that is well. the letter which i hold in my hand is from lord st. ', 'with the deepest interest." "that is well. the letter which i hold in my hand is from lord st. simon', 'the deepest interest." "that is well. the letter which i hold in my hand is from lord st. simon. i w', 'eepest interest." "that is well. the letter which i hold in my hand is from lord st. simon. i will r', 't interest." "that is well. the letter which i hold in my hand is from lord st. simon. i will read i', 'erest." "that is well. the letter which i hold in my hand is from lord st. simon. i will read it to ', '." "that is well. the letter which i hold in my hand is from lord st. simon. i will read it to you, ', 'hat is well. the letter which i hold in my hand is from lord st. simon. i will read it to you, and i', 's well. the letter which i hold in my hand is from lord st. simon. i will read it to you, and in ret', 'l. the letter which i hold in my hand is from lord st. simon. i will read it to you, and in return y', 'e letter which i hold in my hand is from lord st. simon. i will read it to you, and in return you mu', 'ter which i hold in my hand is from lord st. simon. i will read it to you, and in return you must tu', 'hich i hold in my hand is from lord st. simon. i will read it to you, and in return you must turn ov', 'i hold in my hand is from lord st. simon. i will read it to you, and in return you must turn over th', 'd in my hand is from lord st. simon. i will read it to you, and in return you must turn over these p', 'my hand is from lord st. simon. i will read it to you, and in return you must turn over these papers', 'nd is from lord st. simon. i will read it to you, and in return you must turn over these papers and ', ' from lord st. simon. i will read it to you, and in return you must turn over these papers and let m', ' lord st. simon. i will read it to you, and in return you must turn over these papers and let me hav', ' st. simon. i will read it to you, and in return you must turn over these papers and let me have wha', 'simon. i will read it to you, and in return you must turn over these papers and let me have whatever', '. i will read it to you, and in return you must turn over these papers and let me have whatever bear', 'ill read it to you, and in return you must turn over these papers and let me have whatever bears upo', 'ead it to you, and in return you must turn over these papers and let me have whatever bears upon the', 't to you, and in return you must turn over these papers and let me have whatever bears upon the matt', 'you, and in return you must turn over these papers and let me have whatever bears upon the matter. t', 'and in return you must turn over these papers and let me have whatever bears upon the matter. this i', 'n return you must turn over these papers and let me have whatever bears upon the matter. this is wha', 'urn you must turn over these papers and let me have whatever bears upon the matter. this is what he ', 'ou must turn over these papers and let me have whatever bears upon the matter. this is what he says:', 'st turn over these papers and let me have whatever bears upon the matter. this is what he says: "\'my', 'rn over these papers and let me have whatever bears upon the matter. this is what he says: "\'my dear', 'er these papers and let me have whatever bears upon the matter. this is what he says: "\'my dear mr. ', 'ese papers and let me have whatever bears upon the matter. this is what he says: "\'my dear mr. sherl', 'apers and let me have whatever bears upon the matter. this is what he says: "\'my dear mr. sherlock h', ' and let me have whatever bears upon the matter. this is what he says: "\'my dear mr. sherlock holmes', 'let me have whatever bears upon the matter. this is what he says: "\'my dear mr. sherlock holmes:lord', 'e have whatever bears upon the matter. this is what he says: "\'my dear mr. sherlock holmes:lord back', 'e whatever bears upon the matter. this is what he says: "\'my dear mr. sherlock holmes:lord backwater', 'tever bears upon the matter. this is what he says: "\'my dear mr. sherlock holmes:lord backwater tell', ' bears upon the matter. this is what he says: "\'my dear mr. sherlock holmes:lord backwater tells me ', 's upon the matter. this is what he says: "\'my dear mr. sherlock holmes:lord backwater tells me that ', 'n the matter. this is what he says: "\'my dear mr. sherlock holmes:lord backwater tells me that i may', ' matter. this is what he says: "\'my dear mr. sherlock holmes:lord backwater tells me that i may plac', 'er. this is what he says: "\'my dear mr. sherlock holmes:lord backwater tells me that i may place imp', 'his is what he says: "\'my dear mr. sherlock holmes:lord backwater tells me that i may place implicit', 's what he says: "\'my dear mr. sherlock holmes:lord backwater tells me that i may place implicit reli', 't he says: "\'my dear mr. sherlock holmes:lord backwater tells me that i may place implicit reliance ', 'says: "\'my dear mr. sherlock holmes:lord backwater tells me that i may place implicit reliance upon ', ' "\'my dear mr. sherlock holmes:lord backwater tells me that i may place implicit reliance upon your ', ' dear mr. sherlock holmes:lord backwater tells me that i may place implicit reliance upon your judgm', ' mr. sherlock holmes:lord backwater tells me that i may place implicit reliance upon your judgment a', 'sherlock holmes:lord backwater tells me that i may place implicit reliance upon your judgment and di', 'ock holmes:lord backwater tells me that i may place implicit reliance upon your judgment and discret', 'olmes:lord backwater tells me that i may place implicit reliance upon your judgment and discretion. ', ':lord backwater tells me that i may place implicit reliance upon your judgment and discretion. i hav', ' backwater tells me that i may place implicit reliance upon your judgment and discretion. i have det', 'water tells me that i may place implicit reliance upon your judgment and discretion. i have determin', ' tells me that i may place implicit reliance upon your judgment and discretion. i have determined, t', 's me that i may place implicit reliance upon your judgment and discretion. i have determined, theref', 'that i may place implicit reliance upon your judgment and discretion. i have determined, therefore, ', 'i may place implicit reliance upon your judgment and discretion. i have determined, therefore, to ca', ' place implicit reliance upon your judgment and discretion. i have determined, therefore, to call up', 'e implicit reliance upon your judgment and discretion. i have determined, therefore, to call upon yo', 'licit reliance upon your judgment and discretion. i have determined, therefore, to call upon you and', ' reliance upon your judgment and discretion. i have determined, therefore, to call upon you and to c', 'ance upon your judgment and discretion. i have determined, therefore, to call upon you and to consul', 'upon your judgment and discretion. i have determined, therefore, to call upon you and to consult you', 'your judgment and discretion. i have determined, therefore, to call upon you and to consult you in r', 'judgment and discretion. i have determined, therefore, to call upon you and to consult you in refere', 'ent and discretion. i have determined, therefore, to call upon you and to consult you in reference t', 'nd discretion. i have determined, therefore, to call upon you and to consult you in reference to the', 'scretion. i have determined, therefore, to call upon you and to consult you in reference to the very', 'ion. i have determined, therefore, to call upon you and to consult you in reference to the very pain', 'i have determined, therefore, to call upon you and to consult you in reference to the very painful e', 'e determined, therefore, to call upon you and to consult you in reference to the very painful event ', 'ermined, therefore, to call upon you and to consult you in reference to the very painful event which', 'ed, therefore, to call upon you and to consult you in reference to the very painful event which has ', 'herefore, to call upon you and to consult you in reference to the very painful event which has occur', 'ore, to call upon you and to consult you in reference to the very painful event which has occurred i', 'to call upon you and to consult you in reference to the very painful event which has occurred in con', 'll upon you and to consult you in reference to the very painful event which has occurred in connecti', 'on you and to consult you in reference to the very painful event which has occurred in connection wi', 'u and to consult you in reference to the very painful event which has occurred in connection with my', ' to consult you in reference to the very painful event which has occurred in connection with my wedd', 'onsult you in reference to the very painful event which has occurred in connection with my wedding. ', 't you in reference to the very painful event which has occurred in connection with my wedding. mr. l', ' in reference to the very painful event which has occurred in connection with my wedding. mr. lestra', 'eference to the very painful event which has occurred in connection with my wedding. mr. lestrade, o', 'nce to the very painful event which has occurred in connection with my wedding. mr. lestrade, of sco', 'o the very painful event which has occurred in connection with my wedding. mr. lestrade, of scotland', ' very painful event which has occurred in connection with my wedding. mr. lestrade, of scotland yard', ' painful event which has occurred in connection with my wedding. mr. lestrade, of scotland yard, is ', 'ful event which has occurred in connection with my wedding. mr. lestrade, of scotland yard, is actin', 'vent which has occurred in connection with my wedding. mr. lestrade, of scotland yard, is acting alr', 'which has occurred in connection with my wedding. mr. lestrade, of scotland yard, is acting already ', ' has occurred in connection with my wedding. mr. lestrade, of scotland yard, is acting already in th', 'occurred in connection with my wedding. mr. lestrade, of scotland yard, is acting already in the mat', 'red in connection with my wedding. mr. lestrade, of scotland yard, is acting already in the matter, ', 'n connection with my wedding. mr. lestrade, of scotland yard, is acting already in the matter, but h', 'nection with my wedding. mr. lestrade, of scotland yard, is acting already in the matter, but he ass', 'on with my wedding. mr. lestrade, of scotland yard, is acting already in the matter, but he assures ', 'th my wedding. mr. lestrade, of scotland yard, is acting already in the matter, but he assures me th', ' wedding. mr. lestrade, of scotland yard, is acting already in the matter, but he assures me that he', 'ing. mr. lestrade, of scotland yard, is acting already in the matter, but he assures me that he sees', 'mr. lestrade, of scotland yard, is acting already in the matter, but he assures me that he sees no o', 'estrade, of scotland yard, is acting already in the matter, but he assures me that he sees no object', 'de, of scotland yard, is acting already in the matter, but he assures me that he sees no objection t', 'f scotland yard, is acting already in the matter, but he assures me that he sees no objection to you', 'tland yard, is acting already in the matter, but he assures me that he sees no objection to your co-', ' yard, is acting already in the matter, but he assures me that he sees no objection to your co-opera', ', is acting already in the matter, but he assures me that he sees no objection to your co-operation,', 'acting already in the matter, but he assures me that he sees no objection to your co-operation, and ', 'g already in the matter, but he assures me that he sees no objection to your co-operation, and that ', 'eady in the matter, but he assures me that he sees no objection to your co-operation, and that he ev', 'in the matter, but he assures me that he sees no objection to your co-operation, and that he even th', 'e matter, but he assures me that he sees no objection to your co-operation, and that he even thinks ', 'ter, but he assures me that he sees no objection to your co-operation, and that he even thinks that ', 'but he assures me that he sees no objection to your co-operation, and that he even thinks that it mi', 'e assures me that he sees no objection to your co-operation, and that he even thinks that it might b', 'ures me that he sees no objection to your co-operation, and that he even thinks that it might be of ', 'me that he sees no objection to your co-operation, and that he even thinks that it might be of some ', 'at he sees no objection to your co-operation, and that he even thinks that it might be of some assis', ' sees no objection to your co-operation, and that he even thinks that it might be of some assistance', ' no objection to your co-operation, and that he even thinks that it might be of some assistance. i w', 'bjection to your co-operation, and that he even thinks that it might be of some assistance. i will c', 'ion to your co-operation, and that he even thinks that it might be of some assistance. i will call a', 'o your co-operation, and that he even thinks that it might be of some assistance. i will call at fou', "r co-operation, and that he even thinks that it might be of some assistance. i will call at four o'c", "operation, and that he even thinks that it might be of some assistance. i will call at four o'clock ", "tion, and that he even thinks that it might be of some assistance. i will call at four o'clock in th", " and that he even thinks that it might be of some assistance. i will call at four o'clock in the aft", "that he even thinks that it might be of some assistance. i will call at four o'clock in the afternoo", "he even thinks that it might be of some assistance. i will call at four o'clock in the afternoon, an", "en thinks that it might be of some assistance. i will call at four o'clock in the afternoon, and, sh", "inks that it might be of some assistance. i will call at four o'clock in the afternoon, and, should ", "that it might be of some assistance. i will call at four o'clock in the afternoon, and, should you h", "it might be of some assistance. i will call at four o'clock in the afternoon, and, should you have a", "ght be of some assistance. i will call at four o'clock in the afternoon, and, should you have any ot", "e of some assistance. i will call at four o'clock in the afternoon, and, should you have any other e", "some assistance. i will call at four o'clock in the afternoon, and, should you have any other engage", "assistance. i will call at four o'clock in the afternoon, and, should you have any other engagement ", "tance. i will call at four o'clock in the afternoon, and, should you have any other engagement at th", ". i will call at four o'clock in the afternoon, and, should you have any other engagement at that ti", "ill call at four o'clock in the afternoon, and, should you have any other engagement at that time, i", "all at four o'clock in the afternoon, and, should you have any other engagement at that time, i hope", "t four o'clock in the afternoon, and, should you have any other engagement at that time, i hope that", "r o'clock in the afternoon, and, should you have any other engagement at that time, i hope that you ", 'lock in the afternoon, and, should you have any other engagement at that time, i hope that you will ', 'in the afternoon, and, should you have any other engagement at that time, i hope that you will postp', 'e afternoon, and, should you have any other engagement at that time, i hope that you will postpone i', 'ernoon, and, should you have any other engagement at that time, i hope that you will postpone it, as', 'n, and, should you have any other engagement at that time, i hope that you will postpone it, as this', 'd, should you have any other engagement at that time, i hope that you will postpone it, as this matt', 'ould you have any other engagement at that time, i hope that you will postpone it, as this matter is', 'you have any other engagement at that time, i hope that you will postpone it, as this matter is of p', 'ave any other engagement at that time, i hope that you will postpone it, as this matter is of paramo', 'ny other engagement at that time, i hope that you will postpone it, as this matter is of paramount i', 'her engagement at that time, i hope that you will postpone it, as this matter is of paramount import', 'ngagement at that time, i hope that you will postpone it, as this matter is of paramount importance.', 'ment at that time, i hope that you will postpone it, as this matter is of paramount importance. your', 'at that time, i hope that you will postpone it, as this matter is of paramount importance. yours fai', 'at time, i hope that you will postpone it, as this matter is of paramount importance. yours faithful', 'me, i hope that you will postpone it, as this matter is of paramount importance. yours faithfully, s', ' hope that you will postpone it, as this matter is of paramount importance. yours faithfully, st. si', " that you will postpone it, as this matter is of paramount importance. yours faithfully, st. simon.'", ' you will postpone it, as this matter is of paramount importance. yours faithfully, st. simon.\' "it ', 'will postpone it, as this matter is of paramount importance. yours faithfully, st. simon.\' "it is da', 'postpone it, as this matter is of paramount importance. yours faithfully, st. simon.\' "it is dated f', 'one it, as this matter is of paramount importance. yours faithfully, st. simon.\' "it is dated from g', 't, as this matter is of paramount importance. yours faithfully, st. simon.\' "it is dated from grosve', ' this matter is of paramount importance. yours faithfully, st. simon.\' "it is dated from grosvenor m', ' matter is of paramount importance. yours faithfully, st. simon.\' "it is dated from grosvenor mansio', 'er is of paramount importance. yours faithfully, st. simon.\' "it is dated from grosvenor mansions, w', ' of paramount importance. yours faithfully, st. simon.\' "it is dated from grosvenor mansions, writte', 'aramount importance. yours faithfully, st. simon.\' "it is dated from grosvenor mansions, written wit', 'unt importance. yours faithfully, st. simon.\' "it is dated from grosvenor mansions, written with a q', 'mportance. yours faithfully, st. simon.\' "it is dated from grosvenor mansions, written with a quill ', 'ance. yours faithfully, st. simon.\' "it is dated from grosvenor mansions, written with a quill pen, ', ' yours faithfully, st. simon.\' "it is dated from grosvenor mansions, written with a quill pen, and t', 's faithfully, st. simon.\' "it is dated from grosvenor mansions, written with a quill pen, and the no', 'thfully, st. simon.\' "it is dated from grosvenor mansions, written with a quill pen, and the noble l', 'ly, st. simon.\' "it is dated from grosvenor mansions, written with a quill pen, and the noble lord h', 't. simon.\' "it is dated from grosvenor mansions, written with a quill pen, and the noble lord has ha', 'mon.\' "it is dated from grosvenor mansions, written with a quill pen, and the noble lord has had the', ' "it is dated from grosvenor mansions, written with a quill pen, and the noble lord has had the misf', 'is dated from grosvenor mansions, written with a quill pen, and the noble lord has had the misfortun', 'ted from grosvenor mansions, written with a quill pen, and the noble lord has had the misfortune to ', 'rom grosvenor mansions, written with a quill pen, and the noble lord has had the misfortune to get a', 'rosvenor mansions, written with a quill pen, and the noble lord has had the misfortune to get a smea', 'nor mansions, written with a quill pen, and the noble lord has had the misfortune to get a smear of ', 'ansions, written with a quill pen, and the noble lord has had the misfortune to get a smear of ink u', 'ns, written with a quill pen, and the noble lord has had the misfortune to get a smear of ink upon t', 'ritten with a quill pen, and the noble lord has had the misfortune to get a smear of ink upon the ou', 'n with a quill pen, and the noble lord has had the misfortune to get a smear of ink upon the outer s', 'h a quill pen, and the noble lord has had the misfortune to get a smear of ink upon the outer side o', 'uill pen, and the noble lord has had the misfortune to get a smear of ink upon the outer side of his', 'pen, and the noble lord has had the misfortune to get a smear of ink upon the outer side of his righ', 'and the noble lord has had the misfortune to get a smear of ink upon the outer side of his right lit', 'he noble lord has had the misfortune to get a smear of ink upon the outer side of his right little f', 'ble lord has had the misfortune to get a smear of ink upon the outer side of his right little finger', 'ord has had the misfortune to get a smear of ink upon the outer side of his right little finger," re', 'as had the misfortune to get a smear of ink upon the outer side of his right little finger," remarke', 'd the misfortune to get a smear of ink upon the outer side of his right little finger," remarked hol', ' misfortune to get a smear of ink upon the outer side of his right little finger," remarked holmes a', 'ortune to get a smear of ink upon the outer side of his right little finger," remarked holmes as he ', 'e to get a smear of ink upon the outer side of his right little finger," remarked holmes as he folde', 'get a smear of ink upon the outer side of his right little finger," remarked holmes as he folded up ', ' smear of ink upon the outer side of his right little finger," remarked holmes as he folded up the e', 'r of ink upon the outer side of his right little finger," remarked holmes as he folded up the epistl', 'ink upon the outer side of his right little finger," remarked holmes as he folded up the epistle. "h', 'pon the outer side of his right little finger," remarked holmes as he folded up the epistle. "he say', 'he outer side of his right little finger," remarked holmes as he folded up the epistle. "he says fou', 'ter side of his right little finger," remarked holmes as he folded up the epistle. "he says four o\'c', 'ide of his right little finger," remarked holmes as he folded up the epistle. "he says four o\'clock.', 'f his right little finger," remarked holmes as he folded up the epistle. "he says four o\'clock. it i', ' right little finger," remarked holmes as he folded up the epistle. "he says four o\'clock. it is thr', 't little finger," remarked holmes as he folded up the epistle. "he says four o\'clock. it is three no', 'tle finger," remarked holmes as he folded up the epistle. "he says four o\'clock. it is three now. he', 'inger," remarked holmes as he folded up the epistle. "he says four o\'clock. it is three now. he will', '," remarked holmes as he folded up the epistle. "he says four o\'clock. it is three now. he will be h', 'marked holmes as he folded up the epistle. "he says four o\'clock. it is three now. he will be here i', 'd holmes as he folded up the epistle. "he says four o\'clock. it is three now. he will be here in an ', 'mes as he folded up the epistle. "he says four o\'clock. it is three now. he will be here in an hour.', 's he folded up the epistle. "he says four o\'clock. it is three now. he will be here in an hour." "th', 'folded up the epistle. "he says four o\'clock. it is three now. he will be here in an hour." "then i ', 'd up the epistle. "he says four o\'clock. it is three now. he will be here in an hour." "then i have ', 'the epistle. "he says four o\'clock. it is three now. he will be here in an hour." "then i have just ', 'pistle. "he says four o\'clock. it is three now. he will be here in an hour." "then i have just time,', 'e. "he says four o\'clock. it is three now. he will be here in an hour." "then i have just time, with', 'e says four o\'clock. it is three now. he will be here in an hour." "then i have just time, with your', 's four o\'clock. it is three now. he will be here in an hour." "then i have just time, with your assi', 'r o\'clock. it is three now. he will be here in an hour." "then i have just time, with your assistanc', 'lock. it is three now. he will be here in an hour." "then i have just time, with your assistance, to', ' it is three now. he will be here in an hour." "then i have just time, with your assistance, to get ', 's three now. he will be here in an hour." "then i have just time, with your assistance, to get clear', 'ee now. he will be here in an hour." "then i have just time, with your assistance, to get clear upon', 'w. he will be here in an hour." "then i have just time, with your assistance, to get clear upon the ', ' will be here in an hour." "then i have just time, with your assistance, to get clear upon the subje', ' be here in an hour." "then i have just time, with your assistance, to get clear upon the subject. t', 'ere in an hour." "then i have just time, with your assistance, to get clear upon the subject. turn o', 'n an hour." "then i have just time, with your assistance, to get clear upon the subject. turn over t', 'hour." "then i have just time, with your assistance, to get clear upon the subject. turn over those ', '" "then i have just time, with your assistance, to get clear upon the subject. turn over those paper', 'en i have just time, with your assistance, to get clear upon the subject. turn over those papers and', 'have just time, with your assistance, to get clear upon the subject. turn over those papers and arra', 'just time, with your assistance, to get clear upon the subject. turn over those papers and arrange t', 'time, with your assistance, to get clear upon the subject. turn over those papers and arrange the ex', ' with your assistance, to get clear upon the subject. turn over those papers and arrange the extract', ' your assistance, to get clear upon the subject. turn over those papers and arrange the extracts in ', ' assistance, to get clear upon the subject. turn over those papers and arrange the extracts in their', 'stance, to get clear upon the subject. turn over those papers and arrange the extracts in their orde', 'e, to get clear upon the subject. turn over those papers and arrange the extracts in their order of ', ' get clear upon the subject. turn over those papers and arrange the extracts in their order of time,', 'clear upon the subject. turn over those papers and arrange the extracts in their order of time, whil', ' upon the subject. turn over those papers and arrange the extracts in their order of time, while i t', ' the subject. turn over those papers and arrange the extracts in their order of time, while i take a', 'subject. turn over those papers and arrange the extracts in their order of time, while i take a glan', 'ct. turn over those papers and arrange the extracts in their order of time, while i take a glance as', 'urn over those papers and arrange the extracts in their order of time, while i take a glance as to w', 'ver those papers and arrange the extracts in their order of time, while i take a glance as to who ou', 'hose papers and arrange the extracts in their order of time, while i take a glance as to who our cli', 'papers and arrange the extracts in their order of time, while i take a glance as to who our client i', 's and arrange the extracts in their order of time, while i take a glance as to who our client is." h', ' arrange the extracts in their order of time, while i take a glance as to who our client is." he pic', 'nge the extracts in their order of time, while i take a glance as to who our client is." he picked a', 'he extracts in their order of time, while i take a glance as to who our client is." he picked a red-', 'tracts in their order of time, while i take a glance as to who our client is." he picked a red-cover', 's in their order of time, while i take a glance as to who our client is." he picked a red-covered vo', 'their order of time, while i take a glance as to who our client is." he picked a red-covered volume ', ' order of time, while i take a glance as to who our client is." he picked a red-covered volume from ', 'r of time, while i take a glance as to who our client is." he picked a red-covered volume from a lin', 'time, while i take a glance as to who our client is." he picked a red-covered volume from a line of ', ' while i take a glance as to who our client is." he picked a red-covered volume from a line of books', 'e i take a glance as to who our client is." he picked a red-covered volume from a line of books of r', 'ake a glance as to who our client is." he picked a red-covered volume from a line of books of refere', ' glance as to who our client is." he picked a red-covered volume from a line of books of reference b', 'ce as to who our client is." he picked a red-covered volume from a line of books of reference beside', ' to who our client is." he picked a red-covered volume from a line of books of reference beside the ', 'ho our client is." he picked a red-covered volume from a line of books of reference beside the mante', 'r client is." he picked a red-covered volume from a line of books of reference beside the mantelpiec', 'ent is." he picked a red-covered volume from a line of books of reference beside the mantelpiece. "h', 's." he picked a red-covered volume from a line of books of reference beside the mantelpiece. "here h', 'e picked a red-covered volume from a line of books of reference beside the mantelpiece. "here he is,', 'ked a red-covered volume from a line of books of reference beside the mantelpiece. "here he is," sai', ' red-covered volume from a line of books of reference beside the mantelpiece. "here he is," said he,', 'covered volume from a line of books of reference beside the mantelpiece. "here he is," said he, sitt', 'ed volume from a line of books of reference beside the mantelpiece. "here he is," said he, sitting d', 'lume from a line of books of reference beside the mantelpiece. "here he is," said he, sitting down a', 'from a line of books of reference beside the mantelpiece. "here he is," said he, sitting down and fl', 'a line of books of reference beside the mantelpiece. "here he is," said he, sitting down and flatten', 'e of books of reference beside the mantelpiece. "here he is," said he, sitting down and flattening i', 'books of reference beside the mantelpiece. "here he is," said he, sitting down and flattening it out', ' of reference beside the mantelpiece. "here he is," said he, sitting down and flattening it out upon', 'eference beside the mantelpiece. "here he is," said he, sitting down and flattening it out upon his ', 'nce beside the mantelpiece. "here he is," said he, sitting down and flattening it out upon his knee.', 'eside the mantelpiece. "here he is," said he, sitting down and flattening it out upon his knee. "\'lo', ' the mantelpiece. "here he is," said he, sitting down and flattening it out upon his knee. "\'lord ro', 'mantelpiece. "here he is," said he, sitting down and flattening it out upon his knee. "\'lord robert ', 'lpiece. "here he is," said he, sitting down and flattening it out upon his knee. "\'lord robert walsi', 'e. "here he is," said he, sitting down and flattening it out upon his knee. "\'lord robert walsingham', 'ere he is," said he, sitting down and flattening it out upon his knee. "\'lord robert walsingham de v', 'e is," said he, sitting down and flattening it out upon his knee. "\'lord robert walsingham de vere s', '" said he, sitting down and flattening it out upon his knee. "\'lord robert walsingham de vere st. si', 'd he, sitting down and flattening it out upon his knee. "\'lord robert walsingham de vere st. simon, ', ' sitting down and flattening it out upon his knee. "\'lord robert walsingham de vere st. simon, secon', 'ing down and flattening it out upon his knee. "\'lord robert walsingham de vere st. simon, second son', 'own and flattening it out upon his knee. "\'lord robert walsingham de vere st. simon, second son of t', 'nd flattening it out upon his knee. "\'lord robert walsingham de vere st. simon, second son of the du', 'attening it out upon his knee. "\'lord robert walsingham de vere st. simon, second son of the duke of', 'ing it out upon his knee. "\'lord robert walsingham de vere st. simon, second son of the duke of balm', 't out upon his knee. "\'lord robert walsingham de vere st. simon, second son of the duke of balmoral.', ' upon his knee. "\'lord robert walsingham de vere st. simon, second son of the duke of balmoral.\' hum', ' his knee. "\'lord robert walsingham de vere st. simon, second son of the duke of balmoral.\' hum \'arm', 'knee. "\'lord robert walsingham de vere st. simon, second son of the duke of balmoral.\' hum \'arms: az', ' "\'lord robert walsingham de vere st. simon, second son of the duke of balmoral.\' hum \'arms: azure, ', "rd robert walsingham de vere st. simon, second son of the duke of balmoral.' hum 'arms: azure, three", "bert walsingham de vere st. simon, second son of the duke of balmoral.' hum 'arms: azure, three calt", "walsingham de vere st. simon, second son of the duke of balmoral.' hum 'arms: azure, three caltrops ", "ngham de vere st. simon, second son of the duke of balmoral.' hum 'arms: azure, three caltrops in ch", " de vere st. simon, second son of the duke of balmoral.' hum 'arms: azure, three caltrops in chief o", "ere st. simon, second son of the duke of balmoral.' hum 'arms: azure, three caltrops in chief over a", "t. simon, second son of the duke of balmoral.' hum 'arms: azure, three caltrops in chief over a fess", "mon, second son of the duke of balmoral.' hum 'arms: azure, three caltrops in chief over a fess sabl", "second son of the duke of balmoral.' hum 'arms: azure, three caltrops in chief over a fess sable. bo", "d son of the duke of balmoral.' hum 'arms: azure, three caltrops in chief over a fess sable. born in", " of the duke of balmoral.' hum 'arms: azure, three caltrops in chief over a fess sable. born in .'", "he duke of balmoral.' hum 'arms: azure, three caltrops in chief over a fess sable. born in .' he's", "ke of balmoral.' hum 'arms: azure, three caltrops in chief over a fess sable. born in .' he's fort", " balmoral.' hum 'arms: azure, three caltrops in chief over a fess sable. born in .' he's forty-one", "oral.' hum 'arms: azure, three caltrops in chief over a fess sable. born in .' he's forty-one year", "' hum 'arms: azure, three caltrops in chief over a fess sable. born in .' he's forty-one years of ", " 'arms: azure, three caltrops in chief over a fess sable. born in .' he's forty-one years of age, ", "s: azure, three caltrops in chief over a fess sable. born in .' he's forty-one years of age, which", "ure, three caltrops in chief over a fess sable. born in .' he's forty-one years of age, which is m", "three caltrops in chief over a fess sable. born in .' he's forty-one years of age, which is mature", " caltrops in chief over a fess sable. born in .' he's forty-one years of age, which is mature for ", "rops in chief over a fess sable. born in .' he's forty-one years of age, which is mature for marri", "in chief over a fess sable. born in .' he's forty-one years of age, which is mature for marriage. ", "ief over a fess sable. born in .' he's forty-one years of age, which is mature for marriage. was u", "ver a fess sable. born in .' he's forty-one years of age, which is mature for marriage. was under-", " fess sable. born in .' he's forty-one years of age, which is mature for marriage. was under-secre", " sable. born in .' he's forty-one years of age, which is mature for marriage. was under-secretary ", "e. born in .' he's forty-one years of age, which is mature for marriage. was under-secretary for t", "rn in .' he's forty-one years of age, which is mature for marriage. was under-secretary for the co", " .' he's forty-one years of age, which is mature for marriage. was under-secretary for the colonie", " he's forty-one years of age, which is mature for marriage. was under-secretary for the colonies in ", ' forty-one years of age, which is mature for marriage. was under-secretary for the colonies in a lat', 'y-one years of age, which is mature for marriage. was under-secretary for the colonies in a late adm', ' years of age, which is mature for marriage. was under-secretary for the colonies in a late administ', 's of age, which is mature for marriage. was under-secretary for the colonies in a late administratio', 'age, which is mature for marriage. was under-secretary for the colonies in a late administration. th', 'which is mature for marriage. was under-secretary for the colonies in a late administration. the duk', ' is mature for marriage. was under-secretary for the colonies in a late administration. the duke, hi', 'ature for marriage. was under-secretary for the colonies in a late administration. the duke, his fat', ' for marriage. was under-secretary for the colonies in a late administration. the duke, his father, ', 'marriage. was under-secretary for the colonies in a late administration. the duke, his father, was a', 'age. was under-secretary for the colonies in a late administration. the duke, his father, was at one', 'was under-secretary for the colonies in a late administration. the duke, his father, was at one time', 'nder-secretary for the colonies in a late administration. the duke, his father, was at one time secr', 'secretary for the colonies in a late administration. the duke, his father, was at one time secretary', 'tary for the colonies in a late administration. the duke, his father, was at one time secretary for ', 'for the colonies in a late administration. the duke, his father, was at one time secretary for forei', 'he colonies in a late administration. the duke, his father, was at one time secretary for foreign af', 'lonies in a late administration. the duke, his father, was at one time secretary for foreign affairs', 's in a late administration. the duke, his father, was at one time secretary for foreign affairs. the', 'a late administration. the duke, his father, was at one time secretary for foreign affairs. they inh', 'e administration. the duke, his father, was at one time secretary for foreign affairs. they inherit ', 'inistration. the duke, his father, was at one time secretary for foreign affairs. they inherit plant', 'ration. the duke, his father, was at one time secretary for foreign affairs. they inherit plantagene', 'n. the duke, his father, was at one time secretary for foreign affairs. they inherit plantagenet blo', 'e duke, his father, was at one time secretary for foreign affairs. they inherit plantagenet blood by', 'e, his father, was at one time secretary for foreign affairs. they inherit plantagenet blood by dire', 's father, was at one time secretary for foreign affairs. they inherit plantagenet blood by direct de', 'her, was at one time secretary for foreign affairs. they inherit plantagenet blood by direct descent', 'was at one time secretary for foreign affairs. they inherit plantagenet blood by direct descent, and', 't one time secretary for foreign affairs. they inherit plantagenet blood by direct descent, and tudo', ' time secretary for foreign affairs. they inherit plantagenet blood by direct descent, and tudor on ', ' secretary for foreign affairs. they inherit plantagenet blood by direct descent, and tudor on the d', 'etary for foreign affairs. they inherit plantagenet blood by direct descent, and tudor on the distaf', ' for foreign affairs. they inherit plantagenet blood by direct descent, and tudor on the distaff sid', 'foreign affairs. they inherit plantagenet blood by direct descent, and tudor on the distaff side. ha', 'gn affairs. they inherit plantagenet blood by direct descent, and tudor on the distaff side. ha! wel', 'fairs. they inherit plantagenet blood by direct descent, and tudor on the distaff side. ha! well, th', '. they inherit plantagenet blood by direct descent, and tudor on the distaff side. ha! well, there i', 'y inherit plantagenet blood by direct descent, and tudor on the distaff side. ha! well, there is not', 'erit plantagenet blood by direct descent, and tudor on the distaff side. ha! well, there is nothing ', 'plantagenet blood by direct descent, and tudor on the distaff side. ha! well, there is nothing very ', 'agenet blood by direct descent, and tudor on the distaff side. ha! well, there is nothing very instr', 't blood by direct descent, and tudor on the distaff side. ha! well, there is nothing very instructiv', 'od by direct descent, and tudor on the distaff side. ha! well, there is nothing very instructive in ', ' direct descent, and tudor on the distaff side. ha! well, there is nothing very instructive in all t', 'ct descent, and tudor on the distaff side. ha! well, there is nothing very instructive in all this. ', 'scent, and tudor on the distaff side. ha! well, there is nothing very instructive in all this. i thi', ', and tudor on the distaff side. ha! well, there is nothing very instructive in all this. i think th', ' tudor on the distaff side. ha! well, there is nothing very instructive in all this. i think that i ', 'r on the distaff side. ha! well, there is nothing very instructive in all this. i think that i must ', 'the distaff side. ha! well, there is nothing very instructive in all this. i think that i must turn ', 'istaff side. ha! well, there is nothing very instructive in all this. i think that i must turn to yo', 'f side. ha! well, there is nothing very instructive in all this. i think that i must turn to you wat', 'e. ha! well, there is nothing very instructive in all this. i think that i must turn to you watson, ', '! well, there is nothing very instructive in all this. i think that i must turn to you watson, for s', 'l, there is nothing very instructive in all this. i think that i must turn to you watson, for someth', 'ere is nothing very instructive in all this. i think that i must turn to you watson, for something m', 's nothing very instructive in all this. i think that i must turn to you watson, for something more s', 'hing very instructive in all this. i think that i must turn to you watson, for something more solid.', 'very instructive in all this. i think that i must turn to you watson, for something more solid." "i ', 'instructive in all this. i think that i must turn to you watson, for something more solid." "i have ', 'uctive in all this. i think that i must turn to you watson, for something more solid." "i have very ', 'e in all this. i think that i must turn to you watson, for something more solid." "i have very littl', 'all this. i think that i must turn to you watson, for something more solid." "i have very little dif', 'his. i think that i must turn to you watson, for something more solid." "i have very little difficul', 'i think that i must turn to you watson, for something more solid." "i have very little difficulty in', 'nk that i must turn to you watson, for something more solid." "i have very little difficulty in find', 'at i must turn to you watson, for something more solid." "i have very little difficulty in finding w', 'must turn to you watson, for something more solid." "i have very little difficulty in finding what i', 'turn to you watson, for something more solid." "i have very little difficulty in finding what i want', 'to you watson, for something more solid." "i have very little difficulty in finding what i want," sa', 'u watson, for something more solid." "i have very little difficulty in finding what i want," said i,', 'son, for something more solid." "i have very little difficulty in finding what i want," said i, "for', 'for something more solid." "i have very little difficulty in finding what i want," said i, "for the ', 'omething more solid." "i have very little difficulty in finding what i want," said i, "for the facts', 'ing more solid." "i have very little difficulty in finding what i want," said i, "for the facts are ', 'ore solid." "i have very little difficulty in finding what i want," said i, "for the facts are quite', 'olid." "i have very little difficulty in finding what i want," said i, "for the facts are quite rece', '" "i have very little difficulty in finding what i want," said i, "for the facts are quite recent, a', 'have very little difficulty in finding what i want," said i, "for the facts are quite recent, and th', 'very little difficulty in finding what i want," said i, "for the facts are quite recent, and the mat', 'little difficulty in finding what i want," said i, "for the facts are quite recent, and the matter s', 'e difficulty in finding what i want," said i, "for the facts are quite recent, and the matter struck', 'ficulty in finding what i want," said i, "for the facts are quite recent, and the matter struck me a', 'ty in finding what i want," said i, "for the facts are quite recent, and the matter struck me as rem', ' finding what i want," said i, "for the facts are quite recent, and the matter struck me as remarkab', 'ing what i want," said i, "for the facts are quite recent, and the matter struck me as remarkable. i', 'hat i want," said i, "for the facts are quite recent, and the matter struck me as remarkable. i fear', ' want," said i, "for the facts are quite recent, and the matter struck me as remarkable. i feared to', '," said i, "for the facts are quite recent, and the matter struck me as remarkable. i feared to refe', 'id i, "for the facts are quite recent, and the matter struck me as remarkable. i feared to refer the', ' "for the facts are quite recent, and the matter struck me as remarkable. i feared to refer them to ', ' the facts are quite recent, and the matter struck me as remarkable. i feared to refer them to you, ', 'facts are quite recent, and the matter struck me as remarkable. i feared to refer them to you, howev', ' are quite recent, and the matter struck me as remarkable. i feared to refer them to you, however, a', 'quite recent, and the matter struck me as remarkable. i feared to refer them to you, however, as i k', ' recent, and the matter struck me as remarkable. i feared to refer them to you, however, as i knew t', 'nt, and the matter struck me as remarkable. i feared to refer them to you, however, as i knew that y', 'nd the matter struck me as remarkable. i feared to refer them to you, however, as i knew that you ha', 'e matter struck me as remarkable. i feared to refer them to you, however, as i knew that you had an ', 'ter struck me as remarkable. i feared to refer them to you, however, as i knew that you had an inqui', 'truck me as remarkable. i feared to refer them to you, however, as i knew that you had an inquiry on', ' me as remarkable. i feared to refer them to you, however, as i knew that you had an inquiry on hand', 's remarkable. i feared to refer them to you, however, as i knew that you had an inquiry on hand and ', 'arkable. i feared to refer them to you, however, as i knew that you had an inquiry on hand and that ', 'le. i feared to refer them to you, however, as i knew that you had an inquiry on hand and that you d', ' feared to refer them to you, however, as i knew that you had an inquiry on hand and that you dislik', 'ed to refer them to you, however, as i knew that you had an inquiry on hand and that you disliked th', ' refer them to you, however, as i knew that you had an inquiry on hand and that you disliked the int', 'r them to you, however, as i knew that you had an inquiry on hand and that you disliked the intrusio', 'm to you, however, as i knew that you had an inquiry on hand and that you disliked the intrusion of ', 'you, however, as i knew that you had an inquiry on hand and that you disliked the intrusion of other', 'however, as i knew that you had an inquiry on hand and that you disliked the intrusion of other matt', 'er, as i knew that you had an inquiry on hand and that you disliked the intrusion of other matters."', 's i knew that you had an inquiry on hand and that you disliked the intrusion of other matters." "oh,', 'new that you had an inquiry on hand and that you disliked the intrusion of other matters." "oh, you ', 'hat you had an inquiry on hand and that you disliked the intrusion of other matters." "oh, you mean ', 'ou had an inquiry on hand and that you disliked the intrusion of other matters." "oh, you mean the l', 'd an inquiry on hand and that you disliked the intrusion of other matters." "oh, you mean the little', 'inquiry on hand and that you disliked the intrusion of other matters." "oh, you mean the little prob', 'ry on hand and that you disliked the intrusion of other matters." "oh, you mean the little problem o', ' hand and that you disliked the intrusion of other matters." "oh, you mean the little problem of the', ' and that you disliked the intrusion of other matters." "oh, you mean the little problem of the gros', 'that you disliked the intrusion of other matters." "oh, you mean the little problem of the grosvenor', 'you disliked the intrusion of other matters." "oh, you mean the little problem of the grosvenor squa', 'isliked the intrusion of other matters." "oh, you mean the little problem of the grosvenor square fu', 'ed the intrusion of other matters." "oh, you mean the little problem of the grosvenor square furnitu', 'e intrusion of other matters." "oh, you mean the little problem of the grosvenor square furniture va', 'rusion of other matters." "oh, you mean the little problem of the grosvenor square furniture van. th', 'n of other matters." "oh, you mean the little problem of the grosvenor square furniture van. that is', 'other matters." "oh, you mean the little problem of the grosvenor square furniture van. that is quit', ' matters." "oh, you mean the little problem of the grosvenor square furniture van. that is quite cle', 'ers." "oh, you mean the little problem of the grosvenor square furniture van. that is quite cleared ', ' "oh, you mean the little problem of the grosvenor square furniture van. that is quite cleared up no', ' you mean the little problem of the grosvenor square furniture van. that is quite cleared up nowthou', 'mean the little problem of the grosvenor square furniture van. that is quite cleared up nowthough, i', 'the little problem of the grosvenor square furniture van. that is quite cleared up nowthough, indeed', 'ittle problem of the grosvenor square furniture van. that is quite cleared up nowthough, indeed, it ', ' problem of the grosvenor square furniture van. that is quite cleared up nowthough, indeed, it was o', 'lem of the grosvenor square furniture van. that is quite cleared up nowthough, indeed, it was obviou', 'f the grosvenor square furniture van. that is quite cleared up nowthough, indeed, it was obvious fro', ' grosvenor square furniture van. that is quite cleared up nowthough, indeed, it was obvious from the', 'venor square furniture van. that is quite cleared up nowthough, indeed, it was obvious from the firs', ' square furniture van. that is quite cleared up nowthough, indeed, it was obvious from the first. pr', 're furniture van. that is quite cleared up nowthough, indeed, it was obvious from the first. pray gi', 'rniture van. that is quite cleared up nowthough, indeed, it was obvious from the first. pray give me', 're van. that is quite cleared up nowthough, indeed, it was obvious from the first. pray give me the ', 'n. that is quite cleared up nowthough, indeed, it was obvious from the first. pray give me the resul', 'at is quite cleared up nowthough, indeed, it was obvious from the first. pray give me the results of', ' quite cleared up nowthough, indeed, it was obvious from the first. pray give me the results of your', 'e cleared up nowthough, indeed, it was obvious from the first. pray give me the results of your news', 'ared up nowthough, indeed, it was obvious from the first. pray give me the results of your newspaper', 'up nowthough, indeed, it was obvious from the first. pray give me the results of your newspaper sele', 'wthough, indeed, it was obvious from the first. pray give me the results of your newspaper selection', 'gh, indeed, it was obvious from the first. pray give me the results of your newspaper selections." "', 'ndeed, it was obvious from the first. pray give me the results of your newspaper selections." "here ', ', it was obvious from the first. pray give me the results of your newspaper selections." "here is th', 'was obvious from the first. pray give me the results of your newspaper selections." "here is the fir', 'bvious from the first. pray give me the results of your newspaper selections." "here is the first no', 's from the first. pray give me the results of your newspaper selections." "here is the first notice ', 'm the first. pray give me the results of your newspaper selections." "here is the first notice which', ' first. pray give me the results of your newspaper selections." "here is the first notice which i ca', 't. pray give me the results of your newspaper selections." "here is the first notice which i can fin', 'ay give me the results of your newspaper selections." "here is the first notice which i can find. it', 've me the results of your newspaper selections." "here is the first notice which i can find. it is i', ' the results of your newspaper selections." "here is the first notice which i can find. it is in the', 'results of your newspaper selections." "here is the first notice which i can find. it is in the pers', 'ts of your newspaper selections." "here is the first notice which i can find. it is in the personal ', ' your newspaper selections." "here is the first notice which i can find. it is in the personal colum', ' newspaper selections." "here is the first notice which i can find. it is in the personal column of ', 'paper selections." "here is the first notice which i can find. it is in the personal column of the m', ' selections." "here is the first notice which i can find. it is in the personal column of the mornin', 'ctions." "here is the first notice which i can find. it is in the personal column of the morning pos', 's." "here is the first notice which i can find. it is in the personal column of the morning post, an', 'here is the first notice which i can find. it is in the personal column of the morning post, and dat', 'is the first notice which i can find. it is in the personal column of the morning post, and dates, a', 'e first notice which i can find. it is in the personal column of the morning post, and dates, as you', 'st notice which i can find. it is in the personal column of the morning post, and dates, as you see,', 'tice which i can find. it is in the personal column of the morning post, and dates, as you see, some', 'which i can find. it is in the personal column of the morning post, and dates, as you see, some week', ' i can find. it is in the personal column of the morning post, and dates, as you see, some weeks bac', "n find. it is in the personal column of the morning post, and dates, as you see, some weeks back: 'a", "d. it is in the personal column of the morning post, and dates, as you see, some weeks back: 'a marr", " is in the personal column of the morning post, and dates, as you see, some weeks back: 'a marriage ", "n the personal column of the morning post, and dates, as you see, some weeks back: 'a marriage has b", " personal column of the morning post, and dates, as you see, some weeks back: 'a marriage has been a", "onal column of the morning post, and dates, as you see, some weeks back: 'a marriage has been arrang", "column of the morning post, and dates, as you see, some weeks back: 'a marriage has been arranged,' ", "n of the morning post, and dates, as you see, some weeks back: 'a marriage has been arranged,' it sa", "the morning post, and dates, as you see, some weeks back: 'a marriage has been arranged,' it says, '", "orning post, and dates, as you see, some weeks back: 'a marriage has been arranged,' it says, 'and w", "g post, and dates, as you see, some weeks back: 'a marriage has been arranged,' it says, 'and will, ", "t, and dates, as you see, some weeks back: 'a marriage has been arranged,' it says, 'and will, if ru", "d dates, as you see, some weeks back: 'a marriage has been arranged,' it says, 'and will, if rumour ", "es, as you see, some weeks back: 'a marriage has been arranged,' it says, 'and will, if rumour is co", "s you see, some weeks back: 'a marriage has been arranged,' it says, 'and will, if rumour is correct", " see, some weeks back: 'a marriage has been arranged,' it says, 'and will, if rumour is correct, ver", " some weeks back: 'a marriage has been arranged,' it says, 'and will, if rumour is correct, very sho", " weeks back: 'a marriage has been arranged,' it says, 'and will, if rumour is correct, very shortly ", "s back: 'a marriage has been arranged,' it says, 'and will, if rumour is correct, very shortly take ", "k: 'a marriage has been arranged,' it says, 'and will, if rumour is correct, very shortly take place", " marriage has been arranged,' it says, 'and will, if rumour is correct, very shortly take place, bet", "iage has been arranged,' it says, 'and will, if rumour is correct, very shortly take place, between ", "has been arranged,' it says, 'and will, if rumour is correct, very shortly take place, between lord ", "een arranged,' it says, 'and will, if rumour is correct, very shortly take place, between lord rober", "rranged,' it says, 'and will, if rumour is correct, very shortly take place, between lord robert st.", "ed,' it says, 'and will, if rumour is correct, very shortly take place, between lord robert st. simo", "it says, 'and will, if rumour is correct, very shortly take place, between lord robert st. simon, se", "ys, 'and will, if rumour is correct, very shortly take place, between lord robert st. simon, second ", 'and will, if rumour is correct, very shortly take place, between lord robert st. simon, second son o', 'ill, if rumour is correct, very shortly take place, between lord robert st. simon, second son of the', 'if rumour is correct, very shortly take place, between lord robert st. simon, second son of the duke', 'mour is correct, very shortly take place, between lord robert st. simon, second son of the duke of b', 'is correct, very shortly take place, between lord robert st. simon, second son of the duke of balmor', 'rrect, very shortly take place, between lord robert st. simon, second son of the duke of balmoral, a', ', very shortly take place, between lord robert st. simon, second son of the duke of balmoral, and mi', 'y shortly take place, between lord robert st. simon, second son of the duke of balmoral, and miss ha', 'rtly take place, between lord robert st. simon, second son of the duke of balmoral, and miss hatty d', 'take place, between lord robert st. simon, second son of the duke of balmoral, and miss hatty doran,', 'place, between lord robert st. simon, second son of the duke of balmoral, and miss hatty doran, the ', ', between lord robert st. simon, second son of the duke of balmoral, and miss hatty doran, the only ', 'ween lord robert st. simon, second son of the duke of balmoral, and miss hatty doran, the only daugh', 'lord robert st. simon, second son of the duke of balmoral, and miss hatty doran, the only daughter o', 'robert st. simon, second son of the duke of balmoral, and miss hatty doran, the only daughter of alo', 't st. simon, second son of the duke of balmoral, and miss hatty doran, the only daughter of aloysius', ' simon, second son of the duke of balmoral, and miss hatty doran, the only daughter of aloysius dora', 'n, second son of the duke of balmoral, and miss hatty doran, the only daughter of aloysius doran. es', 'cond son of the duke of balmoral, and miss hatty doran, the only daughter of aloysius doran. esq., o', 'son of the duke of balmoral, and miss hatty doran, the only daughter of aloysius doran. esq., of san', 'f the duke of balmoral, and miss hatty doran, the only daughter of aloysius doran. esq., of san fran', ' duke of balmoral, and miss hatty doran, the only daughter of aloysius doran. esq., of san francisco', ' of balmoral, and miss hatty doran, the only daughter of aloysius doran. esq., of san francisco, cal', 'almoral, and miss hatty doran, the only daughter of aloysius doran. esq., of san francisco, cal., u.', "al, and miss hatty doran, the only daughter of aloysius doran. esq., of san francisco, cal., u.s.a.'", "nd miss hatty doran, the only daughter of aloysius doran. esq., of san francisco, cal., u.s.a.' that", "ss hatty doran, the only daughter of aloysius doran. esq., of san francisco, cal., u.s.a.' that is a", 'tty doran, the only daughter of aloysius doran. esq., of san francisco, cal., u.s.a.\' that is all." ', 'oran, the only daughter of aloysius doran. esq., of san francisco, cal., u.s.a.\' that is all." "ters', ' the only daughter of aloysius doran. esq., of san francisco, cal., u.s.a.\' that is all." "terse and', 'only daughter of aloysius doran. esq., of san francisco, cal., u.s.a.\' that is all." "terse and to t', 'daughter of aloysius doran. esq., of san francisco, cal., u.s.a.\' that is all." "terse and to the po', 'ter of aloysius doran. esq., of san francisco, cal., u.s.a.\' that is all." "terse and to the point,"', 'f aloysius doran. esq., of san francisco, cal., u.s.a.\' that is all." "terse and to the point," rema', 'ysius doran. esq., of san francisco, cal., u.s.a.\' that is all." "terse and to the point," remarked ', ' doran. esq., of san francisco, cal., u.s.a.\' that is all." "terse and to the point," remarked holme', 'n. esq., of san francisco, cal., u.s.a.\' that is all." "terse and to the point," remarked holmes, st', 'q., of san francisco, cal., u.s.a.\' that is all." "terse and to the point," remarked holmes, stretch', 'f san francisco, cal., u.s.a.\' that is all." "terse and to the point," remarked holmes, stretching h', ' francisco, cal., u.s.a.\' that is all." "terse and to the point," remarked holmes, stretching his lo', 'cisco, cal., u.s.a.\' that is all." "terse and to the point," remarked holmes, stretching his long, t', ', cal., u.s.a.\' that is all." "terse and to the point," remarked holmes, stretching his long, thin l', '., u.s.a.\' that is all." "terse and to the point," remarked holmes, stretching his long, thin legs t', 's.a.\' that is all." "terse and to the point," remarked holmes, stretching his long, thin legs toward', ' that is all." "terse and to the point," remarked holmes, stretching his long, thin legs towards the', ' is all." "terse and to the point," remarked holmes, stretching his long, thin legs towards the fire', 'll." "terse and to the point," remarked holmes, stretching his long, thin legs towards the fire. "th', '"terse and to the point," remarked holmes, stretching his long, thin legs towards the fire. "there w', 'e and to the point," remarked holmes, stretching his long, thin legs towards the fire. "there was a ', ' to the point," remarked holmes, stretching his long, thin legs towards the fire. "there was a parag', 'he point," remarked holmes, stretching his long, thin legs towards the fire. "there was a paragraph ', 'int," remarked holmes, stretching his long, thin legs towards the fire. "there was a paragraph ampli', ' remarked holmes, stretching his long, thin legs towards the fire. "there was a paragraph amplifying', 'rked holmes, stretching his long, thin legs towards the fire. "there was a paragraph amplifying this', 'holmes, stretching his long, thin legs towards the fire. "there was a paragraph amplifying this in o', 's, stretching his long, thin legs towards the fire. "there was a paragraph amplifying this in one of', 'retching his long, thin legs towards the fire. "there was a paragraph amplifying this in one of the ', 'ing his long, thin legs towards the fire. "there was a paragraph amplifying this in one of the socie', 'is long, thin legs towards the fire. "there was a paragraph amplifying this in one of the society pa', 'ng, thin legs towards the fire. "there was a paragraph amplifying this in one of the society papers ', 'hin legs towards the fire. "there was a paragraph amplifying this in one of the society papers of th', 'egs towards the fire. "there was a paragraph amplifying this in one of the society papers of the sam', 'owards the fire. "there was a paragraph amplifying this in one of the society papers of the same wee', 's the fire. "there was a paragraph amplifying this in one of the society papers of the same week. ah', ' fire. "there was a paragraph amplifying this in one of the society papers of the same week. ah, her', '. "there was a paragraph amplifying this in one of the society papers of the same week. ah, here it ', "ere was a paragraph amplifying this in one of the society papers of the same week. ah, here it is: '", "as a paragraph amplifying this in one of the society papers of the same week. ah, here it is: 'there", "paragraph amplifying this in one of the society papers of the same week. ah, here it is: 'there will", "raph amplifying this in one of the society papers of the same week. ah, here it is: 'there will soon", "amplifying this in one of the society papers of the same week. ah, here it is: 'there will soon be a", "fying this in one of the society papers of the same week. ah, here it is: 'there will soon be a call", " this in one of the society papers of the same week. ah, here it is: 'there will soon be a call for ", " in one of the society papers of the same week. ah, here it is: 'there will soon be a call for prote", "ne of the society papers of the same week. ah, here it is: 'there will soon be a call for protection", " the society papers of the same week. ah, here it is: 'there will soon be a call for protection in t", "society papers of the same week. ah, here it is: 'there will soon be a call for protection in the ma", "ty papers of the same week. ah, here it is: 'there will soon be a call for protection in the marriag", "pers of the same week. ah, here it is: 'there will soon be a call for protection in the marriage mar", "of the same week. ah, here it is: 'there will soon be a call for protection in the marriage market, ", "e same week. ah, here it is: 'there will soon be a call for protection in the marriage market, for t", "e week. ah, here it is: 'there will soon be a call for protection in the marriage market, for the pr", "k. ah, here it is: 'there will soon be a call for protection in the marriage market, for the present", ", here it is: 'there will soon be a call for protection in the marriage market, for the present free", "e it is: 'there will soon be a call for protection in the marriage market, for the present free-trad", "is: 'there will soon be a call for protection in the marriage market, for the present free-trade pri", 'there will soon be a call for protection in the marriage market, for the present free-trade principl', ' will soon be a call for protection in the marriage market, for the present free-trade principle app', ' soon be a call for protection in the marriage market, for the present free-trade principle appears ', ' be a call for protection in the marriage market, for the present free-trade principle appears to te', ' call for protection in the marriage market, for the present free-trade principle appears to tell he', ' for protection in the marriage market, for the present free-trade principle appears to tell heavily', 'protection in the marriage market, for the present free-trade principle appears to tell heavily agai', 'ction in the marriage market, for the present free-trade principle appears to tell heavily against o', ' in the marriage market, for the present free-trade principle appears to tell heavily against our ho', 'he marriage market, for the present free-trade principle appears to tell heavily against our home pr', 'rriage market, for the present free-trade principle appears to tell heavily against our home product', 'e market, for the present free-trade principle appears to tell heavily against our home product. one', 'ket, for the present free-trade principle appears to tell heavily against our home product. one by o', 'for the present free-trade principle appears to tell heavily against our home product. one by one th', 'he present free-trade principle appears to tell heavily against our home product. one by one the man', 'esent free-trade principle appears to tell heavily against our home product. one by one the manageme', ' free-trade principle appears to tell heavily against our home product. one by one the management of', '-trade principle appears to tell heavily against our home product. one by one the management of the ', 'e principle appears to tell heavily against our home product. one by one the management of the noble', 'nciple appears to tell heavily against our home product. one by one the management of the noble hous', 'e appears to tell heavily against our home product. one by one the management of the noble houses of', 'ears to tell heavily against our home product. one by one the management of the noble houses of grea', 'to tell heavily against our home product. one by one the management of the noble houses of great bri', 'll heavily against our home product. one by one the management of the noble houses of great britain ', 'avily against our home product. one by one the management of the noble houses of great britain is pa', ' against our home product. one by one the management of the noble houses of great britain is passing', 'nst our home product. one by one the management of the noble houses of great britain is passing into', 'ur home product. one by one the management of the noble houses of great britain is passing into the ', 'me product. one by one the management of the noble houses of great britain is passing into the hands', 'oduct. one by one the management of the noble houses of great britain is passing into the hands of o', '. one by one the management of the noble houses of great britain is passing into the hands of our fa', ' by one the management of the noble houses of great britain is passing into the hands of our fair co', 'ne the management of the noble houses of great britain is passing into the hands of our fair cousins', 'e management of the noble houses of great britain is passing into the hands of our fair cousins from', 'agement of the noble houses of great britain is passing into the hands of our fair cousins from acro', 'nt of the noble houses of great britain is passing into the hands of our fair cousins from across th', ' the noble houses of great britain is passing into the hands of our fair cousins from across the atl', 'noble houses of great britain is passing into the hands of our fair cousins from across the atlantic', ' houses of great britain is passing into the hands of our fair cousins from across the atlantic. an ', 'es of great britain is passing into the hands of our fair cousins from across the atlantic. an impor', ' great britain is passing into the hands of our fair cousins from across the atlantic. an important ', 't britain is passing into the hands of our fair cousins from across the atlantic. an important addit', 'tain is passing into the hands of our fair cousins from across the atlantic. an important addition h', 'is passing into the hands of our fair cousins from across the atlantic. an important addition has be', 'ssing into the hands of our fair cousins from across the atlantic. an important addition has been ma', ' into the hands of our fair cousins from across the atlantic. an important addition has been made du', ' the hands of our fair cousins from across the atlantic. an important addition has been made during ', 'hands of our fair cousins from across the atlantic. an important addition has been made during the l', ' of our fair cousins from across the atlantic. an important addition has been made during the last w', 'ur fair cousins from across the atlantic. an important addition has been made during the last week t', 'ir cousins from across the atlantic. an important addition has been made during the last week to the', 'usins from across the atlantic. an important addition has been made during the last week to the list', ' from across the atlantic. an important addition has been made during the last week to the list of t', ' across the atlantic. an important addition has been made during the last week to the list of the pr', 'ss the atlantic. an important addition has been made during the last week to the list of the prizes ', 'e atlantic. an important addition has been made during the last week to the list of the prizes which', 'antic. an important addition has been made during the last week to the list of the prizes which have', '. an important addition has been made during the last week to the list of the prizes which have been', 'important addition has been made during the last week to the list of the prizes which have been born', 'tant addition has been made during the last week to the list of the prizes which have been borne awa', 'addition has been made during the last week to the list of the prizes which have been borne away by ', 'ion has been made during the last week to the list of the prizes which have been borne away by these', 'as been made during the last week to the list of the prizes which have been borne away by these char', 'en made during the last week to the list of the prizes which have been borne away by these charming ', 'de during the last week to the list of the prizes which have been borne away by these charming invad', 'ring the last week to the list of the prizes which have been borne away by these charming invaders. ', 'the last week to the list of the prizes which have been borne away by these charming invaders. lord ', 'ast week to the list of the prizes which have been borne away by these charming invaders. lord st. s', 'eek to the list of the prizes which have been borne away by these charming invaders. lord st. simon,', 'o the list of the prizes which have been borne away by these charming invaders. lord st. simon, who ', ' list of the prizes which have been borne away by these charming invaders. lord st. simon, who has s', ' of the prizes which have been borne away by these charming invaders. lord st. simon, who has shown ', 'he prizes which have been borne away by these charming invaders. lord st. simon, who has shown himse', 'izes which have been borne away by these charming invaders. lord st. simon, who has shown himself fo', 'which have been borne away by these charming invaders. lord st. simon, who has shown himself for ove', ' have been borne away by these charming invaders. lord st. simon, who has shown himself for over twe', ' been borne away by these charming invaders. lord st. simon, who has shown himself for over twenty y', ' borne away by these charming invaders. lord st. simon, who has shown himself for over twenty years ', 'e away by these charming invaders. lord st. simon, who has shown himself for over twenty years proof', 'y by these charming invaders. lord st. simon, who has shown himself for over twenty years proof agai', 'these charming invaders. lord st. simon, who has shown himself for over twenty years proof against t', ' charming invaders. lord st. simon, who has shown himself for over twenty years proof against the li', 'ming invaders. lord st. simon, who has shown himself for over twenty years proof against the little ', "invaders. lord st. simon, who has shown himself for over twenty years proof against the little god's", "ers. lord st. simon, who has shown himself for over twenty years proof against the little god's arro", "lord st. simon, who has shown himself for over twenty years proof against the little god's arrows, h", "st. simon, who has shown himself for over twenty years proof against the little god's arrows, has no", "imon, who has shown himself for over twenty years proof against the little god's arrows, has now def", " who has shown himself for over twenty years proof against the little god's arrows, has now definite", "has shown himself for over twenty years proof against the little god's arrows, has now definitely an", "hown himself for over twenty years proof against the little god's arrows, has now definitely announc", "himself for over twenty years proof against the little god's arrows, has now definitely announced hi", "lf for over twenty years proof against the little god's arrows, has now definitely announced his app", "r over twenty years proof against the little god's arrows, has now definitely announced his approach", "r twenty years proof against the little god's arrows, has now definitely announced his approaching m", "nty years proof against the little god's arrows, has now definitely announced his approaching marria", "ears proof against the little god's arrows, has now definitely announced his approaching marriage wi", "proof against the little god's arrows, has now definitely announced his approaching marriage with mi", " against the little god's arrows, has now definitely announced his approaching marriage with miss ha", "nst the little god's arrows, has now definitely announced his approaching marriage with miss hatty d", "he little god's arrows, has now definitely announced his approaching marriage with miss hatty doran,", "ttle god's arrows, has now definitely announced his approaching marriage with miss hatty doran, the ", "god's arrows, has now definitely announced his approaching marriage with miss hatty doran, the fasci", ' arrows, has now definitely announced his approaching marriage with miss hatty doran, the fascinatin', 'ws, has now definitely announced his approaching marriage with miss hatty doran, the fascinating dau', 'as now definitely announced his approaching marriage with miss hatty doran, the fascinating daughter', 'w definitely announced his approaching marriage with miss hatty doran, the fascinating daughter of a', 'initely announced his approaching marriage with miss hatty doran, the fascinating daughter of a cali', 'ly announced his approaching marriage with miss hatty doran, the fascinating daughter of a californi', 'nounced his approaching marriage with miss hatty doran, the fascinating daughter of a california mil', 'ed his approaching marriage with miss hatty doran, the fascinating daughter of a california milliona', 's approaching marriage with miss hatty doran, the fascinating daughter of a california millionaire. ', 'roaching marriage with miss hatty doran, the fascinating daughter of a california millionaire. miss ', 'ing marriage with miss hatty doran, the fascinating daughter of a california millionaire. miss doran', 'arriage with miss hatty doran, the fascinating daughter of a california millionaire. miss doran, who', 'ge with miss hatty doran, the fascinating daughter of a california millionaire. miss doran, whose gr', 'th miss hatty doran, the fascinating daughter of a california millionaire. miss doran, whose gracefu', 'ss hatty doran, the fascinating daughter of a california millionaire. miss doran, whose graceful fig', 'tty doran, the fascinating daughter of a california millionaire. miss doran, whose graceful figure a', 'oran, the fascinating daughter of a california millionaire. miss doran, whose graceful figure and st', ' the fascinating daughter of a california millionaire. miss doran, whose graceful figure and strikin', 'fascinating daughter of a california millionaire. miss doran, whose graceful figure and striking fac', 'nating daughter of a california millionaire. miss doran, whose graceful figure and striking face att', 'g daughter of a california millionaire. miss doran, whose graceful figure and striking face attracte', 'ghter of a california millionaire. miss doran, whose graceful figure and striking face attracted muc', ' of a california millionaire. miss doran, whose graceful figure and striking face attracted much att', ' california millionaire. miss doran, whose graceful figure and striking face attracted much attentio', 'fornia millionaire. miss doran, whose graceful figure and striking face attracted much attention at ', 'a millionaire. miss doran, whose graceful figure and striking face attracted much attention at the w', 'lionaire. miss doran, whose graceful figure and striking face attracted much attention at the westbu', 'ire. miss doran, whose graceful figure and striking face attracted much attention at the westbury ho', 'miss doran, whose graceful figure and striking face attracted much attention at the westbury house f', 'doran, whose graceful figure and striking face attracted much attention at the westbury house festiv', ', whose graceful figure and striking face attracted much attention at the westbury house festivities', 'se graceful figure and striking face attracted much attention at the westbury house festivities, is ', 'aceful figure and striking face attracted much attention at the westbury house festivities, is an on', 'l figure and striking face attracted much attention at the westbury house festivities, is an only ch', 'ure and striking face attracted much attention at the westbury house festivities, is an only child, ', 'nd striking face attracted much attention at the westbury house festivities, is an only child, and i', 'riking face attracted much attention at the westbury house festivities, is an only child, and it is ', 'g face attracted much attention at the westbury house festivities, is an only child, and it is curre', 'e attracted much attention at the westbury house festivities, is an only child, and it is currently ', 'racted much attention at the westbury house festivities, is an only child, and it is currently repor', 'd much attention at the westbury house festivities, is an only child, and it is currently reported t', 'h attention at the westbury house festivities, is an only child, and it is currently reported that h', 'ention at the westbury house festivities, is an only child, and it is currently reported that her do', 'n at the westbury house festivities, is an only child, and it is currently reported that her dowry w', 'the westbury house festivities, is an only child, and it is currently reported that her dowry will r', 'estbury house festivities, is an only child, and it is currently reported that her dowry will run to', 'ry house festivities, is an only child, and it is currently reported that her dowry will run to cons', 'use festivities, is an only child, and it is currently reported that her dowry will run to considera', 'estivities, is an only child, and it is currently reported that her dowry will run to considerably o', 'ities, is an only child, and it is currently reported that her dowry will run to considerably over t', ', is an only child, and it is currently reported that her dowry will run to considerably over the si', 'an only child, and it is currently reported that her dowry will run to considerably over the six fig', 'ly child, and it is currently reported that her dowry will run to considerably over the six figures,', 'ild, and it is currently reported that her dowry will run to considerably over the six figures, with', 'and it is currently reported that her dowry will run to considerably over the six figures, with expe', 't is currently reported that her dowry will run to considerably over the six figures, with expectanc', 'currently reported that her dowry will run to considerably over the six figures, with expectancies f', 'ntly reported that her dowry will run to considerably over the six figures, with expectancies for th', 'reported that her dowry will run to considerably over the six figures, with expectancies for the fut', 'ted that her dowry will run to considerably over the six figures, with expectancies for the future. ', 'hat her dowry will run to considerably over the six figures, with expectancies for the future. as it', 'er dowry will run to considerably over the six figures, with expectancies for the future. as it is a', 'wry will run to considerably over the six figures, with expectancies for the future. as it is an ope', 'ill run to considerably over the six figures, with expectancies for the future. as it is an open sec', 'un to considerably over the six figures, with expectancies for the future. as it is an open secret t', ' considerably over the six figures, with expectancies for the future. as it is an open secret that t', 'iderably over the six figures, with expectancies for the future. as it is an open secret that the du', 'bly over the six figures, with expectancies for the future. as it is an open secret that the duke of', 'ver the six figures, with expectancies for the future. as it is an open secret that the duke of balm', 'he six figures, with expectancies for the future. as it is an open secret that the duke of balmoral ', 'x figures, with expectancies for the future. as it is an open secret that the duke of balmoral has b', 'ures, with expectancies for the future. as it is an open secret that the duke of balmoral has been c', ' with expectancies for the future. as it is an open secret that the duke of balmoral has been compel', ' expectancies for the future. as it is an open secret that the duke of balmoral has been compelled t', 'ctancies for the future. as it is an open secret that the duke of balmoral has been compelled to sel', 'ies for the future. as it is an open secret that the duke of balmoral has been compelled to sell his', 'or the future. as it is an open secret that the duke of balmoral has been compelled to sell his pict', 'e future. as it is an open secret that the duke of balmoral has been compelled to sell his pictures ', 'ure. as it is an open secret that the duke of balmoral has been compelled to sell his pictures withi', 'as it is an open secret that the duke of balmoral has been compelled to sell his pictures within the', ' is an open secret that the duke of balmoral has been compelled to sell his pictures within the last', 'n open secret that the duke of balmoral has been compelled to sell his pictures within the last few ', 'n secret that the duke of balmoral has been compelled to sell his pictures within the last few years', 'ret that the duke of balmoral has been compelled to sell his pictures within the last few years, and', 'hat the duke of balmoral has been compelled to sell his pictures within the last few years, and as l', 'he duke of balmoral has been compelled to sell his pictures within the last few years, and as lord s', 'ke of balmoral has been compelled to sell his pictures within the last few years, and as lord st. si', ' balmoral has been compelled to sell his pictures within the last few years, and as lord st. simon h', 'oral has been compelled to sell his pictures within the last few years, and as lord st. simon has no', 'has been compelled to sell his pictures within the last few years, and as lord st. simon has no prop', 'een compelled to sell his pictures within the last few years, and as lord st. simon has no property ', 'ompelled to sell his pictures within the last few years, and as lord st. simon has no property of hi', 'led to sell his pictures within the last few years, and as lord st. simon has no property of his own', 'o sell his pictures within the last few years, and as lord st. simon has no property of his own save', 'l his pictures within the last few years, and as lord st. simon has no property of his own save the ', ' pictures within the last few years, and as lord st. simon has no property of his own save the small', 'ures within the last few years, and as lord st. simon has no property of his own save the small esta', 'within the last few years, and as lord st. simon has no property of his own save the small estate of', 'n the last few years, and as lord st. simon has no property of his own save the small estate of birc', ' last few years, and as lord st. simon has no property of his own save the small estate of birchmoor', ' few years, and as lord st. simon has no property of his own save the small estate of birchmoor, it ', 'years, and as lord st. simon has no property of his own save the small estate of birchmoor, it is ob', ', and as lord st. simon has no property of his own save the small estate of birchmoor, it is obvious', ' as lord st. simon has no property of his own save the small estate of birchmoor, it is obvious that', 'ord st. simon has no property of his own save the small estate of birchmoor, it is obvious that the ', 't. simon has no property of his own save the small estate of birchmoor, it is obvious that the calif', 'mon has no property of his own save the small estate of birchmoor, it is obvious that the california', 'as no property of his own save the small estate of birchmoor, it is obvious that the californian hei', ' property of his own save the small estate of birchmoor, it is obvious that the californian heiress ', 'erty of his own save the small estate of birchmoor, it is obvious that the californian heiress is no', 'of his own save the small estate of birchmoor, it is obvious that the californian heiress is not the', 's own save the small estate of birchmoor, it is obvious that the californian heiress is not the only', ' save the small estate of birchmoor, it is obvious that the californian heiress is not the only gain', ' the small estate of birchmoor, it is obvious that the californian heiress is not the only gainer by', 'small estate of birchmoor, it is obvious that the californian heiress is not the only gainer by an a', ' estate of birchmoor, it is obvious that the californian heiress is not the only gainer by an allian', 'te of birchmoor, it is obvious that the californian heiress is not the only gainer by an alliance wh', ' birchmoor, it is obvious that the californian heiress is not the only gainer by an alliance which w', 'hmoor, it is obvious that the californian heiress is not the only gainer by an alliance which will e', ', it is obvious that the californian heiress is not the only gainer by an alliance which will enable', 'is obvious that the californian heiress is not the only gainer by an alliance which will enable her ', 'vious that the californian heiress is not the only gainer by an alliance which will enable her to ma', ' that the californian heiress is not the only gainer by an alliance which will enable her to make th', ' the californian heiress is not the only gainer by an alliance which will enable her to make the eas', 'californian heiress is not the only gainer by an alliance which will enable her to make the easy and', 'ornian heiress is not the only gainer by an alliance which will enable her to make the easy and comm', 'n heiress is not the only gainer by an alliance which will enable her to make the easy and common tr', 'ress is not the only gainer by an alliance which will enable her to make the easy and common transit', 'is not the only gainer by an alliance which will enable her to make the easy and common transition f', 't the only gainer by an alliance which will enable her to make the easy and common transition from a', ' only gainer by an alliance which will enable her to make the easy and common transition from a repu', ' gainer by an alliance which will enable her to make the easy and common transition from a republica', 'er by an alliance which will enable her to make the easy and common transition from a republican lad', ' an alliance which will enable her to make the easy and common transition from a republican lady to ', 'lliance which will enable her to make the easy and common transition from a republican lady to a bri', 'ce which will enable her to make the easy and common transition from a republican lady to a british ', 'ich will enable her to make the easy and common transition from a republican lady to a british peere', 'ill enable her to make the easy and common transition from a republican lady to a british peeress.\'"', 'nable her to make the easy and common transition from a republican lady to a british peeress.\'" "any', ' her to make the easy and common transition from a republican lady to a british peeress.\'" "anything', 'to make the easy and common transition from a republican lady to a british peeress.\'" "anything else', 'ke the easy and common transition from a republican lady to a british peeress.\'" "anything else?" as', 'e easy and common transition from a republican lady to a british peeress.\'" "anything else?" asked h', 'y and common transition from a republican lady to a british peeress.\'" "anything else?" asked holmes', ' common transition from a republican lady to a british peeress.\'" "anything else?" asked holmes, yaw', 'on transition from a republican lady to a british peeress.\'" "anything else?" asked holmes, yawning.', 'ansition from a republican lady to a british peeress.\'" "anything else?" asked holmes, yawning. "oh,', 'ion from a republican lady to a british peeress.\'" "anything else?" asked holmes, yawning. "oh, yes;', 'rom a republican lady to a british peeress.\'" "anything else?" asked holmes, yawning. "oh, yes; plen', ' republican lady to a british peeress.\'" "anything else?" asked holmes, yawning. "oh, yes; plenty. t', 'blican lady to a british peeress.\'" "anything else?" asked holmes, yawning. "oh, yes; plenty. then t', 'n lady to a british peeress.\'" "anything else?" asked holmes, yawning. "oh, yes; plenty. then there ', 'y to a british peeress.\'" "anything else?" asked holmes, yawning. "oh, yes; plenty. then there is an', 'a british peeress.\'" "anything else?" asked holmes, yawning. "oh, yes; plenty. then there is another', 'tish peeress.\'" "anything else?" asked holmes, yawning. "oh, yes; plenty. then there is another note', 'peeress.\'" "anything else?" asked holmes, yawning. "oh, yes; plenty. then there is another note in t', 'ss.\'" "anything else?" asked holmes, yawning. "oh, yes; plenty. then there is another note in the mo', ' "anything else?" asked holmes, yawning. "oh, yes; plenty. then there is another note in the morning', 'thing else?" asked holmes, yawning. "oh, yes; plenty. then there is another note in the morning post', ' else?" asked holmes, yawning. "oh, yes; plenty. then there is another note in the morning post to s', '?" asked holmes, yawning. "oh, yes; plenty. then there is another note in the morning post to say th', 'ked holmes, yawning. "oh, yes; plenty. then there is another note in the morning post to say that th', 'olmes, yawning. "oh, yes; plenty. then there is another note in the morning post to say that the mar', ', yawning. "oh, yes; plenty. then there is another note in the morning post to say that the marriage', 'ning. "oh, yes; plenty. then there is another note in the morning post to say that the marriage woul', ' "oh, yes; plenty. then there is another note in the morning post to say that the marriage would be ', ' yes; plenty. then there is another note in the morning post to say that the marriage would be an ab', ' plenty. then there is another note in the morning post to say that the marriage would be an absolut', 'ty. then there is another note in the morning post to say that the marriage would be an absolutely q', 'hen there is another note in the morning post to say that the marriage would be an absolutely quiet ', 'here is another note in the morning post to say that the marriage would be an absolutely quiet one, ', 'is another note in the morning post to say that the marriage would be an absolutely quiet one, that ', 'other note in the morning post to say that the marriage would be an absolutely quiet one, that it wo', ' note in the morning post to say that the marriage would be an absolutely quiet one, that it would b', ' in the morning post to say that the marriage would be an absolutely quiet one, that it would be at ', 'he morning post to say that the marriage would be an absolutely quiet one, that it would be at st. g', 'rning post to say that the marriage would be an absolutely quiet one, that it would be at st. george', " post to say that the marriage would be an absolutely quiet one, that it would be at st. george's, h", " to say that the marriage would be an absolutely quiet one, that it would be at st. george's, hanove", "ay that the marriage would be an absolutely quiet one, that it would be at st. george's, hanover squ", "at the marriage would be an absolutely quiet one, that it would be at st. george's, hanover square, ", "e marriage would be an absolutely quiet one, that it would be at st. george's, hanover square, that ", "riage would be an absolutely quiet one, that it would be at st. george's, hanover square, that only ", " would be an absolutely quiet one, that it would be at st. george's, hanover square, that only half ", "d be an absolutely quiet one, that it would be at st. george's, hanover square, that only half a doz", "an absolutely quiet one, that it would be at st. george's, hanover square, that only half a dozen in", "solutely quiet one, that it would be at st. george's, hanover square, that only half a dozen intimat", "ely quiet one, that it would be at st. george's, hanover square, that only half a dozen intimate fri", "uiet one, that it would be at st. george's, hanover square, that only half a dozen intimate friends ", "one, that it would be at st. george's, hanover square, that only half a dozen intimate friends would", "that it would be at st. george's, hanover square, that only half a dozen intimate friends would be i", "it would be at st. george's, hanover square, that only half a dozen intimate friends would be invite", "uld be at st. george's, hanover square, that only half a dozen intimate friends would be invited, an", "e at st. george's, hanover square, that only half a dozen intimate friends would be invited, and tha", "st. george's, hanover square, that only half a dozen intimate friends would be invited, and that the", "eorge's, hanover square, that only half a dozen intimate friends would be invited, and that the part", "'s, hanover square, that only half a dozen intimate friends would be invited, and that the party wou", 'anover square, that only half a dozen intimate friends would be invited, and that the party would re', 'r square, that only half a dozen intimate friends would be invited, and that the party would return ', 'are, that only half a dozen intimate friends would be invited, and that the party would return to th', 'that only half a dozen intimate friends would be invited, and that the party would return to the fur', 'only half a dozen intimate friends would be invited, and that the party would return to the furnishe', 'half a dozen intimate friends would be invited, and that the party would return to the furnished hou', 'a dozen intimate friends would be invited, and that the party would return to the furnished house at', 'en intimate friends would be invited, and that the party would return to the furnished house at lanc', 'timate friends would be invited, and that the party would return to the furnished house at lancaster', 'e friends would be invited, and that the party would return to the furnished house at lancaster gate', 'ends would be invited, and that the party would return to the furnished house at lancaster gate whic', 'would be invited, and that the party would return to the furnished house at lancaster gate which has', ' be invited, and that the party would return to the furnished house at lancaster gate which has been', 'nvited, and that the party would return to the furnished house at lancaster gate which has been take', 'd, and that the party would return to the furnished house at lancaster gate which has been taken by ', 'd that the party would return to the furnished house at lancaster gate which has been taken by mr. a', 't the party would return to the furnished house at lancaster gate which has been taken by mr. aloysi', ' party would return to the furnished house at lancaster gate which has been taken by mr. aloysius do', 'y would return to the furnished house at lancaster gate which has been taken by mr. aloysius doran. ', 'ld return to the furnished house at lancaster gate which has been taken by mr. aloysius doran. two d', 'turn to the furnished house at lancaster gate which has been taken by mr. aloysius doran. two days l', 'to the furnished house at lancaster gate which has been taken by mr. aloysius doran. two days latert', 'e furnished house at lancaster gate which has been taken by mr. aloysius doran. two days laterthat i', 'nished house at lancaster gate which has been taken by mr. aloysius doran. two days laterthat is, on', 'd house at lancaster gate which has been taken by mr. aloysius doran. two days laterthat is, on wedn', 'se at lancaster gate which has been taken by mr. aloysius doran. two days laterthat is, on wednesday', ' lancaster gate which has been taken by mr. aloysius doran. two days laterthat is, on wednesday last', 'aster gate which has been taken by mr. aloysius doran. two days laterthat is, on wednesday lastthere', ' gate which has been taken by mr. aloysius doran. two days laterthat is, on wednesday lastthere is a', ' which has been taken by mr. aloysius doran. two days laterthat is, on wednesday lastthere is a curt', 'h has been taken by mr. aloysius doran. two days laterthat is, on wednesday lastthere is a curt anno', ' been taken by mr. aloysius doran. two days laterthat is, on wednesday lastthere is a curt announcem', ' taken by mr. aloysius doran. two days laterthat is, on wednesday lastthere is a curt announcement t', 'n by mr. aloysius doran. two days laterthat is, on wednesday lastthere is a curt announcement that t', 'mr. aloysius doran. two days laterthat is, on wednesday lastthere is a curt announcement that the we', 'loysius doran. two days laterthat is, on wednesday lastthere is a curt announcement that the wedding', 'us doran. two days laterthat is, on wednesday lastthere is a curt announcement that the wedding had ', 'ran. two days laterthat is, on wednesday lastthere is a curt announcement that the wedding had taken', 'two days laterthat is, on wednesday lastthere is a curt announcement that the wedding had taken plac', 'ays laterthat is, on wednesday lastthere is a curt announcement that the wedding had taken place, an', 'aterthat is, on wednesday lastthere is a curt announcement that the wedding had taken place, and tha', 'hat is, on wednesday lastthere is a curt announcement that the wedding had taken place, and that the', 's, on wednesday lastthere is a curt announcement that the wedding had taken place, and that the hone', ' wednesday lastthere is a curt announcement that the wedding had taken place, and that the honeymoon', 'esday lastthere is a curt announcement that the wedding had taken place, and that the honeymoon woul', ' lastthere is a curt announcement that the wedding had taken place, and that the honeymoon would be ', 'there is a curt announcement that the wedding had taken place, and that the honeymoon would be passe', ' is a curt announcement that the wedding had taken place, and that the honeymoon would be passed at ', ' curt announcement that the wedding had taken place, and that the honeymoon would be passed at lord ', ' announcement that the wedding had taken place, and that the honeymoon would be passed at lord backw', "uncement that the wedding had taken place, and that the honeymoon would be passed at lord backwater'", "ent that the wedding had taken place, and that the honeymoon would be passed at lord backwater's pla", "hat the wedding had taken place, and that the honeymoon would be passed at lord backwater's place, n", "he wedding had taken place, and that the honeymoon would be passed at lord backwater's place, near p", "dding had taken place, and that the honeymoon would be passed at lord backwater's place, near peters", " had taken place, and that the honeymoon would be passed at lord backwater's place, near petersfield", "taken place, and that the honeymoon would be passed at lord backwater's place, near petersfield. tho", " place, and that the honeymoon would be passed at lord backwater's place, near petersfield. those ar", "e, and that the honeymoon would be passed at lord backwater's place, near petersfield. those are all", "d that the honeymoon would be passed at lord backwater's place, near petersfield. those are all the ", "t the honeymoon would be passed at lord backwater's place, near petersfield. those are all the notic", " honeymoon would be passed at lord backwater's place, near petersfield. those are all the notices wh", "ymoon would be passed at lord backwater's place, near petersfield. those are all the notices which a", " would be passed at lord backwater's place, near petersfield. those are all the notices which appear", "d be passed at lord backwater's place, near petersfield. those are all the notices which appeared be", "passed at lord backwater's place, near petersfield. those are all the notices which appeared before ", "d at lord backwater's place, near petersfield. those are all the notices which appeared before the d", "lord backwater's place, near petersfield. those are all the notices which appeared before the disapp", "backwater's place, near petersfield. those are all the notices which appeared before the disappearan", "ater's place, near petersfield. those are all the notices which appeared before the disappearance of", 's place, near petersfield. those are all the notices which appeared before the disappearance of the ', 'ce, near petersfield. those are all the notices which appeared before the disappearance of the bride', 'ear petersfield. those are all the notices which appeared before the disappearance of the bride." "b', 'etersfield. those are all the notices which appeared before the disappearance of the bride." "before', 'field. those are all the notices which appeared before the disappearance of the bride." "before the ', '. those are all the notices which appeared before the disappearance of the bride." "before the what?', 'se are all the notices which appeared before the disappearance of the bride." "before the what?" ask', 'e all the notices which appeared before the disappearance of the bride." "before the what?" asked ho', ' the notices which appeared before the disappearance of the bride." "before the what?" asked holmes ', 'notices which appeared before the disappearance of the bride." "before the what?" asked holmes with ', 'es which appeared before the disappearance of the bride." "before the what?" asked holmes with a sta', 'ich appeared before the disappearance of the bride." "before the what?" asked holmes with a start. "', 'ppeared before the disappearance of the bride." "before the what?" asked holmes with a start. "the v', 'ed before the disappearance of the bride." "before the what?" asked holmes with a start. "the vanish', 'fore the disappearance of the bride." "before the what?" asked holmes with a start. "the vanishing o', 'the disappearance of the bride." "before the what?" asked holmes with a start. "the vanishing of the', 'isappearance of the bride." "before the what?" asked holmes with a start. "the vanishing of the lady', 'earance of the bride." "before the what?" asked holmes with a start. "the vanishing of the lady." "w', 'ce of the bride." "before the what?" asked holmes with a start. "the vanishing of the lady." "when d', ' the bride." "before the what?" asked holmes with a start. "the vanishing of the lady." "when did sh', 'bride." "before the what?" asked holmes with a start. "the vanishing of the lady." "when did she van', '." "before the what?" asked holmes with a start. "the vanishing of the lady." "when did she vanish, ', 'efore the what?" asked holmes with a start. "the vanishing of the lady." "when did she vanish, then?', ' the what?" asked holmes with a start. "the vanishing of the lady." "when did she vanish, then?" "at', 'what?" asked holmes with a start. "the vanishing of the lady." "when did she vanish, then?" "at the ', '" asked holmes with a start. "the vanishing of the lady." "when did she vanish, then?" "at the weddi', 'ed holmes with a start. "the vanishing of the lady." "when did she vanish, then?" "at the wedding br', 'lmes with a start. "the vanishing of the lady." "when did she vanish, then?" "at the wedding breakfa', 'with a start. "the vanishing of the lady." "when did she vanish, then?" "at the wedding breakfast." ', 'a start. "the vanishing of the lady." "when did she vanish, then?" "at the wedding breakfast." "inde', 'rt. "the vanishing of the lady." "when did she vanish, then?" "at the wedding breakfast." "indeed. t', 'the vanishing of the lady." "when did she vanish, then?" "at the wedding breakfast." "indeed. this i', 'anishing of the lady." "when did she vanish, then?" "at the wedding breakfast." "indeed. this is mor', 'ing of the lady." "when did she vanish, then?" "at the wedding breakfast." "indeed. this is more int', 'f the lady." "when did she vanish, then?" "at the wedding breakfast." "indeed. this is more interest', ' lady." "when did she vanish, then?" "at the wedding breakfast." "indeed. this is more interesting t', '." "when did she vanish, then?" "at the wedding breakfast." "indeed. this is more interesting than i', 'hen did she vanish, then?" "at the wedding breakfast." "indeed. this is more interesting than it pro', 'id she vanish, then?" "at the wedding breakfast." "indeed. this is more interesting than it promised', 'e vanish, then?" "at the wedding breakfast." "indeed. this is more interesting than it promised to b', 'ish, then?" "at the wedding breakfast." "indeed. this is more interesting than it promised to be; qu', 'then?" "at the wedding breakfast." "indeed. this is more interesting than it promised to be; quite d', '" "at the wedding breakfast." "indeed. this is more interesting than it promised to be; quite dramat', ' the wedding breakfast." "indeed. this is more interesting than it promised to be; quite dramatic, i', 'wedding breakfast." "indeed. this is more interesting than it promised to be; quite dramatic, in fac', 'ng breakfast." "indeed. this is more interesting than it promised to be; quite dramatic, in fact." "', 'eakfast." "indeed. this is more interesting than it promised to be; quite dramatic, in fact." "yes; ', 'st." "indeed. this is more interesting than it promised to be; quite dramatic, in fact." "yes; it st', '"indeed. this is more interesting than it promised to be; quite dramatic, in fact." "yes; it struck ', 'ed. this is more interesting than it promised to be; quite dramatic, in fact." "yes; it struck me as', 'his is more interesting than it promised to be; quite dramatic, in fact." "yes; it struck me as bein', 's more interesting than it promised to be; quite dramatic, in fact." "yes; it struck me as being a l', 'e interesting than it promised to be; quite dramatic, in fact." "yes; it struck me as being a little', 'eresting than it promised to be; quite dramatic, in fact." "yes; it struck me as being a little out ', 'ing than it promised to be; quite dramatic, in fact." "yes; it struck me as being a little out of th', 'han it promised to be; quite dramatic, in fact." "yes; it struck me as being a little out of the com', 't promised to be; quite dramatic, in fact." "yes; it struck me as being a little out of the common."', 'mised to be; quite dramatic, in fact." "yes; it struck me as being a little out of the common." "the', ' to be; quite dramatic, in fact." "yes; it struck me as being a little out of the common." "they oft', 'e; quite dramatic, in fact." "yes; it struck me as being a little out of the common." "they often va', 'ite dramatic, in fact." "yes; it struck me as being a little out of the common." "they often vanish ', 'ramatic, in fact." "yes; it struck me as being a little out of the common." "they often vanish befor', 'ic, in fact." "yes; it struck me as being a little out of the common." "they often vanish before the', 'n fact." "yes; it struck me as being a little out of the common." "they often vanish before the cere', 't." "yes; it struck me as being a little out of the common." "they often vanish before the ceremony,', 'yes; it struck me as being a little out of the common." "they often vanish before the ceremony, and ', 'it struck me as being a little out of the common." "they often vanish before the ceremony, and occas', 'ruck me as being a little out of the common." "they often vanish before the ceremony, and occasional', 'me as being a little out of the common." "they often vanish before the ceremony, and occasionally du', ' being a little out of the common." "they often vanish before the ceremony, and occasionally during ', 'g a little out of the common." "they often vanish before the ceremony, and occasionally during the h', 'ittle out of the common." "they often vanish before the ceremony, and occasionally during the honeym', ' out of the common." "they often vanish before the ceremony, and occasionally during the honeymoon; ', 'of the common." "they often vanish before the ceremony, and occasionally during the honeymoon; but i', 'e common." "they often vanish before the ceremony, and occasionally during the honeymoon; but i cann', 'mon." "they often vanish before the ceremony, and occasionally during the honeymoon; but i cannot ca', ' "they often vanish before the ceremony, and occasionally during the honeymoon; but i cannot call to', 'y often vanish before the ceremony, and occasionally during the honeymoon; but i cannot call to mind', 'en vanish before the ceremony, and occasionally during the honeymoon; but i cannot call to mind anyt', 'nish before the ceremony, and occasionally during the honeymoon; but i cannot call to mind anything ', 'before the ceremony, and occasionally during the honeymoon; but i cannot call to mind anything quite', 'e the ceremony, and occasionally during the honeymoon; but i cannot call to mind anything quite so p', ' ceremony, and occasionally during the honeymoon; but i cannot call to mind anything quite so prompt', 'mony, and occasionally during the honeymoon; but i cannot call to mind anything quite so prompt as t', ' and occasionally during the honeymoon; but i cannot call to mind anything quite so prompt as this. ', 'occasionally during the honeymoon; but i cannot call to mind anything quite so prompt as this. pray ', 'ionally during the honeymoon; but i cannot call to mind anything quite so prompt as this. pray let m', 'ly during the honeymoon; but i cannot call to mind anything quite so prompt as this. pray let me hav', 'ring the honeymoon; but i cannot call to mind anything quite so prompt as this. pray let me have the', 'the honeymoon; but i cannot call to mind anything quite so prompt as this. pray let me have the deta', 'oneymoon; but i cannot call to mind anything quite so prompt as this. pray let me have the details."', 'oon; but i cannot call to mind anything quite so prompt as this. pray let me have the details." "i w', 'but i cannot call to mind anything quite so prompt as this. pray let me have the details." "i warn y', ' cannot call to mind anything quite so prompt as this. pray let me have the details." "i warn you th', 'ot call to mind anything quite so prompt as this. pray let me have the details." "i warn you that th', 'll to mind anything quite so prompt as this. pray let me have the details." "i warn you that they ar', ' mind anything quite so prompt as this. pray let me have the details." "i warn you that they are ver', ' anything quite so prompt as this. pray let me have the details." "i warn you that they are very inc', 'hing quite so prompt as this. pray let me have the details." "i warn you that they are very incomple', 'quite so prompt as this. pray let me have the details." "i warn you that they are very incomplete." ', ' so prompt as this. pray let me have the details." "i warn you that they are very incomplete." "perh', 'rompt as this. pray let me have the details." "i warn you that they are very incomplete." "perhaps w', ' as this. pray let me have the details." "i warn you that they are very incomplete." "perhaps we may', 'his. pray let me have the details." "i warn you that they are very incomplete." "perhaps we may make', 'pray let me have the details." "i warn you that they are very incomplete." "perhaps we may make them', 'let me have the details." "i warn you that they are very incomplete." "perhaps we may make them less', 'e have the details." "i warn you that they are very incomplete." "perhaps we may make them less so."', 'e the details." "i warn you that they are very incomplete." "perhaps we may make them less so." "suc', ' details." "i warn you that they are very incomplete." "perhaps we may make them less so." "such as ', 'ils." "i warn you that they are very incomplete." "perhaps we may make them less so." "such as they ', ' "i warn you that they are very incomplete." "perhaps we may make them less so." "such as they are, ', 'arn you that they are very incomplete." "perhaps we may make them less so." "such as they are, they ', 'ou that they are very incomplete." "perhaps we may make them less so." "such as they are, they are s', 'at they are very incomplete." "perhaps we may make them less so." "such as they are, they are set fo', 'ey are very incomplete." "perhaps we may make them less so." "such as they are, they are set forth i', 'e very incomplete." "perhaps we may make them less so." "such as they are, they are set forth in a s', 'y incomplete." "perhaps we may make them less so." "such as they are, they are set forth in a single', 'omplete." "perhaps we may make them less so." "such as they are, they are set forth in a single arti', 'te." "perhaps we may make them less so." "such as they are, they are set forth in a single article o', '"perhaps we may make them less so." "such as they are, they are set forth in a single article of a m', 'aps we may make them less so." "such as they are, they are set forth in a single article of a mornin', 'e may make them less so." "such as they are, they are set forth in a single article of a morning pap', ' make them less so." "such as they are, they are set forth in a single article of a morning paper of', ' them less so." "such as they are, they are set forth in a single article of a morning paper of yest', ' less so." "such as they are, they are set forth in a single article of a morning paper of yesterday', ' so." "such as they are, they are set forth in a single article of a morning paper of yesterday, whi', ' "such as they are, they are set forth in a single article of a morning paper of yesterday, which i ', 'h as they are, they are set forth in a single article of a morning paper of yesterday, which i will ', 'they are, they are set forth in a single article of a morning paper of yesterday, which i will read ', 'are, they are set forth in a single article of a morning paper of yesterday, which i will read to yo', 'they are set forth in a single article of a morning paper of yesterday, which i will read to you. it', 'are set forth in a single article of a morning paper of yesterday, which i will read to you. it is h', 'et forth in a single article of a morning paper of yesterday, which i will read to you. it is headed', "rth in a single article of a morning paper of yesterday, which i will read to you. it is headed, 'si", "n a single article of a morning paper of yesterday, which i will read to you. it is headed, 'singula", "ingle article of a morning paper of yesterday, which i will read to you. it is headed, 'singular occ", " article of a morning paper of yesterday, which i will read to you. it is headed, 'singular occurren", "cle of a morning paper of yesterday, which i will read to you. it is headed, 'singular occurrence at", "f a morning paper of yesterday, which i will read to you. it is headed, 'singular occurrence at a fa", "orning paper of yesterday, which i will read to you. it is headed, 'singular occurrence at a fashion", "g paper of yesterday, which i will read to you. it is headed, 'singular occurrence at a fashionable ", "er of yesterday, which i will read to you. it is headed, 'singular occurrence at a fashionable weddi", " yesterday, which i will read to you. it is headed, 'singular occurrence at a fashionable wedding': ", 'erday, which i will read to you. it is headed, \'singular occurrence at a fashionable wedding\': "\'the', ', which i will read to you. it is headed, \'singular occurrence at a fashionable wedding\': "\'the fami', 'ch i will read to you. it is headed, \'singular occurrence at a fashionable wedding\': "\'the family of', 'will read to you. it is headed, \'singular occurrence at a fashionable wedding\': "\'the family of lord', 'read to you. it is headed, \'singular occurrence at a fashionable wedding\': "\'the family of lord robe', 'to you. it is headed, \'singular occurrence at a fashionable wedding\': "\'the family of lord robert st', 'u. it is headed, \'singular occurrence at a fashionable wedding\': "\'the family of lord robert st. sim', ' is headed, \'singular occurrence at a fashionable wedding\': "\'the family of lord robert st. simon ha', 'eaded, \'singular occurrence at a fashionable wedding\': "\'the family of lord robert st. simon has bee', ', \'singular occurrence at a fashionable wedding\': "\'the family of lord robert st. simon has been thr', 'ngular occurrence at a fashionable wedding\': "\'the family of lord robert st. simon has been thrown i', 'r occurrence at a fashionable wedding\': "\'the family of lord robert st. simon has been thrown into t', 'urrence at a fashionable wedding\': "\'the family of lord robert st. simon has been thrown into the gr', 'ce at a fashionable wedding\': "\'the family of lord robert st. simon has been thrown into the greates', ' a fashionable wedding\': "\'the family of lord robert st. simon has been thrown into the greatest con', 'shionable wedding\': "\'the family of lord robert st. simon has been thrown into the greatest constern', 'able wedding\': "\'the family of lord robert st. simon has been thrown into the greatest consternation', 'wedding\': "\'the family of lord robert st. simon has been thrown into the greatest consternation by t', 'ng\': "\'the family of lord robert st. simon has been thrown into the greatest consternation by the st', '"\'the family of lord robert st. simon has been thrown into the greatest consternation by the strange', ' family of lord robert st. simon has been thrown into the greatest consternation by the strange and ', 'ly of lord robert st. simon has been thrown into the greatest consternation by the strange and painf', ' lord robert st. simon has been thrown into the greatest consternation by the strange and painful ep', ' robert st. simon has been thrown into the greatest consternation by the strange and painful episode', 'rt st. simon has been thrown into the greatest consternation by the strange and painful episodes whi', '. simon has been thrown into the greatest consternation by the strange and painful episodes which ha', 'on has been thrown into the greatest consternation by the strange and painful episodes which have ta', 's been thrown into the greatest consternation by the strange and painful episodes which have taken p', 'n thrown into the greatest consternation by the strange and painful episodes which have taken place ', 'own into the greatest consternation by the strange and painful episodes which have taken place in co', 'nto the greatest consternation by the strange and painful episodes which have taken place in connect', 'he greatest consternation by the strange and painful episodes which have taken place in connection w', 'eatest consternation by the strange and painful episodes which have taken place in connection with h', 't consternation by the strange and painful episodes which have taken place in connection with his we', 'sternation by the strange and painful episodes which have taken place in connection with his wedding', 'ation by the strange and painful episodes which have taken place in connection with his wedding. the', ' by the strange and painful episodes which have taken place in connection with his wedding. the cere', 'he strange and painful episodes which have taken place in connection with his wedding. the ceremony,', 'range and painful episodes which have taken place in connection with his wedding. the ceremony, as s', ' and painful episodes which have taken place in connection with his wedding. the ceremony, as shortl', 'painful episodes which have taken place in connection with his wedding. the ceremony, as shortly ann', 'ul episodes which have taken place in connection with his wedding. the ceremony, as shortly announce', 'isodes which have taken place in connection with his wedding. the ceremony, as shortly announced in ', 's which have taken place in connection with his wedding. the ceremony, as shortly announced in the p', 'ch have taken place in connection with his wedding. the ceremony, as shortly announced in the papers', 've taken place in connection with his wedding. the ceremony, as shortly announced in the papers of y', 'ken place in connection with his wedding. the ceremony, as shortly announced in the papers of yester', 'lace in connection with his wedding. the ceremony, as shortly announced in the papers of yesterday, ', 'in connection with his wedding. the ceremony, as shortly announced in the papers of yesterday, occur', 'nnection with his wedding. the ceremony, as shortly announced in the papers of yesterday, occurred o', 'ion with his wedding. the ceremony, as shortly announced in the papers of yesterday, occurred on the', 'ith his wedding. the ceremony, as shortly announced in the papers of yesterday, occurred on the prev', 'is wedding. the ceremony, as shortly announced in the papers of yesterday, occurred on the previous ', 'dding. the ceremony, as shortly announced in the papers of yesterday, occurred on the previous morni', '. the ceremony, as shortly announced in the papers of yesterday, occurred on the previous morning; b', ' ceremony, as shortly announced in the papers of yesterday, occurred on the previous morning; but it', 'mony, as shortly announced in the papers of yesterday, occurred on the previous morning; but it is o', ' as shortly announced in the papers of yesterday, occurred on the previous morning; but it is only n', 'hortly announced in the papers of yesterday, occurred on the previous morning; but it is only now th', 'y announced in the papers of yesterday, occurred on the previous morning; but it is only now that it', 'ounced in the papers of yesterday, occurred on the previous morning; but it is only now that it has ', 'd in the papers of yesterday, occurred on the previous morning; but it is only now that it has been ', 'the papers of yesterday, occurred on the previous morning; but it is only now that it has been possi', 'apers of yesterday, occurred on the previous morning; but it is only now that it has been possible t', ' of yesterday, occurred on the previous morning; but it is only now that it has been possible to con', 'esterday, occurred on the previous morning; but it is only now that it has been possible to confirm ', 'day, occurred on the previous morning; but it is only now that it has been possible to confirm the s', 'occurred on the previous morning; but it is only now that it has been possible to confirm the strang', 'red on the previous morning; but it is only now that it has been possible to confirm the strange rum', 'n the previous morning; but it is only now that it has been possible to confirm the strange rumours ', ' previous morning; but it is only now that it has been possible to confirm the strange rumours which', 'ious morning; but it is only now that it has been possible to confirm the strange rumours which have', 'morning; but it is only now that it has been possible to confirm the strange rumours which have been', 'ng; but it is only now that it has been possible to confirm the strange rumours which have been so p', 'ut it is only now that it has been possible to confirm the strange rumours which have been so persis', ' is only now that it has been possible to confirm the strange rumours which have been so persistentl', 'nly now that it has been possible to confirm the strange rumours which have been so persistently flo', 'ow that it has been possible to confirm the strange rumours which have been so persistently floating', 'at it has been possible to confirm the strange rumours which have been so persistently floating abou', ' has been possible to confirm the strange rumours which have been so persistently floating about. in', 'been possible to confirm the strange rumours which have been so persistently floating about. in spit', 'possible to confirm the strange rumours which have been so persistently floating about. in spite of ', 'ble to confirm the strange rumours which have been so persistently floating about. in spite of the a', 'o confirm the strange rumours which have been so persistently floating about. in spite of the attemp', 'firm the strange rumours which have been so persistently floating about. in spite of the attempts of', 'the strange rumours which have been so persistently floating about. in spite of the attempts of the ', 'trange rumours which have been so persistently floating about. in spite of the attempts of the frien', 'e rumours which have been so persistently floating about. in spite of the attempts of the friends to', 'ours which have been so persistently floating about. in spite of the attempts of the friends to hush', 'which have been so persistently floating about. in spite of the attempts of the friends to hush the ', ' have been so persistently floating about. in spite of the attempts of the friends to hush the matte', ' been so persistently floating about. in spite of the attempts of the friends to hush the matter up,', ' so persistently floating about. in spite of the attempts of the friends to hush the matter up, so m', 'ersistently floating about. in spite of the attempts of the friends to hush the matter up, so much p', 'tently floating about. in spite of the attempts of the friends to hush the matter up, so much public', 'y floating about. in spite of the attempts of the friends to hush the matter up, so much public atte', 'ating about. in spite of the attempts of the friends to hush the matter up, so much public attention', ' about. in spite of the attempts of the friends to hush the matter up, so much public attention has ', 't. in spite of the attempts of the friends to hush the matter up, so much public attention has now b', ' spite of the attempts of the friends to hush the matter up, so much public attention has now been d', 'e of the attempts of the friends to hush the matter up, so much public attention has now been drawn ', 'the attempts of the friends to hush the matter up, so much public attention has now been drawn to it', 'ttempts of the friends to hush the matter up, so much public attention has now been drawn to it that', 'ts of the friends to hush the matter up, so much public attention has now been drawn to it that no g', ' the friends to hush the matter up, so much public attention has now been drawn to it that no good p', 'friends to hush the matter up, so much public attention has now been drawn to it that no good purpos', 'ds to hush the matter up, so much public attention has now been drawn to it that no good purpose can', ' hush the matter up, so much public attention has now been drawn to it that no good purpose can be s', ' the matter up, so much public attention has now been drawn to it that no good purpose can be served', 'matter up, so much public attention has now been drawn to it that no good purpose can be served by a', 'r up, so much public attention has now been drawn to it that no good purpose can be served by affect', ' so much public attention has now been drawn to it that no good purpose can be served by affecting t', 'uch public attention has now been drawn to it that no good purpose can be served by affecting to dis', 'ublic attention has now been drawn to it that no good purpose can be served by affecting to disregar', ' attention has now been drawn to it that no good purpose can be served by affecting to disregard wha', 'ntion has now been drawn to it that no good purpose can be served by affecting to disregard what is ', ' has now been drawn to it that no good purpose can be served by affecting to disregard what is a com', 'now been drawn to it that no good purpose can be served by affecting to disregard what is a common s', 'een drawn to it that no good purpose can be served by affecting to disregard what is a common subjec', 'rawn to it that no good purpose can be served by affecting to disregard what is a common subject for', 'to it that no good purpose can be served by affecting to disregard what is a common subject for conv', ' that no good purpose can be served by affecting to disregard what is a common subject for conversat', ' no good purpose can be served by affecting to disregard what is a common subject for conversation. ', 'ood purpose can be served by affecting to disregard what is a common subject for conversation. "\'the', 'urpose can be served by affecting to disregard what is a common subject for conversation. "\'the cere', 'e can be served by affecting to disregard what is a common subject for conversation. "\'the ceremony,', ' be served by affecting to disregard what is a common subject for conversation. "\'the ceremony, whic', 'erved by affecting to disregard what is a common subject for conversation. "\'the ceremony, which was', ' by affecting to disregard what is a common subject for conversation. "\'the ceremony, which was perf', 'ffecting to disregard what is a common subject for conversation. "\'the ceremony, which was performed', 'ing to disregard what is a common subject for conversation. "\'the ceremony, which was performed at s', 'o disregard what is a common subject for conversation. "\'the ceremony, which was performed at st. ge', 'regard what is a common subject for conversation. "\'the ceremony, which was performed at st. george\'', 'd what is a common subject for conversation. "\'the ceremony, which was performed at st. george\'s, ha', 't is a common subject for conversation. "\'the ceremony, which was performed at st. george\'s, hanover', 'a common subject for conversation. "\'the ceremony, which was performed at st. george\'s, hanover squa', 'mon subject for conversation. "\'the ceremony, which was performed at st. george\'s, hanover square, w', 'ubject for conversation. "\'the ceremony, which was performed at st. george\'s, hanover square, was a ', 't for conversation. "\'the ceremony, which was performed at st. george\'s, hanover square, was a very ', ' conversation. "\'the ceremony, which was performed at st. george\'s, hanover square, was a very quiet', 'ersation. "\'the ceremony, which was performed at st. george\'s, hanover square, was a very quiet one,', 'ion. "\'the ceremony, which was performed at st. george\'s, hanover square, was a very quiet one, no o', '"\'the ceremony, which was performed at st. george\'s, hanover square, was a very quiet one, no one be', " ceremony, which was performed at st. george's, hanover square, was a very quiet one, no one being p", "mony, which was performed at st. george's, hanover square, was a very quiet one, no one being presen", " which was performed at st. george's, hanover square, was a very quiet one, no one being present sav", "h was performed at st. george's, hanover square, was a very quiet one, no one being present save the", " performed at st. george's, hanover square, was a very quiet one, no one being present save the fath", "ormed at st. george's, hanover square, was a very quiet one, no one being present save the father of", " at st. george's, hanover square, was a very quiet one, no one being present save the father of the ", "t. george's, hanover square, was a very quiet one, no one being present save the father of the bride", "orge's, hanover square, was a very quiet one, no one being present save the father of the bride, mr.", 's, hanover square, was a very quiet one, no one being present save the father of the bride, mr. aloy', 'nover square, was a very quiet one, no one being present save the father of the bride, mr. aloysius ', ' square, was a very quiet one, no one being present save the father of the bride, mr. aloysius doran', 're, was a very quiet one, no one being present save the father of the bride, mr. aloysius doran, the', 'as a very quiet one, no one being present save the father of the bride, mr. aloysius doran, the duch', 'very quiet one, no one being present save the father of the bride, mr. aloysius doran, the duchess o', 'quiet one, no one being present save the father of the bride, mr. aloysius doran, the duchess of bal', ' one, no one being present save the father of the bride, mr. aloysius doran, the duchess of balmoral', ' no one being present save the father of the bride, mr. aloysius doran, the duchess of balmoral, lor', 'ne being present save the father of the bride, mr. aloysius doran, the duchess of balmoral, lord bac', 'ing present save the father of the bride, mr. aloysius doran, the duchess of balmoral, lord backwate', 'resent save the father of the bride, mr. aloysius doran, the duchess of balmoral, lord backwater, lo', 't save the father of the bride, mr. aloysius doran, the duchess of balmoral, lord backwater, lord eu', 'e the father of the bride, mr. aloysius doran, the duchess of balmoral, lord backwater, lord eustace', ' father of the bride, mr. aloysius doran, the duchess of balmoral, lord backwater, lord eustace and ', 'er of the bride, mr. aloysius doran, the duchess of balmoral, lord backwater, lord eustace and lady ', ' the bride, mr. aloysius doran, the duchess of balmoral, lord backwater, lord eustace and lady clara', 'bride, mr. aloysius doran, the duchess of balmoral, lord backwater, lord eustace and lady clara st. ', ', mr. aloysius doran, the duchess of balmoral, lord backwater, lord eustace and lady clara st. simon', ' aloysius doran, the duchess of balmoral, lord backwater, lord eustace and lady clara st. simon the ', 'sius doran, the duchess of balmoral, lord backwater, lord eustace and lady clara st. simon the young', 'doran, the duchess of balmoral, lord backwater, lord eustace and lady clara st. simon the younger br', ', the duchess of balmoral, lord backwater, lord eustace and lady clara st. simon the younger brother', ' duchess of balmoral, lord backwater, lord eustace and lady clara st. simon the younger brother and ', 'ess of balmoral, lord backwater, lord eustace and lady clara st. simon the younger brother and siste', 'f balmoral, lord backwater, lord eustace and lady clara st. simon the younger brother and sister of ', 'moral, lord backwater, lord eustace and lady clara st. simon the younger brother and sister of the b', ', lord backwater, lord eustace and lady clara st. simon the younger brother and sister of the brideg', 'd backwater, lord eustace and lady clara st. simon the younger brother and sister of the bridegroom ', 'kwater, lord eustace and lady clara st. simon the younger brother and sister of the bridegroom , and', 'r, lord eustace and lady clara st. simon the younger brother and sister of the bridegroom , and lady', 'rd eustace and lady clara st. simon the younger brother and sister of the bridegroom , and lady alic', 'stace and lady clara st. simon the younger brother and sister of the bridegroom , and lady alicia wh', ' and lady clara st. simon the younger brother and sister of the bridegroom , and lady alicia whittin', 'lady clara st. simon the younger brother and sister of the bridegroom , and lady alicia whittington.', 'clara st. simon the younger brother and sister of the bridegroom , and lady alicia whittington. the ', ' st. simon the younger brother and sister of the bridegroom , and lady alicia whittington. the whole', 'simon the younger brother and sister of the bridegroom , and lady alicia whittington. the whole part', ' the younger brother and sister of the bridegroom , and lady alicia whittington. the whole party pro', 'younger brother and sister of the bridegroom , and lady alicia whittington. the whole party proceede', 'er brother and sister of the bridegroom , and lady alicia whittington. the whole party proceeded aft', 'other and sister of the bridegroom , and lady alicia whittington. the whole party proceeded afterwar', ' and sister of the bridegroom , and lady alicia whittington. the whole party proceeded afterwards to', 'sister of the bridegroom , and lady alicia whittington. the whole party proceeded afterwards to the ', 'r of the bridegroom , and lady alicia whittington. the whole party proceeded afterwards to the house', 'the bridegroom , and lady alicia whittington. the whole party proceeded afterwards to the house of m', 'ridegroom , and lady alicia whittington. the whole party proceeded afterwards to the house of mr. al', 'room , and lady alicia whittington. the whole party proceeded afterwards to the house of mr. aloysiu', ', and lady alicia whittington. the whole party proceeded afterwards to the house of mr. aloysius dor', ' lady alicia whittington. the whole party proceeded afterwards to the house of mr. aloysius doran, a', ' alicia whittington. the whole party proceeded afterwards to the house of mr. aloysius doran, at lan', 'ia whittington. the whole party proceeded afterwards to the house of mr. aloysius doran, at lancaste', 'ittington. the whole party proceeded afterwards to the house of mr. aloysius doran, at lancaster gat', 'gton. the whole party proceeded afterwards to the house of mr. aloysius doran, at lancaster gate, wh', ' the whole party proceeded afterwards to the house of mr. aloysius doran, at lancaster gate, where b', 'whole party proceeded afterwards to the house of mr. aloysius doran, at lancaster gate, where breakf', ' party proceeded afterwards to the house of mr. aloysius doran, at lancaster gate, where breakfast h', 'y proceeded afterwards to the house of mr. aloysius doran, at lancaster gate, where breakfast had be', 'ceeded afterwards to the house of mr. aloysius doran, at lancaster gate, where breakfast had been pr', 'd afterwards to the house of mr. aloysius doran, at lancaster gate, where breakfast had been prepare', 'erwards to the house of mr. aloysius doran, at lancaster gate, where breakfast had been prepared. it', 'ds to the house of mr. aloysius doran, at lancaster gate, where breakfast had been prepared. it appe', ' the house of mr. aloysius doran, at lancaster gate, where breakfast had been prepared. it appears t', 'house of mr. aloysius doran, at lancaster gate, where breakfast had been prepared. it appears that s', ' of mr. aloysius doran, at lancaster gate, where breakfast had been prepared. it appears that some l', 'r. aloysius doran, at lancaster gate, where breakfast had been prepared. it appears that some little', 'oysius doran, at lancaster gate, where breakfast had been prepared. it appears that some little trou', 's doran, at lancaster gate, where breakfast had been prepared. it appears that some little trouble w', 'an, at lancaster gate, where breakfast had been prepared. it appears that some little trouble was ca', 't lancaster gate, where breakfast had been prepared. it appears that some little trouble was caused ', 'caster gate, where breakfast had been prepared. it appears that some little trouble was caused by a ', 'r gate, where breakfast had been prepared. it appears that some little trouble was caused by a woman', 'e, where breakfast had been prepared. it appears that some little trouble was caused by a woman, who', 'ere breakfast had been prepared. it appears that some little trouble was caused by a woman, whose na', 'reakfast had been prepared. it appears that some little trouble was caused by a woman, whose name ha', 'ast had been prepared. it appears that some little trouble was caused by a woman, whose name has not', 'ad been prepared. it appears that some little trouble was caused by a woman, whose name has not been', 'en prepared. it appears that some little trouble was caused by a woman, whose name has not been asce', 'epared. it appears that some little trouble was caused by a woman, whose name has not been ascertain', 'd. it appears that some little trouble was caused by a woman, whose name has not been ascertained, w', ' appears that some little trouble was caused by a woman, whose name has not been ascertained, who en', 'ars that some little trouble was caused by a woman, whose name has not been ascertained, who endeavo', 'hat some little trouble was caused by a woman, whose name has not been ascertained, who endeavoured ', 'ome little trouble was caused by a woman, whose name has not been ascertained, who endeavoured to fo', 'ittle trouble was caused by a woman, whose name has not been ascertained, who endeavoured to force h', ' trouble was caused by a woman, whose name has not been ascertained, who endeavoured to force her wa', 'ble was caused by a woman, whose name has not been ascertained, who endeavoured to force her way int', 'as caused by a woman, whose name has not been ascertained, who endeavoured to force her way into the', 'used by a woman, whose name has not been ascertained, who endeavoured to force her way into the hous', 'by a woman, whose name has not been ascertained, who endeavoured to force her way into the house aft', 'woman, whose name has not been ascertained, who endeavoured to force her way into the house after th', ', whose name has not been ascertained, who endeavoured to force her way into the house after the bri', 'se name has not been ascertained, who endeavoured to force her way into the house after the bridal p', 'me has not been ascertained, who endeavoured to force her way into the house after the bridal party,', 's not been ascertained, who endeavoured to force her way into the house after the bridal party, alle', ' been ascertained, who endeavoured to force her way into the house after the bridal party, alleging ', ' ascertained, who endeavoured to force her way into the house after the bridal party, alleging that ', 'rtained, who endeavoured to force her way into the house after the bridal party, alleging that she h', 'ed, who endeavoured to force her way into the house after the bridal party, alleging that she had so', 'ho endeavoured to force her way into the house after the bridal party, alleging that she had some cl', 'deavoured to force her way into the house after the bridal party, alleging that she had some claim u', 'ured to force her way into the house after the bridal party, alleging that she had some claim upon l', 'to force her way into the house after the bridal party, alleging that she had some claim upon lord s', 'rce her way into the house after the bridal party, alleging that she had some claim upon lord st. si', 'er way into the house after the bridal party, alleging that she had some claim upon lord st. simon. ', 'y into the house after the bridal party, alleging that she had some claim upon lord st. simon. it wa', 'o the house after the bridal party, alleging that she had some claim upon lord st. simon. it was onl', ' house after the bridal party, alleging that she had some claim upon lord st. simon. it was only aft', 'e after the bridal party, alleging that she had some claim upon lord st. simon. it was only after a ', 'er the bridal party, alleging that she had some claim upon lord st. simon. it was only after a painf', 'e bridal party, alleging that she had some claim upon lord st. simon. it was only after a painful an', 'dal party, alleging that she had some claim upon lord st. simon. it was only after a painful and pro', 'arty, alleging that she had some claim upon lord st. simon. it was only after a painful and prolonge', ' alleging that she had some claim upon lord st. simon. it was only after a painful and prolonged sce', 'ging that she had some claim upon lord st. simon. it was only after a painful and prolonged scene th', 'that she had some claim upon lord st. simon. it was only after a painful and prolonged scene that sh', 'she had some claim upon lord st. simon. it was only after a painful and prolonged scene that she was', 'ad some claim upon lord st. simon. it was only after a painful and prolonged scene that she was ejec', 'me claim upon lord st. simon. it was only after a painful and prolonged scene that she was ejected b', 'aim upon lord st. simon. it was only after a painful and prolonged scene that she was ejected by the', 'pon lord st. simon. it was only after a painful and prolonged scene that she was ejected by the butl', 'ord st. simon. it was only after a painful and prolonged scene that she was ejected by the butler an', 't. simon. it was only after a painful and prolonged scene that she was ejected by the butler and the', 'mon. it was only after a painful and prolonged scene that she was ejected by the butler and the foot', 'it was only after a painful and prolonged scene that she was ejected by the butler and the footman. ', 's only after a painful and prolonged scene that she was ejected by the butler and the footman. the b', 'y after a painful and prolonged scene that she was ejected by the butler and the footman. the bride,', 'er a painful and prolonged scene that she was ejected by the butler and the footman. the bride, who ', 'painful and prolonged scene that she was ejected by the butler and the footman. the bride, who had f', 'ul and prolonged scene that she was ejected by the butler and the footman. the bride, who had fortun', 'd prolonged scene that she was ejected by the butler and the footman. the bride, who had fortunately', 'longed scene that she was ejected by the butler and the footman. the bride, who had fortunately ente', 'd scene that she was ejected by the butler and the footman. the bride, who had fortunately entered t', 'ne that she was ejected by the butler and the footman. the bride, who had fortunately entered the ho', 'at she was ejected by the butler and the footman. the bride, who had fortunately entered the house b', 'e was ejected by the butler and the footman. the bride, who had fortunately entered the house before', ' ejected by the butler and the footman. the bride, who had fortunately entered the house before this', 'ted by the butler and the footman. the bride, who had fortunately entered the house before this unpl', 'y the butler and the footman. the bride, who had fortunately entered the house before this unpleasan', ' butler and the footman. the bride, who had fortunately entered the house before this unpleasant int', 'er and the footman. the bride, who had fortunately entered the house before this unpleasant interrup', 'd the footman. the bride, who had fortunately entered the house before this unpleasant interruption,', ' footman. the bride, who had fortunately entered the house before this unpleasant interruption, had ', 'man. the bride, who had fortunately entered the house before this unpleasant interruption, had sat d', 'the bride, who had fortunately entered the house before this unpleasant interruption, had sat down t', 'ride, who had fortunately entered the house before this unpleasant interruption, had sat down to bre', ' who had fortunately entered the house before this unpleasant interruption, had sat down to breakfas', 'had fortunately entered the house before this unpleasant interruption, had sat down to breakfast wit', 'ortunately entered the house before this unpleasant interruption, had sat down to breakfast with the', 'ately entered the house before this unpleasant interruption, had sat down to breakfast with the rest', ' entered the house before this unpleasant interruption, had sat down to breakfast with the rest, whe', 'red the house before this unpleasant interruption, had sat down to breakfast with the rest, when she', 'he house before this unpleasant interruption, had sat down to breakfast with the rest, when she comp', 'use before this unpleasant interruption, had sat down to breakfast with the rest, when she complaine', 'efore this unpleasant interruption, had sat down to breakfast with the rest, when she complained of ', ' this unpleasant interruption, had sat down to breakfast with the rest, when she complained of a sud', ' unpleasant interruption, had sat down to breakfast with the rest, when she complained of a sudden i', 'easant interruption, had sat down to breakfast with the rest, when she complained of a sudden indisp', 't interruption, had sat down to breakfast with the rest, when she complained of a sudden indispositi', 'erruption, had sat down to breakfast with the rest, when she complained of a sudden indisposition an', 'tion, had sat down to breakfast with the rest, when she complained of a sudden indisposition and ret', ' had sat down to breakfast with the rest, when she complained of a sudden indisposition and retired ', 'sat down to breakfast with the rest, when she complained of a sudden indisposition and retired to he', 'own to breakfast with the rest, when she complained of a sudden indisposition and retired to her roo', 'o breakfast with the rest, when she complained of a sudden indisposition and retired to her room. he', 'akfast with the rest, when she complained of a sudden indisposition and retired to her room. her pro', 't with the rest, when she complained of a sudden indisposition and retired to her room. her prolonge', 'h the rest, when she complained of a sudden indisposition and retired to her room. her prolonged abs', ' rest, when she complained of a sudden indisposition and retired to her room. her prolonged absence ', ', when she complained of a sudden indisposition and retired to her room. her prolonged absence havin', 'n she complained of a sudden indisposition and retired to her room. her prolonged absence having cau', ' complained of a sudden indisposition and retired to her room. her prolonged absence having caused s', 'lained of a sudden indisposition and retired to her room. her prolonged absence having caused some c', 'd of a sudden indisposition and retired to her room. her prolonged absence having caused some commen', 'a sudden indisposition and retired to her room. her prolonged absence having caused some comment, he', 'den indisposition and retired to her room. her prolonged absence having caused some comment, her fat', 'ndisposition and retired to her room. her prolonged absence having caused some comment, her father f', 'osition and retired to her room. her prolonged absence having caused some comment, her father follow', 'on and retired to her room. her prolonged absence having caused some comment, her father followed he', 'd retired to her room. her prolonged absence having caused some comment, her father followed her, bu', 'ired to her room. her prolonged absence having caused some comment, her father followed her, but lea', 'to her room. her prolonged absence having caused some comment, her father followed her, but learned ', 'r room. her prolonged absence having caused some comment, her father followed her, but learned from ', 'm. her prolonged absence having caused some comment, her father followed her, but learned from her m', 'r prolonged absence having caused some comment, her father followed her, but learned from her maid t', 'longed absence having caused some comment, her father followed her, but learned from her maid that s', 'd absence having caused some comment, her father followed her, but learned from her maid that she ha', 'ence having caused some comment, her father followed her, but learned from her maid that she had onl', 'having caused some comment, her father followed her, but learned from her maid that she had only com', 'g caused some comment, her father followed her, but learned from her maid that she had only come up ', 'sed some comment, her father followed her, but learned from her maid that she had only come up to he', 'ome comment, her father followed her, but learned from her maid that she had only come up to her cha', 'omment, her father followed her, but learned from her maid that she had only come up to her chamber ', 't, her father followed her, but learned from her maid that she had only come up to her chamber for a', 'r father followed her, but learned from her maid that she had only come up to her chamber for an ins', 'her followed her, but learned from her maid that she had only come up to her chamber for an instant,', 'ollowed her, but learned from her maid that she had only come up to her chamber for an instant, caug', 'ed her, but learned from her maid that she had only come up to her chamber for an instant, caught up', 'r, but learned from her maid that she had only come up to her chamber for an instant, caught up an u', 't learned from her maid that she had only come up to her chamber for an instant, caught up an ulster', 'rned from her maid that she had only come up to her chamber for an instant, caught up an ulster and ', 'from her maid that she had only come up to her chamber for an instant, caught up an ulster and bonne', 'her maid that she had only come up to her chamber for an instant, caught up an ulster and bonnet, an', 'aid that she had only come up to her chamber for an instant, caught up an ulster and bonnet, and hur', 'hat she had only come up to her chamber for an instant, caught up an ulster and bonnet, and hurried ', 'he had only come up to her chamber for an instant, caught up an ulster and bonnet, and hurried down ', 'd only come up to her chamber for an instant, caught up an ulster and bonnet, and hurried down to th', 'y come up to her chamber for an instant, caught up an ulster and bonnet, and hurried down to the pas', 'e up to her chamber for an instant, caught up an ulster and bonnet, and hurried down to the passage.', 'to her chamber for an instant, caught up an ulster and bonnet, and hurried down to the passage. one ', 'r chamber for an instant, caught up an ulster and bonnet, and hurried down to the passage. one of th', 'mber for an instant, caught up an ulster and bonnet, and hurried down to the passage. one of the foo', 'for an instant, caught up an ulster and bonnet, and hurried down to the passage. one of the footmen ', 'n instant, caught up an ulster and bonnet, and hurried down to the passage. one of the footmen decla', 'tant, caught up an ulster and bonnet, and hurried down to the passage. one of the footmen declared t', ' caught up an ulster and bonnet, and hurried down to the passage. one of the footmen declared that h', 'ht up an ulster and bonnet, and hurried down to the passage. one of the footmen declared that he had', ' an ulster and bonnet, and hurried down to the passage. one of the footmen declared that he had seen', 'lster and bonnet, and hurried down to the passage. one of the footmen declared that he had seen a la', ' and bonnet, and hurried down to the passage. one of the footmen declared that he had seen a lady le', 'bonnet, and hurried down to the passage. one of the footmen declared that he had seen a lady leave t', 't, and hurried down to the passage. one of the footmen declared that he had seen a lady leave the ho', 'd hurried down to the passage. one of the footmen declared that he had seen a lady leave the house t', 'ried down to the passage. one of the footmen declared that he had seen a lady leave the house thus a', 'down to the passage. one of the footmen declared that he had seen a lady leave the house thus appare', 'to the passage. one of the footmen declared that he had seen a lady leave the house thus apparelled,', 'e passage. one of the footmen declared that he had seen a lady leave the house thus apparelled, but ', 'sage. one of the footmen declared that he had seen a lady leave the house thus apparelled, but had r', ' one of the footmen declared that he had seen a lady leave the house thus apparelled, but had refuse', 'of the footmen declared that he had seen a lady leave the house thus apparelled, but had refused to ', 'e footmen declared that he had seen a lady leave the house thus apparelled, but had refused to credi', 'tmen declared that he had seen a lady leave the house thus apparelled, but had refused to credit tha', 'declared that he had seen a lady leave the house thus apparelled, but had refused to credit that it ', 'red that he had seen a lady leave the house thus apparelled, but had refused to credit that it was h', 'hat he had seen a lady leave the house thus apparelled, but had refused to credit that it was his mi', 'e had seen a lady leave the house thus apparelled, but had refused to credit that it was his mistres', ' seen a lady leave the house thus apparelled, but had refused to credit that it was his mistress, be', ' a lady leave the house thus apparelled, but had refused to credit that it was his mistress, believi', 'dy leave the house thus apparelled, but had refused to credit that it was his mistress, believing he', 'ave the house thus apparelled, but had refused to credit that it was his mistress, believing her to ', 'he house thus apparelled, but had refused to credit that it was his mistress, believing her to be wi', 'use thus apparelled, but had refused to credit that it was his mistress, believing her to be with th', 'hus apparelled, but had refused to credit that it was his mistress, believing her to be with the com', 'pparelled, but had refused to credit that it was his mistress, believing her to be with the company.', 'lled, but had refused to credit that it was his mistress, believing her to be with the company. on a', ' but had refused to credit that it was his mistress, believing her to be with the company. on ascert', 'had refused to credit that it was his mistress, believing her to be with the company. on ascertainin', 'efused to credit that it was his mistress, believing her to be with the company. on ascertaining tha', 'd to credit that it was his mistress, believing her to be with the company. on ascertaining that his', 'credit that it was his mistress, believing her to be with the company. on ascertaining that his daug', 't that it was his mistress, believing her to be with the company. on ascertaining that his daughter ', 't it was his mistress, believing her to be with the company. on ascertaining that his daughter had d', 'was his mistress, believing her to be with the company. on ascertaining that his daughter had disapp', 'is mistress, believing her to be with the company. on ascertaining that his daughter had disappeared', 'stress, believing her to be with the company. on ascertaining that his daughter had disappeared, mr.', 's, believing her to be with the company. on ascertaining that his daughter had disappeared, mr. aloy', 'lieving her to be with the company. on ascertaining that his daughter had disappeared, mr. aloysius ', 'ng her to be with the company. on ascertaining that his daughter had disappeared, mr. aloysius doran', 'r to be with the company. on ascertaining that his daughter had disappeared, mr. aloysius doran, in ', 'be with the company. on ascertaining that his daughter had disappeared, mr. aloysius doran, in conju', 'th the company. on ascertaining that his daughter had disappeared, mr. aloysius doran, in conjunctio', 'e company. on ascertaining that his daughter had disappeared, mr. aloysius doran, in conjunction wit', 'pany. on ascertaining that his daughter had disappeared, mr. aloysius doran, in conjunction with the', ' on ascertaining that his daughter had disappeared, mr. aloysius doran, in conjunction with the brid', 'scertaining that his daughter had disappeared, mr. aloysius doran, in conjunction with the bridegroo', 'aining that his daughter had disappeared, mr. aloysius doran, in conjunction with the bridegroom, in', 'g that his daughter had disappeared, mr. aloysius doran, in conjunction with the bridegroom, instant', 't his daughter had disappeared, mr. aloysius doran, in conjunction with the bridegroom, instantly pu', ' daughter had disappeared, mr. aloysius doran, in conjunction with the bridegroom, instantly put the', 'hter had disappeared, mr. aloysius doran, in conjunction with the bridegroom, instantly put themselv', 'had disappeared, mr. aloysius doran, in conjunction with the bridegroom, instantly put themselves in', 'isappeared, mr. aloysius doran, in conjunction with the bridegroom, instantly put themselves in comm', 'eared, mr. aloysius doran, in conjunction with the bridegroom, instantly put themselves in communica', ', mr. aloysius doran, in conjunction with the bridegroom, instantly put themselves in communication ', ' aloysius doran, in conjunction with the bridegroom, instantly put themselves in communication with ', 'sius doran, in conjunction with the bridegroom, instantly put themselves in communication with the p', 'doran, in conjunction with the bridegroom, instantly put themselves in communication with the police', ', in conjunction with the bridegroom, instantly put themselves in communication with the police, and', 'conjunction with the bridegroom, instantly put themselves in communication with the police, and very', 'nction with the bridegroom, instantly put themselves in communication with the police, and very ener', 'n with the bridegroom, instantly put themselves in communication with the police, and very energetic', 'h the bridegroom, instantly put themselves in communication with the police, and very energetic inqu', ' bridegroom, instantly put themselves in communication with the police, and very energetic inquiries', 'egroom, instantly put themselves in communication with the police, and very energetic inquiries are ', 'm, instantly put themselves in communication with the police, and very energetic inquiries are being', 'stantly put themselves in communication with the police, and very energetic inquiries are being made', 'ly put themselves in communication with the police, and very energetic inquiries are being made, whi', 't themselves in communication with the police, and very energetic inquiries are being made, which wi', 'mselves in communication with the police, and very energetic inquiries are being made, which will pr', 'es in communication with the police, and very energetic inquiries are being made, which will probabl', ' communication with the police, and very energetic inquiries are being made, which will probably res', 'unication with the police, and very energetic inquiries are being made, which will probably result i', 'tion with the police, and very energetic inquiries are being made, which will probably result in a s', 'with the police, and very energetic inquiries are being made, which will probably result in a speedy', 'the police, and very energetic inquiries are being made, which will probably result in a speedy clea', 'olice, and very energetic inquiries are being made, which will probably result in a speedy clearing ', ', and very energetic inquiries are being made, which will probably result in a speedy clearing up of', ' very energetic inquiries are being made, which will probably result in a speedy clearing up of this', ' energetic inquiries are being made, which will probably result in a speedy clearing up of this very', 'getic inquiries are being made, which will probably result in a speedy clearing up of this very sing', ' inquiries are being made, which will probably result in a speedy clearing up of this very singular ', 'iries are being made, which will probably result in a speedy clearing up of this very singular busin', ' are being made, which will probably result in a speedy clearing up of this very singular business. ', 'being made, which will probably result in a speedy clearing up of this very singular business. up to', ' made, which will probably result in a speedy clearing up of this very singular business. up to a la', ', which will probably result in a speedy clearing up of this very singular business. up to a late ho', 'ch will probably result in a speedy clearing up of this very singular business. up to a late hour la', 'll probably result in a speedy clearing up of this very singular business. up to a late hour last ni', 'obably result in a speedy clearing up of this very singular business. up to a late hour last night, ', 'y result in a speedy clearing up of this very singular business. up to a late hour last night, howev', 'ult in a speedy clearing up of this very singular business. up to a late hour last night, however, n', 'n a speedy clearing up of this very singular business. up to a late hour last night, however, nothin', 'peedy clearing up of this very singular business. up to a late hour last night, however, nothing had', ' clearing up of this very singular business. up to a late hour last night, however, nothing had tran', 'ring up of this very singular business. up to a late hour last night, however, nothing had transpire', 'up of this very singular business. up to a late hour last night, however, nothing had transpired as ', ' this very singular business. up to a late hour last night, however, nothing had transpired as to th', ' very singular business. up to a late hour last night, however, nothing had transpired as to the whe', ' singular business. up to a late hour last night, however, nothing had transpired as to the whereabo', 'ular business. up to a late hour last night, however, nothing had transpired as to the whereabouts o', 'business. up to a late hour last night, however, nothing had transpired as to the whereabouts of the', 'ess. up to a late hour last night, however, nothing had transpired as to the whereabouts of the miss', 'up to a late hour last night, however, nothing had transpired as to the whereabouts of the missing l', ' a late hour last night, however, nothing had transpired as to the whereabouts of the missing lady. ', 'te hour last night, however, nothing had transpired as to the whereabouts of the missing lady. there', 'ur last night, however, nothing had transpired as to the whereabouts of the missing lady. there are ', 'st night, however, nothing had transpired as to the whereabouts of the missing lady. there are rumou', 'ght, however, nothing had transpired as to the whereabouts of the missing lady. there are rumours of', 'however, nothing had transpired as to the whereabouts of the missing lady. there are rumours of foul', 'er, nothing had transpired as to the whereabouts of the missing lady. there are rumours of foul play', 'othing had transpired as to the whereabouts of the missing lady. there are rumours of foul play in t', 'g had transpired as to the whereabouts of the missing lady. there are rumours of foul play in the ma', ' transpired as to the whereabouts of the missing lady. there are rumours of foul play in the matter,', 'spired as to the whereabouts of the missing lady. there are rumours of foul play in the matter, and ', 'd as to the whereabouts of the missing lady. there are rumours of foul play in the matter, and it is', 'to the whereabouts of the missing lady. there are rumours of foul play in the matter, and it is said', 'e whereabouts of the missing lady. there are rumours of foul play in the matter, and it is said that', 'reabouts of the missing lady. there are rumours of foul play in the matter, and it is said that the ', 'uts of the missing lady. there are rumours of foul play in the matter, and it is said that the polic', 'f the missing lady. there are rumours of foul play in the matter, and it is said that the police hav', ' missing lady. there are rumours of foul play in the matter, and it is said that the police have cau', 'ing lady. there are rumours of foul play in the matter, and it is said that the police have caused t', 'ady. there are rumours of foul play in the matter, and it is said that the police have caused the ar', 'there are rumours of foul play in the matter, and it is said that the police have caused the arrest ', ' are rumours of foul play in the matter, and it is said that the police have caused the arrest of th', 'rumours of foul play in the matter, and it is said that the police have caused the arrest of the wom', 'rs of foul play in the matter, and it is said that the police have caused the arrest of the woman wh', ' foul play in the matter, and it is said that the police have caused the arrest of the woman who had', ' play in the matter, and it is said that the police have caused the arrest of the woman who had caus', ' in the matter, and it is said that the police have caused the arrest of the woman who had caused th', 'he matter, and it is said that the police have caused the arrest of the woman who had caused the ori', 'tter, and it is said that the police have caused the arrest of the woman who had caused the original', ' and it is said that the police have caused the arrest of the woman who had caused the original dist', 'it is said that the police have caused the arrest of the woman who had caused the original disturban', ' said that the police have caused the arrest of the woman who had caused the original disturbance, i', ' that the police have caused the arrest of the woman who had caused the original disturbance, in the', ' the police have caused the arrest of the woman who had caused the original disturbance, in the beli', 'police have caused the arrest of the woman who had caused the original disturbance, in the belief th', 'e have caused the arrest of the woman who had caused the original disturbance, in the belief that, f', 'e caused the arrest of the woman who had caused the original disturbance, in the belief that, from j', 'sed the arrest of the woman who had caused the original disturbance, in the belief that, from jealou', 'he arrest of the woman who had caused the original disturbance, in the belief that, from jealousy or', 'rest of the woman who had caused the original disturbance, in the belief that, from jealousy or some', 'of the woman who had caused the original disturbance, in the belief that, from jealousy or some othe', 'e woman who had caused the original disturbance, in the belief that, from jealousy or some other mot', 'an who had caused the original disturbance, in the belief that, from jealousy or some other motive, ', 'o had caused the original disturbance, in the belief that, from jealousy or some other motive, she m', ' caused the original disturbance, in the belief that, from jealousy or some other motive, she may ha', 'ed the original disturbance, in the belief that, from jealousy or some other motive, she may have be', 'e original disturbance, in the belief that, from jealousy or some other motive, she may have been co', 'ginal disturbance, in the belief that, from jealousy or some other motive, she may have been concern', ' disturbance, in the belief that, from jealousy or some other motive, she may have been concerned in', 'urbance, in the belief that, from jealousy or some other motive, she may have been concerned in the ', 'ce, in the belief that, from jealousy or some other motive, she may have been concerned in the stran', 'n the belief that, from jealousy or some other motive, she may have been concerned in the strange di', ' belief that, from jealousy or some other motive, she may have been concerned in the strange disappe', 'ef that, from jealousy or some other motive, she may have been concerned in the strange disappearanc', 'at, from jealousy or some other motive, she may have been concerned in the strange disappearance of ', 'rom jealousy or some other motive, she may have been concerned in the strange disappearance of the b', 'ealousy or some other motive, she may have been concerned in the strange disappearance of the bride.', 'sy or some other motive, she may have been concerned in the strange disappearance of the bride.\'" "a', ' some other motive, she may have been concerned in the strange disappearance of the bride.\'" "and is', ' other motive, she may have been concerned in the strange disappearance of the bride.\'" "and is that', 'r motive, she may have been concerned in the strange disappearance of the bride.\'" "and is that all?', 'ive, she may have been concerned in the strange disappearance of the bride.\'" "and is that all?" "on', 'she may have been concerned in the strange disappearance of the bride.\'" "and is that all?" "only on', 'ay have been concerned in the strange disappearance of the bride.\'" "and is that all?" "only one lit', 've been concerned in the strange disappearance of the bride.\'" "and is that all?" "only one little i', 'en concerned in the strange disappearance of the bride.\'" "and is that all?" "only one little item i', 'ncerned in the strange disappearance of the bride.\'" "and is that all?" "only one little item in ano', 'ed in the strange disappearance of the bride.\'" "and is that all?" "only one little item in another ', ' the strange disappearance of the bride.\'" "and is that all?" "only one little item in another of th', 'strange disappearance of the bride.\'" "and is that all?" "only one little item in another of the mor', 'ge disappearance of the bride.\'" "and is that all?" "only one little item in another of the morning ', 'sappearance of the bride.\'" "and is that all?" "only one little item in another of the morning paper', 'arance of the bride.\'" "and is that all?" "only one little item in another of the morning papers, bu', 'e of the bride.\'" "and is that all?" "only one little item in another of the morning papers, but it ', 'the bride.\'" "and is that all?" "only one little item in another of the morning papers, but it is a ', 'ride.\'" "and is that all?" "only one little item in another of the morning papers, but it is a sugge', '\'" "and is that all?" "only one little item in another of the morning papers, but it is a suggestive', 'nd is that all?" "only one little item in another of the morning papers, but it is a suggestive one.', ' that all?" "only one little item in another of the morning papers, but it is a suggestive one." "an', ' all?" "only one little item in another of the morning papers, but it is a suggestive one." "and it ', '" "only one little item in another of the morning papers, but it is a suggestive one." "and it is" "', 'ly one little item in another of the morning papers, but it is a suggestive one." "and it is" "that ', 'e little item in another of the morning papers, but it is a suggestive one." "and it is" "that miss ', 'tle item in another of the morning papers, but it is a suggestive one." "and it is" "that miss flora', 'tem in another of the morning papers, but it is a suggestive one." "and it is" "that miss flora mill', 'n another of the morning papers, but it is a suggestive one." "and it is" "that miss flora millar, t', 'ther of the morning papers, but it is a suggestive one." "and it is" "that miss flora millar, the la', 'of the morning papers, but it is a suggestive one." "and it is" "that miss flora millar, the lady wh', 'e morning papers, but it is a suggestive one." "and it is" "that miss flora millar, the lady who had', 'ning papers, but it is a suggestive one." "and it is" "that miss flora millar, the lady who had caus', 'papers, but it is a suggestive one." "and it is" "that miss flora millar, the lady who had caused th', 's, but it is a suggestive one." "and it is" "that miss flora millar, the lady who had caused the dis', 't it is a suggestive one." "and it is" "that miss flora millar, the lady who had caused the disturba', 'is a suggestive one." "and it is" "that miss flora millar, the lady who had caused the disturbance, ', 'suggestive one." "and it is" "that miss flora millar, the lady who had caused the disturbance, has a', 'stive one." "and it is" "that miss flora millar, the lady who had caused the disturbance, has actual', ' one." "and it is" "that miss flora millar, the lady who had caused the disturbance, has actually be', '" "and it is" "that miss flora millar, the lady who had caused the disturbance, has actually been ar', 'd it is" "that miss flora millar, the lady who had caused the disturbance, has actually been arreste', 'is" "that miss flora millar, the lady who had caused the disturbance, has actually been arrested. it', 'that miss flora millar, the lady who had caused the disturbance, has actually been arrested. it appe', 'miss flora millar, the lady who had caused the disturbance, has actually been arrested. it appears t', 'flora millar, the lady who had caused the disturbance, has actually been arrested. it appears that s', ' millar, the lady who had caused the disturbance, has actually been arrested. it appears that she wa', 'ar, the lady who had caused the disturbance, has actually been arrested. it appears that she was for', 'he lady who had caused the disturbance, has actually been arrested. it appears that she was formerly', 'dy who had caused the disturbance, has actually been arrested. it appears that she was formerly a da', 'o had caused the disturbance, has actually been arrested. it appears that she was formerly a danseus', ' caused the disturbance, has actually been arrested. it appears that she was formerly a danseuse at ', 'ed the disturbance, has actually been arrested. it appears that she was formerly a danseuse at the a', 'e disturbance, has actually been arrested. it appears that she was formerly a danseuse at the allegr', 'turbance, has actually been arrested. it appears that she was formerly a danseuse at the allegro, an', 'nce, has actually been arrested. it appears that she was formerly a danseuse at the allegro, and tha', 'has actually been arrested. it appears that she was formerly a danseuse at the allegro, and that she', 'ctually been arrested. it appears that she was formerly a danseuse at the allegro, and that she has ', 'ly been arrested. it appears that she was formerly a danseuse at the allegro, and that she has known', 'en arrested. it appears that she was formerly a danseuse at the allegro, and that she has known the ', 'rested. it appears that she was formerly a danseuse at the allegro, and that she has known the bride', 'd. it appears that she was formerly a danseuse at the allegro, and that she has known the bridegroom', ' appears that she was formerly a danseuse at the allegro, and that she has known the bridegroom for ', 'ars that she was formerly a danseuse at the allegro, and that she has known the bridegroom for some ', 'hat she was formerly a danseuse at the allegro, and that she has known the bridegroom for some years', 'he was formerly a danseuse at the allegro, and that she has known the bridegroom for some years. the', 's formerly a danseuse at the allegro, and that she has known the bridegroom for some years. there ar', 'merly a danseuse at the allegro, and that she has known the bridegroom for some years. there are no ', ' a danseuse at the allegro, and that she has known the bridegroom for some years. there are no furth', 'nseuse at the allegro, and that she has known the bridegroom for some years. there are no further pa', 'e at the allegro, and that she has known the bridegroom for some years. there are no further particu', 'the allegro, and that she has known the bridegroom for some years. there are no further particulars,', 'llegro, and that she has known the bridegroom for some years. there are no further particulars, and ', 'o, and that she has known the bridegroom for some years. there are no further particulars, and the w', 'd that she has known the bridegroom for some years. there are no further particulars, and the whole ', 't she has known the bridegroom for some years. there are no further particulars, and the whole case ', ' has known the bridegroom for some years. there are no further particulars, and the whole case is in', 'known the bridegroom for some years. there are no further particulars, and the whole case is in your', ' the bridegroom for some years. there are no further particulars, and the whole case is in your hand', 'bridegroom for some years. there are no further particulars, and the whole case is in your hands now', 'groom for some years. there are no further particulars, and the whole case is in your hands nowso fa', ' for some years. there are no further particulars, and the whole case is in your hands nowso far as ', 'some years. there are no further particulars, and the whole case is in your hands nowso far as it ha', 'years. there are no further particulars, and the whole case is in your hands nowso far as it has bee', '. there are no further particulars, and the whole case is in your hands nowso far as it has been set', 're are no further particulars, and the whole case is in your hands nowso far as it has been set fort', 'e no further particulars, and the whole case is in your hands nowso far as it has been set forth in ', 'further particulars, and the whole case is in your hands nowso far as it has been set forth in the p', 'er particulars, and the whole case is in your hands nowso far as it has been set forth in the public', 'rticulars, and the whole case is in your hands nowso far as it has been set forth in the public pres', 'lars, and the whole case is in your hands nowso far as it has been set forth in the public press." "', ' and the whole case is in your hands nowso far as it has been set forth in the public press." "and a', 'the whole case is in your hands nowso far as it has been set forth in the public press." "and an exc', 'hole case is in your hands nowso far as it has been set forth in the public press." "and an exceedin', 'case is in your hands nowso far as it has been set forth in the public press." "and an exceedingly i', 'is in your hands nowso far as it has been set forth in the public press." "and an exceedingly intere', ' your hands nowso far as it has been set forth in the public press." "and an exceedingly interesting', ' hands nowso far as it has been set forth in the public press." "and an exceedingly interesting case', 's nowso far as it has been set forth in the public press." "and an exceedingly interesting case it a', 'so far as it has been set forth in the public press." "and an exceedingly interesting case it appear', 'r as it has been set forth in the public press." "and an exceedingly interesting case it appears to ', 'it has been set forth in the public press." "and an exceedingly interesting case it appears to be. i', 's been set forth in the public press." "and an exceedingly interesting case it appears to be. i woul', 'n set forth in the public press." "and an exceedingly interesting case it appears to be. i would not', ' forth in the public press." "and an exceedingly interesting case it appears to be. i would not have', 'h in the public press." "and an exceedingly interesting case it appears to be. i would not have miss', 'the public press." "and an exceedingly interesting case it appears to be. i would not have missed it', 'ublic press." "and an exceedingly interesting case it appears to be. i would not have missed it for ', ' press." "and an exceedingly interesting case it appears to be. i would not have missed it for world', 's." "and an exceedingly interesting case it appears to be. i would not have missed it for worlds. bu', 'and an exceedingly interesting case it appears to be. i would not have missed it for worlds. but the', 'n exceedingly interesting case it appears to be. i would not have missed it for worlds. but there is', 'eedingly interesting case it appears to be. i would not have missed it for worlds. but there is a ri', 'gly interesting case it appears to be. i would not have missed it for worlds. but there is a ring at', 'nteresting case it appears to be. i would not have missed it for worlds. but there is a ring at the ', 'sting case it appears to be. i would not have missed it for worlds. but there is a ring at the bell,', ' case it appears to be. i would not have missed it for worlds. but there is a ring at the bell, wats', ' it appears to be. i would not have missed it for worlds. but there is a ring at the bell, watson, a', 'ppears to be. i would not have missed it for worlds. but there is a ring at the bell, watson, and as', 's to be. i would not have missed it for worlds. but there is a ring at the bell, watson, and as the ', 'be. i would not have missed it for worlds. but there is a ring at the bell, watson, and as the clock', ' would not have missed it for worlds. but there is a ring at the bell, watson, and as the clock make', 'd not have missed it for worlds. but there is a ring at the bell, watson, and as the clock makes it ', ' have missed it for worlds. but there is a ring at the bell, watson, and as the clock makes it a few', ' missed it for worlds. but there is a ring at the bell, watson, and as the clock makes it a few minu', 'ed it for worlds. but there is a ring at the bell, watson, and as the clock makes it a few minutes a', ' for worlds. but there is a ring at the bell, watson, and as the clock makes it a few minutes after ', 'worlds. but there is a ring at the bell, watson, and as the clock makes it a few minutes after four,', 's. but there is a ring at the bell, watson, and as the clock makes it a few minutes after four, i ha', 't there is a ring at the bell, watson, and as the clock makes it a few minutes after four, i have no', 're is a ring at the bell, watson, and as the clock makes it a few minutes after four, i have no doub', ' a ring at the bell, watson, and as the clock makes it a few minutes after four, i have no doubt tha', 'ng at the bell, watson, and as the clock makes it a few minutes after four, i have no doubt that thi', ' the bell, watson, and as the clock makes it a few minutes after four, i have no doubt that this wil', 'bell, watson, and as the clock makes it a few minutes after four, i have no doubt that this will pro', ' watson, and as the clock makes it a few minutes after four, i have no doubt that this will prove to', 'on, and as the clock makes it a few minutes after four, i have no doubt that this will prove to be o', 'nd as the clock makes it a few minutes after four, i have no doubt that this will prove to be our no', ' the clock makes it a few minutes after four, i have no doubt that this will prove to be our noble c', 'clock makes it a few minutes after four, i have no doubt that this will prove to be our noble client', ' makes it a few minutes after four, i have no doubt that this will prove to be our noble client. do ', 's it a few minutes after four, i have no doubt that this will prove to be our noble client. do not d', 'a few minutes after four, i have no doubt that this will prove to be our noble client. do not dream ', ' minutes after four, i have no doubt that this will prove to be our noble client. do not dream of go', 'tes after four, i have no doubt that this will prove to be our noble client. do not dream of going, ', 'fter four, i have no doubt that this will prove to be our noble client. do not dream of going, watso', 'four, i have no doubt that this will prove to be our noble client. do not dream of going, watson, fo', ' i have no doubt that this will prove to be our noble client. do not dream of going, watson, for i v', 've no doubt that this will prove to be our noble client. do not dream of going, watson, for i very m', ' doubt that this will prove to be our noble client. do not dream of going, watson, for i very much p', 't that this will prove to be our noble client. do not dream of going, watson, for i very much prefer', 't this will prove to be our noble client. do not dream of going, watson, for i very much prefer havi', 's will prove to be our noble client. do not dream of going, watson, for i very much prefer having a ', 'l prove to be our noble client. do not dream of going, watson, for i very much prefer having a witne', 've to be our noble client. do not dream of going, watson, for i very much prefer having a witness, i', ' be our noble client. do not dream of going, watson, for i very much prefer having a witness, if onl', 'ur noble client. do not dream of going, watson, for i very much prefer having a witness, if only as ', 'ble client. do not dream of going, watson, for i very much prefer having a witness, if only as a che', 'lient. do not dream of going, watson, for i very much prefer having a witness, if only as a check to', '. do not dream of going, watson, for i very much prefer having a witness, if only as a check to my o', 'not dream of going, watson, for i very much prefer having a witness, if only as a check to my own me', 'ream of going, watson, for i very much prefer having a witness, if only as a check to my own memory.', 'of going, watson, for i very much prefer having a witness, if only as a check to my own memory." "lo', 'ing, watson, for i very much prefer having a witness, if only as a check to my own memory." "lord ro', 'watson, for i very much prefer having a witness, if only as a check to my own memory." "lord robert ', 'n, for i very much prefer having a witness, if only as a check to my own memory." "lord robert st. s', 'r i very much prefer having a witness, if only as a check to my own memory." "lord robert st. simon,', 'ery much prefer having a witness, if only as a check to my own memory." "lord robert st. simon," ann', 'uch prefer having a witness, if only as a check to my own memory." "lord robert st. simon," announce', 'refer having a witness, if only as a check to my own memory." "lord robert st. simon," announced our', ' having a witness, if only as a check to my own memory." "lord robert st. simon," announced our page', 'ng a witness, if only as a check to my own memory." "lord robert st. simon," announced our page-boy,', 'witness, if only as a check to my own memory." "lord robert st. simon," announced our page-boy, thro', 'ss, if only as a check to my own memory." "lord robert st. simon," announced our page-boy, throwing ', 'f only as a check to my own memory." "lord robert st. simon," announced our page-boy, throwing open ', 'y as a check to my own memory." "lord robert st. simon," announced our page-boy, throwing open the d', 'a check to my own memory." "lord robert st. simon," announced our page-boy, throwing open the door. ', 'ck to my own memory." "lord robert st. simon," announced our page-boy, throwing open the door. a gen', ' my own memory." "lord robert st. simon," announced our page-boy, throwing open the door. a gentlema', 'wn memory." "lord robert st. simon," announced our page-boy, throwing open the door. a gentleman ent', 'mory." "lord robert st. simon," announced our page-boy, throwing open the door. a gentleman entered,', '" "lord robert st. simon," announced our page-boy, throwing open the door. a gentleman entered, with', 'rd robert st. simon," announced our page-boy, throwing open the door. a gentleman entered, with a pl', 'bert st. simon," announced our page-boy, throwing open the door. a gentleman entered, with a pleasan', 'st. simon," announced our page-boy, throwing open the door. a gentleman entered, with a pleasant, cu', 'imon," announced our page-boy, throwing open the door. a gentleman entered, with a pleasant, culture', '" announced our page-boy, throwing open the door. a gentleman entered, with a pleasant, cultured fac', 'ounced our page-boy, throwing open the door. a gentleman entered, with a pleasant, cultured face, hi', 'd our page-boy, throwing open the door. a gentleman entered, with a pleasant, cultured face, high-no', ' page-boy, throwing open the door. a gentleman entered, with a pleasant, cultured face, high-nosed a', '-boy, throwing open the door. a gentleman entered, with a pleasant, cultured face, high-nosed and pa', ' throwing open the door. a gentleman entered, with a pleasant, cultured face, high-nosed and pale, w', 'wing open the door. a gentleman entered, with a pleasant, cultured face, high-nosed and pale, with s', 'open the door. a gentleman entered, with a pleasant, cultured face, high-nosed and pale, with someth', 'the door. a gentleman entered, with a pleasant, cultured face, high-nosed and pale, with something p', 'oor. a gentleman entered, with a pleasant, cultured face, high-nosed and pale, with something perhap', 'a gentleman entered, with a pleasant, cultured face, high-nosed and pale, with something perhaps of ', 'tleman entered, with a pleasant, cultured face, high-nosed and pale, with something perhaps of petul', 'n entered, with a pleasant, cultured face, high-nosed and pale, with something perhaps of petulance ', 'ered, with a pleasant, cultured face, high-nosed and pale, with something perhaps of petulance about', ' with a pleasant, cultured face, high-nosed and pale, with something perhaps of petulance about the ', ' a pleasant, cultured face, high-nosed and pale, with something perhaps of petulance about the mouth', 'easant, cultured face, high-nosed and pale, with something perhaps of petulance about the mouth, and', 't, cultured face, high-nosed and pale, with something perhaps of petulance about the mouth, and with', 'ltured face, high-nosed and pale, with something perhaps of petulance about the mouth, and with the ', 'd face, high-nosed and pale, with something perhaps of petulance about the mouth, and with the stead', 'e, high-nosed and pale, with something perhaps of petulance about the mouth, and with the steady, we', 'gh-nosed and pale, with something perhaps of petulance about the mouth, and with the steady, well-op', 'sed and pale, with something perhaps of petulance about the mouth, and with the steady, well-opened ', 'nd pale, with something perhaps of petulance about the mouth, and with the steady, well-opened eye o', 'le, with something perhaps of petulance about the mouth, and with the steady, well-opened eye of a m', 'ith something perhaps of petulance about the mouth, and with the steady, well-opened eye of a man wh', 'omething perhaps of petulance about the mouth, and with the steady, well-opened eye of a man whose p', 'ing perhaps of petulance about the mouth, and with the steady, well-opened eye of a man whose pleasa', 'erhaps of petulance about the mouth, and with the steady, well-opened eye of a man whose pleasant lo', 's of petulance about the mouth, and with the steady, well-opened eye of a man whose pleasant lot it ', 'petulance about the mouth, and with the steady, well-opened eye of a man whose pleasant lot it had e', 'ance about the mouth, and with the steady, well-opened eye of a man whose pleasant lot it had ever b', 'about the mouth, and with the steady, well-opened eye of a man whose pleasant lot it had ever been t', ' the mouth, and with the steady, well-opened eye of a man whose pleasant lot it had ever been to com', 'mouth, and with the steady, well-opened eye of a man whose pleasant lot it had ever been to command ', ', and with the steady, well-opened eye of a man whose pleasant lot it had ever been to command and t', ' with the steady, well-opened eye of a man whose pleasant lot it had ever been to command and to be ', ' the steady, well-opened eye of a man whose pleasant lot it had ever been to command and to be obeye', 'steady, well-opened eye of a man whose pleasant lot it had ever been to command and to be obeyed. hi', 'y, well-opened eye of a man whose pleasant lot it had ever been to command and to be obeyed. his man', 'll-opened eye of a man whose pleasant lot it had ever been to command and to be obeyed. his manner w', 'ened eye of a man whose pleasant lot it had ever been to command and to be obeyed. his manner was br', 'eye of a man whose pleasant lot it had ever been to command and to be obeyed. his manner was brisk, ', 'f a man whose pleasant lot it had ever been to command and to be obeyed. his manner was brisk, and y', 'an whose pleasant lot it had ever been to command and to be obeyed. his manner was brisk, and yet hi', 'ose pleasant lot it had ever been to command and to be obeyed. his manner was brisk, and yet his gen', 'leasant lot it had ever been to command and to be obeyed. his manner was brisk, and yet his general ', 'nt lot it had ever been to command and to be obeyed. his manner was brisk, and yet his general appea', 't it had ever been to command and to be obeyed. his manner was brisk, and yet his general appearance', 'had ever been to command and to be obeyed. his manner was brisk, and yet his general appearance gave', 'ver been to command and to be obeyed. his manner was brisk, and yet his general appearance gave an u', 'een to command and to be obeyed. his manner was brisk, and yet his general appearance gave an undue ', 'o command and to be obeyed. his manner was brisk, and yet his general appearance gave an undue impre', 'mand and to be obeyed. his manner was brisk, and yet his general appearance gave an undue impression', 'and to be obeyed. his manner was brisk, and yet his general appearance gave an undue impression of a', 'o be obeyed. his manner was brisk, and yet his general appearance gave an undue impression of age, f', 'obeyed. his manner was brisk, and yet his general appearance gave an undue impression of age, for he', 'd. his manner was brisk, and yet his general appearance gave an undue impression of age, for he had ', 's manner was brisk, and yet his general appearance gave an undue impression of age, for he had a sli', 'ner was brisk, and yet his general appearance gave an undue impression of age, for he had a slight f', 'as brisk, and yet his general appearance gave an undue impression of age, for he had a slight forwar', 'isk, and yet his general appearance gave an undue impression of age, for he had a slight forward sto', 'and yet his general appearance gave an undue impression of age, for he had a slight forward stoop an', 'et his general appearance gave an undue impression of age, for he had a slight forward stoop and a l', 's general appearance gave an undue impression of age, for he had a slight forward stoop and a little', 'eral appearance gave an undue impression of age, for he had a slight forward stoop and a little bend', 'appearance gave an undue impression of age, for he had a slight forward stoop and a little bend of t', 'rance gave an undue impression of age, for he had a slight forward stoop and a little bend of the kn', ' gave an undue impression of age, for he had a slight forward stoop and a little bend of the knees a', ' an undue impression of age, for he had a slight forward stoop and a little bend of the knees as he ', 'ndue impression of age, for he had a slight forward stoop and a little bend of the knees as he walke', 'impression of age, for he had a slight forward stoop and a little bend of the knees as he walked. hi', 'ssion of age, for he had a slight forward stoop and a little bend of the knees as he walked. his hai', ' of age, for he had a slight forward stoop and a little bend of the knees as he walked. his hair, to', 'ge, for he had a slight forward stoop and a little bend of the knees as he walked. his hair, too, as', 'or he had a slight forward stoop and a little bend of the knees as he walked. his hair, too, as he s', ' had a slight forward stoop and a little bend of the knees as he walked. his hair, too, as he swept ', 'a slight forward stoop and a little bend of the knees as he walked. his hair, too, as he swept off h', 'ght forward stoop and a little bend of the knees as he walked. his hair, too, as he swept off his ve', 'orward stoop and a little bend of the knees as he walked. his hair, too, as he swept off his very cu', 'd stoop and a little bend of the knees as he walked. his hair, too, as he swept off his very curly-b', 'op and a little bend of the knees as he walked. his hair, too, as he swept off his very curly-brimme', 'd a little bend of the knees as he walked. his hair, too, as he swept off his very curly-brimmed hat', 'ittle bend of the knees as he walked. his hair, too, as he swept off his very curly-brimmed hat, was', ' bend of the knees as he walked. his hair, too, as he swept off his very curly-brimmed hat, was griz', ' of the knees as he walked. his hair, too, as he swept off his very curly-brimmed hat, was grizzled ', 'he knees as he walked. his hair, too, as he swept off his very curly-brimmed hat, was grizzled round', 'ees as he walked. his hair, too, as he swept off his very curly-brimmed hat, was grizzled round the ', 's he walked. his hair, too, as he swept off his very curly-brimmed hat, was grizzled round the edges', 'walked. his hair, too, as he swept off his very curly-brimmed hat, was grizzled round the edges and ', 'd. his hair, too, as he swept off his very curly-brimmed hat, was grizzled round the edges and thin ', 's hair, too, as he swept off his very curly-brimmed hat, was grizzled round the edges and thin upon ', 'r, too, as he swept off his very curly-brimmed hat, was grizzled round the edges and thin upon the t', 'o, as he swept off his very curly-brimmed hat, was grizzled round the edges and thin upon the top. a', ' he swept off his very curly-brimmed hat, was grizzled round the edges and thin upon the top. as to ', 'wept off his very curly-brimmed hat, was grizzled round the edges and thin upon the top. as to his d', 'off his very curly-brimmed hat, was grizzled round the edges and thin upon the top. as to his dress,', 'is very curly-brimmed hat, was grizzled round the edges and thin upon the top. as to his dress, it w', 'ry curly-brimmed hat, was grizzled round the edges and thin upon the top. as to his dress, it was ca', 'rly-brimmed hat, was grizzled round the edges and thin upon the top. as to his dress, it was careful', 'rimmed hat, was grizzled round the edges and thin upon the top. as to his dress, it was careful to t', 'd hat, was grizzled round the edges and thin upon the top. as to his dress, it was careful to the ve', ', was grizzled round the edges and thin upon the top. as to his dress, it was careful to the verge o', ' grizzled round the edges and thin upon the top. as to his dress, it was careful to the verge of fop', 'zled round the edges and thin upon the top. as to his dress, it was careful to the verge of foppishn', 'round the edges and thin upon the top. as to his dress, it was careful to the verge of foppishness, ', ' the edges and thin upon the top. as to his dress, it was careful to the verge of foppishness, with ', 'edges and thin upon the top. as to his dress, it was careful to the verge of foppishness, with high ', ' and thin upon the top. as to his dress, it was careful to the verge of foppishness, with high colla', 'thin upon the top. as to his dress, it was careful to the verge of foppishness, with high collar, bl', 'upon the top. as to his dress, it was careful to the verge of foppishness, with high collar, black f', 'the top. as to his dress, it was careful to the verge of foppishness, with high collar, black frock-', 'op. as to his dress, it was careful to the verge of foppishness, with high collar, black frock-coat,', 's to his dress, it was careful to the verge of foppishness, with high collar, black frock-coat, whit', 'his dress, it was careful to the verge of foppishness, with high collar, black frock-coat, white wai', 'ress, it was careful to the verge of foppishness, with high collar, black frock-coat, white waistcoa', ' it was careful to the verge of foppishness, with high collar, black frock-coat, white waistcoat, ye', 'as careful to the verge of foppishness, with high collar, black frock-coat, white waistcoat, yellow ', 'reful to the verge of foppishness, with high collar, black frock-coat, white waistcoat, yellow glove', ' to the verge of foppishness, with high collar, black frock-coat, white waistcoat, yellow gloves, pa', 'he verge of foppishness, with high collar, black frock-coat, white waistcoat, yellow gloves, patent-', 'rge of foppishness, with high collar, black frock-coat, white waistcoat, yellow gloves, patent-leath', 'f foppishness, with high collar, black frock-coat, white waistcoat, yellow gloves, patent-leather sh', 'pishness, with high collar, black frock-coat, white waistcoat, yellow gloves, patent-leather shoes, ', 'ess, with high collar, black frock-coat, white waistcoat, yellow gloves, patent-leather shoes, and l', 'with high collar, black frock-coat, white waistcoat, yellow gloves, patent-leather shoes, and light-', 'high collar, black frock-coat, white waistcoat, yellow gloves, patent-leather shoes, and light-colou', 'collar, black frock-coat, white waistcoat, yellow gloves, patent-leather shoes, and light-coloured g', 'r, black frock-coat, white waistcoat, yellow gloves, patent-leather shoes, and light-coloured gaiter', 'ack frock-coat, white waistcoat, yellow gloves, patent-leather shoes, and light-coloured gaiters. he', 'rock-coat, white waistcoat, yellow gloves, patent-leather shoes, and light-coloured gaiters. he adva', 'coat, white waistcoat, yellow gloves, patent-leather shoes, and light-coloured gaiters. he advanced ', ' white waistcoat, yellow gloves, patent-leather shoes, and light-coloured gaiters. he advanced slowl', 'e waistcoat, yellow gloves, patent-leather shoes, and light-coloured gaiters. he advanced slowly int', 'stcoat, yellow gloves, patent-leather shoes, and light-coloured gaiters. he advanced slowly into the', 't, yellow gloves, patent-leather shoes, and light-coloured gaiters. he advanced slowly into the room', 'llow gloves, patent-leather shoes, and light-coloured gaiters. he advanced slowly into the room, tur', 'gloves, patent-leather shoes, and light-coloured gaiters. he advanced slowly into the room, turning ', 's, patent-leather shoes, and light-coloured gaiters. he advanced slowly into the room, turning his h', 'tent-leather shoes, and light-coloured gaiters. he advanced slowly into the room, turning his head f', 'leather shoes, and light-coloured gaiters. he advanced slowly into the room, turning his head from l', 'er shoes, and light-coloured gaiters. he advanced slowly into the room, turning his head from left t', 'oes, and light-coloured gaiters. he advanced slowly into the room, turning his head from left to rig', 'and light-coloured gaiters. he advanced slowly into the room, turning his head from left to right, a', 'ight-coloured gaiters. he advanced slowly into the room, turning his head from left to right, and sw', 'coloured gaiters. he advanced slowly into the room, turning his head from left to right, and swingin', 'red gaiters. he advanced slowly into the room, turning his head from left to right, and swinging in ', 'aiters. he advanced slowly into the room, turning his head from left to right, and swinging in his r', 's. he advanced slowly into the room, turning his head from left to right, and swinging in his right ', ' advanced slowly into the room, turning his head from left to right, and swinging in his right hand ', 'nced slowly into the room, turning his head from left to right, and swinging in his right hand the c', 'slowly into the room, turning his head from left to right, and swinging in his right hand the cord w', 'y into the room, turning his head from left to right, and swinging in his right hand the cord which ', 'o the room, turning his head from left to right, and swinging in his right hand the cord which held ', ' room, turning his head from left to right, and swinging in his right hand the cord which held his g', ', turning his head from left to right, and swinging in his right hand the cord which held his golden', 'ning his head from left to right, and swinging in his right hand the cord which held his golden eyeg', 'his head from left to right, and swinging in his right hand the cord which held his golden eyeglasse', 'ead from left to right, and swinging in his right hand the cord which held his golden eyeglasses. "g', 'rom left to right, and swinging in his right hand the cord which held his golden eyeglasses. "good-d', 'eft to right, and swinging in his right hand the cord which held his golden eyeglasses. "good-day, l', 'o right, and swinging in his right hand the cord which held his golden eyeglasses. "good-day, lord s', 'ht, and swinging in his right hand the cord which held his golden eyeglasses. "good-day, lord st. si', 'nd swinging in his right hand the cord which held his golden eyeglasses. "good-day, lord st. simon,"', 'inging in his right hand the cord which held his golden eyeglasses. "good-day, lord st. simon," said', 'g in his right hand the cord which held his golden eyeglasses. "good-day, lord st. simon," said holm', 'his right hand the cord which held his golden eyeglasses. "good-day, lord st. simon," said holmes, r', 'ight hand the cord which held his golden eyeglasses. "good-day, lord st. simon," said holmes, rising', 'hand the cord which held his golden eyeglasses. "good-day, lord st. simon," said holmes, rising and ', 'the cord which held his golden eyeglasses. "good-day, lord st. simon," said holmes, rising and bowin', 'ord which held his golden eyeglasses. "good-day, lord st. simon," said holmes, rising and bowing. "p', 'hich held his golden eyeglasses. "good-day, lord st. simon," said holmes, rising and bowing. "pray t', 'held his golden eyeglasses. "good-day, lord st. simon," said holmes, rising and bowing. "pray take t', 'his golden eyeglasses. "good-day, lord st. simon," said holmes, rising and bowing. "pray take the ba', 'olden eyeglasses. "good-day, lord st. simon," said holmes, rising and bowing. "pray take the basket-', ' eyeglasses. "good-day, lord st. simon," said holmes, rising and bowing. "pray take the basket-chair', 'lasses. "good-day, lord st. simon," said holmes, rising and bowing. "pray take the basket-chair. thi', 's. "good-day, lord st. simon," said holmes, rising and bowing. "pray take the basket-chair. this is ', 'ood-day, lord st. simon," said holmes, rising and bowing. "pray take the basket-chair. this is my fr', 'ay, lord st. simon," said holmes, rising and bowing. "pray take the basket-chair. this is my friend ', 'ord st. simon," said holmes, rising and bowing. "pray take the basket-chair. this is my friend and c', 't. simon," said holmes, rising and bowing. "pray take the basket-chair. this is my friend and collea', 'mon," said holmes, rising and bowing. "pray take the basket-chair. this is my friend and colleague, ', ' said holmes, rising and bowing. "pray take the basket-chair. this is my friend and colleague, dr. w', ' holmes, rising and bowing. "pray take the basket-chair. this is my friend and colleague, dr. watson', 'es, rising and bowing. "pray take the basket-chair. this is my friend and colleague, dr. watson. dra', 'ising and bowing. "pray take the basket-chair. this is my friend and colleague, dr. watson. draw up ', ' and bowing. "pray take the basket-chair. this is my friend and colleague, dr. watson. draw up a lit', 'bowing. "pray take the basket-chair. this is my friend and colleague, dr. watson. draw up a little t', 'g. "pray take the basket-chair. this is my friend and colleague, dr. watson. draw up a little to the', 'ray take the basket-chair. this is my friend and colleague, dr. watson. draw up a little to the fire', 'ake the basket-chair. this is my friend and colleague, dr. watson. draw up a little to the fire, and', 'he basket-chair. this is my friend and colleague, dr. watson. draw up a little to the fire, and we w', 'sket-chair. this is my friend and colleague, dr. watson. draw up a little to the fire, and we will t', 'chair. this is my friend and colleague, dr. watson. draw up a little to the fire, and we will talk t', '. this is my friend and colleague, dr. watson. draw up a little to the fire, and we will talk this m', 's is my friend and colleague, dr. watson. draw up a little to the fire, and we will talk this matter', 'my friend and colleague, dr. watson. draw up a little to the fire, and we will talk this matter over', 'iend and colleague, dr. watson. draw up a little to the fire, and we will talk this matter over." "a', 'and colleague, dr. watson. draw up a little to the fire, and we will talk this matter over." "a most', 'olleague, dr. watson. draw up a little to the fire, and we will talk this matter over." "a most pain', 'gue, dr. watson. draw up a little to the fire, and we will talk this matter over." "a most painful m', 'dr. watson. draw up a little to the fire, and we will talk this matter over." "a most painful matter', 'atson. draw up a little to the fire, and we will talk this matter over." "a most painful matter to m', '. draw up a little to the fire, and we will talk this matter over." "a most painful matter to me, as', 'w up a little to the fire, and we will talk this matter over." "a most painful matter to me, as you ', 'a little to the fire, and we will talk this matter over." "a most painful matter to me, as you can m', 'tle to the fire, and we will talk this matter over." "a most painful matter to me, as you can most r', 'o the fire, and we will talk this matter over." "a most painful matter to me, as you can most readil', ' fire, and we will talk this matter over." "a most painful matter to me, as you can most readily ima', ', and we will talk this matter over." "a most painful matter to me, as you can most readily imagine,', ' we will talk this matter over." "a most painful matter to me, as you can most readily imagine, mr. ', 'ill talk this matter over." "a most painful matter to me, as you can most readily imagine, mr. holme', 'alk this matter over." "a most painful matter to me, as you can most readily imagine, mr. holmes. i ', 'his matter over." "a most painful matter to me, as you can most readily imagine, mr. holmes. i have ', 'atter over." "a most painful matter to me, as you can most readily imagine, mr. holmes. i have been ', ' over." "a most painful matter to me, as you can most readily imagine, mr. holmes. i have been cut t', '." "a most painful matter to me, as you can most readily imagine, mr. holmes. i have been cut to the', ' most painful matter to me, as you can most readily imagine, mr. holmes. i have been cut to the quic', ' painful matter to me, as you can most readily imagine, mr. holmes. i have been cut to the quick. i ', 'ful matter to me, as you can most readily imagine, mr. holmes. i have been cut to the quick. i under', 'atter to me, as you can most readily imagine, mr. holmes. i have been cut to the quick. i understand', ' to me, as you can most readily imagine, mr. holmes. i have been cut to the quick. i understand that', 'e, as you can most readily imagine, mr. holmes. i have been cut to the quick. i understand that you ', ' you can most readily imagine, mr. holmes. i have been cut to the quick. i understand that you have ', 'can most readily imagine, mr. holmes. i have been cut to the quick. i understand that you have alrea', 'ost readily imagine, mr. holmes. i have been cut to the quick. i understand that you have already ma', 'eadily imagine, mr. holmes. i have been cut to the quick. i understand that you have already managed', 'y imagine, mr. holmes. i have been cut to the quick. i understand that you have already managed seve', 'gine, mr. holmes. i have been cut to the quick. i understand that you have already managed several d', ' mr. holmes. i have been cut to the quick. i understand that you have already managed several delica', 'holmes. i have been cut to the quick. i understand that you have already managed several delicate ca', 's. i have been cut to the quick. i understand that you have already managed several delicate cases o', 'have been cut to the quick. i understand that you have already managed several delicate cases of thi', 'been cut to the quick. i understand that you have already managed several delicate cases of this sor', 'cut to the quick. i understand that you have already managed several delicate cases of this sort, si', 'o the quick. i understand that you have already managed several delicate cases of this sort, sir, th', ' quick. i understand that you have already managed several delicate cases of this sort, sir, though ', 'k. i understand that you have already managed several delicate cases of this sort, sir, though i pre', 'understand that you have already managed several delicate cases of this sort, sir, though i presume ', 'stand that you have already managed several delicate cases of this sort, sir, though i presume that ', ' that you have already managed several delicate cases of this sort, sir, though i presume that they ', ' you have already managed several delicate cases of this sort, sir, though i presume that they were ', 'have already managed several delicate cases of this sort, sir, though i presume that they were hardl', 'already managed several delicate cases of this sort, sir, though i presume that they were hardly fro', 'dy managed several delicate cases of this sort, sir, though i presume that they were hardly from the', 'naged several delicate cases of this sort, sir, though i presume that they were hardly from the same', ' several delicate cases of this sort, sir, though i presume that they were hardly from the same clas', 'ral delicate cases of this sort, sir, though i presume that they were hardly from the same class of ', 'elicate cases of this sort, sir, though i presume that they were hardly from the same class of socie', 'te cases of this sort, sir, though i presume that they were hardly from the same class of society." ', 'ses of this sort, sir, though i presume that they were hardly from the same class of society." "no, ', 'f this sort, sir, though i presume that they were hardly from the same class of society." "no, i am ', 's sort, sir, though i presume that they were hardly from the same class of society." "no, i am desce', 't, sir, though i presume that they were hardly from the same class of society." "no, i am descending', 'r, though i presume that they were hardly from the same class of society." "no, i am descending." "i', 'ough i presume that they were hardly from the same class of society." "no, i am descending." "i beg ', 'i presume that they were hardly from the same class of society." "no, i am descending." "i beg pardo', 'sume that they were hardly from the same class of society." "no, i am descending." "i beg pardon." "', 'that they were hardly from the same class of society." "no, i am descending." "i beg pardon." "my la', 'they were hardly from the same class of society." "no, i am descending." "i beg pardon." "my last cl', 'were hardly from the same class of society." "no, i am descending." "i beg pardon." "my last client ', 'hardly from the same class of society." "no, i am descending." "i beg pardon." "my last client of th', 'y from the same class of society." "no, i am descending." "i beg pardon." "my last client of the sor', 'm the same class of society." "no, i am descending." "i beg pardon." "my last client of the sort was', ' same class of society." "no, i am descending." "i beg pardon." "my last client of the sort was a ki', ' class of society." "no, i am descending." "i beg pardon." "my last client of the sort was a king." ', 's of society." "no, i am descending." "i beg pardon." "my last client of the sort was a king." "oh, ', 'society." "no, i am descending." "i beg pardon." "my last client of the sort was a king." "oh, reall', 'ty." "no, i am descending." "i beg pardon." "my last client of the sort was a king." "oh, really! i ', '"no, i am descending." "i beg pardon." "my last client of the sort was a king." "oh, really! i had n', 'i am descending." "i beg pardon." "my last client of the sort was a king." "oh, really! i had no ide', 'descending." "i beg pardon." "my last client of the sort was a king." "oh, really! i had no idea. an', 'nding." "i beg pardon." "my last client of the sort was a king." "oh, really! i had no idea. and whi', '." "i beg pardon." "my last client of the sort was a king." "oh, really! i had no idea. and which ki', ' beg pardon." "my last client of the sort was a king." "oh, really! i had no idea. and which king?" ', 'pardon." "my last client of the sort was a king." "oh, really! i had no idea. and which king?" "the ', 'n." "my last client of the sort was a king." "oh, really! i had no idea. and which king?" "the king ', 'my last client of the sort was a king." "oh, really! i had no idea. and which king?" "the king of sc', 'st client of the sort was a king." "oh, really! i had no idea. and which king?" "the king of scandin', 'ient of the sort was a king." "oh, really! i had no idea. and which king?" "the king of scandinavia.', 'of the sort was a king." "oh, really! i had no idea. and which king?" "the king of scandinavia." "wh', 'e sort was a king." "oh, really! i had no idea. and which king?" "the king of scandinavia." "what! h', 't was a king." "oh, really! i had no idea. and which king?" "the king of scandinavia." "what! had he', ' a king." "oh, really! i had no idea. and which king?" "the king of scandinavia." "what! had he lost', 'ng." "oh, really! i had no idea. and which king?" "the king of scandinavia." "what! had he lost his ', '"oh, really! i had no idea. and which king?" "the king of scandinavia." "what! had he lost his wife?', 'really! i had no idea. and which king?" "the king of scandinavia." "what! had he lost his wife?" "yo', 'y! i had no idea. and which king?" "the king of scandinavia." "what! had he lost his wife?" "you can', 'had no idea. and which king?" "the king of scandinavia." "what! had he lost his wife?" "you can unde', 'o idea. and which king?" "the king of scandinavia." "what! had he lost his wife?" "you can understan', 'a. and which king?" "the king of scandinavia." "what! had he lost his wife?" "you can understand," s', 'd which king?" "the king of scandinavia." "what! had he lost his wife?" "you can understand," said h', 'ch king?" "the king of scandinavia." "what! had he lost his wife?" "you can understand," said holmes', 'ng?" "the king of scandinavia." "what! had he lost his wife?" "you can understand," said holmes suav', '"the king of scandinavia." "what! had he lost his wife?" "you can understand," said holmes suavely, ', 'king of scandinavia." "what! had he lost his wife?" "you can understand," said holmes suavely, "that', 'of scandinavia." "what! had he lost his wife?" "you can understand," said holmes suavely, "that i ex', 'andinavia." "what! had he lost his wife?" "you can understand," said holmes suavely, "that i extend ', 'avia." "what! had he lost his wife?" "you can understand," said holmes suavely, "that i extend to th', '" "what! had he lost his wife?" "you can understand," said holmes suavely, "that i extend to the aff', 'at! had he lost his wife?" "you can understand," said holmes suavely, "that i extend to the affairs ', 'ad he lost his wife?" "you can understand," said holmes suavely, "that i extend to the affairs of my', ' lost his wife?" "you can understand," said holmes suavely, "that i extend to the affairs of my othe', ' his wife?" "you can understand," said holmes suavely, "that i extend to the affairs of my other cli', 'wife?" "you can understand," said holmes suavely, "that i extend to the affairs of my other clients ', '" "you can understand," said holmes suavely, "that i extend to the affairs of my other clients the s', 'u can understand," said holmes suavely, "that i extend to the affairs of my other clients the same s', ' understand," said holmes suavely, "that i extend to the affairs of my other clients the same secrec', 'rstand," said holmes suavely, "that i extend to the affairs of my other clients the same secrecy whi', 'd," said holmes suavely, "that i extend to the affairs of my other clients the same secrecy which i ', 'aid holmes suavely, "that i extend to the affairs of my other clients the same secrecy which i promi', 'olmes suavely, "that i extend to the affairs of my other clients the same secrecy which i promise to', ' suavely, "that i extend to the affairs of my other clients the same secrecy which i promise to you ', 'ely, "that i extend to the affairs of my other clients the same secrecy which i promise to you in yo', '"that i extend to the affairs of my other clients the same secrecy which i promise to you in yours."', ' i extend to the affairs of my other clients the same secrecy which i promise to you in yours." "of ', 'tend to the affairs of my other clients the same secrecy which i promise to you in yours." "of cours', 'to the affairs of my other clients the same secrecy which i promise to you in yours." "of course! ve', 'e affairs of my other clients the same secrecy which i promise to you in yours." "of course! very ri', 'airs of my other clients the same secrecy which i promise to you in yours." "of course! very right! ', 'of my other clients the same secrecy which i promise to you in yours." "of course! very right! very ', ' other clients the same secrecy which i promise to you in yours." "of course! very right! very right', 'r clients the same secrecy which i promise to you in yours." "of course! very right! very right! i\'m', 'ents the same secrecy which i promise to you in yours." "of course! very right! very right! i\'m sure', 'the same secrecy which i promise to you in yours." "of course! very right! very right! i\'m sure i be', 'ame secrecy which i promise to you in yours." "of course! very right! very right! i\'m sure i beg par', 'ecrecy which i promise to you in yours." "of course! very right! very right! i\'m sure i beg pardon. ', 'y which i promise to you in yours." "of course! very right! very right! i\'m sure i beg pardon. as to', 'ch i promise to you in yours." "of course! very right! very right! i\'m sure i beg pardon. as to my o', 'promise to you in yours." "of course! very right! very right! i\'m sure i beg pardon. as to my own ca', 'se to you in yours." "of course! very right! very right! i\'m sure i beg pardon. as to my own case, i', ' you in yours." "of course! very right! very right! i\'m sure i beg pardon. as to my own case, i am r', 'in yours." "of course! very right! very right! i\'m sure i beg pardon. as to my own case, i am ready ', 'urs." "of course! very right! very right! i\'m sure i beg pardon. as to my own case, i am ready to gi', ' "of course! very right! very right! i\'m sure i beg pardon. as to my own case, i am ready to give yo', "course! very right! very right! i'm sure i beg pardon. as to my own case, i am ready to give you any", "e! very right! very right! i'm sure i beg pardon. as to my own case, i am ready to give you any info", "ry right! very right! i'm sure i beg pardon. as to my own case, i am ready to give you any informati", "ght! very right! i'm sure i beg pardon. as to my own case, i am ready to give you any information wh", "very right! i'm sure i beg pardon. as to my own case, i am ready to give you any information which m", "right! i'm sure i beg pardon. as to my own case, i am ready to give you any information which may as", "! i'm sure i beg pardon. as to my own case, i am ready to give you any information which may assist ", ' sure i beg pardon. as to my own case, i am ready to give you any information which may assist you i', ' i beg pardon. as to my own case, i am ready to give you any information which may assist you in for', 'g pardon. as to my own case, i am ready to give you any information which may assist you in forming ', 'don. as to my own case, i am ready to give you any information which may assist you in forming an op', 'as to my own case, i am ready to give you any information which may assist you in forming an opinion', ' my own case, i am ready to give you any information which may assist you in forming an opinion." "t', 'wn case, i am ready to give you any information which may assist you in forming an opinion." "thank ', 'se, i am ready to give you any information which may assist you in forming an opinion." "thank you. ', ' am ready to give you any information which may assist you in forming an opinion." "thank you. i hav', 'eady to give you any information which may assist you in forming an opinion." "thank you. i have alr', 'to give you any information which may assist you in forming an opinion." "thank you. i have already ', 've you any information which may assist you in forming an opinion." "thank you. i have already learn', 'u any information which may assist you in forming an opinion." "thank you. i have already learned al', ' information which may assist you in forming an opinion." "thank you. i have already learned all tha', 'rmation which may assist you in forming an opinion." "thank you. i have already learned all that is ', 'on which may assist you in forming an opinion." "thank you. i have already learned all that is in th', 'ich may assist you in forming an opinion." "thank you. i have already learned all that is in the pub', 'ay assist you in forming an opinion." "thank you. i have already learned all that is in the public p', 'sist you in forming an opinion." "thank you. i have already learned all that is in the public prints', 'you in forming an opinion." "thank you. i have already learned all that is in the public prints, not', 'n forming an opinion." "thank you. i have already learned all that is in the public prints, nothing ', 'ming an opinion." "thank you. i have already learned all that is in the public prints, nothing more.', 'an opinion." "thank you. i have already learned all that is in the public prints, nothing more. i pr', 'inion." "thank you. i have already learned all that is in the public prints, nothing more. i presume', '." "thank you. i have already learned all that is in the public prints, nothing more. i presume that', 'hank you. i have already learned all that is in the public prints, nothing more. i presume that i ma', 'you. i have already learned all that is in the public prints, nothing more. i presume that i may tak', 'i have already learned all that is in the public prints, nothing more. i presume that i may take it ', 'e already learned all that is in the public prints, nothing more. i presume that i may take it as co', 'eady learned all that is in the public prints, nothing more. i presume that i may take it as correct', 'learned all that is in the public prints, nothing more. i presume that i may take it as correctthis ', 'ed all that is in the public prints, nothing more. i presume that i may take it as correctthis artic', 'l that is in the public prints, nothing more. i presume that i may take it as correctthis article, f', 't is in the public prints, nothing more. i presume that i may take it as correctthis article, for ex', 'in the public prints, nothing more. i presume that i may take it as correctthis article, for example', 'e public prints, nothing more. i presume that i may take it as correctthis article, for example, as ', 'lic prints, nothing more. i presume that i may take it as correctthis article, for example, as to th', 'rints, nothing more. i presume that i may take it as correctthis article, for example, as to the dis', ', nothing more. i presume that i may take it as correctthis article, for example, as to the disappea', 'hing more. i presume that i may take it as correctthis article, for example, as to the disappearance', 'more. i presume that i may take it as correctthis article, for example, as to the disappearance of t', ' i presume that i may take it as correctthis article, for example, as to the disappearance of the br', 'esume that i may take it as correctthis article, for example, as to the disappearance of the bride."', ' that i may take it as correctthis article, for example, as to the disappearance of the bride." lord', ' i may take it as correctthis article, for example, as to the disappearance of the bride." lord st. ', 'y take it as correctthis article, for example, as to the disappearance of the bride." lord st. simon', 'e it as correctthis article, for example, as to the disappearance of the bride." lord st. simon glan', 'as correctthis article, for example, as to the disappearance of the bride." lord st. simon glanced o', 'rrectthis article, for example, as to the disappearance of the bride." lord st. simon glanced over i', 'this article, for example, as to the disappearance of the bride." lord st. simon glanced over it. "y', 'article, for example, as to the disappearance of the bride." lord st. simon glanced over it. "yes, i', 'le, for example, as to the disappearance of the bride." lord st. simon glanced over it. "yes, it is ', 'or example, as to the disappearance of the bride." lord st. simon glanced over it. "yes, it is corre', 'ample, as to the disappearance of the bride." lord st. simon glanced over it. "yes, it is correct, a', ', as to the disappearance of the bride." lord st. simon glanced over it. "yes, it is correct, as far', 'to the disappearance of the bride." lord st. simon glanced over it. "yes, it is correct, as far as i', 'e disappearance of the bride." lord st. simon glanced over it. "yes, it is correct, as far as it goe', 'appearance of the bride." lord st. simon glanced over it. "yes, it is correct, as far as it goes." "', 'rance of the bride." lord st. simon glanced over it. "yes, it is correct, as far as it goes." "but i', ' of the bride." lord st. simon glanced over it. "yes, it is correct, as far as it goes." "but it nee', 'he bride." lord st. simon glanced over it. "yes, it is correct, as far as it goes." "but it needs a ', 'ide." lord st. simon glanced over it. "yes, it is correct, as far as it goes." "but it needs a great', ' lord st. simon glanced over it. "yes, it is correct, as far as it goes." "but it needs a great deal', ' st. simon glanced over it. "yes, it is correct, as far as it goes." "but it needs a great deal of s', 'simon glanced over it. "yes, it is correct, as far as it goes." "but it needs a great deal of supple', ' glanced over it. "yes, it is correct, as far as it goes." "but it needs a great deal of supplementi', 'ced over it. "yes, it is correct, as far as it goes." "but it needs a great deal of supplementing be', 'ver it. "yes, it is correct, as far as it goes." "but it needs a great deal of supplementing before ', 't. "yes, it is correct, as far as it goes." "but it needs a great deal of supplementing before anyon', 'es, it is correct, as far as it goes." "but it needs a great deal of supplementing before anyone cou', 't is correct, as far as it goes." "but it needs a great deal of supplementing before anyone could of', 'correct, as far as it goes." "but it needs a great deal of supplementing before anyone could offer a', 'ct, as far as it goes." "but it needs a great deal of supplementing before anyone could offer an opi', 's far as it goes." "but it needs a great deal of supplementing before anyone could offer an opinion.', ' as it goes." "but it needs a great deal of supplementing before anyone could offer an opinion. i th', 't goes." "but it needs a great deal of supplementing before anyone could offer an opinion. i think t', 's." "but it needs a great deal of supplementing before anyone could offer an opinion. i think that i', 'but it needs a great deal of supplementing before anyone could offer an opinion. i think that i may ', 't needs a great deal of supplementing before anyone could offer an opinion. i think that i may arriv', 'ds a great deal of supplementing before anyone could offer an opinion. i think that i may arrive at ', 'great deal of supplementing before anyone could offer an opinion. i think that i may arrive at my fa', ' deal of supplementing before anyone could offer an opinion. i think that i may arrive at my facts m', ' of supplementing before anyone could offer an opinion. i think that i may arrive at my facts most d', 'upplementing before anyone could offer an opinion. i think that i may arrive at my facts most direct', 'menting before anyone could offer an opinion. i think that i may arrive at my facts most directly by', 'ng before anyone could offer an opinion. i think that i may arrive at my facts most directly by ques', 'fore anyone could offer an opinion. i think that i may arrive at my facts most directly by questioni', 'anyone could offer an opinion. i think that i may arrive at my facts most directly by questioning yo', 'e could offer an opinion. i think that i may arrive at my facts most directly by questioning you." "', 'ld offer an opinion. i think that i may arrive at my facts most directly by questioning you." "pray ', 'fer an opinion. i think that i may arrive at my facts most directly by questioning you." "pray do so', 'n opinion. i think that i may arrive at my facts most directly by questioning you." "pray do so." "w', 'nion. i think that i may arrive at my facts most directly by questioning you." "pray do so." "when d', ' i think that i may arrive at my facts most directly by questioning you." "pray do so." "when did yo', 'ink that i may arrive at my facts most directly by questioning you." "pray do so." "when did you fir', 'hat i may arrive at my facts most directly by questioning you." "pray do so." "when did you first me', ' may arrive at my facts most directly by questioning you." "pray do so." "when did you first meet mi', 'arrive at my facts most directly by questioning you." "pray do so." "when did you first meet miss ha', 'e at my facts most directly by questioning you." "pray do so." "when did you first meet miss hatty d', 'my facts most directly by questioning you." "pray do so." "when did you first meet miss hatty doran?', 'cts most directly by questioning you." "pray do so." "when did you first meet miss hatty doran?" "in', 'ost directly by questioning you." "pray do so." "when did you first meet miss hatty doran?" "in san ', 'irectly by questioning you." "pray do so." "when did you first meet miss hatty doran?" "in san franc', 'ly by questioning you." "pray do so." "when did you first meet miss hatty doran?" "in san francisco,', ' questioning you." "pray do so." "when did you first meet miss hatty doran?" "in san francisco, a ye', 'tioning you." "pray do so." "when did you first meet miss hatty doran?" "in san francisco, a year ag', 'ng you." "pray do so." "when did you first meet miss hatty doran?" "in san francisco, a year ago." "', 'u." "pray do so." "when did you first meet miss hatty doran?" "in san francisco, a year ago." "you w', 'pray do so." "when did you first meet miss hatty doran?" "in san francisco, a year ago." "you were t', 'do so." "when did you first meet miss hatty doran?" "in san francisco, a year ago." "you were travel', '." "when did you first meet miss hatty doran?" "in san francisco, a year ago." "you were travelling ', 'hen did you first meet miss hatty doran?" "in san francisco, a year ago." "you were travelling in th', 'id you first meet miss hatty doran?" "in san francisco, a year ago." "you were travelling in the sta', 'u first meet miss hatty doran?" "in san francisco, a year ago." "you were travelling in the states?"', 'st meet miss hatty doran?" "in san francisco, a year ago." "you were travelling in the states?" "yes', 'et miss hatty doran?" "in san francisco, a year ago." "you were travelling in the states?" "yes." "d', 'ss hatty doran?" "in san francisco, a year ago." "you were travelling in the states?" "yes." "did yo', 'tty doran?" "in san francisco, a year ago." "you were travelling in the states?" "yes." "did you bec', 'oran?" "in san francisco, a year ago." "you were travelling in the states?" "yes." "did you become e', '" "in san francisco, a year ago." "you were travelling in the states?" "yes." "did you become engage', ' san francisco, a year ago." "you were travelling in the states?" "yes." "did you become engaged the', 'francisco, a year ago." "you were travelling in the states?" "yes." "did you become engaged then?" "', 'isco, a year ago." "you were travelling in the states?" "yes." "did you become engaged then?" "no." ', ' a year ago." "you were travelling in the states?" "yes." "did you become engaged then?" "no." "but ', 'ar ago." "you were travelling in the states?" "yes." "did you become engaged then?" "no." "but you w', 'o." "you were travelling in the states?" "yes." "did you become engaged then?" "no." "but you were o', 'you were travelling in the states?" "yes." "did you become engaged then?" "no." "but you were on a f', 'ere travelling in the states?" "yes." "did you become engaged then?" "no." "but you were on a friend', 'ravelling in the states?" "yes." "did you become engaged then?" "no." "but you were on a friendly fo', 'ling in the states?" "yes." "did you become engaged then?" "no." "but you were on a friendly footing', 'in the states?" "yes." "did you become engaged then?" "no." "but you were on a friendly footing?" "i', 'e states?" "yes." "did you become engaged then?" "no." "but you were on a friendly footing?" "i was ', 'tes?" "yes." "did you become engaged then?" "no." "but you were on a friendly footing?" "i was amuse', ' "yes." "did you become engaged then?" "no." "but you were on a friendly footing?" "i was amused by ', '." "did you become engaged then?" "no." "but you were on a friendly footing?" "i was amused by her s', 'id you become engaged then?" "no." "but you were on a friendly footing?" "i was amused by her societ', 'u become engaged then?" "no." "but you were on a friendly footing?" "i was amused by her society, an', 'ome engaged then?" "no." "but you were on a friendly footing?" "i was amused by her society, and she', 'ngaged then?" "no." "but you were on a friendly footing?" "i was amused by her society, and she coul', 'd then?" "no." "but you were on a friendly footing?" "i was amused by her society, and she could see', 'n?" "no." "but you were on a friendly footing?" "i was amused by her society, and she could see that', 'no." "but you were on a friendly footing?" "i was amused by her society, and she could see that i wa', '"but you were on a friendly footing?" "i was amused by her society, and she could see that i was amu', 'you were on a friendly footing?" "i was amused by her society, and she could see that i was amused."', 'ere on a friendly footing?" "i was amused by her society, and she could see that i was amused." "her', 'n a friendly footing?" "i was amused by her society, and she could see that i was amused." "her fath', 'riendly footing?" "i was amused by her society, and she could see that i was amused." "her father is', 'ly footing?" "i was amused by her society, and she could see that i was amused." "her father is very', 'oting?" "i was amused by her society, and she could see that i was amused." "her father is very rich', '?" "i was amused by her society, and she could see that i was amused." "her father is very rich?" "h', ' was amused by her society, and she could see that i was amused." "her father is very rich?" "he is ', 'amused by her society, and she could see that i was amused." "her father is very rich?" "he is said ', 'd by her society, and she could see that i was amused." "her father is very rich?" "he is said to be', 'her society, and she could see that i was amused." "her father is very rich?" "he is said to be the ', 'ociety, and she could see that i was amused." "her father is very rich?" "he is said to be the riche', 'y, and she could see that i was amused." "her father is very rich?" "he is said to be the richest ma', 'd she could see that i was amused." "her father is very rich?" "he is said to be the richest man on ', ' could see that i was amused." "her father is very rich?" "he is said to be the richest man on the p', 'd see that i was amused." "her father is very rich?" "he is said to be the richest man on the pacifi', ' that i was amused." "her father is very rich?" "he is said to be the richest man on the pacific slo', ' i was amused." "her father is very rich?" "he is said to be the richest man on the pacific slope." ', 's amused." "her father is very rich?" "he is said to be the richest man on the pacific slope." "and ', 'sed." "her father is very rich?" "he is said to be the richest man on the pacific slope." "and how d', ' "her father is very rich?" "he is said to be the richest man on the pacific slope." "and how did he', ' father is very rich?" "he is said to be the richest man on the pacific slope." "and how did he make', 'er is very rich?" "he is said to be the richest man on the pacific slope." "and how did he make his ', ' very rich?" "he is said to be the richest man on the pacific slope." "and how did he make his money', ' rich?" "he is said to be the richest man on the pacific slope." "and how did he make his money?" "i', '?" "he is said to be the richest man on the pacific slope." "and how did he make his money?" "in min', 'e is said to be the richest man on the pacific slope." "and how did he make his money?" "in mining. ', 'said to be the richest man on the pacific slope." "and how did he make his money?" "in mining. he ha', 'to be the richest man on the pacific slope." "and how did he make his money?" "in mining. he had not', ' the richest man on the pacific slope." "and how did he make his money?" "in mining. he had nothing ', 'richest man on the pacific slope." "and how did he make his money?" "in mining. he had nothing a few', 'st man on the pacific slope." "and how did he make his money?" "in mining. he had nothing a few year', 'n on the pacific slope." "and how did he make his money?" "in mining. he had nothing a few years ago', 'the pacific slope." "and how did he make his money?" "in mining. he had nothing a few years ago. the', 'acific slope." "and how did he make his money?" "in mining. he had nothing a few years ago. then he ', 'c slope." "and how did he make his money?" "in mining. he had nothing a few years ago. then he struc', 'pe." "and how did he make his money?" "in mining. he had nothing a few years ago. then he struck gol', '"and how did he make his money?" "in mining. he had nothing a few years ago. then he struck gold, in', 'how did he make his money?" "in mining. he had nothing a few years ago. then he struck gold, investe', 'id he make his money?" "in mining. he had nothing a few years ago. then he struck gold, invested it,', ' make his money?" "in mining. he had nothing a few years ago. then he struck gold, invested it, and ', ' his money?" "in mining. he had nothing a few years ago. then he struck gold, invested it, and came ', 'money?" "in mining. he had nothing a few years ago. then he struck gold, invested it, and came up by', '?" "in mining. he had nothing a few years ago. then he struck gold, invested it, and came up by leap', 'n mining. he had nothing a few years ago. then he struck gold, invested it, and came up by leaps and', 'ing. he had nothing a few years ago. then he struck gold, invested it, and came up by leaps and boun', 'he had nothing a few years ago. then he struck gold, invested it, and came up by leaps and bounds." ', 'd nothing a few years ago. then he struck gold, invested it, and came up by leaps and bounds." "now,', 'hing a few years ago. then he struck gold, invested it, and came up by leaps and bounds." "now, what', 'a few years ago. then he struck gold, invested it, and came up by leaps and bounds." "now, what is y', ' years ago. then he struck gold, invested it, and came up by leaps and bounds." "now, what is your o', 's ago. then he struck gold, invested it, and came up by leaps and bounds." "now, what is your own im', '. then he struck gold, invested it, and came up by leaps and bounds." "now, what is your own impress', 'n he struck gold, invested it, and came up by leaps and bounds." "now, what is your own impression a', 'struck gold, invested it, and came up by leaps and bounds." "now, what is your own impression as to ', 'k gold, invested it, and came up by leaps and bounds." "now, what is your own impression as to the y', 'd, invested it, and came up by leaps and bounds." "now, what is your own impression as to the young ', 'vested it, and came up by leaps and bounds." "now, what is your own impression as to the young lady\'', 'd it, and came up by leaps and bounds." "now, what is your own impression as to the young lady\'syour', ' and came up by leaps and bounds." "now, what is your own impression as to the young lady\'syour wife', 'came up by leaps and bounds." "now, what is your own impression as to the young lady\'syour wife\'s ch', 'up by leaps and bounds." "now, what is your own impression as to the young lady\'syour wife\'s charact', ' leaps and bounds." "now, what is your own impression as to the young lady\'syour wife\'s character?" ', 's and bounds." "now, what is your own impression as to the young lady\'syour wife\'s character?" the n', ' bounds." "now, what is your own impression as to the young lady\'syour wife\'s character?" the noblem', 'ds." "now, what is your own impression as to the young lady\'syour wife\'s character?" the nobleman sw', '"now, what is your own impression as to the young lady\'syour wife\'s character?" the nobleman swung h', ' what is your own impression as to the young lady\'syour wife\'s character?" the nobleman swung his gl', ' is your own impression as to the young lady\'syour wife\'s character?" the nobleman swung his glasses', 'our own impression as to the young lady\'syour wife\'s character?" the nobleman swung his glasses a li', 'wn impression as to the young lady\'syour wife\'s character?" the nobleman swung his glasses a little ', 'pression as to the young lady\'syour wife\'s character?" the nobleman swung his glasses a little faste', 'ion as to the young lady\'syour wife\'s character?" the nobleman swung his glasses a little faster and', 's to the young lady\'syour wife\'s character?" the nobleman swung his glasses a little faster and star', 'the young lady\'syour wife\'s character?" the nobleman swung his glasses a little faster and stared do', 'oung lady\'syour wife\'s character?" the nobleman swung his glasses a little faster and stared down in', 'lady\'syour wife\'s character?" the nobleman swung his glasses a little faster and stared down into th', 'syour wife\'s character?" the nobleman swung his glasses a little faster and stared down into the fir', ' wife\'s character?" the nobleman swung his glasses a little faster and stared down into the fire. "y', '\'s character?" the nobleman swung his glasses a little faster and stared down into the fire. "you se', 'aracter?" the nobleman swung his glasses a little faster and stared down into the fire. "you see, mr', 'er?" the nobleman swung his glasses a little faster and stared down into the fire. "you see, mr. hol', 'the nobleman swung his glasses a little faster and stared down into the fire. "you see, mr. holmes,"', 'obleman swung his glasses a little faster and stared down into the fire. "you see, mr. holmes," said', 'an swung his glasses a little faster and stared down into the fire. "you see, mr. holmes," said he, ', 'ung his glasses a little faster and stared down into the fire. "you see, mr. holmes," said he, "my w', 'is glasses a little faster and stared down into the fire. "you see, mr. holmes," said he, "my wife w', 'asses a little faster and stared down into the fire. "you see, mr. holmes," said he, "my wife was tw', ' a little faster and stared down into the fire. "you see, mr. holmes," said he, "my wife was twenty ', 'ttle faster and stared down into the fire. "you see, mr. holmes," said he, "my wife was twenty befor', 'faster and stared down into the fire. "you see, mr. holmes," said he, "my wife was twenty before her', 'r and stared down into the fire. "you see, mr. holmes," said he, "my wife was twenty before her fath', ' stared down into the fire. "you see, mr. holmes," said he, "my wife was twenty before her father be', 'ed down into the fire. "you see, mr. holmes," said he, "my wife was twenty before her father became ', 'wn into the fire. "you see, mr. holmes," said he, "my wife was twenty before her father became a ric', 'to the fire. "you see, mr. holmes," said he, "my wife was twenty before her father became a rich man', 'e fire. "you see, mr. holmes," said he, "my wife was twenty before her father became a rich man. dur', 'e. "you see, mr. holmes," said he, "my wife was twenty before her father became a rich man. during t', 'ou see, mr. holmes," said he, "my wife was twenty before her father became a rich man. during that t', 'e, mr. holmes," said he, "my wife was twenty before her father became a rich man. during that time s', '. holmes," said he, "my wife was twenty before her father became a rich man. during that time she ra', 'mes," said he, "my wife was twenty before her father became a rich man. during that time she ran fre', ' said he, "my wife was twenty before her father became a rich man. during that time she ran free in ', ' he, "my wife was twenty before her father became a rich man. during that time she ran free in a min', '"my wife was twenty before her father became a rich man. during that time she ran free in a mining c', 'ife was twenty before her father became a rich man. during that time she ran free in a mining camp a', 'as twenty before her father became a rich man. during that time she ran free in a mining camp and wa', 'enty before her father became a rich man. during that time she ran free in a mining camp and wandere', 'before her father became a rich man. during that time she ran free in a mining camp and wandered thr', 'e her father became a rich man. during that time she ran free in a mining camp and wandered through ', ' father became a rich man. during that time she ran free in a mining camp and wandered through woods', 'er became a rich man. during that time she ran free in a mining camp and wandered through woods or m', 'came a rich man. during that time she ran free in a mining camp and wandered through woods or mounta', 'a rich man. during that time she ran free in a mining camp and wandered through woods or mountains, ', 'h man. during that time she ran free in a mining camp and wandered through woods or mountains, so th', '. during that time she ran free in a mining camp and wandered through woods or mountains, so that he', 'ing that time she ran free in a mining camp and wandered through woods or mountains, so that her edu', 'hat time she ran free in a mining camp and wandered through woods or mountains, so that her educatio', 'ime she ran free in a mining camp and wandered through woods or mountains, so that her education has', 'he ran free in a mining camp and wandered through woods or mountains, so that her education has come', 'n free in a mining camp and wandered through woods or mountains, so that her education has come from', 'e in a mining camp and wandered through woods or mountains, so that her education has come from natu', 'a mining camp and wandered through woods or mountains, so that her education has come from nature ra', 'ing camp and wandered through woods or mountains, so that her education has come from nature rather ', 'amp and wandered through woods or mountains, so that her education has come from nature rather than ', 'nd wandered through woods or mountains, so that her education has come from nature rather than from ', 'ndered through woods or mountains, so that her education has come from nature rather than from the s', 'd through woods or mountains, so that her education has come from nature rather than from the school', 'ough woods or mountains, so that her education has come from nature rather than from the schoolmaste', 'woods or mountains, so that her education has come from nature rather than from the schoolmaster. sh', ' or mountains, so that her education has come from nature rather than from the schoolmaster. she is ', 'ountains, so that her education has come from nature rather than from the schoolmaster. she is what ', 'ins, so that her education has come from nature rather than from the schoolmaster. she is what we ca', 'so that her education has come from nature rather than from the schoolmaster. she is what we call in', 'at her education has come from nature rather than from the schoolmaster. she is what we call in engl', 'r education has come from nature rather than from the schoolmaster. she is what we call in england a', 'cation has come from nature rather than from the schoolmaster. she is what we call in england a tomb', 'n has come from nature rather than from the schoolmaster. she is what we call in england a tomboy, w', ' come from nature rather than from the schoolmaster. she is what we call in england a tomboy, with a', ' from nature rather than from the schoolmaster. she is what we call in england a tomboy, with a stro', ' nature rather than from the schoolmaster. she is what we call in england a tomboy, with a strong na', 're rather than from the schoolmaster. she is what we call in england a tomboy, with a strong nature,', 'ther than from the schoolmaster. she is what we call in england a tomboy, with a strong nature, wild', 'than from the schoolmaster. she is what we call in england a tomboy, with a strong nature, wild and ', 'from the schoolmaster. she is what we call in england a tomboy, with a strong nature, wild and free,', 'the schoolmaster. she is what we call in england a tomboy, with a strong nature, wild and free, unfe', 'choolmaster. she is what we call in england a tomboy, with a strong nature, wild and free, unfettere', 'master. she is what we call in england a tomboy, with a strong nature, wild and free, unfettered by ', 'r. she is what we call in england a tomboy, with a strong nature, wild and free, unfettered by any s', 'e is what we call in england a tomboy, with a strong nature, wild and free, unfettered by any sort o', 'what we call in england a tomboy, with a strong nature, wild and free, unfettered by any sort of tra', 'we call in england a tomboy, with a strong nature, wild and free, unfettered by any sort of traditio', 'll in england a tomboy, with a strong nature, wild and free, unfettered by any sort of traditions. s', ' england a tomboy, with a strong nature, wild and free, unfettered by any sort of traditions. she is', 'and a tomboy, with a strong nature, wild and free, unfettered by any sort of traditions. she is impe', ' tomboy, with a strong nature, wild and free, unfettered by any sort of traditions. she is impetuous', 'oy, with a strong nature, wild and free, unfettered by any sort of traditions. she is impetuousvolca', 'ith a strong nature, wild and free, unfettered by any sort of traditions. she is impetuousvolcanic, ', ' strong nature, wild and free, unfettered by any sort of traditions. she is impetuousvolcanic, i was', 'ng nature, wild and free, unfettered by any sort of traditions. she is impetuousvolcanic, i was abou', 'ture, wild and free, unfettered by any sort of traditions. she is impetuousvolcanic, i was about to ', ' wild and free, unfettered by any sort of traditions. she is impetuousvolcanic, i was about to say. ', ' and free, unfettered by any sort of traditions. she is impetuousvolcanic, i was about to say. she i', 'free, unfettered by any sort of traditions. she is impetuousvolcanic, i was about to say. she is swi', ' unfettered by any sort of traditions. she is impetuousvolcanic, i was about to say. she is swift in', 'ttered by any sort of traditions. she is impetuousvolcanic, i was about to say. she is swift in maki', 'd by any sort of traditions. she is impetuousvolcanic, i was about to say. she is swift in making up', 'any sort of traditions. she is impetuousvolcanic, i was about to say. she is swift in making up her ', 'ort of traditions. she is impetuousvolcanic, i was about to say. she is swift in making up her mind ', 'f traditions. she is impetuousvolcanic, i was about to say. she is swift in making up her mind and f', 'ditions. she is impetuousvolcanic, i was about to say. she is swift in making up her mind and fearle', 'ns. she is impetuousvolcanic, i was about to say. she is swift in making up her mind and fearless in', 'he is impetuousvolcanic, i was about to say. she is swift in making up her mind and fearless in carr', ' impetuousvolcanic, i was about to say. she is swift in making up her mind and fearless in carrying ', 'tuousvolcanic, i was about to say. she is swift in making up her mind and fearless in carrying out h', 'volcanic, i was about to say. she is swift in making up her mind and fearless in carrying out her re', 'nic, i was about to say. she is swift in making up her mind and fearless in carrying out her resolut', 'i was about to say. she is swift in making up her mind and fearless in carrying out her resolutions.', ' about to say. she is swift in making up her mind and fearless in carrying out her resolutions. on t', 't to say. she is swift in making up her mind and fearless in carrying out her resolutions. on the ot', 'say. she is swift in making up her mind and fearless in carrying out her resolutions. on the other h', 'she is swift in making up her mind and fearless in carrying out her resolutions. on the other hand, ', 's swift in making up her mind and fearless in carrying out her resolutions. on the other hand, i wou', 'ft in making up her mind and fearless in carrying out her resolutions. on the other hand, i would no', ' making up her mind and fearless in carrying out her resolutions. on the other hand, i would not hav', 'ng up her mind and fearless in carrying out her resolutions. on the other hand, i would not have giv', ' her mind and fearless in carrying out her resolutions. on the other hand, i would not have given he', 'mind and fearless in carrying out her resolutions. on the other hand, i would not have given her the', 'and fearless in carrying out her resolutions. on the other hand, i would not have given her the name', 'earless in carrying out her resolutions. on the other hand, i would not have given her the name whic', 'ss in carrying out her resolutions. on the other hand, i would not have given her the name which i h', ' carrying out her resolutions. on the other hand, i would not have given her the name which i have t', 'ying out her resolutions. on the other hand, i would not have given her the name which i have the ho', 'out her resolutions. on the other hand, i would not have given her the name which i have the honour ', 'er resolutions. on the other hand, i would not have given her the name which i have the honour to be', 'solutions. on the other hand, i would not have given her the name which i have the honour to bear"he', 'ions. on the other hand, i would not have given her the name which i have the honour to bear"he gave', ' on the other hand, i would not have given her the name which i have the honour to bear"he gave a li', 'he other hand, i would not have given her the name which i have the honour to bear"he gave a little ', 'her hand, i would not have given her the name which i have the honour to bear"he gave a little state', 'and, i would not have given her the name which i have the honour to bear"he gave a little stately co', 'i would not have given her the name which i have the honour to bear"he gave a little stately cough"h', 'ld not have given her the name which i have the honour to bear"he gave a little stately cough"had no', 't have given her the name which i have the honour to bear"he gave a little stately cough"had not i t', 'e given her the name which i have the honour to bear"he gave a little stately cough"had not i though', 'en her the name which i have the honour to bear"he gave a little stately cough"had not i thought her', 'r the name which i have the honour to bear"he gave a little stately cough"had not i thought her to b', ' name which i have the honour to bear"he gave a little stately cough"had not i thought her to be at ', ' which i have the honour to bear"he gave a little stately cough"had not i thought her to be at botto', 'h i have the honour to bear"he gave a little stately cough"had not i thought her to be at bottom a n', 'ave the honour to bear"he gave a little stately cough"had not i thought her to be at bottom a noble ', 'he honour to bear"he gave a little stately cough"had not i thought her to be at bottom a noble woman', 'nour to bear"he gave a little stately cough"had not i thought her to be at bottom a noble woman. i b', 'to bear"he gave a little stately cough"had not i thought her to be at bottom a noble woman. i believ', 'ar"he gave a little stately cough"had not i thought her to be at bottom a noble woman. i believe tha', ' gave a little stately cough"had not i thought her to be at bottom a noble woman. i believe that she', ' a little stately cough"had not i thought her to be at bottom a noble woman. i believe that she is c', 'ttle stately cough"had not i thought her to be at bottom a noble woman. i believe that she is capabl', 'stately cough"had not i thought her to be at bottom a noble woman. i believe that she is capable of ', 'ly cough"had not i thought her to be at bottom a noble woman. i believe that she is capable of heroi', 'ugh"had not i thought her to be at bottom a noble woman. i believe that she is capable of heroic sel', 'ad not i thought her to be at bottom a noble woman. i believe that she is capable of heroic self-sac', 't i thought her to be at bottom a noble woman. i believe that she is capable of heroic self-sacrific', 'hought her to be at bottom a noble woman. i believe that she is capable of heroic self-sacrifice and', 't her to be at bottom a noble woman. i believe that she is capable of heroic self-sacrifice and that', ' to be at bottom a noble woman. i believe that she is capable of heroic self-sacrifice and that anyt', 'e at bottom a noble woman. i believe that she is capable of heroic self-sacrifice and that anything ', 'bottom a noble woman. i believe that she is capable of heroic self-sacrifice and that anything disho', 'm a noble woman. i believe that she is capable of heroic self-sacrifice and that anything dishonoura', 'oble woman. i believe that she is capable of heroic self-sacrifice and that anything dishonourable w', 'woman. i believe that she is capable of heroic self-sacrifice and that anything dishonourable would ', '. i believe that she is capable of heroic self-sacrifice and that anything dishonourable would be re', 'elieve that she is capable of heroic self-sacrifice and that anything dishonourable would be repugna', 'e that she is capable of heroic self-sacrifice and that anything dishonourable would be repugnant to', 't she is capable of heroic self-sacrifice and that anything dishonourable would be repugnant to her.', ' is capable of heroic self-sacrifice and that anything dishonourable would be repugnant to her." "ha', 'apable of heroic self-sacrifice and that anything dishonourable would be repugnant to her." "have yo', 'e of heroic self-sacrifice and that anything dishonourable would be repugnant to her." "have you her', 'heroic self-sacrifice and that anything dishonourable would be repugnant to her." "have you her phot', 'c self-sacrifice and that anything dishonourable would be repugnant to her." "have you her photograp', 'f-sacrifice and that anything dishonourable would be repugnant to her." "have you her photograph?" "', 'rifice and that anything dishonourable would be repugnant to her." "have you her photograph?" "i bro', 'e and that anything dishonourable would be repugnant to her." "have you her photograph?" "i brought ', ' that anything dishonourable would be repugnant to her." "have you her photograph?" "i brought this ', ' anything dishonourable would be repugnant to her." "have you her photograph?" "i brought this with ', 'hing dishonourable would be repugnant to her." "have you her photograph?" "i brought this with me." ', 'dishonourable would be repugnant to her." "have you her photograph?" "i brought this with me." he op', 'nourable would be repugnant to her." "have you her photograph?" "i brought this with me." he opened ', 'ble would be repugnant to her." "have you her photograph?" "i brought this with me." he opened a loc', 'ould be repugnant to her." "have you her photograph?" "i brought this with me." he opened a locket a', 'be repugnant to her." "have you her photograph?" "i brought this with me." he opened a locket and sh', 'pugnant to her." "have you her photograph?" "i brought this with me." he opened a locket and showed ', 'nt to her." "have you her photograph?" "i brought this with me." he opened a locket and showed us th', ' her." "have you her photograph?" "i brought this with me." he opened a locket and showed us the ful', '" "have you her photograph?" "i brought this with me." he opened a locket and showed us the full fac', 've you her photograph?" "i brought this with me." he opened a locket and showed us the full face of ', 'u her photograph?" "i brought this with me." he opened a locket and showed us the full face of a ver', ' photograph?" "i brought this with me." he opened a locket and showed us the full face of a very lov', 'ograph?" "i brought this with me." he opened a locket and showed us the full face of a very lovely w', 'h?" "i brought this with me." he opened a locket and showed us the full face of a very lovely woman.', 'i brought this with me." he opened a locket and showed us the full face of a very lovely woman. it w', 'ught this with me." he opened a locket and showed us the full face of a very lovely woman. it was no', 'this with me." he opened a locket and showed us the full face of a very lovely woman. it was not a p', 'with me." he opened a locket and showed us the full face of a very lovely woman. it was not a photog', 'me." he opened a locket and showed us the full face of a very lovely woman. it was not a photograph ', 'he opened a locket and showed us the full face of a very lovely woman. it was not a photograph but a', 'ened a locket and showed us the full face of a very lovely woman. it was not a photograph but an ivo', 'a locket and showed us the full face of a very lovely woman. it was not a photograph but an ivory mi', 'ket and showed us the full face of a very lovely woman. it was not a photograph but an ivory miniatu', 'nd showed us the full face of a very lovely woman. it was not a photograph but an ivory miniature, a', 'owed us the full face of a very lovely woman. it was not a photograph but an ivory miniature, and th', 'us the full face of a very lovely woman. it was not a photograph but an ivory miniature, and the art', 'e full face of a very lovely woman. it was not a photograph but an ivory miniature, and the artist h', 'l face of a very lovely woman. it was not a photograph but an ivory miniature, and the artist had br', 'e of a very lovely woman. it was not a photograph but an ivory miniature, and the artist had brought', 'a very lovely woman. it was not a photograph but an ivory miniature, and the artist had brought out ', 'y lovely woman. it was not a photograph but an ivory miniature, and the artist had brought out the f', 'ely woman. it was not a photograph but an ivory miniature, and the artist had brought out the full e', 'oman. it was not a photograph but an ivory miniature, and the artist had brought out the full effect', ' it was not a photograph but an ivory miniature, and the artist had brought out the full effect of t', 'as not a photograph but an ivory miniature, and the artist had brought out the full effect of the lu', 't a photograph but an ivory miniature, and the artist had brought out the full effect of the lustrou', 'hotograph but an ivory miniature, and the artist had brought out the full effect of the lustrous bla', 'raph but an ivory miniature, and the artist had brought out the full effect of the lustrous black ha', 'but an ivory miniature, and the artist had brought out the full effect of the lustrous black hair, t', 'n ivory miniature, and the artist had brought out the full effect of the lustrous black hair, the la', 'ry miniature, and the artist had brought out the full effect of the lustrous black hair, the large d', 'niature, and the artist had brought out the full effect of the lustrous black hair, the large dark e', 're, and the artist had brought out the full effect of the lustrous black hair, the large dark eyes, ', 'nd the artist had brought out the full effect of the lustrous black hair, the large dark eyes, and t', 'e artist had brought out the full effect of the lustrous black hair, the large dark eyes, and the ex', 'ist had brought out the full effect of the lustrous black hair, the large dark eyes, and the exquisi', 'ad brought out the full effect of the lustrous black hair, the large dark eyes, and the exquisite mo', 'ought out the full effect of the lustrous black hair, the large dark eyes, and the exquisite mouth. ', ' out the full effect of the lustrous black hair, the large dark eyes, and the exquisite mouth. holme', 'the full effect of the lustrous black hair, the large dark eyes, and the exquisite mouth. holmes gaz', 'ull effect of the lustrous black hair, the large dark eyes, and the exquisite mouth. holmes gazed lo', 'ffect of the lustrous black hair, the large dark eyes, and the exquisite mouth. holmes gazed long an', ' of the lustrous black hair, the large dark eyes, and the exquisite mouth. holmes gazed long and ear', 'he lustrous black hair, the large dark eyes, and the exquisite mouth. holmes gazed long and earnestl', 'strous black hair, the large dark eyes, and the exquisite mouth. holmes gazed long and earnestly at ', 's black hair, the large dark eyes, and the exquisite mouth. holmes gazed long and earnestly at it. t', 'ck hair, the large dark eyes, and the exquisite mouth. holmes gazed long and earnestly at it. then h', 'ir, the large dark eyes, and the exquisite mouth. holmes gazed long and earnestly at it. then he clo', 'he large dark eyes, and the exquisite mouth. holmes gazed long and earnestly at it. then he closed t', 'rge dark eyes, and the exquisite mouth. holmes gazed long and earnestly at it. then he closed the lo', 'ark eyes, and the exquisite mouth. holmes gazed long and earnestly at it. then he closed the locket ', 'yes, and the exquisite mouth. holmes gazed long and earnestly at it. then he closed the locket and h', 'and the exquisite mouth. holmes gazed long and earnestly at it. then he closed the locket and handed', 'he exquisite mouth. holmes gazed long and earnestly at it. then he closed the locket and handed it b', 'quisite mouth. holmes gazed long and earnestly at it. then he closed the locket and handed it back t', 'te mouth. holmes gazed long and earnestly at it. then he closed the locket and handed it back to lor', 'uth. holmes gazed long and earnestly at it. then he closed the locket and handed it back to lord st.', 'holmes gazed long and earnestly at it. then he closed the locket and handed it back to lord st. simo', 's gazed long and earnestly at it. then he closed the locket and handed it back to lord st. simon. "t', 'ed long and earnestly at it. then he closed the locket and handed it back to lord st. simon. "the yo', 'ng and earnestly at it. then he closed the locket and handed it back to lord st. simon. "the young l', 'd earnestly at it. then he closed the locket and handed it back to lord st. simon. "the young lady c', 'nestly at it. then he closed the locket and handed it back to lord st. simon. "the young lady came t', 'y at it. then he closed the locket and handed it back to lord st. simon. "the young lady came to lon', 'it. then he closed the locket and handed it back to lord st. simon. "the young lady came to london, ', 'hen he closed the locket and handed it back to lord st. simon. "the young lady came to london, then,', 'e closed the locket and handed it back to lord st. simon. "the young lady came to london, then, and ', 'sed the locket and handed it back to lord st. simon. "the young lady came to london, then, and you r', 'he locket and handed it back to lord st. simon. "the young lady came to london, then, and you renewe', 'cket and handed it back to lord st. simon. "the young lady came to london, then, and you renewed you', 'and handed it back to lord st. simon. "the young lady came to london, then, and you renewed your acq', 'anded it back to lord st. simon. "the young lady came to london, then, and you renewed your acquaint', ' it back to lord st. simon. "the young lady came to london, then, and you renewed your acquaintance?', 'ack to lord st. simon. "the young lady came to london, then, and you renewed your acquaintance?" "ye', 'o lord st. simon. "the young lady came to london, then, and you renewed your acquaintance?" "yes, he', 'd st. simon. "the young lady came to london, then, and you renewed your acquaintance?" "yes, her fat', ' simon. "the young lady came to london, then, and you renewed your acquaintance?" "yes, her father b', 'n. "the young lady came to london, then, and you renewed your acquaintance?" "yes, her father brough', 'he young lady came to london, then, and you renewed your acquaintance?" "yes, her father brought her', 'ung lady came to london, then, and you renewed your acquaintance?" "yes, her father brought her over', 'ady came to london, then, and you renewed your acquaintance?" "yes, her father brought her over for ', 'ame to london, then, and you renewed your acquaintance?" "yes, her father brought her over for this ', 'o london, then, and you renewed your acquaintance?" "yes, her father brought her over for this last ', 'don, then, and you renewed your acquaintance?" "yes, her father brought her over for this last londo', 'then, and you renewed your acquaintance?" "yes, her father brought her over for this last london sea', ' and you renewed your acquaintance?" "yes, her father brought her over for this last london season. ', 'you renewed your acquaintance?" "yes, her father brought her over for this last london season. i met', 'enewed your acquaintance?" "yes, her father brought her over for this last london season. i met her ', 'd your acquaintance?" "yes, her father brought her over for this last london season. i met her sever', 'r acquaintance?" "yes, her father brought her over for this last london season. i met her several ti', 'uaintance?" "yes, her father brought her over for this last london season. i met her several times, ', 'ance?" "yes, her father brought her over for this last london season. i met her several times, becam', '" "yes, her father brought her over for this last london season. i met her several times, became eng', 's, her father brought her over for this last london season. i met her several times, became engaged ', 'r father brought her over for this last london season. i met her several times, became engaged to he', 'her brought her over for this last london season. i met her several times, became engaged to her, an', 'rought her over for this last london season. i met her several times, became engaged to her, and hav', 't her over for this last london season. i met her several times, became engaged to her, and have now', ' over for this last london season. i met her several times, became engaged to her, and have now marr', ' for this last london season. i met her several times, became engaged to her, and have now married h', 'this last london season. i met her several times, became engaged to her, and have now married her." ', 'last london season. i met her several times, became engaged to her, and have now married her." "she ', 'london season. i met her several times, became engaged to her, and have now married her." "she broug', 'n season. i met her several times, became engaged to her, and have now married her." "she brought, i', 'son. i met her several times, became engaged to her, and have now married her." "she brought, i unde', 'i met her several times, became engaged to her, and have now married her." "she brought, i understan', ' her several times, became engaged to her, and have now married her." "she brought, i understand, a ', 'several times, became engaged to her, and have now married her." "she brought, i understand, a consi', 'al times, became engaged to her, and have now married her." "she brought, i understand, a considerab', 'mes, became engaged to her, and have now married her." "she brought, i understand, a considerable do', 'became engaged to her, and have now married her." "she brought, i understand, a considerable dowry?"', 'e engaged to her, and have now married her." "she brought, i understand, a considerable dowry?" "a f', 'aged to her, and have now married her." "she brought, i understand, a considerable dowry?" "a fair d', 'to her, and have now married her." "she brought, i understand, a considerable dowry?" "a fair dowry.', 'r, and have now married her." "she brought, i understand, a considerable dowry?" "a fair dowry. not ', 'd have now married her." "she brought, i understand, a considerable dowry?" "a fair dowry. not more ', 'e now married her." "she brought, i understand, a considerable dowry?" "a fair dowry. not more than ', ' married her." "she brought, i understand, a considerable dowry?" "a fair dowry. not more than is us', 'ied her." "she brought, i understand, a considerable dowry?" "a fair dowry. not more than is usual i', 'er." "she brought, i understand, a considerable dowry?" "a fair dowry. not more than is usual in my ', '"she brought, i understand, a considerable dowry?" "a fair dowry. not more than is usual in my famil', 'brought, i understand, a considerable dowry?" "a fair dowry. not more than is usual in my family." "', 'ht, i understand, a considerable dowry?" "a fair dowry. not more than is usual in my family." "and t', ' understand, a considerable dowry?" "a fair dowry. not more than is usual in my family." "and this, ', 'rstand, a considerable dowry?" "a fair dowry. not more than is usual in my family." "and this, of co', 'd, a considerable dowry?" "a fair dowry. not more than is usual in my family." "and this, of course,', 'considerable dowry?" "a fair dowry. not more than is usual in my family." "and this, of course, rema', 'derable dowry?" "a fair dowry. not more than is usual in my family." "and this, of course, remains t', 'le dowry?" "a fair dowry. not more than is usual in my family." "and this, of course, remains to you', 'wry?" "a fair dowry. not more than is usual in my family." "and this, of course, remains to you, sin', ' "a fair dowry. not more than is usual in my family." "and this, of course, remains to you, since th', 'air dowry. not more than is usual in my family." "and this, of course, remains to you, since the mar', 'owry. not more than is usual in my family." "and this, of course, remains to you, since the marriage', ' not more than is usual in my family." "and this, of course, remains to you, since the marriage is a', 'more than is usual in my family." "and this, of course, remains to you, since the marriage is a fait', 'than is usual in my family." "and this, of course, remains to you, since the marriage is a fait acco', 'is usual in my family." "and this, of course, remains to you, since the marriage is a fait accompli?', 'ual in my family." "and this, of course, remains to you, since the marriage is a fait accompli?" "i ', 'n my family." "and this, of course, remains to you, since the marriage is a fait accompli?" "i reall', 'family." "and this, of course, remains to you, since the marriage is a fait accompli?" "i really hav', 'y." "and this, of course, remains to you, since the marriage is a fait accompli?" "i really have mad', 'and this, of course, remains to you, since the marriage is a fait accompli?" "i really have made no ', 'his, of course, remains to you, since the marriage is a fait accompli?" "i really have made no inqui', 'of course, remains to you, since the marriage is a fait accompli?" "i really have made no inquiries ', 'urse, remains to you, since the marriage is a fait accompli?" "i really have made no inquiries on th', ' remains to you, since the marriage is a fait accompli?" "i really have made no inquiries on the sub', 'ins to you, since the marriage is a fait accompli?" "i really have made no inquiries on the subject.', 'o you, since the marriage is a fait accompli?" "i really have made no inquiries on the subject." "ve', ', since the marriage is a fait accompli?" "i really have made no inquiries on the subject." "very na', 'ce the marriage is a fait accompli?" "i really have made no inquiries on the subject." "very natural', 'e marriage is a fait accompli?" "i really have made no inquiries on the subject." "very naturally no', 'riage is a fait accompli?" "i really have made no inquiries on the subject." "very naturally not. di', ' is a fait accompli?" "i really have made no inquiries on the subject." "very naturally not. did you', ' fait accompli?" "i really have made no inquiries on the subject." "very naturally not. did you see ', ' accompli?" "i really have made no inquiries on the subject." "very naturally not. did you see miss ', 'mpli?" "i really have made no inquiries on the subject." "very naturally not. did you see miss doran', '" "i really have made no inquiries on the subject." "very naturally not. did you see miss doran on t', 'really have made no inquiries on the subject." "very naturally not. did you see miss doran on the da', 'y have made no inquiries on the subject." "very naturally not. did you see miss doran on the day bef', 'e made no inquiries on the subject." "very naturally not. did you see miss doran on the day before t', 'e no inquiries on the subject." "very naturally not. did you see miss doran on the day before the we', 'inquiries on the subject." "very naturally not. did you see miss doran on the day before the wedding', 'ries on the subject." "very naturally not. did you see miss doran on the day before the wedding?" "y', 'on the subject." "very naturally not. did you see miss doran on the day before the wedding?" "yes." ', 'e subject." "very naturally not. did you see miss doran on the day before the wedding?" "yes." "was ', 'ject." "very naturally not. did you see miss doran on the day before the wedding?" "yes." "was she i', '" "very naturally not. did you see miss doran on the day before the wedding?" "yes." "was she in goo', 'ry naturally not. did you see miss doran on the day before the wedding?" "yes." "was she in good spi', 'turally not. did you see miss doran on the day before the wedding?" "yes." "was she in good spirits?', 'ly not. did you see miss doran on the day before the wedding?" "yes." "was she in good spirits?" "ne', 't. did you see miss doran on the day before the wedding?" "yes." "was she in good spirits?" "never b', 'd you see miss doran on the day before the wedding?" "yes." "was she in good spirits?" "never better', ' see miss doran on the day before the wedding?" "yes." "was she in good spirits?" "never better. she', 'miss doran on the day before the wedding?" "yes." "was she in good spirits?" "never better. she kept', 'doran on the day before the wedding?" "yes." "was she in good spirits?" "never better. she kept talk', ' on the day before the wedding?" "yes." "was she in good spirits?" "never better. she kept talking o', 'he day before the wedding?" "yes." "was she in good spirits?" "never better. she kept talking of wha', 'y before the wedding?" "yes." "was she in good spirits?" "never better. she kept talking of what we ', 'ore the wedding?" "yes." "was she in good spirits?" "never better. she kept talking of what we shoul', 'he wedding?" "yes." "was she in good spirits?" "never better. she kept talking of what we should do ', 'dding?" "yes." "was she in good spirits?" "never better. she kept talking of what we should do in ou', '?" "yes." "was she in good spirits?" "never better. she kept talking of what we should do in our fut', 'es." "was she in good spirits?" "never better. she kept talking of what we should do in our future l', '"was she in good spirits?" "never better. she kept talking of what we should do in our future lives.', 'she in good spirits?" "never better. she kept talking of what we should do in our future lives." "in', 'n good spirits?" "never better. she kept talking of what we should do in our future lives." "indeed!', 'd spirits?" "never better. she kept talking of what we should do in our future lives." "indeed! that', 'rits?" "never better. she kept talking of what we should do in our future lives." "indeed! that is v', '" "never better. she kept talking of what we should do in our future lives." "indeed! that is very i', 'ver better. she kept talking of what we should do in our future lives." "indeed! that is very intere', 'etter. she kept talking of what we should do in our future lives." "indeed! that is very interesting', '. she kept talking of what we should do in our future lives." "indeed! that is very interesting. and', ' kept talking of what we should do in our future lives." "indeed! that is very interesting. and on t', ' talking of what we should do in our future lives." "indeed! that is very interesting. and on the mo', 'ing of what we should do in our future lives." "indeed! that is very interesting. and on the morning', 'f what we should do in our future lives." "indeed! that is very interesting. and on the morning of t', 't we should do in our future lives." "indeed! that is very interesting. and on the morning of the we', 'should do in our future lives." "indeed! that is very interesting. and on the morning of the wedding', 'd do in our future lives." "indeed! that is very interesting. and on the morning of the wedding?" "s', 'in our future lives." "indeed! that is very interesting. and on the morning of the wedding?" "she wa', 'r future lives." "indeed! that is very interesting. and on the morning of the wedding?" "she was as ', 'ure lives." "indeed! that is very interesting. and on the morning of the wedding?" "she was as brigh', 'ives." "indeed! that is very interesting. and on the morning of the wedding?" "she was as bright as ', '" "indeed! that is very interesting. and on the morning of the wedding?" "she was as bright as possi', 'deed! that is very interesting. and on the morning of the wedding?" "she was as bright as possibleat', ' that is very interesting. and on the morning of the wedding?" "she was as bright as possibleat leas', ' is very interesting. and on the morning of the wedding?" "she was as bright as possibleat least unt', 'ery interesting. and on the morning of the wedding?" "she was as bright as possibleat least until af', 'nteresting. and on the morning of the wedding?" "she was as bright as possibleat least until after t', 'sting. and on the morning of the wedding?" "she was as bright as possibleat least until after the ce', '. and on the morning of the wedding?" "she was as bright as possibleat least until after the ceremon', ' on the morning of the wedding?" "she was as bright as possibleat least until after the ceremony." "', 'he morning of the wedding?" "she was as bright as possibleat least until after the ceremony." "and d', 'rning of the wedding?" "she was as bright as possibleat least until after the ceremony." "and did yo', ' of the wedding?" "she was as bright as possibleat least until after the ceremony." "and did you obs', 'he wedding?" "she was as bright as possibleat least until after the ceremony." "and did you observe ', 'dding?" "she was as bright as possibleat least until after the ceremony." "and did you observe any c', '?" "she was as bright as possibleat least until after the ceremony." "and did you observe any change', 'he was as bright as possibleat least until after the ceremony." "and did you observe any change in h', 's as bright as possibleat least until after the ceremony." "and did you observe any change in her th', 'bright as possibleat least until after the ceremony." "and did you observe any change in her then?" ', 't as possibleat least until after the ceremony." "and did you observe any change in her then?" "well', 'possibleat least until after the ceremony." "and did you observe any change in her then?" "well, to ', 'bleat least until after the ceremony." "and did you observe any change in her then?" "well, to tell ', ' least until after the ceremony." "and did you observe any change in her then?" "well, to tell the t', 't until after the ceremony." "and did you observe any change in her then?" "well, to tell the truth,', 'il after the ceremony." "and did you observe any change in her then?" "well, to tell the truth, i sa', 'ter the ceremony." "and did you observe any change in her then?" "well, to tell the truth, i saw the', 'he ceremony." "and did you observe any change in her then?" "well, to tell the truth, i saw then the', 'remony." "and did you observe any change in her then?" "well, to tell the truth, i saw then the firs', 'y." "and did you observe any change in her then?" "well, to tell the truth, i saw then the first sig', 'and did you observe any change in her then?" "well, to tell the truth, i saw then the first signs th', 'id you observe any change in her then?" "well, to tell the truth, i saw then the first signs that i ', 'u observe any change in her then?" "well, to tell the truth, i saw then the first signs that i had e', 'erve any change in her then?" "well, to tell the truth, i saw then the first signs that i had ever s', 'any change in her then?" "well, to tell the truth, i saw then the first signs that i had ever seen t', 'hange in her then?" "well, to tell the truth, i saw then the first signs that i had ever seen that h', ' in her then?" "well, to tell the truth, i saw then the first signs that i had ever seen that her te', 'er then?" "well, to tell the truth, i saw then the first signs that i had ever seen that her temper ', 'en?" "well, to tell the truth, i saw then the first signs that i had ever seen that her temper was j', '"well, to tell the truth, i saw then the first signs that i had ever seen that her temper was just a', ', to tell the truth, i saw then the first signs that i had ever seen that her temper was just a litt', 'tell the truth, i saw then the first signs that i had ever seen that her temper was just a little sh', 'the truth, i saw then the first signs that i had ever seen that her temper was just a little sharp. ', 'ruth, i saw then the first signs that i had ever seen that her temper was just a little sharp. the i', ' i saw then the first signs that i had ever seen that her temper was just a little sharp. the incide', 'w then the first signs that i had ever seen that her temper was just a little sharp. the incident ho', 'n the first signs that i had ever seen that her temper was just a little sharp. the incident however', ' first signs that i had ever seen that her temper was just a little sharp. the incident however, was', 't signs that i had ever seen that her temper was just a little sharp. the incident however, was too ', 'ns that i had ever seen that her temper was just a little sharp. the incident however, was too trivi', 'at i had ever seen that her temper was just a little sharp. the incident however, was too trivial to', 'had ever seen that her temper was just a little sharp. the incident however, was too trivial to rela', 'ver seen that her temper was just a little sharp. the incident however, was too trivial to relate an', 'een that her temper was just a little sharp. the incident however, was too trivial to relate and can', 'hat her temper was just a little sharp. the incident however, was too trivial to relate and can have', 'er temper was just a little sharp. the incident however, was too trivial to relate and can have no p', 'mper was just a little sharp. the incident however, was too trivial to relate and can have no possib', 'was just a little sharp. the incident however, was too trivial to relate and can have no possible be', 'ust a little sharp. the incident however, was too trivial to relate and can have no possible bearing', ' little sharp. the incident however, was too trivial to relate and can have no possible bearing upon', 'le sharp. the incident however, was too trivial to relate and can have no possible bearing upon the ', 'arp. the incident however, was too trivial to relate and can have no possible bearing upon the case.', 'the incident however, was too trivial to relate and can have no possible bearing upon the case." "pr', 'ncident however, was too trivial to relate and can have no possible bearing upon the case." "pray le', 'nt however, was too trivial to relate and can have no possible bearing upon the case." "pray let us ', 'wever, was too trivial to relate and can have no possible bearing upon the case." "pray let us have ', ', was too trivial to relate and can have no possible bearing upon the case." "pray let us have it, f', ' too trivial to relate and can have no possible bearing upon the case." "pray let us have it, for al', 'trivial to relate and can have no possible bearing upon the case." "pray let us have it, for all tha', 'al to relate and can have no possible bearing upon the case." "pray let us have it, for all that." "', ' relate and can have no possible bearing upon the case." "pray let us have it, for all that." "oh, i', 'te and can have no possible bearing upon the case." "pray let us have it, for all that." "oh, it is ', 'd can have no possible bearing upon the case." "pray let us have it, for all that." "oh, it is child', ' have no possible bearing upon the case." "pray let us have it, for all that." "oh, it is childish. ', ' no possible bearing upon the case." "pray let us have it, for all that." "oh, it is childish. she d', 'ossible bearing upon the case." "pray let us have it, for all that." "oh, it is childish. she droppe', 'le bearing upon the case." "pray let us have it, for all that." "oh, it is childish. she dropped her', 'aring upon the case." "pray let us have it, for all that." "oh, it is childish. she dropped her bouq', ' upon the case." "pray let us have it, for all that." "oh, it is childish. she dropped her bouquet a', ' the case." "pray let us have it, for all that." "oh, it is childish. she dropped her bouquet as we ', 'case." "pray let us have it, for all that." "oh, it is childish. she dropped her bouquet as we went ', '" "pray let us have it, for all that." "oh, it is childish. she dropped her bouquet as we went towar', 'ay let us have it, for all that." "oh, it is childish. she dropped her bouquet as we went towards th', 't us have it, for all that." "oh, it is childish. she dropped her bouquet as we went towards the ves', 'have it, for all that." "oh, it is childish. she dropped her bouquet as we went towards the vestry. ', 'it, for all that." "oh, it is childish. she dropped her bouquet as we went towards the vestry. she w', 'or all that." "oh, it is childish. she dropped her bouquet as we went towards the vestry. she was pa', 'l that." "oh, it is childish. she dropped her bouquet as we went towards the vestry. she was passing', 't." "oh, it is childish. she dropped her bouquet as we went towards the vestry. she was passing the ', 'oh, it is childish. she dropped her bouquet as we went towards the vestry. she was passing the front', 't is childish. she dropped her bouquet as we went towards the vestry. she was passing the front pew ', 'childish. she dropped her bouquet as we went towards the vestry. she was passing the front pew at th', 'ish. she dropped her bouquet as we went towards the vestry. she was passing the front pew at the tim', 'she dropped her bouquet as we went towards the vestry. she was passing the front pew at the time, an', 'ropped her bouquet as we went towards the vestry. she was passing the front pew at the time, and it ', 'd her bouquet as we went towards the vestry. she was passing the front pew at the time, and it fell ', ' bouquet as we went towards the vestry. she was passing the front pew at the time, and it fell over ', 'uet as we went towards the vestry. she was passing the front pew at the time, and it fell over into ', 's we went towards the vestry. she was passing the front pew at the time, and it fell over into the p', 'went towards the vestry. she was passing the front pew at the time, and it fell over into the pew. t', 'towards the vestry. she was passing the front pew at the time, and it fell over into the pew. there ', 'ds the vestry. she was passing the front pew at the time, and it fell over into the pew. there was a', 'e vestry. she was passing the front pew at the time, and it fell over into the pew. there was a mome', "try. she was passing the front pew at the time, and it fell over into the pew. there was a moment's ", "she was passing the front pew at the time, and it fell over into the pew. there was a moment's delay", "as passing the front pew at the time, and it fell over into the pew. there was a moment's delay, but", "ssing the front pew at the time, and it fell over into the pew. there was a moment's delay, but the ", " the front pew at the time, and it fell over into the pew. there was a moment's delay, but the gentl", "front pew at the time, and it fell over into the pew. there was a moment's delay, but the gentleman ", " pew at the time, and it fell over into the pew. there was a moment's delay, but the gentleman in th", "at the time, and it fell over into the pew. there was a moment's delay, but the gentleman in the pew", "e time, and it fell over into the pew. there was a moment's delay, but the gentleman in the pew hand", "e, and it fell over into the pew. there was a moment's delay, but the gentleman in the pew handed it", "d it fell over into the pew. there was a moment's delay, but the gentleman in the pew handed it up t", "fell over into the pew. there was a moment's delay, but the gentleman in the pew handed it up to her", "over into the pew. there was a moment's delay, but the gentleman in the pew handed it up to her agai", "into the pew. there was a moment's delay, but the gentleman in the pew handed it up to her again, an", "the pew. there was a moment's delay, but the gentleman in the pew handed it up to her again, and it ", "ew. there was a moment's delay, but the gentleman in the pew handed it up to her again, and it did n", "here was a moment's delay, but the gentleman in the pew handed it up to her again, and it did not ap", "was a moment's delay, but the gentleman in the pew handed it up to her again, and it did not appear ", " moment's delay, but the gentleman in the pew handed it up to her again, and it did not appear to be", "nt's delay, but the gentleman in the pew handed it up to her again, and it did not appear to be the ", 'delay, but the gentleman in the pew handed it up to her again, and it did not appear to be the worse', ', but the gentleman in the pew handed it up to her again, and it did not appear to be the worse for ', ' the gentleman in the pew handed it up to her again, and it did not appear to be the worse for the f', 'gentleman in the pew handed it up to her again, and it did not appear to be the worse for the fall. ', 'eman in the pew handed it up to her again, and it did not appear to be the worse for the fall. yet w', 'in the pew handed it up to her again, and it did not appear to be the worse for the fall. yet when i', 'e pew handed it up to her again, and it did not appear to be the worse for the fall. yet when i spok', ' handed it up to her again, and it did not appear to be the worse for the fall. yet when i spoke to ', 'ed it up to her again, and it did not appear to be the worse for the fall. yet when i spoke to her o', ' up to her again, and it did not appear to be the worse for the fall. yet when i spoke to her of the', 'o her again, and it did not appear to be the worse for the fall. yet when i spoke to her of the matt', ' again, and it did not appear to be the worse for the fall. yet when i spoke to her of the matter, s', 'n, and it did not appear to be the worse for the fall. yet when i spoke to her of the matter, she an', 'd it did not appear to be the worse for the fall. yet when i spoke to her of the matter, she answere', 'did not appear to be the worse for the fall. yet when i spoke to her of the matter, she answered me ', 'ot appear to be the worse for the fall. yet when i spoke to her of the matter, she answered me abrup', 'pear to be the worse for the fall. yet when i spoke to her of the matter, she answered me abruptly; ', 'to be the worse for the fall. yet when i spoke to her of the matter, she answered me abruptly; and i', ' the worse for the fall. yet when i spoke to her of the matter, she answered me abruptly; and in the', 'worse for the fall. yet when i spoke to her of the matter, she answered me abruptly; and in the carr', ' for the fall. yet when i spoke to her of the matter, she answered me abruptly; and in the carriage,', 'the fall. yet when i spoke to her of the matter, she answered me abruptly; and in the carriage, on o', 'all. yet when i spoke to her of the matter, she answered me abruptly; and in the carriage, on our wa', 'yet when i spoke to her of the matter, she answered me abruptly; and in the carriage, on our way hom', 'hen i spoke to her of the matter, she answered me abruptly; and in the carriage, on our way home, sh', ' spoke to her of the matter, she answered me abruptly; and in the carriage, on our way home, she see', 'e to her of the matter, she answered me abruptly; and in the carriage, on our way home, she seemed a', 'her of the matter, she answered me abruptly; and in the carriage, on our way home, she seemed absurd', 'f the matter, she answered me abruptly; and in the carriage, on our way home, she seemed absurdly ag', ' matter, she answered me abruptly; and in the carriage, on our way home, she seemed absurdly agitate', 'er, she answered me abruptly; and in the carriage, on our way home, she seemed absurdly agitated ove', 'he answered me abruptly; and in the carriage, on our way home, she seemed absurdly agitated over thi', 'swered me abruptly; and in the carriage, on our way home, she seemed absurdly agitated over this tri', 'd me abruptly; and in the carriage, on our way home, she seemed absurdly agitated over this trifling', 'abruptly; and in the carriage, on our way home, she seemed absurdly agitated over this trifling caus', 'tly; and in the carriage, on our way home, she seemed absurdly agitated over this trifling cause." "', 'and in the carriage, on our way home, she seemed absurdly agitated over this trifling cause." "indee', 'n the carriage, on our way home, she seemed absurdly agitated over this trifling cause." "indeed! yo', ' carriage, on our way home, she seemed absurdly agitated over this trifling cause." "indeed! you say', 'iage, on our way home, she seemed absurdly agitated over this trifling cause." "indeed! you say that', ' on our way home, she seemed absurdly agitated over this trifling cause." "indeed! you say that ther', 'ur way home, she seemed absurdly agitated over this trifling cause." "indeed! you say that there was', 'y home, she seemed absurdly agitated over this trifling cause." "indeed! you say that there was a ge', 'e, she seemed absurdly agitated over this trifling cause." "indeed! you say that there was a gentlem', 'e seemed absurdly agitated over this trifling cause." "indeed! you say that there was a gentleman in', 'med absurdly agitated over this trifling cause." "indeed! you say that there was a gentleman in the ', 'bsurdly agitated over this trifling cause." "indeed! you say that there was a gentleman in the pew. ', 'ly agitated over this trifling cause." "indeed! you say that there was a gentleman in the pew. some ', 'itated over this trifling cause." "indeed! you say that there was a gentleman in the pew. some of th', 'd over this trifling cause." "indeed! you say that there was a gentleman in the pew. some of the gen', 'r this trifling cause." "indeed! you say that there was a gentleman in the pew. some of the general ', 's trifling cause." "indeed! you say that there was a gentleman in the pew. some of the general publi', 'fling cause." "indeed! you say that there was a gentleman in the pew. some of the general public wer', ' cause." "indeed! you say that there was a gentleman in the pew. some of the general public were pre', 'e." "indeed! you say that there was a gentleman in the pew. some of the general public were present,', 'indeed! you say that there was a gentleman in the pew. some of the general public were present, then', 'd! you say that there was a gentleman in the pew. some of the general public were present, then?" "o', 'u say that there was a gentleman in the pew. some of the general public were present, then?" "oh, ye', ' that there was a gentleman in the pew. some of the general public were present, then?" "oh, yes. it', ' there was a gentleman in the pew. some of the general public were present, then?" "oh, yes. it is i', 'e was a gentleman in the pew. some of the general public were present, then?" "oh, yes. it is imposs', ' a gentleman in the pew. some of the general public were present, then?" "oh, yes. it is impossible ', 'ntleman in the pew. some of the general public were present, then?" "oh, yes. it is impossible to ex', 'an in the pew. some of the general public were present, then?" "oh, yes. it is impossible to exclude', ' the pew. some of the general public were present, then?" "oh, yes. it is impossible to exclude them', 'pew. some of the general public were present, then?" "oh, yes. it is impossible to exclude them when', 'some of the general public were present, then?" "oh, yes. it is impossible to exclude them when the ', 'of the general public were present, then?" "oh, yes. it is impossible to exclude them when the churc', 'e general public were present, then?" "oh, yes. it is impossible to exclude them when the church is ', 'eral public were present, then?" "oh, yes. it is impossible to exclude them when the church is open.', 'public were present, then?" "oh, yes. it is impossible to exclude them when the church is open." "th', 'c were present, then?" "oh, yes. it is impossible to exclude them when the church is open." "this ge', 'e present, then?" "oh, yes. it is impossible to exclude them when the church is open." "this gentlem', 'sent, then?" "oh, yes. it is impossible to exclude them when the church is open." "this gentleman wa', ' then?" "oh, yes. it is impossible to exclude them when the church is open." "this gentleman was not', '?" "oh, yes. it is impossible to exclude them when the church is open." "this gentleman was not one ', 'h, yes. it is impossible to exclude them when the church is open." "this gentleman was not one of yo', 's. it is impossible to exclude them when the church is open." "this gentleman was not one of your wi', ' is impossible to exclude them when the church is open." "this gentleman was not one of your wife\'s ', 'mpossible to exclude them when the church is open." "this gentleman was not one of your wife\'s frien', 'ible to exclude them when the church is open." "this gentleman was not one of your wife\'s friends?" ', 'to exclude them when the church is open." "this gentleman was not one of your wife\'s friends?" "no, ', 'clude them when the church is open." "this gentleman was not one of your wife\'s friends?" "no, no; i', ' them when the church is open." "this gentleman was not one of your wife\'s friends?" "no, no; i call', ' when the church is open." "this gentleman was not one of your wife\'s friends?" "no, no; i call him ', ' the church is open." "this gentleman was not one of your wife\'s friends?" "no, no; i call him a gen', 'church is open." "this gentleman was not one of your wife\'s friends?" "no, no; i call him a gentlema', 'h is open." "this gentleman was not one of your wife\'s friends?" "no, no; i call him a gentleman by ', 'open." "this gentleman was not one of your wife\'s friends?" "no, no; i call him a gentleman by court', '" "this gentleman was not one of your wife\'s friends?" "no, no; i call him a gentleman by courtesy, ', 'is gentleman was not one of your wife\'s friends?" "no, no; i call him a gentleman by courtesy, but h', 'ntleman was not one of your wife\'s friends?" "no, no; i call him a gentleman by courtesy, but he was', 'an was not one of your wife\'s friends?" "no, no; i call him a gentleman by courtesy, but he was quit', 's not one of your wife\'s friends?" "no, no; i call him a gentleman by courtesy, but he was quite a c', ' one of your wife\'s friends?" "no, no; i call him a gentleman by courtesy, but he was quite a common', 'of your wife\'s friends?" "no, no; i call him a gentleman by courtesy, but he was quite a common-look', 'ur wife\'s friends?" "no, no; i call him a gentleman by courtesy, but he was quite a common-looking p', 'fe\'s friends?" "no, no; i call him a gentleman by courtesy, but he was quite a common-looking person', 'friends?" "no, no; i call him a gentleman by courtesy, but he was quite a common-looking person. i h', 'ds?" "no, no; i call him a gentleman by courtesy, but he was quite a common-looking person. i hardly', '"no, no; i call him a gentleman by courtesy, but he was quite a common-looking person. i hardly noti', 'no; i call him a gentleman by courtesy, but he was quite a common-looking person. i hardly noticed h', ' call him a gentleman by courtesy, but he was quite a common-looking person. i hardly noticed his ap', ' him a gentleman by courtesy, but he was quite a common-looking person. i hardly noticed his appeara', 'a gentleman by courtesy, but he was quite a common-looking person. i hardly noticed his appearance. ', 'tleman by courtesy, but he was quite a common-looking person. i hardly noticed his appearance. but r', 'n by courtesy, but he was quite a common-looking person. i hardly noticed his appearance. but really', 'courtesy, but he was quite a common-looking person. i hardly noticed his appearance. but really i th', 'esy, but he was quite a common-looking person. i hardly noticed his appearance. but really i think t', 'but he was quite a common-looking person. i hardly noticed his appearance. but really i think that w', 'e was quite a common-looking person. i hardly noticed his appearance. but really i think that we are', ' quite a common-looking person. i hardly noticed his appearance. but really i think that we are wand', 'e a common-looking person. i hardly noticed his appearance. but really i think that we are wandering', 'ommon-looking person. i hardly noticed his appearance. but really i think that we are wandering rath', '-looking person. i hardly noticed his appearance. but really i think that we are wandering rather fa', 'ing person. i hardly noticed his appearance. but really i think that we are wandering rather far fro', 'erson. i hardly noticed his appearance. but really i think that we are wandering rather far from the', '. i hardly noticed his appearance. but really i think that we are wandering rather far from the poin', 'ardly noticed his appearance. but really i think that we are wandering rather far from the point." "', ' noticed his appearance. but really i think that we are wandering rather far from the point." "lady ', 'ced his appearance. but really i think that we are wandering rather far from the point." "lady st. s', 'is appearance. but really i think that we are wandering rather far from the point." "lady st. simon,', 'pearance. but really i think that we are wandering rather far from the point." "lady st. simon, then', 'nce. but really i think that we are wandering rather far from the point." "lady st. simon, then, ret', 'but really i think that we are wandering rather far from the point." "lady st. simon, then, returned', 'eally i think that we are wandering rather far from the point." "lady st. simon, then, returned from', ' i think that we are wandering rather far from the point." "lady st. simon, then, returned from the ', 'ink that we are wandering rather far from the point." "lady st. simon, then, returned from the weddi', 'hat we are wandering rather far from the point." "lady st. simon, then, returned from the wedding in', 'e are wandering rather far from the point." "lady st. simon, then, returned from the wedding in a le', ' wandering rather far from the point." "lady st. simon, then, returned from the wedding in a less ch', 'ering rather far from the point." "lady st. simon, then, returned from the wedding in a less cheerfu', ' rather far from the point." "lady st. simon, then, returned from the wedding in a less cheerful fra', 'er far from the point." "lady st. simon, then, returned from the wedding in a less cheerful frame of', 'r from the point." "lady st. simon, then, returned from the wedding in a less cheerful frame of mind', 'm the point." "lady st. simon, then, returned from the wedding in a less cheerful frame of mind than', ' point." "lady st. simon, then, returned from the wedding in a less cheerful frame of mind than she ', 't." "lady st. simon, then, returned from the wedding in a less cheerful frame of mind than she had g', 'lady st. simon, then, returned from the wedding in a less cheerful frame of mind than she had gone t', 'st. simon, then, returned from the wedding in a less cheerful frame of mind than she had gone to it.', 'imon, then, returned from the wedding in a less cheerful frame of mind than she had gone to it. what', ' then, returned from the wedding in a less cheerful frame of mind than she had gone to it. what did ', ', returned from the wedding in a less cheerful frame of mind than she had gone to it. what did she d', 'urned from the wedding in a less cheerful frame of mind than she had gone to it. what did she do on ', ' from the wedding in a less cheerful frame of mind than she had gone to it. what did she do on re-en', ' the wedding in a less cheerful frame of mind than she had gone to it. what did she do on re-enterin', 'wedding in a less cheerful frame of mind than she had gone to it. what did she do on re-entering her', 'ng in a less cheerful frame of mind than she had gone to it. what did she do on re-entering her fath', " a less cheerful frame of mind than she had gone to it. what did she do on re-entering her father's ", "ss cheerful frame of mind than she had gone to it. what did she do on re-entering her father's house", 'eerful frame of mind than she had gone to it. what did she do on re-entering her father\'s house?" "i', 'l frame of mind than she had gone to it. what did she do on re-entering her father\'s house?" "i saw ', 'me of mind than she had gone to it. what did she do on re-entering her father\'s house?" "i saw her i', ' mind than she had gone to it. what did she do on re-entering her father\'s house?" "i saw her in con', ' than she had gone to it. what did she do on re-entering her father\'s house?" "i saw her in conversa', ' she had gone to it. what did she do on re-entering her father\'s house?" "i saw her in conversation ', 'had gone to it. what did she do on re-entering her father\'s house?" "i saw her in conversation with ', 'one to it. what did she do on re-entering her father\'s house?" "i saw her in conversation with her m', 'o it. what did she do on re-entering her father\'s house?" "i saw her in conversation with her maid."', ' what did she do on re-entering her father\'s house?" "i saw her in conversation with her maid." "and', ' did she do on re-entering her father\'s house?" "i saw her in conversation with her maid." "and who ', 'she do on re-entering her father\'s house?" "i saw her in conversation with her maid." "and who is he', 'o on re-entering her father\'s house?" "i saw her in conversation with her maid." "and who is her mai', 're-entering her father\'s house?" "i saw her in conversation with her maid." "and who is her maid?" "', 'tering her father\'s house?" "i saw her in conversation with her maid." "and who is her maid?" "alice', 'g her father\'s house?" "i saw her in conversation with her maid." "and who is her maid?" "alice is h', ' father\'s house?" "i saw her in conversation with her maid." "and who is her maid?" "alice is her na', 'er\'s house?" "i saw her in conversation with her maid." "and who is her maid?" "alice is her name. s', 'house?" "i saw her in conversation with her maid." "and who is her maid?" "alice is her name. she is', '?" "i saw her in conversation with her maid." "and who is her maid?" "alice is her name. she is an a', ' saw her in conversation with her maid." "and who is her maid?" "alice is her name. she is an americ', 'her in conversation with her maid." "and who is her maid?" "alice is her name. she is an american an', 'n conversation with her maid." "and who is her maid?" "alice is her name. she is an american and cam', 'versation with her maid." "and who is her maid?" "alice is her name. she is an american and came fro', 'tion with her maid." "and who is her maid?" "alice is her name. she is an american and came from cal', 'with her maid." "and who is her maid?" "alice is her name. she is an american and came from californ', 'her maid." "and who is her maid?" "alice is her name. she is an american and came from california wi', 'aid." "and who is her maid?" "alice is her name. she is an american and came from california with he', ' "and who is her maid?" "alice is her name. she is an american and came from california with her." "', ' who is her maid?" "alice is her name. she is an american and came from california with her." "a con', 'is her maid?" "alice is her name. she is an american and came from california with her." "a confiden', 'r maid?" "alice is her name. she is an american and came from california with her." "a confidential ', 'd?" "alice is her name. she is an american and came from california with her." "a confidential serva', 'alice is her name. she is an american and came from california with her." "a confidential servant?" ', ' is her name. she is an american and came from california with her." "a confidential servant?" "a li', 'er name. she is an american and came from california with her." "a confidential servant?" "a little ', 'me. she is an american and came from california with her." "a confidential servant?" "a little too m', 'he is an american and came from california with her." "a confidential servant?" "a little too much s', ' an american and came from california with her." "a confidential servant?" "a little too much so. it', 'merican and came from california with her." "a confidential servant?" "a little too much so. it seem', 'an and came from california with her." "a confidential servant?" "a little too much so. it seemed to', 'd came from california with her." "a confidential servant?" "a little too much so. it seemed to me t', 'e from california with her." "a confidential servant?" "a little too much so. it seemed to me that h', 'm california with her." "a confidential servant?" "a little too much so. it seemed to me that her mi', 'ifornia with her." "a confidential servant?" "a little too much so. it seemed to me that her mistres', 'ia with her." "a confidential servant?" "a little too much so. it seemed to me that her mistress all', 'th her." "a confidential servant?" "a little too much so. it seemed to me that her mistress allowed ', 'r." "a confidential servant?" "a little too much so. it seemed to me that her mistress allowed her t', 'a confidential servant?" "a little too much so. it seemed to me that her mistress allowed her to tak', 'fidential servant?" "a little too much so. it seemed to me that her mistress allowed her to take gre', 'tial servant?" "a little too much so. it seemed to me that her mistress allowed her to take great li', 'servant?" "a little too much so. it seemed to me that her mistress allowed her to take great liberti', 'nt?" "a little too much so. it seemed to me that her mistress allowed her to take great liberties. s', '"a little too much so. it seemed to me that her mistress allowed her to take great liberties. still,', 'ttle too much so. it seemed to me that her mistress allowed her to take great liberties. still, of c', 'too much so. it seemed to me that her mistress allowed her to take great liberties. still, of course', 'uch so. it seemed to me that her mistress allowed her to take great liberties. still, of course, in ', 'o. it seemed to me that her mistress allowed her to take great liberties. still, of course, in ameri', ' seemed to me that her mistress allowed her to take great liberties. still, of course, in america th', 'ed to me that her mistress allowed her to take great liberties. still, of course, in america they lo', ' me that her mistress allowed her to take great liberties. still, of course, in america they look up', 'hat her mistress allowed her to take great liberties. still, of course, in america they look upon th', 'er mistress allowed her to take great liberties. still, of course, in america they look upon these t', 'stress allowed her to take great liberties. still, of course, in america they look upon these things', 's allowed her to take great liberties. still, of course, in america they look upon these things in a', 'owed her to take great liberties. still, of course, in america they look upon these things in a diff', 'her to take great liberties. still, of course, in america they look upon these things in a different', 'o take great liberties. still, of course, in america they look upon these things in a different way.', 'e great liberties. still, of course, in america they look upon these things in a different way." "ho', 'at liberties. still, of course, in america they look upon these things in a different way." "how lon', 'berties. still, of course, in america they look upon these things in a different way." "how long did', 'es. still, of course, in america they look upon these things in a different way." "how long did she ', 'till, of course, in america they look upon these things in a different way." "how long did she speak', ' of course, in america they look upon these things in a different way." "how long did she speak to t', 'ourse, in america they look upon these things in a different way." "how long did she speak to this a', ', in america they look upon these things in a different way." "how long did she speak to this alice?', 'america they look upon these things in a different way." "how long did she speak to this alice?" "oh', 'ca they look upon these things in a different way." "how long did she speak to this alice?" "oh, a f', 'ey look upon these things in a different way." "how long did she speak to this alice?" "oh, a few mi', 'ok upon these things in a different way." "how long did she speak to this alice?" "oh, a few minutes', 'on these things in a different way." "how long did she speak to this alice?" "oh, a few minutes. i h', 'ese things in a different way." "how long did she speak to this alice?" "oh, a few minutes. i had so', 'hings in a different way." "how long did she speak to this alice?" "oh, a few minutes. i had somethi', ' in a different way." "how long did she speak to this alice?" "oh, a few minutes. i had something el', ' different way." "how long did she speak to this alice?" "oh, a few minutes. i had something else to', 'erent way." "how long did she speak to this alice?" "oh, a few minutes. i had something else to thin', ' way." "how long did she speak to this alice?" "oh, a few minutes. i had something else to think of.', '" "how long did she speak to this alice?" "oh, a few minutes. i had something else to think of." "yo', 'w long did she speak to this alice?" "oh, a few minutes. i had something else to think of." "you did', 'g did she speak to this alice?" "oh, a few minutes. i had something else to think of." "you did not ', ' she speak to this alice?" "oh, a few minutes. i had something else to think of." "you did not overh', 'speak to this alice?" "oh, a few minutes. i had something else to think of." "you did not overhear w', ' to this alice?" "oh, a few minutes. i had something else to think of." "you did not overhear what t', 'his alice?" "oh, a few minutes. i had something else to think of." "you did not overhear what they s', 'lice?" "oh, a few minutes. i had something else to think of." "you did not overhear what they said?"', '" "oh, a few minutes. i had something else to think of." "you did not overhear what they said?" "lad', ', a few minutes. i had something else to think of." "you did not overhear what they said?" "lady st.', 'ew minutes. i had something else to think of." "you did not overhear what they said?" "lady st. simo', 'nutes. i had something else to think of." "you did not overhear what they said?" "lady st. simon sai', '. i had something else to think of." "you did not overhear what they said?" "lady st. simon said som', 'ad something else to think of." "you did not overhear what they said?" "lady st. simon said somethin', 'mething else to think of." "you did not overhear what they said?" "lady st. simon said something abo', 'ng else to think of." "you did not overhear what they said?" "lady st. simon said something about \'j', 'se to think of." "you did not overhear what they said?" "lady st. simon said something about \'jumpin', ' think of." "you did not overhear what they said?" "lady st. simon said something about \'jumping a c', 'k of." "you did not overhear what they said?" "lady st. simon said something about \'jumping a claim.', '" "you did not overhear what they said?" "lady st. simon said something about \'jumping a claim.\' she', 'u did not overhear what they said?" "lady st. simon said something about \'jumping a claim.\' she was ', ' not overhear what they said?" "lady st. simon said something about \'jumping a claim.\' she was accus', 'overhear what they said?" "lady st. simon said something about \'jumping a claim.\' she was accustomed', 'ear what they said?" "lady st. simon said something about \'jumping a claim.\' she was accustomed to u', 'hat they said?" "lady st. simon said something about \'jumping a claim.\' she was accustomed to use sl', 'hey said?" "lady st. simon said something about \'jumping a claim.\' she was accustomed to use slang o', 'aid?" "lady st. simon said something about \'jumping a claim.\' she was accustomed to use slang of the', ' "lady st. simon said something about \'jumping a claim.\' she was accustomed to use slang of the kind', "y st. simon said something about 'jumping a claim.' she was accustomed to use slang of the kind. i h", " simon said something about 'jumping a claim.' she was accustomed to use slang of the kind. i have n", "n said something about 'jumping a claim.' she was accustomed to use slang of the kind. i have no ide", "d something about 'jumping a claim.' she was accustomed to use slang of the kind. i have no idea wha", "ething about 'jumping a claim.' she was accustomed to use slang of the kind. i have no idea what she", "g about 'jumping a claim.' she was accustomed to use slang of the kind. i have no idea what she mean", 'ut \'jumping a claim.\' she was accustomed to use slang of the kind. i have no idea what she meant." "', 'umping a claim.\' she was accustomed to use slang of the kind. i have no idea what she meant." "ameri', 'g a claim.\' she was accustomed to use slang of the kind. i have no idea what she meant." "american s', 'laim.\' she was accustomed to use slang of the kind. i have no idea what she meant." "american slang ', '\' she was accustomed to use slang of the kind. i have no idea what she meant." "american slang is ve', ' was accustomed to use slang of the kind. i have no idea what she meant." "american slang is very ex', 'accustomed to use slang of the kind. i have no idea what she meant." "american slang is very express', 'tomed to use slang of the kind. i have no idea what she meant." "american slang is very expressive s', ' to use slang of the kind. i have no idea what she meant." "american slang is very expressive someti', 'se slang of the kind. i have no idea what she meant." "american slang is very expressive sometimes. ', 'ang of the kind. i have no idea what she meant." "american slang is very expressive sometimes. and w', 'f the kind. i have no idea what she meant." "american slang is very expressive sometimes. and what d', ' kind. i have no idea what she meant." "american slang is very expressive sometimes. and what did yo', '. i have no idea what she meant." "american slang is very expressive sometimes. and what did your wi', 'ave no idea what she meant." "american slang is very expressive sometimes. and what did your wife do', 'o idea what she meant." "american slang is very expressive sometimes. and what did your wife do when', 'a what she meant." "american slang is very expressive sometimes. and what did your wife do when she ', 't she meant." "american slang is very expressive sometimes. and what did your wife do when she finis', ' meant." "american slang is very expressive sometimes. and what did your wife do when she finished s', 't." "american slang is very expressive sometimes. and what did your wife do when she finished speaki', 'american slang is very expressive sometimes. and what did your wife do when she finished speaking to', 'can slang is very expressive sometimes. and what did your wife do when she finished speaking to her ', 'lang is very expressive sometimes. and what did your wife do when she finished speaking to her maid?', 'is very expressive sometimes. and what did your wife do when she finished speaking to her maid?" "sh', 'ry expressive sometimes. and what did your wife do when she finished speaking to her maid?" "she wal', 'pressive sometimes. and what did your wife do when she finished speaking to her maid?" "she walked i', 'ive sometimes. and what did your wife do when she finished speaking to her maid?" "she walked into t', 'ometimes. and what did your wife do when she finished speaking to her maid?" "she walked into the br', 'mes. and what did your wife do when she finished speaking to her maid?" "she walked into the breakfa', 'and what did your wife do when she finished speaking to her maid?" "she walked into the breakfast-ro', 'hat did your wife do when she finished speaking to her maid?" "she walked into the breakfast-room." ', 'id your wife do when she finished speaking to her maid?" "she walked into the breakfast-room." "on y', 'ur wife do when she finished speaking to her maid?" "she walked into the breakfast-room." "on your a', 'fe do when she finished speaking to her maid?" "she walked into the breakfast-room." "on your arm?" ', ' when she finished speaking to her maid?" "she walked into the breakfast-room." "on your arm?" "no, ', ' she finished speaking to her maid?" "she walked into the breakfast-room." "on your arm?" "no, alone', 'finished speaking to her maid?" "she walked into the breakfast-room." "on your arm?" "no, alone. she', 'hed speaking to her maid?" "she walked into the breakfast-room." "on your arm?" "no, alone. she was ', 'peaking to her maid?" "she walked into the breakfast-room." "on your arm?" "no, alone. she was very ', 'ng to her maid?" "she walked into the breakfast-room." "on your arm?" "no, alone. she was very indep', ' her maid?" "she walked into the breakfast-room." "on your arm?" "no, alone. she was very independen', 'maid?" "she walked into the breakfast-room." "on your arm?" "no, alone. she was very independent in ', '" "she walked into the breakfast-room." "on your arm?" "no, alone. she was very independent in littl', 'e walked into the breakfast-room." "on your arm?" "no, alone. she was very independent in little mat', 'ked into the breakfast-room." "on your arm?" "no, alone. she was very independent in little matters ', 'nto the breakfast-room." "on your arm?" "no, alone. she was very independent in little matters like ', 'he breakfast-room." "on your arm?" "no, alone. she was very independent in little matters like that.', 'eakfast-room." "on your arm?" "no, alone. she was very independent in little matters like that. then', 'st-room." "on your arm?" "no, alone. she was very independent in little matters like that. then, aft', 'om." "on your arm?" "no, alone. she was very independent in little matters like that. then, after we', '"on your arm?" "no, alone. she was very independent in little matters like that. then, after we had ', 'our arm?" "no, alone. she was very independent in little matters like that. then, after we had sat d', 'rm?" "no, alone. she was very independent in little matters like that. then, after we had sat down f', '"no, alone. she was very independent in little matters like that. then, after we had sat down for te', 'alone. she was very independent in little matters like that. then, after we had sat down for ten min', '. she was very independent in little matters like that. then, after we had sat down for ten minutes ', ' was very independent in little matters like that. then, after we had sat down for ten minutes or so', 'very independent in little matters like that. then, after we had sat down for ten minutes or so, she', 'independent in little matters like that. then, after we had sat down for ten minutes or so, she rose', 'endent in little matters like that. then, after we had sat down for ten minutes or so, she rose hurr', 't in little matters like that. then, after we had sat down for ten minutes or so, she rose hurriedly', 'little matters like that. then, after we had sat down for ten minutes or so, she rose hurriedly, mut', 'e matters like that. then, after we had sat down for ten minutes or so, she rose hurriedly, muttered', 'ters like that. then, after we had sat down for ten minutes or so, she rose hurriedly, muttered some', 'like that. then, after we had sat down for ten minutes or so, she rose hurriedly, muttered some word', 'that. then, after we had sat down for ten minutes or so, she rose hurriedly, muttered some words of ', ' then, after we had sat down for ten minutes or so, she rose hurriedly, muttered some words of apolo', ', after we had sat down for ten minutes or so, she rose hurriedly, muttered some words of apology, a', 'er we had sat down for ten minutes or so, she rose hurriedly, muttered some words of apology, and le', ' had sat down for ten minutes or so, she rose hurriedly, muttered some words of apology, and left th', 'sat down for ten minutes or so, she rose hurriedly, muttered some words of apology, and left the roo', 'own for ten minutes or so, she rose hurriedly, muttered some words of apology, and left the room. sh', 'or ten minutes or so, she rose hurriedly, muttered some words of apology, and left the room. she nev', 'n minutes or so, she rose hurriedly, muttered some words of apology, and left the room. she never ca', 'utes or so, she rose hurriedly, muttered some words of apology, and left the room. she never came ba', 'or so, she rose hurriedly, muttered some words of apology, and left the room. she never came back." ', ', she rose hurriedly, muttered some words of apology, and left the room. she never came back." "but ', ' rose hurriedly, muttered some words of apology, and left the room. she never came back." "but this ', ' hurriedly, muttered some words of apology, and left the room. she never came back." "but this maid,', 'iedly, muttered some words of apology, and left the room. she never came back." "but this maid, alic', ', muttered some words of apology, and left the room. she never came back." "but this maid, alice, as', 'tered some words of apology, and left the room. she never came back." "but this maid, alice, as i un', ' some words of apology, and left the room. she never came back." "but this maid, alice, as i underst', ' words of apology, and left the room. she never came back." "but this maid, alice, as i understand, ', 's of apology, and left the room. she never came back." "but this maid, alice, as i understand, depos', 'apology, and left the room. she never came back." "but this maid, alice, as i understand, deposes th', 'gy, and left the room. she never came back." "but this maid, alice, as i understand, deposes that sh', 'nd left the room. she never came back." "but this maid, alice, as i understand, deposes that she wen', 'ft the room. she never came back." "but this maid, alice, as i understand, deposes that she went to ', 'e room. she never came back." "but this maid, alice, as i understand, deposes that she went to her r', 'm. she never came back." "but this maid, alice, as i understand, deposes that she went to her room, ', 'e never came back." "but this maid, alice, as i understand, deposes that she went to her room, cover', 'er came back." "but this maid, alice, as i understand, deposes that she went to her room, covered he', 'me back." "but this maid, alice, as i understand, deposes that she went to her room, covered her bri', 'ck." "but this maid, alice, as i understand, deposes that she went to her room, covered her bride\'s ', '"but this maid, alice, as i understand, deposes that she went to her room, covered her bride\'s dress', "this maid, alice, as i understand, deposes that she went to her room, covered her bride's dress with", "maid, alice, as i understand, deposes that she went to her room, covered her bride's dress with a lo", " alice, as i understand, deposes that she went to her room, covered her bride's dress with a long ul", "e, as i understand, deposes that she went to her room, covered her bride's dress with a long ulster,", " i understand, deposes that she went to her room, covered her bride's dress with a long ulster, put ", "derstand, deposes that she went to her room, covered her bride's dress with a long ulster, put on a ", "and, deposes that she went to her room, covered her bride's dress with a long ulster, put on a bonne", "deposes that she went to her room, covered her bride's dress with a long ulster, put on a bonnet, an", "es that she went to her room, covered her bride's dress with a long ulster, put on a bonnet, and wen", "at she went to her room, covered her bride's dress with a long ulster, put on a bonnet, and went out", 'e went to her room, covered her bride\'s dress with a long ulster, put on a bonnet, and went out." "q', 't to her room, covered her bride\'s dress with a long ulster, put on a bonnet, and went out." "quite ', 'her room, covered her bride\'s dress with a long ulster, put on a bonnet, and went out." "quite so. a', 'oom, covered her bride\'s dress with a long ulster, put on a bonnet, and went out." "quite so. and sh', 'covered her bride\'s dress with a long ulster, put on a bonnet, and went out." "quite so. and she was', 'ed her bride\'s dress with a long ulster, put on a bonnet, and went out." "quite so. and she was afte', 'r bride\'s dress with a long ulster, put on a bonnet, and went out." "quite so. and she was afterward', 'de\'s dress with a long ulster, put on a bonnet, and went out." "quite so. and she was afterwards see', 'dress with a long ulster, put on a bonnet, and went out." "quite so. and she was afterwards seen wal', ' with a long ulster, put on a bonnet, and went out." "quite so. and she was afterwards seen walking ', ' a long ulster, put on a bonnet, and went out." "quite so. and she was afterwards seen walking into ', 'ng ulster, put on a bonnet, and went out." "quite so. and she was afterwards seen walking into hyde ', 'ster, put on a bonnet, and went out." "quite so. and she was afterwards seen walking into hyde park ', ' put on a bonnet, and went out." "quite so. and she was afterwards seen walking into hyde park in co', 'on a bonnet, and went out." "quite so. and she was afterwards seen walking into hyde park in company', 'bonnet, and went out." "quite so. and she was afterwards seen walking into hyde park in company with', 't, and went out." "quite so. and she was afterwards seen walking into hyde park in company with flor', 'd went out." "quite so. and she was afterwards seen walking into hyde park in company with flora mil', 't out." "quite so. and she was afterwards seen walking into hyde park in company with flora millar, ', '." "quite so. and she was afterwards seen walking into hyde park in company with flora millar, a wom', 'uite so. and she was afterwards seen walking into hyde park in company with flora millar, a woman wh', 'so. and she was afterwards seen walking into hyde park in company with flora millar, a woman who is ', 'nd she was afterwards seen walking into hyde park in company with flora millar, a woman who is now i', 'e was afterwards seen walking into hyde park in company with flora millar, a woman who is now in cus', ' afterwards seen walking into hyde park in company with flora millar, a woman who is now in custody,', 'rwards seen walking into hyde park in company with flora millar, a woman who is now in custody, and ', 's seen walking into hyde park in company with flora millar, a woman who is now in custody, and who h', 'n walking into hyde park in company with flora millar, a woman who is now in custody, and who had al', 'king into hyde park in company with flora millar, a woman who is now in custody, and who had already', 'into hyde park in company with flora millar, a woman who is now in custody, and who had already made', 'hyde park in company with flora millar, a woman who is now in custody, and who had already made a di', 'park in company with flora millar, a woman who is now in custody, and who had already made a disturb', 'in company with flora millar, a woman who is now in custody, and who had already made a disturbance ', 'mpany with flora millar, a woman who is now in custody, and who had already made a disturbance at mr', ' with flora millar, a woman who is now in custody, and who had already made a disturbance at mr. dor', " flora millar, a woman who is now in custody, and who had already made a disturbance at mr. doran's ", "a millar, a woman who is now in custody, and who had already made a disturbance at mr. doran's house", "lar, a woman who is now in custody, and who had already made a disturbance at mr. doran's house that", "a woman who is now in custody, and who had already made a disturbance at mr. doran's house that morn", 'an who is now in custody, and who had already made a disturbance at mr. doran\'s house that morning."', 'o is now in custody, and who had already made a disturbance at mr. doran\'s house that morning." "ah,', 'now in custody, and who had already made a disturbance at mr. doran\'s house that morning." "ah, yes.', 'n custody, and who had already made a disturbance at mr. doran\'s house that morning." "ah, yes. i sh', 'tody, and who had already made a disturbance at mr. doran\'s house that morning." "ah, yes. i should ', ' and who had already made a disturbance at mr. doran\'s house that morning." "ah, yes. i should like ', 'who had already made a disturbance at mr. doran\'s house that morning." "ah, yes. i should like a few', 'ad already made a disturbance at mr. doran\'s house that morning." "ah, yes. i should like a few part', 'ready made a disturbance at mr. doran\'s house that morning." "ah, yes. i should like a few particula', ' made a disturbance at mr. doran\'s house that morning." "ah, yes. i should like a few particulars as', ' a disturbance at mr. doran\'s house that morning." "ah, yes. i should like a few particulars as to t', 'sturbance at mr. doran\'s house that morning." "ah, yes. i should like a few particulars as to this y', 'ance at mr. doran\'s house that morning." "ah, yes. i should like a few particulars as to this young ', 'at mr. doran\'s house that morning." "ah, yes. i should like a few particulars as to this young lady,', '. doran\'s house that morning." "ah, yes. i should like a few particulars as to this young lady, and ', 'an\'s house that morning." "ah, yes. i should like a few particulars as to this young lady, and your ', 'house that morning." "ah, yes. i should like a few particulars as to this young lady, and your relat', ' that morning." "ah, yes. i should like a few particulars as to this young lady, and your relations ', ' morning." "ah, yes. i should like a few particulars as to this young lady, and your relations to he', 'ing." "ah, yes. i should like a few particulars as to this young lady, and your relations to her." l', ' "ah, yes. i should like a few particulars as to this young lady, and your relations to her." lord s', ' yes. i should like a few particulars as to this young lady, and your relations to her." lord st. si', ' i should like a few particulars as to this young lady, and your relations to her." lord st. simon s', 'ould like a few particulars as to this young lady, and your relations to her." lord st. simon shrugg', 'like a few particulars as to this young lady, and your relations to her." lord st. simon shrugged hi', 'a few particulars as to this young lady, and your relations to her." lord st. simon shrugged his sho', ' particulars as to this young lady, and your relations to her." lord st. simon shrugged his shoulder', 'iculars as to this young lady, and your relations to her." lord st. simon shrugged his shoulders and', 'rs as to this young lady, and your relations to her." lord st. simon shrugged his shoulders and rais', ' to this young lady, and your relations to her." lord st. simon shrugged his shoulders and raised hi', 'his young lady, and your relations to her." lord st. simon shrugged his shoulders and raised his eye', 'oung lady, and your relations to her." lord st. simon shrugged his shoulders and raised his eyebrows', 'lady, and your relations to her." lord st. simon shrugged his shoulders and raised his eyebrows. "we', ' and your relations to her." lord st. simon shrugged his shoulders and raised his eyebrows. "we have', 'your relations to her." lord st. simon shrugged his shoulders and raised his eyebrows. "we have been', 'relations to her." lord st. simon shrugged his shoulders and raised his eyebrows. "we have been on a', 'ions to her." lord st. simon shrugged his shoulders and raised his eyebrows. "we have been on a frie', 'to her." lord st. simon shrugged his shoulders and raised his eyebrows. "we have been on a friendly ', 'r." lord st. simon shrugged his shoulders and raised his eyebrows. "we have been on a friendly footi', 'ord st. simon shrugged his shoulders and raised his eyebrows. "we have been on a friendly footing fo', 't. simon shrugged his shoulders and raised his eyebrows. "we have been on a friendly footing for som', 'mon shrugged his shoulders and raised his eyebrows. "we have been on a friendly footing for some yea', 'hrugged his shoulders and raised his eyebrows. "we have been on a friendly footing for some yearsi m', 'ed his shoulders and raised his eyebrows. "we have been on a friendly footing for some yearsi may sa', 's shoulders and raised his eyebrows. "we have been on a friendly footing for some yearsi may say on ', 'ulders and raised his eyebrows. "we have been on a friendly footing for some yearsi may say on a ver', 's and raised his eyebrows. "we have been on a friendly footing for some yearsi may say on a very fri', ' raised his eyebrows. "we have been on a friendly footing for some yearsi may say on a very friendly', 'ed his eyebrows. "we have been on a friendly footing for some yearsi may say on a very friendly foot', 's eyebrows. "we have been on a friendly footing for some yearsi may say on a very friendly footing. ', 'brows. "we have been on a friendly footing for some yearsi may say on a very friendly footing. she u', '. "we have been on a friendly footing for some yearsi may say on a very friendly footing. she used t', ' have been on a friendly footing for some yearsi may say on a very friendly footing. she used to be ', ' been on a friendly footing for some yearsi may say on a very friendly footing. she used to be at th', ' on a friendly footing for some yearsi may say on a very friendly footing. she used to be at the all', ' friendly footing for some yearsi may say on a very friendly footing. she used to be at the allegro.', 'ndly footing for some yearsi may say on a very friendly footing. she used to be at the allegro. i ha', 'footing for some yearsi may say on a very friendly footing. she used to be at the allegro. i have no', 'ng for some yearsi may say on a very friendly footing. she used to be at the allegro. i have not tre', 'r some yearsi may say on a very friendly footing. she used to be at the allegro. i have not treated ', 'e yearsi may say on a very friendly footing. she used to be at the allegro. i have not treated her u', 'rsi may say on a very friendly footing. she used to be at the allegro. i have not treated her ungene', 'ay say on a very friendly footing. she used to be at the allegro. i have not treated her ungenerousl', 'y on a very friendly footing. she used to be at the allegro. i have not treated her ungenerously, an', 'a very friendly footing. she used to be at the allegro. i have not treated her ungenerously, and she', 'y friendly footing. she used to be at the allegro. i have not treated her ungenerously, and she had ', 'endly footing. she used to be at the allegro. i have not treated her ungenerously, and she had no ju', ' footing. she used to be at the allegro. i have not treated her ungenerously, and she had no just ca', 'ing. she used to be at the allegro. i have not treated her ungenerously, and she had no just cause o', 'she used to be at the allegro. i have not treated her ungenerously, and she had no just cause of com', 'sed to be at the allegro. i have not treated her ungenerously, and she had no just cause of complain', 'o be at the allegro. i have not treated her ungenerously, and she had no just cause of complaint aga', 'at the allegro. i have not treated her ungenerously, and she had no just cause of complaint against ', 'e allegro. i have not treated her ungenerously, and she had no just cause of complaint against me, b', 'egro. i have not treated her ungenerously, and she had no just cause of complaint against me, but yo', ' i have not treated her ungenerously, and she had no just cause of complaint against me, but you kno', 've not treated her ungenerously, and she had no just cause of complaint against me, but you know wha', 't treated her ungenerously, and she had no just cause of complaint against me, but you know what wom', 'ated her ungenerously, and she had no just cause of complaint against me, but you know what women ar', 'her ungenerously, and she had no just cause of complaint against me, but you know what women are, mr', 'ngenerously, and she had no just cause of complaint against me, but you know what women are, mr. hol', 'rously, and she had no just cause of complaint against me, but you know what women are, mr. holmes. ', 'y, and she had no just cause of complaint against me, but you know what women are, mr. holmes. flora', 'd she had no just cause of complaint against me, but you know what women are, mr. holmes. flora was ', ' had no just cause of complaint against me, but you know what women are, mr. holmes. flora was a dea', 'no just cause of complaint against me, but you know what women are, mr. holmes. flora was a dear lit', 'st cause of complaint against me, but you know what women are, mr. holmes. flora was a dear little t', 'use of complaint against me, but you know what women are, mr. holmes. flora was a dear little thing,', 'f complaint against me, but you know what women are, mr. holmes. flora was a dear little thing, but ', 'plaint against me, but you know what women are, mr. holmes. flora was a dear little thing, but excee', 't against me, but you know what women are, mr. holmes. flora was a dear little thing, but exceedingl', 'inst me, but you know what women are, mr. holmes. flora was a dear little thing, but exceedingly hot', 'me, but you know what women are, mr. holmes. flora was a dear little thing, but exceedingly hot-head', 'ut you know what women are, mr. holmes. flora was a dear little thing, but exceedingly hot-headed an', 'u know what women are, mr. holmes. flora was a dear little thing, but exceedingly hot-headed and dev', 'w what women are, mr. holmes. flora was a dear little thing, but exceedingly hot-headed and devotedl', 't women are, mr. holmes. flora was a dear little thing, but exceedingly hot-headed and devotedly att', 'en are, mr. holmes. flora was a dear little thing, but exceedingly hot-headed and devotedly attached', 'e, mr. holmes. flora was a dear little thing, but exceedingly hot-headed and devotedly attached to m', '. holmes. flora was a dear little thing, but exceedingly hot-headed and devotedly attached to me. sh', 'mes. flora was a dear little thing, but exceedingly hot-headed and devotedly attached to me. she wro', 'flora was a dear little thing, but exceedingly hot-headed and devotedly attached to me. she wrote me', ' was a dear little thing, but exceedingly hot-headed and devotedly attached to me. she wrote me drea', 'a dear little thing, but exceedingly hot-headed and devotedly attached to me. she wrote me dreadful ', 'r little thing, but exceedingly hot-headed and devotedly attached to me. she wrote me dreadful lette', 'tle thing, but exceedingly hot-headed and devotedly attached to me. she wrote me dreadful letters wh', 'hing, but exceedingly hot-headed and devotedly attached to me. she wrote me dreadful letters when sh', ' but exceedingly hot-headed and devotedly attached to me. she wrote me dreadful letters when she hea', 'exceedingly hot-headed and devotedly attached to me. she wrote me dreadful letters when she heard th', 'dingly hot-headed and devotedly attached to me. she wrote me dreadful letters when she heard that i ', 'y hot-headed and devotedly attached to me. she wrote me dreadful letters when she heard that i was a', '-headed and devotedly attached to me. she wrote me dreadful letters when she heard that i was about ', 'ed and devotedly attached to me. she wrote me dreadful letters when she heard that i was about to be', 'd devotedly attached to me. she wrote me dreadful letters when she heard that i was about to be marr', 'otedly attached to me. she wrote me dreadful letters when she heard that i was about to be married, ', 'y attached to me. she wrote me dreadful letters when she heard that i was about to be married, and, ', 'ached to me. she wrote me dreadful letters when she heard that i was about to be married, and, to te', ' to me. she wrote me dreadful letters when she heard that i was about to be married, and, to tell th', 'e. she wrote me dreadful letters when she heard that i was about to be married, and, to tell the tru', 'e wrote me dreadful letters when she heard that i was about to be married, and, to tell the truth, t', 'te me dreadful letters when she heard that i was about to be married, and, to tell the truth, the re', ' dreadful letters when she heard that i was about to be married, and, to tell the truth, the reason ', 'dful letters when she heard that i was about to be married, and, to tell the truth, the reason why i', 'letters when she heard that i was about to be married, and, to tell the truth, the reason why i had ', 'rs when she heard that i was about to be married, and, to tell the truth, the reason why i had the m', 'en she heard that i was about to be married, and, to tell the truth, the reason why i had the marria', 'e heard that i was about to be married, and, to tell the truth, the reason why i had the marriage ce', 'rd that i was about to be married, and, to tell the truth, the reason why i had the marriage celebra', 'at i was about to be married, and, to tell the truth, the reason why i had the marriage celebrated s', 'was about to be married, and, to tell the truth, the reason why i had the marriage celebrated so qui', 'bout to be married, and, to tell the truth, the reason why i had the marriage celebrated so quietly ', 'to be married, and, to tell the truth, the reason why i had the marriage celebrated so quietly was t', ' married, and, to tell the truth, the reason why i had the marriage celebrated so quietly was that i', 'ied, and, to tell the truth, the reason why i had the marriage celebrated so quietly was that i fear', 'and, to tell the truth, the reason why i had the marriage celebrated so quietly was that i feared le', 'to tell the truth, the reason why i had the marriage celebrated so quietly was that i feared lest th', 'll the truth, the reason why i had the marriage celebrated so quietly was that i feared lest there m', 'e truth, the reason why i had the marriage celebrated so quietly was that i feared lest there might ', 'th, the reason why i had the marriage celebrated so quietly was that i feared lest there might be a ', 'he reason why i had the marriage celebrated so quietly was that i feared lest there might be a scand', 'ason why i had the marriage celebrated so quietly was that i feared lest there might be a scandal in', 'why i had the marriage celebrated so quietly was that i feared lest there might be a scandal in the ', ' had the marriage celebrated so quietly was that i feared lest there might be a scandal in the churc', 'the marriage celebrated so quietly was that i feared lest there might be a scandal in the church. sh', 'arriage celebrated so quietly was that i feared lest there might be a scandal in the church. she cam', 'ge celebrated so quietly was that i feared lest there might be a scandal in the church. she came to ', 'lebrated so quietly was that i feared lest there might be a scandal in the church. she came to mr. d', "ted so quietly was that i feared lest there might be a scandal in the church. she came to mr. doran'", "o quietly was that i feared lest there might be a scandal in the church. she came to mr. doran's doo", "etly was that i feared lest there might be a scandal in the church. she came to mr. doran's door jus", "was that i feared lest there might be a scandal in the church. she came to mr. doran's door just aft", "hat i feared lest there might be a scandal in the church. she came to mr. doran's door just after we", " feared lest there might be a scandal in the church. she came to mr. doran's door just after we retu", "ed lest there might be a scandal in the church. she came to mr. doran's door just after we returned,", "st there might be a scandal in the church. she came to mr. doran's door just after we returned, and ", "ere might be a scandal in the church. she came to mr. doran's door just after we returned, and she e", "ight be a scandal in the church. she came to mr. doran's door just after we returned, and she endeav", "be a scandal in the church. she came to mr. doran's door just after we returned, and she endeavoured", "scandal in the church. she came to mr. doran's door just after we returned, and she endeavoured to p", "al in the church. she came to mr. doran's door just after we returned, and she endeavoured to push h", " the church. she came to mr. doran's door just after we returned, and she endeavoured to push her wa", "church. she came to mr. doran's door just after we returned, and she endeavoured to push her way in,", "h. she came to mr. doran's door just after we returned, and she endeavoured to push her way in, utte", "e came to mr. doran's door just after we returned, and she endeavoured to push her way in, uttering ", "e to mr. doran's door just after we returned, and she endeavoured to push her way in, uttering very ", "mr. doran's door just after we returned, and she endeavoured to push her way in, uttering very abusi", "oran's door just after we returned, and she endeavoured to push her way in, uttering very abusive ex", 's door just after we returned, and she endeavoured to push her way in, uttering very abusive express', 'r just after we returned, and she endeavoured to push her way in, uttering very abusive expressions ', 't after we returned, and she endeavoured to push her way in, uttering very abusive expressions towar', 'er we returned, and she endeavoured to push her way in, uttering very abusive expressions towards my', ' returned, and she endeavoured to push her way in, uttering very abusive expressions towards my wife', 'rned, and she endeavoured to push her way in, uttering very abusive expressions towards my wife, and', ' and she endeavoured to push her way in, uttering very abusive expressions towards my wife, and even', 'she endeavoured to push her way in, uttering very abusive expressions towards my wife, and even thre', 'ndeavoured to push her way in, uttering very abusive expressions towards my wife, and even threateni', 'oured to push her way in, uttering very abusive expressions towards my wife, and even threatening he', ' to push her way in, uttering very abusive expressions towards my wife, and even threatening her, bu', 'ush her way in, uttering very abusive expressions towards my wife, and even threatening her, but i h', 'er way in, uttering very abusive expressions towards my wife, and even threatening her, but i had fo', 'y in, uttering very abusive expressions towards my wife, and even threatening her, but i had foresee', ' uttering very abusive expressions towards my wife, and even threatening her, but i had foreseen the', 'ring very abusive expressions towards my wife, and even threatening her, but i had foreseen the poss', 'very abusive expressions towards my wife, and even threatening her, but i had foreseen the possibili', 'abusive expressions towards my wife, and even threatening her, but i had foreseen the possibility of', 've expressions towards my wife, and even threatening her, but i had foreseen the possibility of some', 'pressions towards my wife, and even threatening her, but i had foreseen the possibility of something', 'ions towards my wife, and even threatening her, but i had foreseen the possibility of something of t', 'towards my wife, and even threatening her, but i had foreseen the possibility of something of the so', 'ds my wife, and even threatening her, but i had foreseen the possibility of something of the sort, a', ' wife, and even threatening her, but i had foreseen the possibility of something of the sort, and i ', ', and even threatening her, but i had foreseen the possibility of something of the sort, and i had t', ' even threatening her, but i had foreseen the possibility of something of the sort, and i had two po', ' threatening her, but i had foreseen the possibility of something of the sort, and i had two police ', 'atening her, but i had foreseen the possibility of something of the sort, and i had two police fello', 'ng her, but i had foreseen the possibility of something of the sort, and i had two police fellows th', 'r, but i had foreseen the possibility of something of the sort, and i had two police fellows there i', 't i had foreseen the possibility of something of the sort, and i had two police fellows there in pri', 'ad foreseen the possibility of something of the sort, and i had two police fellows there in private ', 'reseen the possibility of something of the sort, and i had two police fellows there in private cloth', 'n the possibility of something of the sort, and i had two police fellows there in private clothes, w', ' possibility of something of the sort, and i had two police fellows there in private clothes, who so', 'ibility of something of the sort, and i had two police fellows there in private clothes, who soon pu', 'ty of something of the sort, and i had two police fellows there in private clothes, who soon pushed ', ' something of the sort, and i had two police fellows there in private clothes, who soon pushed her o', 'thing of the sort, and i had two police fellows there in private clothes, who soon pushed her out ag', ' of the sort, and i had two police fellows there in private clothes, who soon pushed her out again. ', 'he sort, and i had two police fellows there in private clothes, who soon pushed her out again. she w', 'rt, and i had two police fellows there in private clothes, who soon pushed her out again. she was qu', 'nd i had two police fellows there in private clothes, who soon pushed her out again. she was quiet w', 'had two police fellows there in private clothes, who soon pushed her out again. she was quiet when s', 'wo police fellows there in private clothes, who soon pushed her out again. she was quiet when she sa', 'lice fellows there in private clothes, who soon pushed her out again. she was quiet when she saw tha', 'fellows there in private clothes, who soon pushed her out again. she was quiet when she saw that the', 'ws there in private clothes, who soon pushed her out again. she was quiet when she saw that there wa', 'ere in private clothes, who soon pushed her out again. she was quiet when she saw that there was no ', 'n private clothes, who soon pushed her out again. she was quiet when she saw that there was no good ', 'vate clothes, who soon pushed her out again. she was quiet when she saw that there was no good in ma', 'clothes, who soon pushed her out again. she was quiet when she saw that there was no good in making ', 'es, who soon pushed her out again. she was quiet when she saw that there was no good in making a row', 'ho soon pushed her out again. she was quiet when she saw that there was no good in making a row." "d', 'on pushed her out again. she was quiet when she saw that there was no good in making a row." "did yo', 'shed her out again. she was quiet when she saw that there was no good in making a row." "did your wi', 'her out again. she was quiet when she saw that there was no good in making a row." "did your wife he', 'ut again. she was quiet when she saw that there was no good in making a row." "did your wife hear al', 'ain. she was quiet when she saw that there was no good in making a row." "did your wife hear all thi', 'she was quiet when she saw that there was no good in making a row." "did your wife hear all this?" "', 'as quiet when she saw that there was no good in making a row." "did your wife hear all this?" "no, t', 'iet when she saw that there was no good in making a row." "did your wife hear all this?" "no, thank ', 'hen she saw that there was no good in making a row." "did your wife hear all this?" "no, thank goodn', 'he saw that there was no good in making a row." "did your wife hear all this?" "no, thank goodness, ', 'w that there was no good in making a row." "did your wife hear all this?" "no, thank goodness, she d', 't there was no good in making a row." "did your wife hear all this?" "no, thank goodness, she did no', 're was no good in making a row." "did your wife hear all this?" "no, thank goodness, she did not." "', 's no good in making a row." "did your wife hear all this?" "no, thank goodness, she did not." "and s', 'good in making a row." "did your wife hear all this?" "no, thank goodness, she did not." "and she wa', 'in making a row." "did your wife hear all this?" "no, thank goodness, she did not." "and she was see', 'king a row." "did your wife hear all this?" "no, thank goodness, she did not." "and she was seen wal', 'a row." "did your wife hear all this?" "no, thank goodness, she did not." "and she was seen walking ', '." "did your wife hear all this?" "no, thank goodness, she did not." "and she was seen walking with ', 'id your wife hear all this?" "no, thank goodness, she did not." "and she was seen walking with this ', 'ur wife hear all this?" "no, thank goodness, she did not." "and she was seen walking with this very ', 'fe hear all this?" "no, thank goodness, she did not." "and she was seen walking with this very woman', 'ar all this?" "no, thank goodness, she did not." "and she was seen walking with this very woman afte', 'l this?" "no, thank goodness, she did not." "and she was seen walking with this very woman afterward', 's?" "no, thank goodness, she did not." "and she was seen walking with this very woman afterwards?" "', 'no, thank goodness, she did not." "and she was seen walking with this very woman afterwards?" "yes. ', 'hank goodness, she did not." "and she was seen walking with this very woman afterwards?" "yes. that ', 'goodness, she did not." "and she was seen walking with this very woman afterwards?" "yes. that is wh', 'ess, she did not." "and she was seen walking with this very woman afterwards?" "yes. that is what mr', 'she did not." "and she was seen walking with this very woman afterwards?" "yes. that is what mr. les', 'id not." "and she was seen walking with this very woman afterwards?" "yes. that is what mr. lestrade', 't." "and she was seen walking with this very woman afterwards?" "yes. that is what mr. lestrade, of ', 'and she was seen walking with this very woman afterwards?" "yes. that is what mr. lestrade, of scotl', 'he was seen walking with this very woman afterwards?" "yes. that is what mr. lestrade, of scotland y', 's seen walking with this very woman afterwards?" "yes. that is what mr. lestrade, of scotland yard, ', 'n walking with this very woman afterwards?" "yes. that is what mr. lestrade, of scotland yard, looks', 'king with this very woman afterwards?" "yes. that is what mr. lestrade, of scotland yard, looks upon', 'with this very woman afterwards?" "yes. that is what mr. lestrade, of scotland yard, looks upon as s', 'this very woman afterwards?" "yes. that is what mr. lestrade, of scotland yard, looks upon as so ser', 'very woman afterwards?" "yes. that is what mr. lestrade, of scotland yard, looks upon as so serious.', 'woman afterwards?" "yes. that is what mr. lestrade, of scotland yard, looks upon as so serious. it i', ' afterwards?" "yes. that is what mr. lestrade, of scotland yard, looks upon as so serious. it is tho', 'rwards?" "yes. that is what mr. lestrade, of scotland yard, looks upon as so serious. it is thought ', 's?" "yes. that is what mr. lestrade, of scotland yard, looks upon as so serious. it is thought that ', 'yes. that is what mr. lestrade, of scotland yard, looks upon as so serious. it is thought that flora', 'that is what mr. lestrade, of scotland yard, looks upon as so serious. it is thought that flora deco', 'is what mr. lestrade, of scotland yard, looks upon as so serious. it is thought that flora decoyed m', 'at mr. lestrade, of scotland yard, looks upon as so serious. it is thought that flora decoyed my wif', '. lestrade, of scotland yard, looks upon as so serious. it is thought that flora decoyed my wife out', 'trade, of scotland yard, looks upon as so serious. it is thought that flora decoyed my wife out and ', ', of scotland yard, looks upon as so serious. it is thought that flora decoyed my wife out and laid ', 'scotland yard, looks upon as so serious. it is thought that flora decoyed my wife out and laid some ', 'and yard, looks upon as so serious. it is thought that flora decoyed my wife out and laid some terri', 'ard, looks upon as so serious. it is thought that flora decoyed my wife out and laid some terrible t', 'looks upon as so serious. it is thought that flora decoyed my wife out and laid some terrible trap f', ' upon as so serious. it is thought that flora decoyed my wife out and laid some terrible trap for he', ' as so serious. it is thought that flora decoyed my wife out and laid some terrible trap for her." "', 'o serious. it is thought that flora decoyed my wife out and laid some terrible trap for her." "well,', 'ious. it is thought that flora decoyed my wife out and laid some terrible trap for her." "well, it i', ' it is thought that flora decoyed my wife out and laid some terrible trap for her." "well, it is a p', 's thought that flora decoyed my wife out and laid some terrible trap for her." "well, it is a possib', 'ught that flora decoyed my wife out and laid some terrible trap for her." "well, it is a possible su', 'that flora decoyed my wife out and laid some terrible trap for her." "well, it is a possible supposi', 'flora decoyed my wife out and laid some terrible trap for her." "well, it is a possible supposition.', ' decoyed my wife out and laid some terrible trap for her." "well, it is a possible supposition." "yo', 'yed my wife out and laid some terrible trap for her." "well, it is a possible supposition." "you thi', 'y wife out and laid some terrible trap for her." "well, it is a possible supposition." "you think so', 'e out and laid some terrible trap for her." "well, it is a possible supposition." "you think so, too', ' and laid some terrible trap for her." "well, it is a possible supposition." "you think so, too?" "i', 'laid some terrible trap for her." "well, it is a possible supposition." "you think so, too?" "i did ', 'some terrible trap for her." "well, it is a possible supposition." "you think so, too?" "i did not s', 'terrible trap for her." "well, it is a possible supposition." "you think so, too?" "i did not say a ', 'ble trap for her." "well, it is a possible supposition." "you think so, too?" "i did not say a proba', 'rap for her." "well, it is a possible supposition." "you think so, too?" "i did not say a probable o', 'or her." "well, it is a possible supposition." "you think so, too?" "i did not say a probable one. b', 'r." "well, it is a possible supposition." "you think so, too?" "i did not say a probable one. but yo', 'well, it is a possible supposition." "you think so, too?" "i did not say a probable one. but you do ', ' it is a possible supposition." "you think so, too?" "i did not say a probable one. but you do not y', 's a possible supposition." "you think so, too?" "i did not say a probable one. but you do not yourse', 'ossible supposition." "you think so, too?" "i did not say a probable one. but you do not yourself lo', 'le supposition." "you think so, too?" "i did not say a probable one. but you do not yourself look up', 'pposition." "you think so, too?" "i did not say a probable one. but you do not yourself look upon th', 'tion." "you think so, too?" "i did not say a probable one. but you do not yourself look upon this as', '" "you think so, too?" "i did not say a probable one. but you do not yourself look upon this as like', 'u think so, too?" "i did not say a probable one. but you do not yourself look upon this as likely?" ', 'nk so, too?" "i did not say a probable one. but you do not yourself look upon this as likely?" "i do', ', too?" "i did not say a probable one. but you do not yourself look upon this as likely?" "i do not ', '?" "i did not say a probable one. but you do not yourself look upon this as likely?" "i do not think', ' did not say a probable one. but you do not yourself look upon this as likely?" "i do not think flor', 'not say a probable one. but you do not yourself look upon this as likely?" "i do not think flora wou', 'ay a probable one. but you do not yourself look upon this as likely?" "i do not think flora would hu', 'probable one. but you do not yourself look upon this as likely?" "i do not think flora would hurt a ', 'ble one. but you do not yourself look upon this as likely?" "i do not think flora would hurt a fly."', 'ne. but you do not yourself look upon this as likely?" "i do not think flora would hurt a fly." "sti', 'ut you do not yourself look upon this as likely?" "i do not think flora would hurt a fly." "still, j', 'u do not yourself look upon this as likely?" "i do not think flora would hurt a fly." "still, jealou', 'not yourself look upon this as likely?" "i do not think flora would hurt a fly." "still, jealousy is', 'ourself look upon this as likely?" "i do not think flora would hurt a fly." "still, jealousy is a st', 'lf look upon this as likely?" "i do not think flora would hurt a fly." "still, jealousy is a strange', 'ok upon this as likely?" "i do not think flora would hurt a fly." "still, jealousy is a strange tran', 'on this as likely?" "i do not think flora would hurt a fly." "still, jealousy is a strange transform', 'is as likely?" "i do not think flora would hurt a fly." "still, jealousy is a strange transformer of', ' likely?" "i do not think flora would hurt a fly." "still, jealousy is a strange transformer of char', 'ly?" "i do not think flora would hurt a fly." "still, jealousy is a strange transformer of character', '"i do not think flora would hurt a fly." "still, jealousy is a strange transformer of characters. pr', ' not think flora would hurt a fly." "still, jealousy is a strange transformer of characters. pray wh', 'think flora would hurt a fly." "still, jealousy is a strange transformer of characters. pray what is', ' flora would hurt a fly." "still, jealousy is a strange transformer of characters. pray what is your', 'a would hurt a fly." "still, jealousy is a strange transformer of characters. pray what is your own ', 'ld hurt a fly." "still, jealousy is a strange transformer of characters. pray what is your own theor', 'rt a fly." "still, jealousy is a strange transformer of characters. pray what is your own theory as ', 'fly." "still, jealousy is a strange transformer of characters. pray what is your own theory as to wh', ' "still, jealousy is a strange transformer of characters. pray what is your own theory as to what to', 'll, jealousy is a strange transformer of characters. pray what is your own theory as to what took pl', 'ealousy is a strange transformer of characters. pray what is your own theory as to what took place?"', 'sy is a strange transformer of characters. pray what is your own theory as to what took place?" "wel', ' a strange transformer of characters. pray what is your own theory as to what took place?" "well, re', 'range transformer of characters. pray what is your own theory as to what took place?" "well, really,', ' transformer of characters. pray what is your own theory as to what took place?" "well, really, i ca', 'sformer of characters. pray what is your own theory as to what took place?" "well, really, i came to', 'er of characters. pray what is your own theory as to what took place?" "well, really, i came to seek', ' characters. pray what is your own theory as to what took place?" "well, really, i came to seek a th', 'acters. pray what is your own theory as to what took place?" "well, really, i came to seek a theory,', 's. pray what is your own theory as to what took place?" "well, really, i came to seek a theory, not ', 'ay what is your own theory as to what took place?" "well, really, i came to seek a theory, not to pr', 'at is your own theory as to what took place?" "well, really, i came to seek a theory, not to propoun', ' your own theory as to what took place?" "well, really, i came to seek a theory, not to propound one', ' own theory as to what took place?" "well, really, i came to seek a theory, not to propound one. i h', 'theory as to what took place?" "well, really, i came to seek a theory, not to propound one. i have g', 'y as to what took place?" "well, really, i came to seek a theory, not to propound one. i have given ', 'to what took place?" "well, really, i came to seek a theory, not to propound one. i have given you a', 'at took place?" "well, really, i came to seek a theory, not to propound one. i have given you all th', 'ok place?" "well, really, i came to seek a theory, not to propound one. i have given you all the fac', 'ace?" "well, really, i came to seek a theory, not to propound one. i have given you all the facts. s', ' "well, really, i came to seek a theory, not to propound one. i have given you all the facts. since ', 'l, really, i came to seek a theory, not to propound one. i have given you all the facts. since you a', 'ally, i came to seek a theory, not to propound one. i have given you all the facts. since you ask me', ' i came to seek a theory, not to propound one. i have given you all the facts. since you ask me, how', 'me to seek a theory, not to propound one. i have given you all the facts. since you ask me, however,', ' seek a theory, not to propound one. i have given you all the facts. since you ask me, however, i ma', ' a theory, not to propound one. i have given you all the facts. since you ask me, however, i may say', 'eory, not to propound one. i have given you all the facts. since you ask me, however, i may say that', ' not to propound one. i have given you all the facts. since you ask me, however, i may say that it h', 'to propound one. i have given you all the facts. since you ask me, however, i may say that it has oc', 'opound one. i have given you all the facts. since you ask me, however, i may say that it has occurre', 'd one. i have given you all the facts. since you ask me, however, i may say that it has occurred to ', '. i have given you all the facts. since you ask me, however, i may say that it has occurred to me as', 'ave given you all the facts. since you ask me, however, i may say that it has occurred to me as poss', 'iven you all the facts. since you ask me, however, i may say that it has occurred to me as possible ', 'you all the facts. since you ask me, however, i may say that it has occurred to me as possible that ', 'll the facts. since you ask me, however, i may say that it has occurred to me as possible that the e', 'e facts. since you ask me, however, i may say that it has occurred to me as possible that the excite', 'ts. since you ask me, however, i may say that it has occurred to me as possible that the excitement ', 'ince you ask me, however, i may say that it has occurred to me as possible that the excitement of th', 'you ask me, however, i may say that it has occurred to me as possible that the excitement of this af', 'sk me, however, i may say that it has occurred to me as possible that the excitement of this affair,', ', however, i may say that it has occurred to me as possible that the excitement of this affair, the ', 'ever, i may say that it has occurred to me as possible that the excitement of this affair, the consc', ' i may say that it has occurred to me as possible that the excitement of this affair, the consciousn', 'y say that it has occurred to me as possible that the excitement of this affair, the consciousness t', ' that it has occurred to me as possible that the excitement of this affair, the consciousness that s', ' it has occurred to me as possible that the excitement of this affair, the consciousness that she ha', 'as occurred to me as possible that the excitement of this affair, the consciousness that she had mad', 'curred to me as possible that the excitement of this affair, the consciousness that she had made so ', 'd to me as possible that the excitement of this affair, the consciousness that she had made so immen', 'me as possible that the excitement of this affair, the consciousness that she had made so immense a ', ' possible that the excitement of this affair, the consciousness that she had made so immense a socia', 'ible that the excitement of this affair, the consciousness that she had made so immense a social str', 'that the excitement of this affair, the consciousness that she had made so immense a social stride, ', 'the excitement of this affair, the consciousness that she had made so immense a social stride, had t', 'xcitement of this affair, the consciousness that she had made so immense a social stride, had the ef', 'ment of this affair, the consciousness that she had made so immense a social stride, had the effect ', 'of this affair, the consciousness that she had made so immense a social stride, had the effect of ca', 'is affair, the consciousness that she had made so immense a social stride, had the effect of causing', 'fair, the consciousness that she had made so immense a social stride, had the effect of causing some', ' the consciousness that she had made so immense a social stride, had the effect of causing some litt', 'consciousness that she had made so immense a social stride, had the effect of causing some little ne', 'iousness that she had made so immense a social stride, had the effect of causing some little nervous', 'ess that she had made so immense a social stride, had the effect of causing some little nervous dist', 'hat she had made so immense a social stride, had the effect of causing some little nervous disturban', 'he had made so immense a social stride, had the effect of causing some little nervous disturbance in', 'd made so immense a social stride, had the effect of causing some little nervous disturbance in my w', 'e so immense a social stride, had the effect of causing some little nervous disturbance in my wife."', 'immense a social stride, had the effect of causing some little nervous disturbance in my wife." "in ', 'se a social stride, had the effect of causing some little nervous disturbance in my wife." "in short', 'social stride, had the effect of causing some little nervous disturbance in my wife." "in short, tha', 'l stride, had the effect of causing some little nervous disturbance in my wife." "in short, that she', 'ide, had the effect of causing some little nervous disturbance in my wife." "in short, that she had ', 'had the effect of causing some little nervous disturbance in my wife." "in short, that she had becom', 'he effect of causing some little nervous disturbance in my wife." "in short, that she had become sud', 'fect of causing some little nervous disturbance in my wife." "in short, that she had become suddenly', 'of causing some little nervous disturbance in my wife." "in short, that she had become suddenly dera', 'using some little nervous disturbance in my wife." "in short, that she had become suddenly deranged?', ' some little nervous disturbance in my wife." "in short, that she had become suddenly deranged?" "we', ' little nervous disturbance in my wife." "in short, that she had become suddenly deranged?" "well, r', 'le nervous disturbance in my wife." "in short, that she had become suddenly deranged?" "well, really', 'rvous disturbance in my wife." "in short, that she had become suddenly deranged?" "well, really, whe', ' disturbance in my wife." "in short, that she had become suddenly deranged?" "well, really, when i c', 'urbance in my wife." "in short, that she had become suddenly deranged?" "well, really, when i consid', 'ce in my wife." "in short, that she had become suddenly deranged?" "well, really, when i consider th', ' my wife." "in short, that she had become suddenly deranged?" "well, really, when i consider that sh', 'ife." "in short, that she had become suddenly deranged?" "well, really, when i consider that she has', ' "in short, that she had become suddenly deranged?" "well, really, when i consider that she has turn', 'short, that she had become suddenly deranged?" "well, really, when i consider that she has turned he', ', that she had become suddenly deranged?" "well, really, when i consider that she has turned her bac', 't she had become suddenly deranged?" "well, really, when i consider that she has turned her backi wi', ' had become suddenly deranged?" "well, really, when i consider that she has turned her backi will no', 'become suddenly deranged?" "well, really, when i consider that she has turned her backi will not say', 'e suddenly deranged?" "well, really, when i consider that she has turned her backi will not say upon', 'denly deranged?" "well, really, when i consider that she has turned her backi will not say upon me, ', ' deranged?" "well, really, when i consider that she has turned her backi will not say upon me, but u', 'nged?" "well, really, when i consider that she has turned her backi will not say upon me, but upon s', '" "well, really, when i consider that she has turned her backi will not say upon me, but upon so muc', 'll, really, when i consider that she has turned her backi will not say upon me, but upon so much tha', 'eally, when i consider that she has turned her backi will not say upon me, but upon so much that man', ', when i consider that she has turned her backi will not say upon me, but upon so much that many hav', 'n i consider that she has turned her backi will not say upon me, but upon so much that many have asp', 'onsider that she has turned her backi will not say upon me, but upon so much that many have aspired ', 'er that she has turned her backi will not say upon me, but upon so much that many have aspired to wi', 'at she has turned her backi will not say upon me, but upon so much that many have aspired to without', 'e has turned her backi will not say upon me, but upon so much that many have aspired to without succ', ' turned her backi will not say upon me, but upon so much that many have aspired to without successi ', 'ed her backi will not say upon me, but upon so much that many have aspired to without successi can h', 'r backi will not say upon me, but upon so much that many have aspired to without successi can hardly', 'ki will not say upon me, but upon so much that many have aspired to without successi can hardly expl', 'll not say upon me, but upon so much that many have aspired to without successi can hardly explain i', 't say upon me, but upon so much that many have aspired to without successi can hardly explain it in ', ' upon me, but upon so much that many have aspired to without successi can hardly explain it in any o', ' me, but upon so much that many have aspired to without successi can hardly explain it in any other ', 'but upon so much that many have aspired to without successi can hardly explain it in any other fashi', 'pon so much that many have aspired to without successi can hardly explain it in any other fashion." ', 'o much that many have aspired to without successi can hardly explain it in any other fashion." "well', 'h that many have aspired to without successi can hardly explain it in any other fashion." "well, cer', 't many have aspired to without successi can hardly explain it in any other fashion." "well, certainl', 'y have aspired to without successi can hardly explain it in any other fashion." "well, certainly tha', 'e aspired to without successi can hardly explain it in any other fashion." "well, certainly that is ', 'ired to without successi can hardly explain it in any other fashion." "well, certainly that is also ', 'to without successi can hardly explain it in any other fashion." "well, certainly that is also a con', 'thout successi can hardly explain it in any other fashion." "well, certainly that is also a conceiva', ' successi can hardly explain it in any other fashion." "well, certainly that is also a conceivable h', 'essi can hardly explain it in any other fashion." "well, certainly that is also a conceivable hypoth', 'can hardly explain it in any other fashion." "well, certainly that is also a conceivable hypothesis,', 'ardly explain it in any other fashion." "well, certainly that is also a conceivable hypothesis," sai', ' explain it in any other fashion." "well, certainly that is also a conceivable hypothesis," said hol', 'ain it in any other fashion." "well, certainly that is also a conceivable hypothesis," said holmes, ', 't in any other fashion." "well, certainly that is also a conceivable hypothesis," said holmes, smili', 'any other fashion." "well, certainly that is also a conceivable hypothesis," said holmes, smiling. "', 'ther fashion." "well, certainly that is also a conceivable hypothesis," said holmes, smiling. "and n', 'fashion." "well, certainly that is also a conceivable hypothesis," said holmes, smiling. "and now, l', 'on." "well, certainly that is also a conceivable hypothesis," said holmes, smiling. "and now, lord s', '"well, certainly that is also a conceivable hypothesis," said holmes, smiling. "and now, lord st. si', ', certainly that is also a conceivable hypothesis," said holmes, smiling. "and now, lord st. simon, ', 'tainly that is also a conceivable hypothesis," said holmes, smiling. "and now, lord st. simon, i thi', 'y that is also a conceivable hypothesis," said holmes, smiling. "and now, lord st. simon, i think th', 't is also a conceivable hypothesis," said holmes, smiling. "and now, lord st. simon, i think that i ', 'also a conceivable hypothesis," said holmes, smiling. "and now, lord st. simon, i think that i have ', 'a conceivable hypothesis," said holmes, smiling. "and now, lord st. simon, i think that i have nearl', 'ceivable hypothesis," said holmes, smiling. "and now, lord st. simon, i think that i have nearly all', 'ble hypothesis," said holmes, smiling. "and now, lord st. simon, i think that i have nearly all my d', 'ypothesis," said holmes, smiling. "and now, lord st. simon, i think that i have nearly all my data. ', 'esis," said holmes, smiling. "and now, lord st. simon, i think that i have nearly all my data. may i', '" said holmes, smiling. "and now, lord st. simon, i think that i have nearly all my data. may i ask ', 'd holmes, smiling. "and now, lord st. simon, i think that i have nearly all my data. may i ask wheth', 'mes, smiling. "and now, lord st. simon, i think that i have nearly all my data. may i ask whether yo', 'smiling. "and now, lord st. simon, i think that i have nearly all my data. may i ask whether you wer', 'ng. "and now, lord st. simon, i think that i have nearly all my data. may i ask whether you were sea', 'and now, lord st. simon, i think that i have nearly all my data. may i ask whether you were seated a', 'ow, lord st. simon, i think that i have nearly all my data. may i ask whether you were seated at the', 'ord st. simon, i think that i have nearly all my data. may i ask whether you were seated at the brea', 't. simon, i think that i have nearly all my data. may i ask whether you were seated at the breakfast', 'mon, i think that i have nearly all my data. may i ask whether you were seated at the breakfast-tabl', 'i think that i have nearly all my data. may i ask whether you were seated at the breakfast-table so ', 'nk that i have nearly all my data. may i ask whether you were seated at the breakfast-table so that ', 'at i have nearly all my data. may i ask whether you were seated at the breakfast-table so that you c', 'have nearly all my data. may i ask whether you were seated at the breakfast-table so that you could ', 'nearly all my data. may i ask whether you were seated at the breakfast-table so that you could see o', 'y all my data. may i ask whether you were seated at the breakfast-table so that you could see out of', ' my data. may i ask whether you were seated at the breakfast-table so that you could see out of the ', 'ata. may i ask whether you were seated at the breakfast-table so that you could see out of the windo', 'may i ask whether you were seated at the breakfast-table so that you could see out of the window?" "', ' ask whether you were seated at the breakfast-table so that you could see out of the window?" "we co', 'whether you were seated at the breakfast-table so that you could see out of the window?" "we could s', 'er you were seated at the breakfast-table so that you could see out of the window?" "we could see th', 'u were seated at the breakfast-table so that you could see out of the window?" "we could see the oth', 'e seated at the breakfast-table so that you could see out of the window?" "we could see the other si', 'ted at the breakfast-table so that you could see out of the window?" "we could see the other side of', 't the breakfast-table so that you could see out of the window?" "we could see the other side of the ', ' breakfast-table so that you could see out of the window?" "we could see the other side of the road ', 'kfast-table so that you could see out of the window?" "we could see the other side of the road and t', '-table so that you could see out of the window?" "we could see the other side of the road and the pa', 'e so that you could see out of the window?" "we could see the other side of the road and the park." ', 'that you could see out of the window?" "we could see the other side of the road and the park." "quit', 'you could see out of the window?" "we could see the other side of the road and the park." "quite so.', 'ould see out of the window?" "we could see the other side of the road and the park." "quite so. then', 'see out of the window?" "we could see the other side of the road and the park." "quite so. then i do', 'ut of the window?" "we could see the other side of the road and the park." "quite so. then i do not ', ' the window?" "we could see the other side of the road and the park." "quite so. then i do not think', 'window?" "we could see the other side of the road and the park." "quite so. then i do not think that', 'w?" "we could see the other side of the road and the park." "quite so. then i do not think that i ne', 'we could see the other side of the road and the park." "quite so. then i do not think that i need to', 'uld see the other side of the road and the park." "quite so. then i do not think that i need to deta', 'ee the other side of the road and the park." "quite so. then i do not think that i need to detain yo', 'e other side of the road and the park." "quite so. then i do not think that i need to detain you lon', 'er side of the road and the park." "quite so. then i do not think that i need to detain you longer. ', 'de of the road and the park." "quite so. then i do not think that i need to detain you longer. i sha', ' the road and the park." "quite so. then i do not think that i need to detain you longer. i shall co', 'road and the park." "quite so. then i do not think that i need to detain you longer. i shall communi', 'and the park." "quite so. then i do not think that i need to detain you longer. i shall communicate ', 'he park." "quite so. then i do not think that i need to detain you longer. i shall communicate with ', 'rk." "quite so. then i do not think that i need to detain you longer. i shall communicate with you."', '"quite so. then i do not think that i need to detain you longer. i shall communicate with you." "sho', 'e so. then i do not think that i need to detain you longer. i shall communicate with you." "should y', ' then i do not think that i need to detain you longer. i shall communicate with you." "should you be', ' i do not think that i need to detain you longer. i shall communicate with you." "should you be fort', ' not think that i need to detain you longer. i shall communicate with you." "should you be fortunate', 'think that i need to detain you longer. i shall communicate with you." "should you be fortunate enou', ' that i need to detain you longer. i shall communicate with you." "should you be fortunate enough to', ' i need to detain you longer. i shall communicate with you." "should you be fortunate enough to solv', 'ed to detain you longer. i shall communicate with you." "should you be fortunate enough to solve thi', ' detain you longer. i shall communicate with you." "should you be fortunate enough to solve this pro', 'in you longer. i shall communicate with you." "should you be fortunate enough to solve this problem,', 'u longer. i shall communicate with you." "should you be fortunate enough to solve this problem," sai', 'ger. i shall communicate with you." "should you be fortunate enough to solve this problem," said our', 'i shall communicate with you." "should you be fortunate enough to solve this problem," said our clie', 'll communicate with you." "should you be fortunate enough to solve this problem," said our client, r', 'mmunicate with you." "should you be fortunate enough to solve this problem," said our client, rising', 'cate with you." "should you be fortunate enough to solve this problem," said our client, rising. "i ', 'with you." "should you be fortunate enough to solve this problem," said our client, rising. "i have ', 'you." "should you be fortunate enough to solve this problem," said our client, rising. "i have solve', ' "should you be fortunate enough to solve this problem," said our client, rising. "i have solved it.', 'uld you be fortunate enough to solve this problem," said our client, rising. "i have solved it." "eh', 'ou be fortunate enough to solve this problem," said our client, rising. "i have solved it." "eh? wha', ' fortunate enough to solve this problem," said our client, rising. "i have solved it." "eh? what was', 'unate enough to solve this problem," said our client, rising. "i have solved it." "eh? what was that', ' enough to solve this problem," said our client, rising. "i have solved it." "eh? what was that?" "i', 'gh to solve this problem," said our client, rising. "i have solved it." "eh? what was that?" "i say ', ' solve this problem," said our client, rising. "i have solved it." "eh? what was that?" "i say that ', 'e this problem," said our client, rising. "i have solved it." "eh? what was that?" "i say that i hav', 's problem," said our client, rising. "i have solved it." "eh? what was that?" "i say that i have sol', 'blem," said our client, rising. "i have solved it." "eh? what was that?" "i say that i have solved i', '" said our client, rising. "i have solved it." "eh? what was that?" "i say that i have solved it." "', 'd our client, rising. "i have solved it." "eh? what was that?" "i say that i have solved it." "where', ' client, rising. "i have solved it." "eh? what was that?" "i say that i have solved it." "where, the', 'nt, rising. "i have solved it." "eh? what was that?" "i say that i have solved it." "where, then, is', 'ising. "i have solved it." "eh? what was that?" "i say that i have solved it." "where, then, is my w', '. "i have solved it." "eh? what was that?" "i say that i have solved it." "where, then, is my wife?"', 'have solved it." "eh? what was that?" "i say that i have solved it." "where, then, is my wife?" "tha', 'solved it." "eh? what was that?" "i say that i have solved it." "where, then, is my wife?" "that is ', 'd it." "eh? what was that?" "i say that i have solved it." "where, then, is my wife?" "that is a det', '" "eh? what was that?" "i say that i have solved it." "where, then, is my wife?" "that is a detail w', '? what was that?" "i say that i have solved it." "where, then, is my wife?" "that is a detail which ', 't was that?" "i say that i have solved it." "where, then, is my wife?" "that is a detail which i sha', ' that?" "i say that i have solved it." "where, then, is my wife?" "that is a detail which i shall sp', '?" "i say that i have solved it." "where, then, is my wife?" "that is a detail which i shall speedil', ' say that i have solved it." "where, then, is my wife?" "that is a detail which i shall speedily sup', 'that i have solved it." "where, then, is my wife?" "that is a detail which i shall speedily supply."', 'i have solved it." "where, then, is my wife?" "that is a detail which i shall speedily supply." lord', 'e solved it." "where, then, is my wife?" "that is a detail which i shall speedily supply." lord st. ', 'ved it." "where, then, is my wife?" "that is a detail which i shall speedily supply." lord st. simon', 't." "where, then, is my wife?" "that is a detail which i shall speedily supply." lord st. simon shoo', 'where, then, is my wife?" "that is a detail which i shall speedily supply." lord st. simon shook his', ', then, is my wife?" "that is a detail which i shall speedily supply." lord st. simon shook his head', 'n, is my wife?" "that is a detail which i shall speedily supply." lord st. simon shook his head. "i ', ' my wife?" "that is a detail which i shall speedily supply." lord st. simon shook his head. "i am af', 'ife?" "that is a detail which i shall speedily supply." lord st. simon shook his head. "i am afraid ', ' "that is a detail which i shall speedily supply." lord st. simon shook his head. "i am afraid that ', 't is a detail which i shall speedily supply." lord st. simon shook his head. "i am afraid that it wi', 'a detail which i shall speedily supply." lord st. simon shook his head. "i am afraid that it will ta', 'ail which i shall speedily supply." lord st. simon shook his head. "i am afraid that it will take wi', 'hich i shall speedily supply." lord st. simon shook his head. "i am afraid that it will take wiser h', 'i shall speedily supply." lord st. simon shook his head. "i am afraid that it will take wiser heads ', 'll speedily supply." lord st. simon shook his head. "i am afraid that it will take wiser heads than ', 'eedily supply." lord st. simon shook his head. "i am afraid that it will take wiser heads than yours', 'y supply." lord st. simon shook his head. "i am afraid that it will take wiser heads than yours or m', 'ply." lord st. simon shook his head. "i am afraid that it will take wiser heads than yours or mine,"', ' lord st. simon shook his head. "i am afraid that it will take wiser heads than yours or mine," he r', ' st. simon shook his head. "i am afraid that it will take wiser heads than yours or mine," he remark', 'simon shook his head. "i am afraid that it will take wiser heads than yours or mine," he remarked, a', ' shook his head. "i am afraid that it will take wiser heads than yours or mine," he remarked, and bo', 'k his head. "i am afraid that it will take wiser heads than yours or mine," he remarked, and bowing ', ' head. "i am afraid that it will take wiser heads than yours or mine," he remarked, and bowing in a ', '. "i am afraid that it will take wiser heads than yours or mine," he remarked, and bowing in a state', 'am afraid that it will take wiser heads than yours or mine," he remarked, and bowing in a stately, o', 'raid that it will take wiser heads than yours or mine," he remarked, and bowing in a stately, old-fa', 'that it will take wiser heads than yours or mine," he remarked, and bowing in a stately, old-fashion', 'it will take wiser heads than yours or mine," he remarked, and bowing in a stately, old-fashioned ma', 'll take wiser heads than yours or mine," he remarked, and bowing in a stately, old-fashioned manner ', 'ke wiser heads than yours or mine," he remarked, and bowing in a stately, old-fashioned manner he de', 'ser heads than yours or mine," he remarked, and bowing in a stately, old-fashioned manner he departe', 'eads than yours or mine," he remarked, and bowing in a stately, old-fashioned manner he departed. "i', 'than yours or mine," he remarked, and bowing in a stately, old-fashioned manner he departed. "it is ', 'yours or mine," he remarked, and bowing in a stately, old-fashioned manner he departed. "it is very ', ' or mine," he remarked, and bowing in a stately, old-fashioned manner he departed. "it is very good ', 'ine," he remarked, and bowing in a stately, old-fashioned manner he departed. "it is very good of lo', ' he remarked, and bowing in a stately, old-fashioned manner he departed. "it is very good of lord st', 'emarked, and bowing in a stately, old-fashioned manner he departed. "it is very good of lord st. sim', 'ed, and bowing in a stately, old-fashioned manner he departed. "it is very good of lord st. simon to', 'nd bowing in a stately, old-fashioned manner he departed. "it is very good of lord st. simon to hono', 'wing in a stately, old-fashioned manner he departed. "it is very good of lord st. simon to honour my', 'in a stately, old-fashioned manner he departed. "it is very good of lord st. simon to honour my head', 'stately, old-fashioned manner he departed. "it is very good of lord st. simon to honour my head by p', 'ly, old-fashioned manner he departed. "it is very good of lord st. simon to honour my head by puttin', 'ld-fashioned manner he departed. "it is very good of lord st. simon to honour my head by putting it ', 'shioned manner he departed. "it is very good of lord st. simon to honour my head by putting it on a ', 'ed manner he departed. "it is very good of lord st. simon to honour my head by putting it on a level', 'nner he departed. "it is very good of lord st. simon to honour my head by putting it on a level with', 'he departed. "it is very good of lord st. simon to honour my head by putting it on a level with his ', 'parted. "it is very good of lord st. simon to honour my head by putting it on a level with his own,"', 'd. "it is very good of lord st. simon to honour my head by putting it on a level with his own," said', 't is very good of lord st. simon to honour my head by putting it on a level with his own," said sher', 'very good of lord st. simon to honour my head by putting it on a level with his own," said sherlock ', 'good of lord st. simon to honour my head by putting it on a level with his own," said sherlock holme', 'of lord st. simon to honour my head by putting it on a level with his own," said sherlock holmes, la', 'rd st. simon to honour my head by putting it on a level with his own," said sherlock holmes, laughin', '. simon to honour my head by putting it on a level with his own," said sherlock holmes, laughing. "i', 'on to honour my head by putting it on a level with his own," said sherlock holmes, laughing. "i thin', ' honour my head by putting it on a level with his own," said sherlock holmes, laughing. "i think tha', 'ur my head by putting it on a level with his own," said sherlock holmes, laughing. "i think that i s', ' head by putting it on a level with his own," said sherlock holmes, laughing. "i think that i shall ', ' by putting it on a level with his own," said sherlock holmes, laughing. "i think that i shall have ', 'utting it on a level with his own," said sherlock holmes, laughing. "i think that i shall have a whi', 'g it on a level with his own," said sherlock holmes, laughing. "i think that i shall have a whisky a', 'on a level with his own," said sherlock holmes, laughing. "i think that i shall have a whisky and so', 'level with his own," said sherlock holmes, laughing. "i think that i shall have a whisky and soda an', ' with his own," said sherlock holmes, laughing. "i think that i shall have a whisky and soda and a c', ' his own," said sherlock holmes, laughing. "i think that i shall have a whisky and soda and a cigar ', 'own," said sherlock holmes, laughing. "i think that i shall have a whisky and soda and a cigar after', ' said sherlock holmes, laughing. "i think that i shall have a whisky and soda and a cigar after all ', ' sherlock holmes, laughing. "i think that i shall have a whisky and soda and a cigar after all this ', 'lock holmes, laughing. "i think that i shall have a whisky and soda and a cigar after all this cross', 'holmes, laughing. "i think that i shall have a whisky and soda and a cigar after all this cross-ques', 's, laughing. "i think that i shall have a whisky and soda and a cigar after all this cross-questioni', 'ughing. "i think that i shall have a whisky and soda and a cigar after all this cross-questioning. i', 'g. "i think that i shall have a whisky and soda and a cigar after all this cross-questioning. i had ', ' think that i shall have a whisky and soda and a cigar after all this cross-questioning. i had forme', 'k that i shall have a whisky and soda and a cigar after all this cross-questioning. i had formed my ', 't i shall have a whisky and soda and a cigar after all this cross-questioning. i had formed my concl', 'hall have a whisky and soda and a cigar after all this cross-questioning. i had formed my conclusion', 'have a whisky and soda and a cigar after all this cross-questioning. i had formed my conclusions as ', 'a whisky and soda and a cigar after all this cross-questioning. i had formed my conclusions as to th', 'sky and soda and a cigar after all this cross-questioning. i had formed my conclusions as to the cas', 'nd soda and a cigar after all this cross-questioning. i had formed my conclusions as to the case bef', 'da and a cigar after all this cross-questioning. i had formed my conclusions as to the case before o', 'd a cigar after all this cross-questioning. i had formed my conclusions as to the case before our cl', 'igar after all this cross-questioning. i had formed my conclusions as to the case before our client ', 'after all this cross-questioning. i had formed my conclusions as to the case before our client came ', ' all this cross-questioning. i had formed my conclusions as to the case before our client came into ', 'this cross-questioning. i had formed my conclusions as to the case before our client came into the r', 'cross-questioning. i had formed my conclusions as to the case before our client came into the room."', '-questioning. i had formed my conclusions as to the case before our client came into the room." "my ', 'tioning. i had formed my conclusions as to the case before our client came into the room." "my dear ', 'ng. i had formed my conclusions as to the case before our client came into the room." "my dear holme', ' had formed my conclusions as to the case before our client came into the room." "my dear holmes "i', 'formed my conclusions as to the case before our client came into the room." "my dear holmes "i have', 'd my conclusions as to the case before our client came into the room." "my dear holmes "i have note', 'conclusions as to the case before our client came into the room." "my dear holmes "i have notes of ', 'usions as to the case before our client came into the room." "my dear holmes "i have notes of sever', 's as to the case before our client came into the room." "my dear holmes "i have notes of several si', 'to the case before our client came into the room." "my dear holmes "i have notes of several similar', 'e case before our client came into the room." "my dear holmes "i have notes of several similar case', 'e before our client came into the room." "my dear holmes "i have notes of several similar cases, th', 'ore our client came into the room." "my dear holmes "i have notes of several similar cases, though ', 'ur client came into the room." "my dear holmes "i have notes of several similar cases, though none,', 'ient came into the room." "my dear holmes "i have notes of several similar cases, though none, as i', 'came into the room." "my dear holmes "i have notes of several similar cases, though none, as i rema', 'into the room." "my dear holmes "i have notes of several similar cases, though none, as i remarked ', 'the room." "my dear holmes "i have notes of several similar cases, though none, as i remarked befor', 'oom." "my dear holmes "i have notes of several similar cases, though none, as i remarked before, wh', ' "my dear holmes "i have notes of several similar cases, though none, as i remarked before, which w', 'dear holmes "i have notes of several similar cases, though none, as i remarked before, which were q', 'holmes "i have notes of several similar cases, though none, as i remarked before, which were quite ', 's "i have notes of several similar cases, though none, as i remarked before, which were quite as pr', ' have notes of several similar cases, though none, as i remarked before, which were quite as prompt.', ' notes of several similar cases, though none, as i remarked before, which were quite as prompt. my w', 's of several similar cases, though none, as i remarked before, which were quite as prompt. my whole ', 'several similar cases, though none, as i remarked before, which were quite as prompt. my whole exami', 'al similar cases, though none, as i remarked before, which were quite as prompt. my whole examinatio', 'milar cases, though none, as i remarked before, which were quite as prompt. my whole examination ser', ' cases, though none, as i remarked before, which were quite as prompt. my whole examination served t', 's, though none, as i remarked before, which were quite as prompt. my whole examination served to tur', 'ough none, as i remarked before, which were quite as prompt. my whole examination served to turn my ', 'none, as i remarked before, which were quite as prompt. my whole examination served to turn my conje', ' as i remarked before, which were quite as prompt. my whole examination served to turn my conjecture', ' remarked before, which were quite as prompt. my whole examination served to turn my conjecture into', 'rked before, which were quite as prompt. my whole examination served to turn my conjecture into a ce', 'before, which were quite as prompt. my whole examination served to turn my conjecture into a certain', 'e, which were quite as prompt. my whole examination served to turn my conjecture into a certainty. c', 'ich were quite as prompt. my whole examination served to turn my conjecture into a certainty. circum', 'ere quite as prompt. my whole examination served to turn my conjecture into a certainty. circumstant', 'uite as prompt. my whole examination served to turn my conjecture into a certainty. circumstantial e', 'as prompt. my whole examination served to turn my conjecture into a certainty. circumstantial eviden', 'ompt. my whole examination served to turn my conjecture into a certainty. circumstantial evidence is', ' my whole examination served to turn my conjecture into a certainty. circumstantial evidence is occa', 'hole examination served to turn my conjecture into a certainty. circumstantial evidence is occasiona', 'examination served to turn my conjecture into a certainty. circumstantial evidence is occasionally v', 'nation served to turn my conjecture into a certainty. circumstantial evidence is occasionally very c', 'n served to turn my conjecture into a certainty. circumstantial evidence is occasionally very convin', 'ved to turn my conjecture into a certainty. circumstantial evidence is occasionally very convincing,', 'o turn my conjecture into a certainty. circumstantial evidence is occasionally very convincing, as w', 'n my conjecture into a certainty. circumstantial evidence is occasionally very convincing, as when y', 'conjecture into a certainty. circumstantial evidence is occasionally very convincing, as when you fi', 'cture into a certainty. circumstantial evidence is occasionally very convincing, as when you find a ', ' into a certainty. circumstantial evidence is occasionally very convincing, as when you find a trout', ' a certainty. circumstantial evidence is occasionally very convincing, as when you find a trout in t', 'rtainty. circumstantial evidence is occasionally very convincing, as when you find a trout in the mi', 'ty. circumstantial evidence is occasionally very convincing, as when you find a trout in the milk, t', 'ircumstantial evidence is occasionally very convincing, as when you find a trout in the milk, to quo', 'stantial evidence is occasionally very convincing, as when you find a trout in the milk, to quote th', 'ial evidence is occasionally very convincing, as when you find a trout in the milk, to quote thoreau', "vidence is occasionally very convincing, as when you find a trout in the milk, to quote thoreau's ex", "ce is occasionally very convincing, as when you find a trout in the milk, to quote thoreau's example", ' occasionally very convincing, as when you find a trout in the milk, to quote thoreau\'s example." "b', 'sionally very convincing, as when you find a trout in the milk, to quote thoreau\'s example." "but i ', 'lly very convincing, as when you find a trout in the milk, to quote thoreau\'s example." "but i have ', 'ery convincing, as when you find a trout in the milk, to quote thoreau\'s example." "but i have heard', 'onvincing, as when you find a trout in the milk, to quote thoreau\'s example." "but i have heard all ', 'cing, as when you find a trout in the milk, to quote thoreau\'s example." "but i have heard all that ', ' as when you find a trout in the milk, to quote thoreau\'s example." "but i have heard all that you h', 'hen you find a trout in the milk, to quote thoreau\'s example." "but i have heard all that you have h', 'ou find a trout in the milk, to quote thoreau\'s example." "but i have heard all that you have heard.', 'nd a trout in the milk, to quote thoreau\'s example." "but i have heard all that you have heard." "wi', 'trout in the milk, to quote thoreau\'s example." "but i have heard all that you have heard." "without', ' in the milk, to quote thoreau\'s example." "but i have heard all that you have heard." "without, how', 'he milk, to quote thoreau\'s example." "but i have heard all that you have heard." "without, however,', 'lk, to quote thoreau\'s example." "but i have heard all that you have heard." "without, however, the ', 'o quote thoreau\'s example." "but i have heard all that you have heard." "without, however, the knowl', 'te thoreau\'s example." "but i have heard all that you have heard." "without, however, the knowledge ', 'oreau\'s example." "but i have heard all that you have heard." "without, however, the knowledge of pr', '\'s example." "but i have heard all that you have heard." "without, however, the knowledge of pre-exi', 'ample." "but i have heard all that you have heard." "without, however, the knowledge of pre-existing', '." "but i have heard all that you have heard." "without, however, the knowledge of pre-existing case', 'ut i have heard all that you have heard." "without, however, the knowledge of pre-existing cases whi', 'have heard all that you have heard." "without, however, the knowledge of pre-existing cases which se', 'heard all that you have heard." "without, however, the knowledge of pre-existing cases which serves ', ' all that you have heard." "without, however, the knowledge of pre-existing cases which serves me so', 'that you have heard." "without, however, the knowledge of pre-existing cases which serves me so well', 'you have heard." "without, however, the knowledge of pre-existing cases which serves me so well. the', 'ave heard." "without, however, the knowledge of pre-existing cases which serves me so well. there wa', 'eard." "without, however, the knowledge of pre-existing cases which serves me so well. there was a p', '" "without, however, the knowledge of pre-existing cases which serves me so well. there was a parall', 'thout, however, the knowledge of pre-existing cases which serves me so well. there was a parallel in', ', however, the knowledge of pre-existing cases which serves me so well. there was a parallel instanc', 'ever, the knowledge of pre-existing cases which serves me so well. there was a parallel instance in ', ' the knowledge of pre-existing cases which serves me so well. there was a parallel instance in aberd', 'knowledge of pre-existing cases which serves me so well. there was a parallel instance in aberdeen s', 'edge of pre-existing cases which serves me so well. there was a parallel instance in aberdeen some y', 'of pre-existing cases which serves me so well. there was a parallel instance in aberdeen some years ', 'e-existing cases which serves me so well. there was a parallel instance in aberdeen some years back,', 'sting cases which serves me so well. there was a parallel instance in aberdeen some years back, and ', ' cases which serves me so well. there was a parallel instance in aberdeen some years back, and somet', 's which serves me so well. there was a parallel instance in aberdeen some years back, and something ', 'ch serves me so well. there was a parallel instance in aberdeen some years back, and something on ve', 'rves me so well. there was a parallel instance in aberdeen some years back, and something on very mu', 'me so well. there was a parallel instance in aberdeen some years back, and something on very much th', ' well. there was a parallel instance in aberdeen some years back, and something on very much the sam', '. there was a parallel instance in aberdeen some years back, and something on very much the same lin', 're was a parallel instance in aberdeen some years back, and something on very much the same lines at', 's a parallel instance in aberdeen some years back, and something on very much the same lines at muni', 'arallel instance in aberdeen some years back, and something on very much the same lines at munich th', 'el instance in aberdeen some years back, and something on very much the same lines at munich the yea', 'stance in aberdeen some years back, and something on very much the same lines at munich the year aft', 'e in aberdeen some years back, and something on very much the same lines at munich the year after th', 'aberdeen some years back, and something on very much the same lines at munich the year after the fra', 'een some years back, and something on very much the same lines at munich the year after the franco-p', 'ome years back, and something on very much the same lines at munich the year after the franco-prussi', 'ears back, and something on very much the same lines at munich the year after the franco-prussian wa', 'back, and something on very much the same lines at munich the year after the franco-prussian war. it', ' and something on very much the same lines at munich the year after the franco-prussian war. it is o', 'something on very much the same lines at munich the year after the franco-prussian war. it is one of', 'hing on very much the same lines at munich the year after the franco-prussian war. it is one of thes', 'on very much the same lines at munich the year after the franco-prussian war. it is one of these cas', 'ry much the same lines at munich the year after the franco-prussian war. it is one of these casesbut', 'ch the same lines at munich the year after the franco-prussian war. it is one of these casesbut, hul', 'e same lines at munich the year after the franco-prussian war. it is one of these casesbut, hullo, h', 'e lines at munich the year after the franco-prussian war. it is one of these casesbut, hullo, here i', 'es at munich the year after the franco-prussian war. it is one of these casesbut, hullo, here is les', ' munich the year after the franco-prussian war. it is one of these casesbut, hullo, here is lestrade', 'ch the year after the franco-prussian war. it is one of these casesbut, hullo, here is lestrade! goo', 'e year after the franco-prussian war. it is one of these casesbut, hullo, here is lestrade! good-aft', 'r after the franco-prussian war. it is one of these casesbut, hullo, here is lestrade! good-afternoo', 'er the franco-prussian war. it is one of these casesbut, hullo, here is lestrade! good-afternoon, le', 'e franco-prussian war. it is one of these casesbut, hullo, here is lestrade! good-afternoon, lestrad', 'nco-prussian war. it is one of these casesbut, hullo, here is lestrade! good-afternoon, lestrade! yo', 'russian war. it is one of these casesbut, hullo, here is lestrade! good-afternoon, lestrade! you wil', 'an war. it is one of these casesbut, hullo, here is lestrade! good-afternoon, lestrade! you will fin', 'r. it is one of these casesbut, hullo, here is lestrade! good-afternoon, lestrade! you will find an ', ' is one of these casesbut, hullo, here is lestrade! good-afternoon, lestrade! you will find an extra', 'ne of these casesbut, hullo, here is lestrade! good-afternoon, lestrade! you will find an extra tumb', ' these casesbut, hullo, here is lestrade! good-afternoon, lestrade! you will find an extra tumbler u', 'e casesbut, hullo, here is lestrade! good-afternoon, lestrade! you will find an extra tumbler upon t', 'esbut, hullo, here is lestrade! good-afternoon, lestrade! you will find an extra tumbler upon the si', ', hullo, here is lestrade! good-afternoon, lestrade! you will find an extra tumbler upon the sideboa', 'lo, here is lestrade! good-afternoon, lestrade! you will find an extra tumbler upon the sideboard, a', 'ere is lestrade! good-afternoon, lestrade! you will find an extra tumbler upon the sideboard, and th', 's lestrade! good-afternoon, lestrade! you will find an extra tumbler upon the sideboard, and there a', 'trade! good-afternoon, lestrade! you will find an extra tumbler upon the sideboard, and there are ci', '! good-afternoon, lestrade! you will find an extra tumbler upon the sideboard, and there are cigars ', 'd-afternoon, lestrade! you will find an extra tumbler upon the sideboard, and there are cigars in th', 'ernoon, lestrade! you will find an extra tumbler upon the sideboard, and there are cigars in the box', 'n, lestrade! you will find an extra tumbler upon the sideboard, and there are cigars in the box." th', 'strade! you will find an extra tumbler upon the sideboard, and there are cigars in the box." the off', 'e! you will find an extra tumbler upon the sideboard, and there are cigars in the box." the official', 'u will find an extra tumbler upon the sideboard, and there are cigars in the box." the official dete', 'l find an extra tumbler upon the sideboard, and there are cigars in the box." the official detective', 'd an extra tumbler upon the sideboard, and there are cigars in the box." the official detective was ', 'extra tumbler upon the sideboard, and there are cigars in the box." the official detective was attir', ' tumbler upon the sideboard, and there are cigars in the box." the official detective was attired in', 'ler upon the sideboard, and there are cigars in the box." the official detective was attired in a pe', 'pon the sideboard, and there are cigars in the box." the official detective was attired in a pea-jac', 'he sideboard, and there are cigars in the box." the official detective was attired in a pea-jacket a', 'deboard, and there are cigars in the box." the official detective was attired in a pea-jacket and cr', 'rd, and there are cigars in the box." the official detective was attired in a pea-jacket and cravat,', 'nd there are cigars in the box." the official detective was attired in a pea-jacket and cravat, whic', 'ere are cigars in the box." the official detective was attired in a pea-jacket and cravat, which gav', 're cigars in the box." the official detective was attired in a pea-jacket and cravat, which gave him', 'gars in the box." the official detective was attired in a pea-jacket and cravat, which gave him a de', 'in the box." the official detective was attired in a pea-jacket and cravat, which gave him a decided', 'e box." the official detective was attired in a pea-jacket and cravat, which gave him a decidedly na', '." the official detective was attired in a pea-jacket and cravat, which gave him a decidedly nautica', 'e official detective was attired in a pea-jacket and cravat, which gave him a decidedly nautical app', 'icial detective was attired in a pea-jacket and cravat, which gave him a decidedly nautical appearan', ' detective was attired in a pea-jacket and cravat, which gave him a decidedly nautical appearance, a', 'ctive was attired in a pea-jacket and cravat, which gave him a decidedly nautical appearance, and he', ' was attired in a pea-jacket and cravat, which gave him a decidedly nautical appearance, and he carr', 'attired in a pea-jacket and cravat, which gave him a decidedly nautical appearance, and he carried a', 'ed in a pea-jacket and cravat, which gave him a decidedly nautical appearance, and he carried a blac', ' a pea-jacket and cravat, which gave him a decidedly nautical appearance, and he carried a black can', 'a-jacket and cravat, which gave him a decidedly nautical appearance, and he carried a black canvas b', 'ket and cravat, which gave him a decidedly nautical appearance, and he carried a black canvas bag in', 'nd cravat, which gave him a decidedly nautical appearance, and he carried a black canvas bag in his ', 'avat, which gave him a decidedly nautical appearance, and he carried a black canvas bag in his hand.', ' which gave him a decidedly nautical appearance, and he carried a black canvas bag in his hand. with', 'h gave him a decidedly nautical appearance, and he carried a black canvas bag in his hand. with a sh', 'e him a decidedly nautical appearance, and he carried a black canvas bag in his hand. with a short g', ' a decidedly nautical appearance, and he carried a black canvas bag in his hand. with a short greeti', 'cidedly nautical appearance, and he carried a black canvas bag in his hand. with a short greeting he', 'ly nautical appearance, and he carried a black canvas bag in his hand. with a short greeting he seat', 'utical appearance, and he carried a black canvas bag in his hand. with a short greeting he seated hi', 'l appearance, and he carried a black canvas bag in his hand. with a short greeting he seated himself', 'earance, and he carried a black canvas bag in his hand. with a short greeting he seated himself and ', 'ce, and he carried a black canvas bag in his hand. with a short greeting he seated himself and lit t', 'nd he carried a black canvas bag in his hand. with a short greeting he seated himself and lit the ci', ' carried a black canvas bag in his hand. with a short greeting he seated himself and lit the cigar w', 'ied a black canvas bag in his hand. with a short greeting he seated himself and lit the cigar which ', ' black canvas bag in his hand. with a short greeting he seated himself and lit the cigar which had b', 'k canvas bag in his hand. with a short greeting he seated himself and lit the cigar which had been o', 'vas bag in his hand. with a short greeting he seated himself and lit the cigar which had been offere', 'ag in his hand. with a short greeting he seated himself and lit the cigar which had been offered to ', ' his hand. with a short greeting he seated himself and lit the cigar which had been offered to him. ', 'hand. with a short greeting he seated himself and lit the cigar which had been offered to him. "what', ' with a short greeting he seated himself and lit the cigar which had been offered to him. "what\'s up', ' a short greeting he seated himself and lit the cigar which had been offered to him. "what\'s up, the', 'ort greeting he seated himself and lit the cigar which had been offered to him. "what\'s up, then?" a', 'reeting he seated himself and lit the cigar which had been offered to him. "what\'s up, then?" asked ', 'ng he seated himself and lit the cigar which had been offered to him. "what\'s up, then?" asked holme', ' seated himself and lit the cigar which had been offered to him. "what\'s up, then?" asked holmes wit', 'ed himself and lit the cigar which had been offered to him. "what\'s up, then?" asked holmes with a t', 'mself and lit the cigar which had been offered to him. "what\'s up, then?" asked holmes with a twinkl', ' and lit the cigar which had been offered to him. "what\'s up, then?" asked holmes with a twinkle in ', 'lit the cigar which had been offered to him. "what\'s up, then?" asked holmes with a twinkle in his e', 'he cigar which had been offered to him. "what\'s up, then?" asked holmes with a twinkle in his eye. "', 'gar which had been offered to him. "what\'s up, then?" asked holmes with a twinkle in his eye. "you l', 'hich had been offered to him. "what\'s up, then?" asked holmes with a twinkle in his eye. "you look d', 'had been offered to him. "what\'s up, then?" asked holmes with a twinkle in his eye. "you look dissat', 'een offered to him. "what\'s up, then?" asked holmes with a twinkle in his eye. "you look dissatisfie', 'ffered to him. "what\'s up, then?" asked holmes with a twinkle in his eye. "you look dissatisfied." "', 'd to him. "what\'s up, then?" asked holmes with a twinkle in his eye. "you look dissatisfied." "and i', 'him. "what\'s up, then?" asked holmes with a twinkle in his eye. "you look dissatisfied." "and i feel', '"what\'s up, then?" asked holmes with a twinkle in his eye. "you look dissatisfied." "and i feel diss', '\'s up, then?" asked holmes with a twinkle in his eye. "you look dissatisfied." "and i feel dissatisf', ', then?" asked holmes with a twinkle in his eye. "you look dissatisfied." "and i feel dissatisfied. ', 'n?" asked holmes with a twinkle in his eye. "you look dissatisfied." "and i feel dissatisfied. it is', 'sked holmes with a twinkle in his eye. "you look dissatisfied." "and i feel dissatisfied. it is this', 'holmes with a twinkle in his eye. "you look dissatisfied." "and i feel dissatisfied. it is this infe', 's with a twinkle in his eye. "you look dissatisfied." "and i feel dissatisfied. it is this infernal ', 'h a twinkle in his eye. "you look dissatisfied." "and i feel dissatisfied. it is this infernal st. s', 'winkle in his eye. "you look dissatisfied." "and i feel dissatisfied. it is this infernal st. simon ', 'e in his eye. "you look dissatisfied." "and i feel dissatisfied. it is this infernal st. simon marri', 'his eye. "you look dissatisfied." "and i feel dissatisfied. it is this infernal st. simon marriage c', 'ye. "you look dissatisfied." "and i feel dissatisfied. it is this infernal st. simon marriage case. ', 'you look dissatisfied." "and i feel dissatisfied. it is this infernal st. simon marriage case. i can', 'ook dissatisfied." "and i feel dissatisfied. it is this infernal st. simon marriage case. i can make', 'issatisfied." "and i feel dissatisfied. it is this infernal st. simon marriage case. i can make neit', 'isfied." "and i feel dissatisfied. it is this infernal st. simon marriage case. i can make neither h', 'd." "and i feel dissatisfied. it is this infernal st. simon marriage case. i can make neither head n', 'and i feel dissatisfied. it is this infernal st. simon marriage case. i can make neither head nor ta', ' feel dissatisfied. it is this infernal st. simon marriage case. i can make neither head nor tail of', ' dissatisfied. it is this infernal st. simon marriage case. i can make neither head nor tail of the ', 'atisfied. it is this infernal st. simon marriage case. i can make neither head nor tail of the busin', 'ied. it is this infernal st. simon marriage case. i can make neither head nor tail of the business."', 'it is this infernal st. simon marriage case. i can make neither head nor tail of the business." "rea', ' this infernal st. simon marriage case. i can make neither head nor tail of the business." "really! ', ' infernal st. simon marriage case. i can make neither head nor tail of the business." "really! you s', 'rnal st. simon marriage case. i can make neither head nor tail of the business." "really! you surpri', 'st. simon marriage case. i can make neither head nor tail of the business." "really! you surprise me', 'imon marriage case. i can make neither head nor tail of the business." "really! you surprise me." "w', 'marriage case. i can make neither head nor tail of the business." "really! you surprise me." "who ev', 'age case. i can make neither head nor tail of the business." "really! you surprise me." "who ever he', 'ase. i can make neither head nor tail of the business." "really! you surprise me." "who ever heard o', 'i can make neither head nor tail of the business." "really! you surprise me." "who ever heard of suc', ' make neither head nor tail of the business." "really! you surprise me." "who ever heard of such a m', ' neither head nor tail of the business." "really! you surprise me." "who ever heard of such a mixed ', 'her head nor tail of the business." "really! you surprise me." "who ever heard of such a mixed affai', 'ead nor tail of the business." "really! you surprise me." "who ever heard of such a mixed affair? ev', 'or tail of the business." "really! you surprise me." "who ever heard of such a mixed affair? every c', 'il of the business." "really! you surprise me." "who ever heard of such a mixed affair? every clue s', ' the business." "really! you surprise me." "who ever heard of such a mixed affair? every clue seems ', 'business." "really! you surprise me." "who ever heard of such a mixed affair? every clue seems to sl', 'ess." "really! you surprise me." "who ever heard of such a mixed affair? every clue seems to slip th', ' "really! you surprise me." "who ever heard of such a mixed affair? every clue seems to slip through', 'lly! you surprise me." "who ever heard of such a mixed affair? every clue seems to slip through my f', 'you surprise me." "who ever heard of such a mixed affair? every clue seems to slip through my finger', 'urprise me." "who ever heard of such a mixed affair? every clue seems to slip through my fingers. i ', 'se me." "who ever heard of such a mixed affair? every clue seems to slip through my fingers. i have ', '." "who ever heard of such a mixed affair? every clue seems to slip through my fingers. i have been ', 'ho ever heard of such a mixed affair? every clue seems to slip through my fingers. i have been at wo', 'er heard of such a mixed affair? every clue seems to slip through my fingers. i have been at work up', 'ard of such a mixed affair? every clue seems to slip through my fingers. i have been at work upon it', 'f such a mixed affair? every clue seems to slip through my fingers. i have been at work upon it all ', 'h a mixed affair? every clue seems to slip through my fingers. i have been at work upon it all day."', 'ixed affair? every clue seems to slip through my fingers. i have been at work upon it all day." "and', 'affair? every clue seems to slip through my fingers. i have been at work upon it all day." "and very', 'r? every clue seems to slip through my fingers. i have been at work upon it all day." "and very wet ', 'ery clue seems to slip through my fingers. i have been at work upon it all day." "and very wet it se', 'lue seems to slip through my fingers. i have been at work upon it all day." "and very wet it seems t', 'eems to slip through my fingers. i have been at work upon it all day." "and very wet it seems to hav', 'to slip through my fingers. i have been at work upon it all day." "and very wet it seems to have mad', 'ip through my fingers. i have been at work upon it all day." "and very wet it seems to have made you', 'rough my fingers. i have been at work upon it all day." "and very wet it seems to have made you," sa', ' my fingers. i have been at work upon it all day." "and very wet it seems to have made you," said ho', 'ingers. i have been at work upon it all day." "and very wet it seems to have made you," said holmes ', 's. i have been at work upon it all day." "and very wet it seems to have made you," said holmes layin', 'have been at work upon it all day." "and very wet it seems to have made you," said holmes laying his', 'been at work upon it all day." "and very wet it seems to have made you," said holmes laying his hand', 'at work upon it all day." "and very wet it seems to have made you," said holmes laying his hand upon', 'rk upon it all day." "and very wet it seems to have made you," said holmes laying his hand upon the ', 'on it all day." "and very wet it seems to have made you," said holmes laying his hand upon the arm o', ' all day." "and very wet it seems to have made you," said holmes laying his hand upon the arm of the', 'day." "and very wet it seems to have made you," said holmes laying his hand upon the arm of the pea-', ' "and very wet it seems to have made you," said holmes laying his hand upon the arm of the pea-jacke', ' very wet it seems to have made you," said holmes laying his hand upon the arm of the pea-jacket. "y', ' wet it seems to have made you," said holmes laying his hand upon the arm of the pea-jacket. "yes, i', 'it seems to have made you," said holmes laying his hand upon the arm of the pea-jacket. "yes, i have', 'ems to have made you," said holmes laying his hand upon the arm of the pea-jacket. "yes, i have been', 'o have made you," said holmes laying his hand upon the arm of the pea-jacket. "yes, i have been drag', 'e made you," said holmes laying his hand upon the arm of the pea-jacket. "yes, i have been dragging ', 'e you," said holmes laying his hand upon the arm of the pea-jacket. "yes, i have been dragging the s', '," said holmes laying his hand upon the arm of the pea-jacket. "yes, i have been dragging the serpen', 'id holmes laying his hand upon the arm of the pea-jacket. "yes, i have been dragging the serpentine.', 'lmes laying his hand upon the arm of the pea-jacket. "yes, i have been dragging the serpentine." "in', 'laying his hand upon the arm of the pea-jacket. "yes, i have been dragging the serpentine." "in heav', 'g his hand upon the arm of the pea-jacket. "yes, i have been dragging the serpentine." "in heaven\'s ', ' hand upon the arm of the pea-jacket. "yes, i have been dragging the serpentine." "in heaven\'s name,', ' upon the arm of the pea-jacket. "yes, i have been dragging the serpentine." "in heaven\'s name, what', ' the arm of the pea-jacket. "yes, i have been dragging the serpentine." "in heaven\'s name, what for?', 'arm of the pea-jacket. "yes, i have been dragging the serpentine." "in heaven\'s name, what for?" "in', 'f the pea-jacket. "yes, i have been dragging the serpentine." "in heaven\'s name, what for?" "in sear', ' pea-jacket. "yes, i have been dragging the serpentine." "in heaven\'s name, what for?" "in search of', 'jacket. "yes, i have been dragging the serpentine." "in heaven\'s name, what for?" "in search of the ', 't. "yes, i have been dragging the serpentine." "in heaven\'s name, what for?" "in search of the body ', 'es, i have been dragging the serpentine." "in heaven\'s name, what for?" "in search of the body of la', ' have been dragging the serpentine." "in heaven\'s name, what for?" "in search of the body of lady st', ' been dragging the serpentine." "in heaven\'s name, what for?" "in search of the body of lady st. sim', ' dragging the serpentine." "in heaven\'s name, what for?" "in search of the body of lady st. simon." ', 'ging the serpentine." "in heaven\'s name, what for?" "in search of the body of lady st. simon." sherl', 'the serpentine." "in heaven\'s name, what for?" "in search of the body of lady st. simon." sherlock h', 'erpentine." "in heaven\'s name, what for?" "in search of the body of lady st. simon." sherlock holmes', 'tine." "in heaven\'s name, what for?" "in search of the body of lady st. simon." sherlock holmes lean', '" "in heaven\'s name, what for?" "in search of the body of lady st. simon." sherlock holmes leaned ba', ' heaven\'s name, what for?" "in search of the body of lady st. simon." sherlock holmes leaned back in', 'en\'s name, what for?" "in search of the body of lady st. simon." sherlock holmes leaned back in his ', 'name, what for?" "in search of the body of lady st. simon." sherlock holmes leaned back in his chair', ' what for?" "in search of the body of lady st. simon." sherlock holmes leaned back in his chair and ', ' for?" "in search of the body of lady st. simon." sherlock holmes leaned back in his chair and laugh', '" "in search of the body of lady st. simon." sherlock holmes leaned back in his chair and laughed he', ' search of the body of lady st. simon." sherlock holmes leaned back in his chair and laughed heartil', 'ch of the body of lady st. simon." sherlock holmes leaned back in his chair and laughed heartily. "h', ' the body of lady st. simon." sherlock holmes leaned back in his chair and laughed heartily. "have y', 'body of lady st. simon." sherlock holmes leaned back in his chair and laughed heartily. "have you dr', 'of lady st. simon." sherlock holmes leaned back in his chair and laughed heartily. "have you dragged', 'dy st. simon." sherlock holmes leaned back in his chair and laughed heartily. "have you dragged the ', '. simon." sherlock holmes leaned back in his chair and laughed heartily. "have you dragged the basin', 'on." sherlock holmes leaned back in his chair and laughed heartily. "have you dragged the basin of t', 'sherlock holmes leaned back in his chair and laughed heartily. "have you dragged the basin of trafal', 'ock holmes leaned back in his chair and laughed heartily. "have you dragged the basin of trafalgar s', 'olmes leaned back in his chair and laughed heartily. "have you dragged the basin of trafalgar square', ' leaned back in his chair and laughed heartily. "have you dragged the basin of trafalgar square foun', 'ed back in his chair and laughed heartily. "have you dragged the basin of trafalgar square fountain?', 'ck in his chair and laughed heartily. "have you dragged the basin of trafalgar square fountain?" he ', ' his chair and laughed heartily. "have you dragged the basin of trafalgar square fountain?" he asked', 'chair and laughed heartily. "have you dragged the basin of trafalgar square fountain?" he asked. "wh', ' and laughed heartily. "have you dragged the basin of trafalgar square fountain?" he asked. "why? wh', 'laughed heartily. "have you dragged the basin of trafalgar square fountain?" he asked. "why? what do', 'ed heartily. "have you dragged the basin of trafalgar square fountain?" he asked. "why? what do you ', 'artily. "have you dragged the basin of trafalgar square fountain?" he asked. "why? what do you mean?', 'y. "have you dragged the basin of trafalgar square fountain?" he asked. "why? what do you mean?" "be', 'ave you dragged the basin of trafalgar square fountain?" he asked. "why? what do you mean?" "because', 'ou dragged the basin of trafalgar square fountain?" he asked. "why? what do you mean?" "because you ', 'agged the basin of trafalgar square fountain?" he asked. "why? what do you mean?" "because you have ', ' the basin of trafalgar square fountain?" he asked. "why? what do you mean?" "because you have just ', 'basin of trafalgar square fountain?" he asked. "why? what do you mean?" "because you have just as go', ' of trafalgar square fountain?" he asked. "why? what do you mean?" "because you have just as good a ', 'rafalgar square fountain?" he asked. "why? what do you mean?" "because you have just as good a chanc', 'gar square fountain?" he asked. "why? what do you mean?" "because you have just as good a chance of ', 'quare fountain?" he asked. "why? what do you mean?" "because you have just as good a chance of findi', ' fountain?" he asked. "why? what do you mean?" "because you have just as good a chance of finding th', 'tain?" he asked. "why? what do you mean?" "because you have just as good a chance of finding this la', '" he asked. "why? what do you mean?" "because you have just as good a chance of finding this lady in', 'asked. "why? what do you mean?" "because you have just as good a chance of finding this lady in the ', '. "why? what do you mean?" "because you have just as good a chance of finding this lady in the one a', 'y? what do you mean?" "because you have just as good a chance of finding this lady in the one as in ', 'at do you mean?" "because you have just as good a chance of finding this lady in the one as in the o', ' you mean?" "because you have just as good a chance of finding this lady in the one as in the other.', 'mean?" "because you have just as good a chance of finding this lady in the one as in the other." les', '" "because you have just as good a chance of finding this lady in the one as in the other." lestrade', 'cause you have just as good a chance of finding this lady in the one as in the other." lestrade shot', ' you have just as good a chance of finding this lady in the one as in the other." lestrade shot an a', 'have just as good a chance of finding this lady in the one as in the other." lestrade shot an angry ', 'just as good a chance of finding this lady in the one as in the other." lestrade shot an angry glanc', 'as good a chance of finding this lady in the one as in the other." lestrade shot an angry glance at ', 'od a chance of finding this lady in the one as in the other." lestrade shot an angry glance at my co', 'chance of finding this lady in the one as in the other." lestrade shot an angry glance at my compani', 'e of finding this lady in the one as in the other." lestrade shot an angry glance at my companion. "', 'finding this lady in the one as in the other." lestrade shot an angry glance at my companion. "i sup', 'ng this lady in the one as in the other." lestrade shot an angry glance at my companion. "i suppose ', 'is lady in the one as in the other." lestrade shot an angry glance at my companion. "i suppose you k', 'dy in the one as in the other." lestrade shot an angry glance at my companion. "i suppose you know a', ' the one as in the other." lestrade shot an angry glance at my companion. "i suppose you know all ab', 'one as in the other." lestrade shot an angry glance at my companion. "i suppose you know all about i', 's in the other." lestrade shot an angry glance at my companion. "i suppose you know all about it," h', 'the other." lestrade shot an angry glance at my companion. "i suppose you know all about it," he sna', 'ther." lestrade shot an angry glance at my companion. "i suppose you know all about it," he snarled.', '" lestrade shot an angry glance at my companion. "i suppose you know all about it," he snarled. "wel', 'trade shot an angry glance at my companion. "i suppose you know all about it," he snarled. "well, i ', ' shot an angry glance at my companion. "i suppose you know all about it," he snarled. "well, i have ', ' an angry glance at my companion. "i suppose you know all about it," he snarled. "well, i have only ', 'ngry glance at my companion. "i suppose you know all about it," he snarled. "well, i have only just ', 'glance at my companion. "i suppose you know all about it," he snarled. "well, i have only just heard', 'e at my companion. "i suppose you know all about it," he snarled. "well, i have only just heard the ', 'my companion. "i suppose you know all about it," he snarled. "well, i have only just heard the facts', 'mpanion. "i suppose you know all about it," he snarled. "well, i have only just heard the facts, but', 'on. "i suppose you know all about it," he snarled. "well, i have only just heard the facts, but my m', 'i suppose you know all about it," he snarled. "well, i have only just heard the facts, but my mind i', 'pose you know all about it," he snarled. "well, i have only just heard the facts, but my mind is mad', 'you know all about it," he snarled. "well, i have only just heard the facts, but my mind is made up.', 'now all about it," he snarled. "well, i have only just heard the facts, but my mind is made up." "oh', 'll about it," he snarled. "well, i have only just heard the facts, but my mind is made up." "oh, ind', 'out it," he snarled. "well, i have only just heard the facts, but my mind is made up." "oh, indeed! ', 't," he snarled. "well, i have only just heard the facts, but my mind is made up." "oh, indeed! then ', 'e snarled. "well, i have only just heard the facts, but my mind is made up." "oh, indeed! then you t', 'rled. "well, i have only just heard the facts, but my mind is made up." "oh, indeed! then you think ', ' "well, i have only just heard the facts, but my mind is made up." "oh, indeed! then you think that ', 'l, i have only just heard the facts, but my mind is made up." "oh, indeed! then you think that the s', 'have only just heard the facts, but my mind is made up." "oh, indeed! then you think that the serpen', 'only just heard the facts, but my mind is made up." "oh, indeed! then you think that the serpentine ', 'just heard the facts, but my mind is made up." "oh, indeed! then you think that the serpentine plays', 'heard the facts, but my mind is made up." "oh, indeed! then you think that the serpentine plays no p', ' the facts, but my mind is made up." "oh, indeed! then you think that the serpentine plays no part i', 'facts, but my mind is made up." "oh, indeed! then you think that the serpentine plays no part in the', ', but my mind is made up." "oh, indeed! then you think that the serpentine plays no part in the matt', ' my mind is made up." "oh, indeed! then you think that the serpentine plays no part in the matter?" ', 'ind is made up." "oh, indeed! then you think that the serpentine plays no part in the matter?" "i th', 's made up." "oh, indeed! then you think that the serpentine plays no part in the matter?" "i think i', 'e up." "oh, indeed! then you think that the serpentine plays no part in the matter?" "i think it ver', '" "oh, indeed! then you think that the serpentine plays no part in the matter?" "i think it very unl', ', indeed! then you think that the serpentine plays no part in the matter?" "i think it very unlikely', 'eed! then you think that the serpentine plays no part in the matter?" "i think it very unlikely." "t', 'then you think that the serpentine plays no part in the matter?" "i think it very unlikely." "then p', 'you think that the serpentine plays no part in the matter?" "i think it very unlikely." "then perhap', 'hink that the serpentine plays no part in the matter?" "i think it very unlikely." "then perhaps you', 'that the serpentine plays no part in the matter?" "i think it very unlikely." "then perhaps you will', 'the serpentine plays no part in the matter?" "i think it very unlikely." "then perhaps you will kind', 'erpentine plays no part in the matter?" "i think it very unlikely." "then perhaps you will kindly ex', 'tine plays no part in the matter?" "i think it very unlikely." "then perhaps you will kindly explain', 'plays no part in the matter?" "i think it very unlikely." "then perhaps you will kindly explain how ', ' no part in the matter?" "i think it very unlikely." "then perhaps you will kindly explain how it is', 'art in the matter?" "i think it very unlikely." "then perhaps you will kindly explain how it is that', 'n the matter?" "i think it very unlikely." "then perhaps you will kindly explain how it is that we f', ' matter?" "i think it very unlikely." "then perhaps you will kindly explain how it is that we found ', 'er?" "i think it very unlikely." "then perhaps you will kindly explain how it is that we found this ', '"i think it very unlikely." "then perhaps you will kindly explain how it is that we found this in it', 'ink it very unlikely." "then perhaps you will kindly explain how it is that we found this in it?" he', 't very unlikely." "then perhaps you will kindly explain how it is that we found this in it?" he open', 'y unlikely." "then perhaps you will kindly explain how it is that we found this in it?" he opened hi', 'ikely." "then perhaps you will kindly explain how it is that we found this in it?" he opened his bag', '." "then perhaps you will kindly explain how it is that we found this in it?" he opened his bag as h', 'hen perhaps you will kindly explain how it is that we found this in it?" he opened his bag as he spo', 'erhaps you will kindly explain how it is that we found this in it?" he opened his bag as he spoke, a', 's you will kindly explain how it is that we found this in it?" he opened his bag as he spoke, and tu', ' will kindly explain how it is that we found this in it?" he opened his bag as he spoke, and tumbled', ' kindly explain how it is that we found this in it?" he opened his bag as he spoke, and tumbled onto', 'ly explain how it is that we found this in it?" he opened his bag as he spoke, and tumbled onto the ', 'plain how it is that we found this in it?" he opened his bag as he spoke, and tumbled onto the floor', ' how it is that we found this in it?" he opened his bag as he spoke, and tumbled onto the floor a we', 'it is that we found this in it?" he opened his bag as he spoke, and tumbled onto the floor a wedding', ' that we found this in it?" he opened his bag as he spoke, and tumbled onto the floor a wedding-dres', ' we found this in it?" he opened his bag as he spoke, and tumbled onto the floor a wedding-dress of ', 'ound this in it?" he opened his bag as he spoke, and tumbled onto the floor a wedding-dress of water', 'this in it?" he opened his bag as he spoke, and tumbled onto the floor a wedding-dress of watered si', 'in it?" he opened his bag as he spoke, and tumbled onto the floor a wedding-dress of watered silk, a', '?" he opened his bag as he spoke, and tumbled onto the floor a wedding-dress of watered silk, a pair', ' opened his bag as he spoke, and tumbled onto the floor a wedding-dress of watered silk, a pair of w', 'ed his bag as he spoke, and tumbled onto the floor a wedding-dress of watered silk, a pair of white ', 's bag as he spoke, and tumbled onto the floor a wedding-dress of watered silk, a pair of white satin', ' as he spoke, and tumbled onto the floor a wedding-dress of watered silk, a pair of white satin shoe', 'e spoke, and tumbled onto the floor a wedding-dress of watered silk, a pair of white satin shoes and', 'ke, and tumbled onto the floor a wedding-dress of watered silk, a pair of white satin shoes and a br', "nd tumbled onto the floor a wedding-dress of watered silk, a pair of white satin shoes and a bride's", "mbled onto the floor a wedding-dress of watered silk, a pair of white satin shoes and a bride's wrea", " onto the floor a wedding-dress of watered silk, a pair of white satin shoes and a bride's wreath an", " the floor a wedding-dress of watered silk, a pair of white satin shoes and a bride's wreath and vei", "floor a wedding-dress of watered silk, a pair of white satin shoes and a bride's wreath and veil, al", " a wedding-dress of watered silk, a pair of white satin shoes and a bride's wreath and veil, all dis", "dding-dress of watered silk, a pair of white satin shoes and a bride's wreath and veil, all discolou", "-dress of watered silk, a pair of white satin shoes and a bride's wreath and veil, all discoloured a", "s of watered silk, a pair of white satin shoes and a bride's wreath and veil, all discoloured and so", "watered silk, a pair of white satin shoes and a bride's wreath and veil, all discoloured and soaked ", "ed silk, a pair of white satin shoes and a bride's wreath and veil, all discoloured and soaked in wa", "lk, a pair of white satin shoes and a bride's wreath and veil, all discoloured and soaked in water. ", ' pair of white satin shoes and a bride\'s wreath and veil, all discoloured and soaked in water. "ther', ' of white satin shoes and a bride\'s wreath and veil, all discoloured and soaked in water. "there," s', 'hite satin shoes and a bride\'s wreath and veil, all discoloured and soaked in water. "there," said h', 'satin shoes and a bride\'s wreath and veil, all discoloured and soaked in water. "there," said he, pu', ' shoes and a bride\'s wreath and veil, all discoloured and soaked in water. "there," said he, putting', 's and a bride\'s wreath and veil, all discoloured and soaked in water. "there," said he, putting a ne', ' a bride\'s wreath and veil, all discoloured and soaked in water. "there," said he, putting a new wed', 'ide\'s wreath and veil, all discoloured and soaked in water. "there," said he, putting a new wedding-', ' wreath and veil, all discoloured and soaked in water. "there," said he, putting a new wedding-ring ', 'th and veil, all discoloured and soaked in water. "there," said he, putting a new wedding-ring upon ', 'd veil, all discoloured and soaked in water. "there," said he, putting a new wedding-ring upon the t', 'l, all discoloured and soaked in water. "there," said he, putting a new wedding-ring upon the top of', 'l discoloured and soaked in water. "there," said he, putting a new wedding-ring upon the top of the ', 'coloured and soaked in water. "there," said he, putting a new wedding-ring upon the top of the pile.', 'red and soaked in water. "there," said he, putting a new wedding-ring upon the top of the pile. "the', 'nd soaked in water. "there," said he, putting a new wedding-ring upon the top of the pile. "there is', 'aked in water. "there," said he, putting a new wedding-ring upon the top of the pile. "there is a li', 'in water. "there," said he, putting a new wedding-ring upon the top of the pile. "there is a little ', 'ter. "there," said he, putting a new wedding-ring upon the top of the pile. "there is a little nut f', '"there," said he, putting a new wedding-ring upon the top of the pile. "there is a little nut for yo', 'e," said he, putting a new wedding-ring upon the top of the pile. "there is a little nut for you to ', 'aid he, putting a new wedding-ring upon the top of the pile. "there is a little nut for you to crack', 'e, putting a new wedding-ring upon the top of the pile. "there is a little nut for you to crack, mas', 'tting a new wedding-ring upon the top of the pile. "there is a little nut for you to crack, master h', ' a new wedding-ring upon the top of the pile. "there is a little nut for you to crack, master holmes', 'w wedding-ring upon the top of the pile. "there is a little nut for you to crack, master holmes." "o', 'ding-ring upon the top of the pile. "there is a little nut for you to crack, master holmes." "oh, in', 'ring upon the top of the pile. "there is a little nut for you to crack, master holmes." "oh, indeed ', 'upon the top of the pile. "there is a little nut for you to crack, master holmes." "oh, indeed said ', 'the top of the pile. "there is a little nut for you to crack, master holmes." "oh, indeed said my fr', 'op of the pile. "there is a little nut for you to crack, master holmes." "oh, indeed said my friend,', ' the pile. "there is a little nut for you to crack, master holmes." "oh, indeed said my friend, blow', 'pile. "there is a little nut for you to crack, master holmes." "oh, indeed said my friend, blowing b', ' "there is a little nut for you to crack, master holmes." "oh, indeed said my friend, blowing blue r', 're is a little nut for you to crack, master holmes." "oh, indeed said my friend, blowing blue rings ', ' a little nut for you to crack, master holmes." "oh, indeed said my friend, blowing blue rings into ', 'ttle nut for you to crack, master holmes." "oh, indeed said my friend, blowing blue rings into the a', 'nut for you to crack, master holmes." "oh, indeed said my friend, blowing blue rings into the air. "', 'or you to crack, master holmes." "oh, indeed said my friend, blowing blue rings into the air. "you d', 'u to crack, master holmes." "oh, indeed said my friend, blowing blue rings into the air. "you dragge', 'crack, master holmes." "oh, indeed said my friend, blowing blue rings into the air. "you dragged the', ', master holmes." "oh, indeed said my friend, blowing blue rings into the air. "you dragged them fro', 'ter holmes." "oh, indeed said my friend, blowing blue rings into the air. "you dragged them from the', 'olmes." "oh, indeed said my friend, blowing blue rings into the air. "you dragged them from the serp', '." "oh, indeed said my friend, blowing blue rings into the air. "you dragged them from the serpentin', 'h, indeed said my friend, blowing blue rings into the air. "you dragged them from the serpentine?" "', 'deed said my friend, blowing blue rings into the air. "you dragged them from the serpentine?" "no. t', 'said my friend, blowing blue rings into the air. "you dragged them from the serpentine?" "no. they w', 'my friend, blowing blue rings into the air. "you dragged them from the serpentine?" "no. they were f', 'iend, blowing blue rings into the air. "you dragged them from the serpentine?" "no. they were found ', ' blowing blue rings into the air. "you dragged them from the serpentine?" "no. they were found float', 'ing blue rings into the air. "you dragged them from the serpentine?" "no. they were found floating n', 'lue rings into the air. "you dragged them from the serpentine?" "no. they were found floating near t', 'ings into the air. "you dragged them from the serpentine?" "no. they were found floating near the ma', 'into the air. "you dragged them from the serpentine?" "no. they were found floating near the margin ', 'the air. "you dragged them from the serpentine?" "no. they were found floating near the margin by a ', 'ir. "you dragged them from the serpentine?" "no. they were found floating near the margin by a park-', 'you dragged them from the serpentine?" "no. they were found floating near the margin by a park-keepe', 'ragged them from the serpentine?" "no. they were found floating near the margin by a park-keeper. th', 'd them from the serpentine?" "no. they were found floating near the margin by a park-keeper. they ha', 'm from the serpentine?" "no. they were found floating near the margin by a park-keeper. they have be', 'm the serpentine?" "no. they were found floating near the margin by a park-keeper. they have been id', ' serpentine?" "no. they were found floating near the margin by a park-keeper. they have been identif', 'entine?" "no. they were found floating near the margin by a park-keeper. they have been identified a', 'e?" "no. they were found floating near the margin by a park-keeper. they have been identified as her', 'no. they were found floating near the margin by a park-keeper. they have been identified as her clot', 'hey were found floating near the margin by a park-keeper. they have been identified as her clothes, ', 'ere found floating near the margin by a park-keeper. they have been identified as her clothes, and i', 'ound floating near the margin by a park-keeper. they have been identified as her clothes, and it see', 'floating near the margin by a park-keeper. they have been identified as her clothes, and it seemed t', 'ing near the margin by a park-keeper. they have been identified as her clothes, and it seemed to me ', 'ear the margin by a park-keeper. they have been identified as her clothes, and it seemed to me that ', 'he margin by a park-keeper. they have been identified as her clothes, and it seemed to me that if th', 'rgin by a park-keeper. they have been identified as her clothes, and it seemed to me that if the clo', 'by a park-keeper. they have been identified as her clothes, and it seemed to me that if the clothes ', 'park-keeper. they have been identified as her clothes, and it seemed to me that if the clothes were ', 'keeper. they have been identified as her clothes, and it seemed to me that if the clothes were there', 'r. they have been identified as her clothes, and it seemed to me that if the clothes were there the ', 'ey have been identified as her clothes, and it seemed to me that if the clothes were there the body ', 've been identified as her clothes, and it seemed to me that if the clothes were there the body would', 'en identified as her clothes, and it seemed to me that if the clothes were there the body would not ', 'entified as her clothes, and it seemed to me that if the clothes were there the body would not be fa', 'ied as her clothes, and it seemed to me that if the clothes were there the body would not be far off', 's her clothes, and it seemed to me that if the clothes were there the body would not be far off." "b', ' clothes, and it seemed to me that if the clothes were there the body would not be far off." "by the', 'hes, and it seemed to me that if the clothes were there the body would not be far off." "by the same', 'and it seemed to me that if the clothes were there the body would not be far off." "by the same bril', 't seemed to me that if the clothes were there the body would not be far off." "by the same brilliant', 'med to me that if the clothes were there the body would not be far off." "by the same brilliant reas', 'o me that if the clothes were there the body would not be far off." "by the same brilliant reasoning', 'that if the clothes were there the body would not be far off." "by the same brilliant reasoning, eve', 'if the clothes were there the body would not be far off." "by the same brilliant reasoning, every ma', 'e clothes were there the body would not be far off." "by the same brilliant reasoning, every man\'s b', 'thes were there the body would not be far off." "by the same brilliant reasoning, every man\'s body i', 'were there the body would not be far off." "by the same brilliant reasoning, every man\'s body is to ', 'there the body would not be far off." "by the same brilliant reasoning, every man\'s body is to be fo', ' the body would not be far off." "by the same brilliant reasoning, every man\'s body is to be found i', 'body would not be far off." "by the same brilliant reasoning, every man\'s body is to be found in the', 'would not be far off." "by the same brilliant reasoning, every man\'s body is to be found in the neig', ' not be far off." "by the same brilliant reasoning, every man\'s body is to be found in the neighbour', 'be far off." "by the same brilliant reasoning, every man\'s body is to be found in the neighbourhood ', 'r off." "by the same brilliant reasoning, every man\'s body is to be found in the neighbourhood of hi', '." "by the same brilliant reasoning, every man\'s body is to be found in the neighbourhood of his war', "y the same brilliant reasoning, every man's body is to be found in the neighbourhood of his wardrobe", " same brilliant reasoning, every man's body is to be found in the neighbourhood of his wardrobe. and", " brilliant reasoning, every man's body is to be found in the neighbourhood of his wardrobe. and pray", "liant reasoning, every man's body is to be found in the neighbourhood of his wardrobe. and pray what", " reasoning, every man's body is to be found in the neighbourhood of his wardrobe. and pray what did ", "oning, every man's body is to be found in the neighbourhood of his wardrobe. and pray what did you h", ", every man's body is to be found in the neighbourhood of his wardrobe. and pray what did you hope t", "ry man's body is to be found in the neighbourhood of his wardrobe. and pray what did you hope to arr", "n's body is to be found in the neighbourhood of his wardrobe. and pray what did you hope to arrive a", 'ody is to be found in the neighbourhood of his wardrobe. and pray what did you hope to arrive at thr', 's to be found in the neighbourhood of his wardrobe. and pray what did you hope to arrive at through ', 'be found in the neighbourhood of his wardrobe. and pray what did you hope to arrive at through this?', 'und in the neighbourhood of his wardrobe. and pray what did you hope to arrive at through this?" "at', 'n the neighbourhood of his wardrobe. and pray what did you hope to arrive at through this?" "at some', ' neighbourhood of his wardrobe. and pray what did you hope to arrive at through this?" "at some evid', 'hbourhood of his wardrobe. and pray what did you hope to arrive at through this?" "at some evidence ', 'hood of his wardrobe. and pray what did you hope to arrive at through this?" "at some evidence impli', 'of his wardrobe. and pray what did you hope to arrive at through this?" "at some evidence implicatin', 's wardrobe. and pray what did you hope to arrive at through this?" "at some evidence implicating flo', 'drobe. and pray what did you hope to arrive at through this?" "at some evidence implicating flora mi', '. and pray what did you hope to arrive at through this?" "at some evidence implicating flora millar ', ' pray what did you hope to arrive at through this?" "at some evidence implicating flora millar in th', ' what did you hope to arrive at through this?" "at some evidence implicating flora millar in the dis', ' did you hope to arrive at through this?" "at some evidence implicating flora millar in the disappea', 'you hope to arrive at through this?" "at some evidence implicating flora millar in the disappearance', 'ope to arrive at through this?" "at some evidence implicating flora millar in the disappearance." "i', 'o arrive at through this?" "at some evidence implicating flora millar in the disappearance." "i am a', 'ive at through this?" "at some evidence implicating flora millar in the disappearance." "i am afraid', 't through this?" "at some evidence implicating flora millar in the disappearance." "i am afraid that', 'ough this?" "at some evidence implicating flora millar in the disappearance." "i am afraid that you ', 'this?" "at some evidence implicating flora millar in the disappearance." "i am afraid that you will ', '" "at some evidence implicating flora millar in the disappearance." "i am afraid that you will find ', ' some evidence implicating flora millar in the disappearance." "i am afraid that you will find it di', ' evidence implicating flora millar in the disappearance." "i am afraid that you will find it difficu', 'ence implicating flora millar in the disappearance." "i am afraid that you will find it difficult." ', 'implicating flora millar in the disappearance." "i am afraid that you will find it difficult." "are ', 'cating flora millar in the disappearance." "i am afraid that you will find it difficult." "are you, ', 'g flora millar in the disappearance." "i am afraid that you will find it difficult." "are you, indee', 'ra millar in the disappearance." "i am afraid that you will find it difficult." "are you, indeed, no', 'llar in the disappearance." "i am afraid that you will find it difficult." "are you, indeed, now?" c', 'in the disappearance." "i am afraid that you will find it difficult." "are you, indeed, now?" cried ', 'e disappearance." "i am afraid that you will find it difficult." "are you, indeed, now?" cried lestr', 'appearance." "i am afraid that you will find it difficult." "are you, indeed, now?" cried lestrade w', 'rance." "i am afraid that you will find it difficult." "are you, indeed, now?" cried lestrade with s', '." "i am afraid that you will find it difficult." "are you, indeed, now?" cried lestrade with some b', ' am afraid that you will find it difficult." "are you, indeed, now?" cried lestrade with some bitter', 'fraid that you will find it difficult." "are you, indeed, now?" cried lestrade with some bitterness.', ' that you will find it difficult." "are you, indeed, now?" cried lestrade with some bitterness. "i a', ' you will find it difficult." "are you, indeed, now?" cried lestrade with some bitterness. "i am afr', 'will find it difficult." "are you, indeed, now?" cried lestrade with some bitterness. "i am afraid, ', 'find it difficult." "are you, indeed, now?" cried lestrade with some bitterness. "i am afraid, holme', 'it difficult." "are you, indeed, now?" cried lestrade with some bitterness. "i am afraid, holmes, th', 'fficult." "are you, indeed, now?" cried lestrade with some bitterness. "i am afraid, holmes, that yo', 'lt." "are you, indeed, now?" cried lestrade with some bitterness. "i am afraid, holmes, that you are', '"are you, indeed, now?" cried lestrade with some bitterness. "i am afraid, holmes, that you are not ', 'you, indeed, now?" cried lestrade with some bitterness. "i am afraid, holmes, that you are not very ', 'indeed, now?" cried lestrade with some bitterness. "i am afraid, holmes, that you are not very pract', 'd, now?" cried lestrade with some bitterness. "i am afraid, holmes, that you are not very practical ', 'w?" cried lestrade with some bitterness. "i am afraid, holmes, that you are not very practical with ', 'ried lestrade with some bitterness. "i am afraid, holmes, that you are not very practical with your ', 'lestrade with some bitterness. "i am afraid, holmes, that you are not very practical with your deduc', 'ade with some bitterness. "i am afraid, holmes, that you are not very practical with your deductions', 'ith some bitterness. "i am afraid, holmes, that you are not very practical with your deductions and ', 'ome bitterness. "i am afraid, holmes, that you are not very practical with your deductions and your ', 'itterness. "i am afraid, holmes, that you are not very practical with your deductions and your infer', 'ness. "i am afraid, holmes, that you are not very practical with your deductions and your inferences', ' "i am afraid, holmes, that you are not very practical with your deductions and your inferences. you', 'm afraid, holmes, that you are not very practical with your deductions and your inferences. you have', 'aid, holmes, that you are not very practical with your deductions and your inferences. you have made', 'holmes, that you are not very practical with your deductions and your inferences. you have made two ', 's, that you are not very practical with your deductions and your inferences. you have made two blund', 'at you are not very practical with your deductions and your inferences. you have made two blunders i', 'u are not very practical with your deductions and your inferences. you have made two blunders in as ', ' not very practical with your deductions and your inferences. you have made two blunders in as many ', 'very practical with your deductions and your inferences. you have made two blunders in as many minut', 'practical with your deductions and your inferences. you have made two blunders in as many minutes. t', 'ical with your deductions and your inferences. you have made two blunders in as many minutes. this d', 'with your deductions and your inferences. you have made two blunders in as many minutes. this dress ', 'your deductions and your inferences. you have made two blunders in as many minutes. this dress does ', 'deductions and your inferences. you have made two blunders in as many minutes. this dress does impli', 'tions and your inferences. you have made two blunders in as many minutes. this dress does implicate ', ' and your inferences. you have made two blunders in as many minutes. this dress does implicate miss ', 'your inferences. you have made two blunders in as many minutes. this dress does implicate miss flora', 'inferences. you have made two blunders in as many minutes. this dress does implicate miss flora mill', 'ences. you have made two blunders in as many minutes. this dress does implicate miss flora millar." ', '. you have made two blunders in as many minutes. this dress does implicate miss flora millar." "and ', ' have made two blunders in as many minutes. this dress does implicate miss flora millar." "and how?"', ' made two blunders in as many minutes. this dress does implicate miss flora millar." "and how?" "in ', ' two blunders in as many minutes. this dress does implicate miss flora millar." "and how?" "in the d', 'blunders in as many minutes. this dress does implicate miss flora millar." "and how?" "in the dress ', 'ers in as many minutes. this dress does implicate miss flora millar." "and how?" "in the dress is a ', 'n as many minutes. this dress does implicate miss flora millar." "and how?" "in the dress is a pocke', 'many minutes. this dress does implicate miss flora millar." "and how?" "in the dress is a pocket. in', 'minutes. this dress does implicate miss flora millar." "and how?" "in the dress is a pocket. in the ', 'es. this dress does implicate miss flora millar." "and how?" "in the dress is a pocket. in the pocke', 'his dress does implicate miss flora millar." "and how?" "in the dress is a pocket. in the pocket is ', 'ress does implicate miss flora millar." "and how?" "in the dress is a pocket. in the pocket is a car', 'does implicate miss flora millar." "and how?" "in the dress is a pocket. in the pocket is a card-cas', 'implicate miss flora millar." "and how?" "in the dress is a pocket. in the pocket is a card-case. in', 'cate miss flora millar." "and how?" "in the dress is a pocket. in the pocket is a card-case. in the ', 'miss flora millar." "and how?" "in the dress is a pocket. in the pocket is a card-case. in the card-', 'flora millar." "and how?" "in the dress is a pocket. in the pocket is a card-case. in the card-case ', ' millar." "and how?" "in the dress is a pocket. in the pocket is a card-case. in the card-case is a ', 'ar." "and how?" "in the dress is a pocket. in the pocket is a card-case. in the card-case is a note.', '"and how?" "in the dress is a pocket. in the pocket is a card-case. in the card-case is a note. and ', 'how?" "in the dress is a pocket. in the pocket is a card-case. in the card-case is a note. and here ', ' "in the dress is a pocket. in the pocket is a card-case. in the card-case is a note. and here is th', 'the dress is a pocket. in the pocket is a card-case. in the card-case is a note. and here is the ver', 'ress is a pocket. in the pocket is a card-case. in the card-case is a note. and here is the very not', 'is a pocket. in the pocket is a card-case. in the card-case is a note. and here is the very note." h', 'pocket. in the pocket is a card-case. in the card-case is a note. and here is the very note." he sla', 't. in the pocket is a card-case. in the card-case is a note. and here is the very note." he slapped ', ' the pocket is a card-case. in the card-case is a note. and here is the very note." he slapped it do', 'pocket is a card-case. in the card-case is a note. and here is the very note." he slapped it down up', 't is a card-case. in the card-case is a note. and here is the very note." he slapped it down upon th', 'a card-case. in the card-case is a note. and here is the very note." he slapped it down upon the tab', 'd-case. in the card-case is a note. and here is the very note." he slapped it down upon the table in', 'e. in the card-case is a note. and here is the very note." he slapped it down upon the table in fron', ' the card-case is a note. and here is the very note." he slapped it down upon the table in front of ', 'card-case is a note. and here is the very note." he slapped it down upon the table in front of him. ', 'case is a note. and here is the very note." he slapped it down upon the table in front of him. "list', 'is a note. and here is the very note." he slapped it down upon the table in front of him. "listen to', 'note. and here is the very note." he slapped it down upon the table in front of him. "listen to this', ' and here is the very note." he slapped it down upon the table in front of him. "listen to this: \'yo', 'here is the very note." he slapped it down upon the table in front of him. "listen to this: \'you wil', 'is the very note." he slapped it down upon the table in front of him. "listen to this: \'you will see', 'e very note." he slapped it down upon the table in front of him. "listen to this: \'you will see me w', 'y note." he slapped it down upon the table in front of him. "listen to this: \'you will see me when a', 'e." he slapped it down upon the table in front of him. "listen to this: \'you will see me when all is', 'e slapped it down upon the table in front of him. "listen to this: \'you will see me when all is read', 'pped it down upon the table in front of him. "listen to this: \'you will see me when all is ready. co', 'it down upon the table in front of him. "listen to this: \'you will see me when all is ready. come at', 'wn upon the table in front of him. "listen to this: \'you will see me when all is ready. come at once', 'on the table in front of him. "listen to this: \'you will see me when all is ready. come at once. f.h', 'e table in front of him. "listen to this: \'you will see me when all is ready. come at once. f.h.m.\' ', 'le in front of him. "listen to this: \'you will see me when all is ready. come at once. f.h.m.\' now m', ' front of him. "listen to this: \'you will see me when all is ready. come at once. f.h.m.\' now my the', 't of him. "listen to this: \'you will see me when all is ready. come at once. f.h.m.\' now my theory a', 'him. "listen to this: \'you will see me when all is ready. come at once. f.h.m.\' now my theory all al', '"listen to this: \'you will see me when all is ready. come at once. f.h.m.\' now my theory all along h', "en to this: 'you will see me when all is ready. come at once. f.h.m.' now my theory all along has be", " this: 'you will see me when all is ready. come at once. f.h.m.' now my theory all along has been th", ": 'you will see me when all is ready. come at once. f.h.m.' now my theory all along has been that la", "u will see me when all is ready. come at once. f.h.m.' now my theory all along has been that lady st", "l see me when all is ready. come at once. f.h.m.' now my theory all along has been that lady st. sim", " me when all is ready. come at once. f.h.m.' now my theory all along has been that lady st. simon wa", "hen all is ready. come at once. f.h.m.' now my theory all along has been that lady st. simon was dec", "ll is ready. come at once. f.h.m.' now my theory all along has been that lady st. simon was decoyed ", " ready. come at once. f.h.m.' now my theory all along has been that lady st. simon was decoyed away ", "y. come at once. f.h.m.' now my theory all along has been that lady st. simon was decoyed away by fl", "me at once. f.h.m.' now my theory all along has been that lady st. simon was decoyed away by flora m", " once. f.h.m.' now my theory all along has been that lady st. simon was decoyed away by flora millar", ". f.h.m.' now my theory all along has been that lady st. simon was decoyed away by flora millar, and", ".m.' now my theory all along has been that lady st. simon was decoyed away by flora millar, and that", 'now my theory all along has been that lady st. simon was decoyed away by flora millar, and that she,', 'y theory all along has been that lady st. simon was decoyed away by flora millar, and that she, with', 'ory all along has been that lady st. simon was decoyed away by flora millar, and that she, with conf', 'll along has been that lady st. simon was decoyed away by flora millar, and that she, with confedera', 'ong has been that lady st. simon was decoyed away by flora millar, and that she, with confederates, ', 'as been that lady st. simon was decoyed away by flora millar, and that she, with confederates, no do', 'en that lady st. simon was decoyed away by flora millar, and that she, with confederates, no doubt, ', 'at lady st. simon was decoyed away by flora millar, and that she, with confederates, no doubt, was r', 'dy st. simon was decoyed away by flora millar, and that she, with confederates, no doubt, was respon', '. simon was decoyed away by flora millar, and that she, with confederates, no doubt, was responsible', 'on was decoyed away by flora millar, and that she, with confederates, no doubt, was responsible for ', 's decoyed away by flora millar, and that she, with confederates, no doubt, was responsible for her d', 'oyed away by flora millar, and that she, with confederates, no doubt, was responsible for her disapp', 'away by flora millar, and that she, with confederates, no doubt, was responsible for her disappearan', 'by flora millar, and that she, with confederates, no doubt, was responsible for her disappearance. h', 'ora millar, and that she, with confederates, no doubt, was responsible for her disappearance. here, ', 'illar, and that she, with confederates, no doubt, was responsible for her disappearance. here, signe', ', and that she, with confederates, no doubt, was responsible for her disappearance. here, signed wit', ' that she, with confederates, no doubt, was responsible for her disappearance. here, signed with her', ' she, with confederates, no doubt, was responsible for her disappearance. here, signed with her init', ' with confederates, no doubt, was responsible for her disappearance. here, signed with her initials,', ' confederates, no doubt, was responsible for her disappearance. here, signed with her initials, is t', 'ederates, no doubt, was responsible for her disappearance. here, signed with her initials, is the ve', 'tes, no doubt, was responsible for her disappearance. here, signed with her initials, is the very no', 'no doubt, was responsible for her disappearance. here, signed with her initials, is the very note wh', 'ubt, was responsible for her disappearance. here, signed with her initials, is the very note which w', 'was responsible for her disappearance. here, signed with her initials, is the very note which was no', 'esponsible for her disappearance. here, signed with her initials, is the very note which was no doub', 'sible for her disappearance. here, signed with her initials, is the very note which was no doubt qui', ' for her disappearance. here, signed with her initials, is the very note which was no doubt quietly ', 'her disappearance. here, signed with her initials, is the very note which was no doubt quietly slipp', 'isappearance. here, signed with her initials, is the very note which was no doubt quietly slipped in', 'earance. here, signed with her initials, is the very note which was no doubt quietly slipped into he', 'ce. here, signed with her initials, is the very note which was no doubt quietly slipped into her han', 'ere, signed with her initials, is the very note which was no doubt quietly slipped into her hand at ', 'signed with her initials, is the very note which was no doubt quietly slipped into her hand at the d', 'd with her initials, is the very note which was no doubt quietly slipped into her hand at the door a', 'h her initials, is the very note which was no doubt quietly slipped into her hand at the door and wh', ' initials, is the very note which was no doubt quietly slipped into her hand at the door and which l', 'ials, is the very note which was no doubt quietly slipped into her hand at the door and which lured ', ' is the very note which was no doubt quietly slipped into her hand at the door and which lured her w', 'he very note which was no doubt quietly slipped into her hand at the door and which lured her within', 'ry note which was no doubt quietly slipped into her hand at the door and which lured her within thei', 'te which was no doubt quietly slipped into her hand at the door and which lured her within their rea', 'ich was no doubt quietly slipped into her hand at the door and which lured her within their reach." ', 'as no doubt quietly slipped into her hand at the door and which lured her within their reach." "very', ' doubt quietly slipped into her hand at the door and which lured her within their reach." "very good', 't quietly slipped into her hand at the door and which lured her within their reach." "very good, les', 'etly slipped into her hand at the door and which lured her within their reach." "very good, lestrade', 'slipped into her hand at the door and which lured her within their reach." "very good, lestrade," sa', 'ed into her hand at the door and which lured her within their reach." "very good, lestrade," said ho', 'to her hand at the door and which lured her within their reach." "very good, lestrade," said holmes,', 'r hand at the door and which lured her within their reach." "very good, lestrade," said holmes, laug', 'd at the door and which lured her within their reach." "very good, lestrade," said holmes, laughing.', 'the door and which lured her within their reach." "very good, lestrade," said holmes, laughing. "you', 'oor and which lured her within their reach." "very good, lestrade," said holmes, laughing. "you real', 'nd which lured her within their reach." "very good, lestrade," said holmes, laughing. "you really ar', 'ich lured her within their reach." "very good, lestrade," said holmes, laughing. "you really are ver', 'ured her within their reach." "very good, lestrade," said holmes, laughing. "you really are very fin', 'her within their reach." "very good, lestrade," said holmes, laughing. "you really are very fine ind', 'ithin their reach." "very good, lestrade," said holmes, laughing. "you really are very fine indeed. ', ' their reach." "very good, lestrade," said holmes, laughing. "you really are very fine indeed. let m', 'r reach." "very good, lestrade," said holmes, laughing. "you really are very fine indeed. let me see', 'ch." "very good, lestrade," said holmes, laughing. "you really are very fine indeed. let me see it."', '"very good, lestrade," said holmes, laughing. "you really are very fine indeed. let me see it." he t', ' good, lestrade," said holmes, laughing. "you really are very fine indeed. let me see it." he took u', ', lestrade," said holmes, laughing. "you really are very fine indeed. let me see it." he took up the', 'trade," said holmes, laughing. "you really are very fine indeed. let me see it." he took up the pape', '," said holmes, laughing. "you really are very fine indeed. let me see it." he took up the paper in ', 'id holmes, laughing. "you really are very fine indeed. let me see it." he took up the paper in a lis', 'lmes, laughing. "you really are very fine indeed. let me see it." he took up the paper in a listless', ' laughing. "you really are very fine indeed. let me see it." he took up the paper in a listless way,', 'hing. "you really are very fine indeed. let me see it." he took up the paper in a listless way, but ', ' "you really are very fine indeed. let me see it." he took up the paper in a listless way, but his a', ' really are very fine indeed. let me see it." he took up the paper in a listless way, but his attent', 'ly are very fine indeed. let me see it." he took up the paper in a listless way, but his attention i', 'e very fine indeed. let me see it." he took up the paper in a listless way, but his attention instan', 'y fine indeed. let me see it." he took up the paper in a listless way, but his attention instantly b', 'e indeed. let me see it." he took up the paper in a listless way, but his attention instantly became', 'eed. let me see it." he took up the paper in a listless way, but his attention instantly became rive', 'let me see it." he took up the paper in a listless way, but his attention instantly became riveted, ', 'e see it." he took up the paper in a listless way, but his attention instantly became riveted, and h', ' it." he took up the paper in a listless way, but his attention instantly became riveted, and he gav', ' he took up the paper in a listless way, but his attention instantly became riveted, and he gave a l', 'ook up the paper in a listless way, but his attention instantly became riveted, and he gave a little', 'p the paper in a listless way, but his attention instantly became riveted, and he gave a little cry ', ' paper in a listless way, but his attention instantly became riveted, and he gave a little cry of sa', 'r in a listless way, but his attention instantly became riveted, and he gave a little cry of satisfa', 'a listless way, but his attention instantly became riveted, and he gave a little cry of satisfaction', 'tless way, but his attention instantly became riveted, and he gave a little cry of satisfaction. "th', ' way, but his attention instantly became riveted, and he gave a little cry of satisfaction. "this is', ' but his attention instantly became riveted, and he gave a little cry of satisfaction. "this is inde', 'his attention instantly became riveted, and he gave a little cry of satisfaction. "this is indeed im', 'ttention instantly became riveted, and he gave a little cry of satisfaction. "this is indeed importa', 'ion instantly became riveted, and he gave a little cry of satisfaction. "this is indeed important," ', 'nstantly became riveted, and he gave a little cry of satisfaction. "this is indeed important," said ', 'tly became riveted, and he gave a little cry of satisfaction. "this is indeed important," said he. "', 'ecame riveted, and he gave a little cry of satisfaction. "this is indeed important," said he. "ha! y', ' riveted, and he gave a little cry of satisfaction. "this is indeed important," said he. "ha! you fi', 'ted, and he gave a little cry of satisfaction. "this is indeed important," said he. "ha! you find it', 'and he gave a little cry of satisfaction. "this is indeed important," said he. "ha! you find it so?"', 'e gave a little cry of satisfaction. "this is indeed important," said he. "ha! you find it so?" "ext', 'e a little cry of satisfaction. "this is indeed important," said he. "ha! you find it so?" "extremel', 'ittle cry of satisfaction. "this is indeed important," said he. "ha! you find it so?" "extremely so.', ' cry of satisfaction. "this is indeed important," said he. "ha! you find it so?" "extremely so. i co', 'of satisfaction. "this is indeed important," said he. "ha! you find it so?" "extremely so. i congrat', 'tisfaction. "this is indeed important," said he. "ha! you find it so?" "extremely so. i congratulate', 'ction. "this is indeed important," said he. "ha! you find it so?" "extremely so. i congratulate you ', '. "this is indeed important," said he. "ha! you find it so?" "extremely so. i congratulate you warml', 'is is indeed important," said he. "ha! you find it so?" "extremely so. i congratulate you warmly." l', ' indeed important," said he. "ha! you find it so?" "extremely so. i congratulate you warmly." lestra', 'ed important," said he. "ha! you find it so?" "extremely so. i congratulate you warmly." lestrade ro', 'portant," said he. "ha! you find it so?" "extremely so. i congratulate you warmly." lestrade rose in', 'nt," said he. "ha! you find it so?" "extremely so. i congratulate you warmly." lestrade rose in his ', 'said he. "ha! you find it so?" "extremely so. i congratulate you warmly." lestrade rose in his trium', 'he. "ha! you find it so?" "extremely so. i congratulate you warmly." lestrade rose in his triumph an', 'ha! you find it so?" "extremely so. i congratulate you warmly." lestrade rose in his triumph and ben', 'ou find it so?" "extremely so. i congratulate you warmly." lestrade rose in his triumph and bent his', 'nd it so?" "extremely so. i congratulate you warmly." lestrade rose in his triumph and bent his head', ' so?" "extremely so. i congratulate you warmly." lestrade rose in his triumph and bent his head to l', ' "extremely so. i congratulate you warmly." lestrade rose in his triumph and bent his head to look. ', 'remely so. i congratulate you warmly." lestrade rose in his triumph and bent his head to look. "why,', 'y so. i congratulate you warmly." lestrade rose in his triumph and bent his head to look. "why," he ', ' i congratulate you warmly." lestrade rose in his triumph and bent his head to look. "why," he shrie', 'ngratulate you warmly." lestrade rose in his triumph and bent his head to look. "why," he shrieked, ', 'ulate you warmly." lestrade rose in his triumph and bent his head to look. "why," he shrieked, "you\'', ' you warmly." lestrade rose in his triumph and bent his head to look. "why," he shrieked, "you\'re lo', 'warmly." lestrade rose in his triumph and bent his head to look. "why," he shrieked, "you\'re looking', 'y." lestrade rose in his triumph and bent his head to look. "why," he shrieked, "you\'re looking at t', 'estrade rose in his triumph and bent his head to look. "why," he shrieked, "you\'re looking at the wr', 'de rose in his triumph and bent his head to look. "why," he shrieked, "you\'re looking at the wrong s', 'se in his triumph and bent his head to look. "why," he shrieked, "you\'re looking at the wrong side ', ' his triumph and bent his head to look. "why," he shrieked, "you\'re looking at the wrong side "on t', 'triumph and bent his head to look. "why," he shrieked, "you\'re looking at the wrong side "on the co', 'ph and bent his head to look. "why," he shrieked, "you\'re looking at the wrong side "on the contrar', 'd bent his head to look. "why," he shrieked, "you\'re looking at the wrong side "on the contrary, th', 't his head to look. "why," he shrieked, "you\'re looking at the wrong side "on the contrary, this is', ' head to look. "why," he shrieked, "you\'re looking at the wrong side "on the contrary, this is the ', ' to look. "why," he shrieked, "you\'re looking at the wrong side "on the contrary, this is the right', 'ook. "why," he shrieked, "you\'re looking at the wrong side "on the contrary, this is the right side', '"why," he shrieked, "you\'re looking at the wrong side "on the contrary, this is the right side." "t', '" he shrieked, "you\'re looking at the wrong side "on the contrary, this is the right side." "the ri', 'shrieked, "you\'re looking at the wrong side "on the contrary, this is the right side." "the right s', 'ked, "you\'re looking at the wrong side "on the contrary, this is the right side." "the right side? ', '"you\'re looking at the wrong side "on the contrary, this is the right side." "the right side? you\'r', 're looking at the wrong side "on the contrary, this is the right side." "the right side? you\'re mad', 'oking at the wrong side "on the contrary, this is the right side." "the right side? you\'re mad! her', ' at the wrong side "on the contrary, this is the right side." "the right side? you\'re mad! here is ', 'he wrong side "on the contrary, this is the right side." "the right side? you\'re mad! here is the n', 'ong side "on the contrary, this is the right side." "the right side? you\'re mad! here is the note w', 'ide "on the contrary, this is the right side." "the right side? you\'re mad! here is the note writte', '"on the contrary, this is the right side." "the right side? you\'re mad! here is the note written in ', 'he contrary, this is the right side." "the right side? you\'re mad! here is the note written in penci', 'ntrary, this is the right side." "the right side? you\'re mad! here is the note written in pencil ove', 'y, this is the right side." "the right side? you\'re mad! here is the note written in pencil over her', 'is is the right side." "the right side? you\'re mad! here is the note written in pencil over here." "', ' the right side." "the right side? you\'re mad! here is the note written in pencil over here." "and o', 'right side." "the right side? you\'re mad! here is the note written in pencil over here." "and over h', ' side." "the right side? you\'re mad! here is the note written in pencil over here." "and over here i', '." "the right side? you\'re mad! here is the note written in pencil over here." "and over here is wha', 'he right side? you\'re mad! here is the note written in pencil over here." "and over here is what app', 'ght side? you\'re mad! here is the note written in pencil over here." "and over here is what appears ', 'ide? you\'re mad! here is the note written in pencil over here." "and over here is what appears to be', 'you\'re mad! here is the note written in pencil over here." "and over here is what appears to be the ', 'e mad! here is the note written in pencil over here." "and over here is what appears to be the fragm', '! here is the note written in pencil over here." "and over here is what appears to be the fragment o', 'e is the note written in pencil over here." "and over here is what appears to be the fragment of a h', 'the note written in pencil over here." "and over here is what appears to be the fragment of a hotel ', 'ote written in pencil over here." "and over here is what appears to be the fragment of a hotel bill,', 'ritten in pencil over here." "and over here is what appears to be the fragment of a hotel bill, whic', 'n in pencil over here." "and over here is what appears to be the fragment of a hotel bill, which int', 'pencil over here." "and over here is what appears to be the fragment of a hotel bill, which interest', 'l over here." "and over here is what appears to be the fragment of a hotel bill, which interests me ', 'r here." "and over here is what appears to be the fragment of a hotel bill, which interests me deepl', 'e." "and over here is what appears to be the fragment of a hotel bill, which interests me deeply." "', 'and over here is what appears to be the fragment of a hotel bill, which interests me deeply." "there', 'ver here is what appears to be the fragment of a hotel bill, which interests me deeply." "there\'s no', 'ere is what appears to be the fragment of a hotel bill, which interests me deeply." "there\'s nothing', 's what appears to be the fragment of a hotel bill, which interests me deeply." "there\'s nothing in i', 't appears to be the fragment of a hotel bill, which interests me deeply." "there\'s nothing in it. i ', 'ears to be the fragment of a hotel bill, which interests me deeply." "there\'s nothing in it. i looke', 'to be the fragment of a hotel bill, which interests me deeply." "there\'s nothing in it. i looked at ', ' the fragment of a hotel bill, which interests me deeply." "there\'s nothing in it. i looked at it be', 'fragment of a hotel bill, which interests me deeply." "there\'s nothing in it. i looked at it before,', 'ent of a hotel bill, which interests me deeply." "there\'s nothing in it. i looked at it before," sai', 'f a hotel bill, which interests me deeply." "there\'s nothing in it. i looked at it before," said les', 'otel bill, which interests me deeply." "there\'s nothing in it. i looked at it before," said lestrade', 'bill, which interests me deeply." "there\'s nothing in it. i looked at it before," said lestrade. "\'o', ' which interests me deeply." "there\'s nothing in it. i looked at it before," said lestrade. "\'oct. t', 'h interests me deeply." "there\'s nothing in it. i looked at it before," said lestrade. "\'oct. th, ro', 'erests me deeply." "there\'s nothing in it. i looked at it before," said lestrade. "\'oct. th, rooms s', 's me deeply." "there\'s nothing in it. i looked at it before," said lestrade. "\'oct. th, rooms s., br', 'deeply." "there\'s nothing in it. i looked at it before," said lestrade. "\'oct. th, rooms s., breakfa', 'y." "there\'s nothing in it. i looked at it before," said lestrade. "\'oct. th, rooms s., breakfast s.', 'there\'s nothing in it. i looked at it before," said lestrade. "\'oct. th, rooms s., breakfast s. d., ', '\'s nothing in it. i looked at it before," said lestrade. "\'oct. th, rooms s., breakfast s. d., cockt', 'thing in it. i looked at it before," said lestrade. "\'oct. th, rooms s., breakfast s. d., cocktail s', ' in it. i looked at it before," said lestrade. "\'oct. th, rooms s., breakfast s. d., cocktail s., lu', 't. i looked at it before," said lestrade. "\'oct. th, rooms s., breakfast s. d., cocktail s., lunch s', 'looked at it before," said lestrade. "\'oct. th, rooms s., breakfast s. d., cocktail s., lunch s. d.,', 'd at it before," said lestrade. "\'oct. th, rooms s., breakfast s. d., cocktail s., lunch s. d., glas', 'it before," said lestrade. "\'oct. th, rooms s., breakfast s. d., cocktail s., lunch s. d., glass she', 'fore," said lestrade. "\'oct. th, rooms s., breakfast s. d., cocktail s., lunch s. d., glass sherry, ', '" said lestrade. "\'oct. th, rooms s., breakfast s. d., cocktail s., lunch s. d., glass sherry, d.\' i', 'd lestrade. "\'oct. th, rooms s., breakfast s. d., cocktail s., lunch s. d., glass sherry, d.\' i see ', 'trade. "\'oct. th, rooms s., breakfast s. d., cocktail s., lunch s. d., glass sherry, d.\' i see nothi', '. "\'oct. th, rooms s., breakfast s. d., cocktail s., lunch s. d., glass sherry, d.\' i see nothing in', "ct. th, rooms s., breakfast s. d., cocktail s., lunch s. d., glass sherry, d.' i see nothing in that", 'h, rooms s., breakfast s. d., cocktail s., lunch s. d., glass sherry, d.\' i see nothing in that." "v', 'oms s., breakfast s. d., cocktail s., lunch s. d., glass sherry, d.\' i see nothing in that." "very l', '., breakfast s. d., cocktail s., lunch s. d., glass sherry, d.\' i see nothing in that." "very likely', 'eakfast s. d., cocktail s., lunch s. d., glass sherry, d.\' i see nothing in that." "very likely not.', 'st s. d., cocktail s., lunch s. d., glass sherry, d.\' i see nothing in that." "very likely not. it i', ' d., cocktail s., lunch s. d., glass sherry, d.\' i see nothing in that." "very likely not. it is mos', 'cocktail s., lunch s. d., glass sherry, d.\' i see nothing in that." "very likely not. it is most imp', 'ail s., lunch s. d., glass sherry, d.\' i see nothing in that." "very likely not. it is most importan', '., lunch s. d., glass sherry, d.\' i see nothing in that." "very likely not. it is most important, al', 'nch s. d., glass sherry, d.\' i see nothing in that." "very likely not. it is most important, all the', '. d., glass sherry, d.\' i see nothing in that." "very likely not. it is most important, all the same', ' glass sherry, d.\' i see nothing in that." "very likely not. it is most important, all the same. as ', 's sherry, d.\' i see nothing in that." "very likely not. it is most important, all the same. as to th', 'rry, d.\' i see nothing in that." "very likely not. it is most important, all the same. as to the not', 'd.\' i see nothing in that." "very likely not. it is most important, all the same. as to the note, it', ' see nothing in that." "very likely not. it is most important, all the same. as to the note, it is i', 'nothing in that." "very likely not. it is most important, all the same. as to the note, it is import', 'ng in that." "very likely not. it is most important, all the same. as to the note, it is important a', ' that." "very likely not. it is most important, all the same. as to the note, it is important also, ', '." "very likely not. it is most important, all the same. as to the note, it is important also, or at', 'ery likely not. it is most important, all the same. as to the note, it is important also, or at leas', 'ikely not. it is most important, all the same. as to the note, it is important also, or at least the', ' not. it is most important, all the same. as to the note, it is important also, or at least the init', ' it is most important, all the same. as to the note, it is important also, or at least the initials ', 's most important, all the same. as to the note, it is important also, or at least the initials are, ', 't important, all the same. as to the note, it is important also, or at least the initials are, so i ', 'ortant, all the same. as to the note, it is important also, or at least the initials are, so i congr', 't, all the same. as to the note, it is important also, or at least the initials are, so i congratula', 'l the same. as to the note, it is important also, or at least the initials are, so i congratulate yo', ' same. as to the note, it is important also, or at least the initials are, so i congratulate you aga', '. as to the note, it is important also, or at least the initials are, so i congratulate you again." ', 'to the note, it is important also, or at least the initials are, so i congratulate you again." "i\'ve', 'e note, it is important also, or at least the initials are, so i congratulate you again." "i\'ve wast', 'e, it is important also, or at least the initials are, so i congratulate you again." "i\'ve wasted ti', ' is important also, or at least the initials are, so i congratulate you again." "i\'ve wasted time en', 'mportant also, or at least the initials are, so i congratulate you again." "i\'ve wasted time enough,', 'ant also, or at least the initials are, so i congratulate you again." "i\'ve wasted time enough," sai', 'lso, or at least the initials are, so i congratulate you again." "i\'ve wasted time enough," said les', 'or at least the initials are, so i congratulate you again." "i\'ve wasted time enough," said lestrade', ' least the initials are, so i congratulate you again." "i\'ve wasted time enough," said lestrade, ris', 't the initials are, so i congratulate you again." "i\'ve wasted time enough," said lestrade, rising. ', ' initials are, so i congratulate you again." "i\'ve wasted time enough," said lestrade, rising. "i be', 'ials are, so i congratulate you again." "i\'ve wasted time enough," said lestrade, rising. "i believe', 'are, so i congratulate you again." "i\'ve wasted time enough," said lestrade, rising. "i believe in h', 'so i congratulate you again." "i\'ve wasted time enough," said lestrade, rising. "i believe in hard w', 'congratulate you again." "i\'ve wasted time enough," said lestrade, rising. "i believe in hard work a', 'atulate you again." "i\'ve wasted time enough," said lestrade, rising. "i believe in hard work and no', 'te you again." "i\'ve wasted time enough," said lestrade, rising. "i believe in hard work and not in ', 'u again." "i\'ve wasted time enough," said lestrade, rising. "i believe in hard work and not in sitti', 'in." "i\'ve wasted time enough," said lestrade, rising. "i believe in hard work and not in sitting by', '"i\'ve wasted time enough," said lestrade, rising. "i believe in hard work and not in sitting by the ', ' wasted time enough," said lestrade, rising. "i believe in hard work and not in sitting by the fire ', 'ed time enough," said lestrade, rising. "i believe in hard work and not in sitting by the fire spinn', 'me enough," said lestrade, rising. "i believe in hard work and not in sitting by the fire spinning f', 'ough," said lestrade, rising. "i believe in hard work and not in sitting by the fire spinning fine t', '" said lestrade, rising. "i believe in hard work and not in sitting by the fire spinning fine theori', 'd lestrade, rising. "i believe in hard work and not in sitting by the fire spinning fine theories. g', 'trade, rising. "i believe in hard work and not in sitting by the fire spinning fine theories. good-d', ', rising. "i believe in hard work and not in sitting by the fire spinning fine theories. good-day, m', 'ing. "i believe in hard work and not in sitting by the fire spinning fine theories. good-day, mr. ho', '"i believe in hard work and not in sitting by the fire spinning fine theories. good-day, mr. holmes,', 'lieve in hard work and not in sitting by the fire spinning fine theories. good-day, mr. holmes, and ', ' in hard work and not in sitting by the fire spinning fine theories. good-day, mr. holmes, and we sh', 'ard work and not in sitting by the fire spinning fine theories. good-day, mr. holmes, and we shall s', 'ork and not in sitting by the fire spinning fine theories. good-day, mr. holmes, and we shall see wh', 'nd not in sitting by the fire spinning fine theories. good-day, mr. holmes, and we shall see which g', 't in sitting by the fire spinning fine theories. good-day, mr. holmes, and we shall see which gets t', 'sitting by the fire spinning fine theories. good-day, mr. holmes, and we shall see which gets to the', 'ng by the fire spinning fine theories. good-day, mr. holmes, and we shall see which gets to the bott', ' the fire spinning fine theories. good-day, mr. holmes, and we shall see which gets to the bottom of', 'fire spinning fine theories. good-day, mr. holmes, and we shall see which gets to the bottom of the ', 'spinning fine theories. good-day, mr. holmes, and we shall see which gets to the bottom of the matte', 'ing fine theories. good-day, mr. holmes, and we shall see which gets to the bottom of the matter fir', 'ine theories. good-day, mr. holmes, and we shall see which gets to the bottom of the matter first." ', 'heories. good-day, mr. holmes, and we shall see which gets to the bottom of the matter first." he ga', 'es. good-day, mr. holmes, and we shall see which gets to the bottom of the matter first." he gathere', 'ood-day, mr. holmes, and we shall see which gets to the bottom of the matter first." he gathered up ', 'ay, mr. holmes, and we shall see which gets to the bottom of the matter first." he gathered up the g', 'r. holmes, and we shall see which gets to the bottom of the matter first." he gathered up the garmen', 'lmes, and we shall see which gets to the bottom of the matter first." he gathered up the garments, t', ' and we shall see which gets to the bottom of the matter first." he gathered up the garments, thrust', 'we shall see which gets to the bottom of the matter first." he gathered up the garments, thrust them', 'all see which gets to the bottom of the matter first." he gathered up the garments, thrust them into', 'ee which gets to the bottom of the matter first." he gathered up the garments, thrust them into the ', 'ich gets to the bottom of the matter first." he gathered up the garments, thrust them into the bag, ', 'ets to the bottom of the matter first." he gathered up the garments, thrust them into the bag, and m', 'o the bottom of the matter first." he gathered up the garments, thrust them into the bag, and made f', ' bottom of the matter first." he gathered up the garments, thrust them into the bag, and made for th', 'om of the matter first." he gathered up the garments, thrust them into the bag, and made for the doo', ' the matter first." he gathered up the garments, thrust them into the bag, and made for the door. "j', 'matter first." he gathered up the garments, thrust them into the bag, and made for the door. "just o', 'r first." he gathered up the garments, thrust them into the bag, and made for the door. "just one hi', 'st." he gathered up the garments, thrust them into the bag, and made for the door. "just one hint to', 'he gathered up the garments, thrust them into the bag, and made for the door. "just one hint to you,', 'thered up the garments, thrust them into the bag, and made for the door. "just one hint to you, lest', 'd up the garments, thrust them into the bag, and made for the door. "just one hint to you, lestrade,', 'the garments, thrust them into the bag, and made for the door. "just one hint to you, lestrade," dra', 'arments, thrust them into the bag, and made for the door. "just one hint to you, lestrade," drawled ', 'ts, thrust them into the bag, and made for the door. "just one hint to you, lestrade," drawled holme', 'hrust them into the bag, and made for the door. "just one hint to you, lestrade," drawled holmes bef', ' them into the bag, and made for the door. "just one hint to you, lestrade," drawled holmes before h', ' into the bag, and made for the door. "just one hint to you, lestrade," drawled holmes before his ri', ' the bag, and made for the door. "just one hint to you, lestrade," drawled holmes before his rival v', 'bag, and made for the door. "just one hint to you, lestrade," drawled holmes before his rival vanish', 'and made for the door. "just one hint to you, lestrade," drawled holmes before his rival vanished; "', 'ade for the door. "just one hint to you, lestrade," drawled holmes before his rival vanished; "i wil', 'or the door. "just one hint to you, lestrade," drawled holmes before his rival vanished; "i will tel', 'e door. "just one hint to you, lestrade," drawled holmes before his rival vanished; "i will tell you', 'r. "just one hint to you, lestrade," drawled holmes before his rival vanished; "i will tell you the ', 'ust one hint to you, lestrade," drawled holmes before his rival vanished; "i will tell you the true ', 'ne hint to you, lestrade," drawled holmes before his rival vanished; "i will tell you the true solut', 'nt to you, lestrade," drawled holmes before his rival vanished; "i will tell you the true solution o', ' you, lestrade," drawled holmes before his rival vanished; "i will tell you the true solution of the', ' lestrade," drawled holmes before his rival vanished; "i will tell you the true solution of the matt', 'rade," drawled holmes before his rival vanished; "i will tell you the true solution of the matter. l', '" drawled holmes before his rival vanished; "i will tell you the true solution of the matter. lady s', 'wled holmes before his rival vanished; "i will tell you the true solution of the matter. lady st. si', 'holmes before his rival vanished; "i will tell you the true solution of the matter. lady st. simon i', 's before his rival vanished; "i will tell you the true solution of the matter. lady st. simon is a m', 'ore his rival vanished; "i will tell you the true solution of the matter. lady st. simon is a myth. ', 'is rival vanished; "i will tell you the true solution of the matter. lady st. simon is a myth. there', 'val vanished; "i will tell you the true solution of the matter. lady st. simon is a myth. there is n', 'anished; "i will tell you the true solution of the matter. lady st. simon is a myth. there is not, a', 'ed; "i will tell you the true solution of the matter. lady st. simon is a myth. there is not, and th', 'i will tell you the true solution of the matter. lady st. simon is a myth. there is not, and there n', 'l tell you the true solution of the matter. lady st. simon is a myth. there is not, and there never ', 'l you the true solution of the matter. lady st. simon is a myth. there is not, and there never has b', ' the true solution of the matter. lady st. simon is a myth. there is not, and there never has been, ', 'true solution of the matter. lady st. simon is a myth. there is not, and there never has been, any s', 'solution of the matter. lady st. simon is a myth. there is not, and there never has been, any such p', 'ion of the matter. lady st. simon is a myth. there is not, and there never has been, any such person', 'f the matter. lady st. simon is a myth. there is not, and there never has been, any such person." le', ' matter. lady st. simon is a myth. there is not, and there never has been, any such person." lestrad', 'er. lady st. simon is a myth. there is not, and there never has been, any such person." lestrade loo', 'ady st. simon is a myth. there is not, and there never has been, any such person." lestrade looked s', 't. simon is a myth. there is not, and there never has been, any such person." lestrade looked sadly ', 'mon is a myth. there is not, and there never has been, any such person." lestrade looked sadly at my', 's a myth. there is not, and there never has been, any such person." lestrade looked sadly at my comp', 'yth. there is not, and there never has been, any such person." lestrade looked sadly at my companion', 'there is not, and there never has been, any such person." lestrade looked sadly at my companion. the', ' is not, and there never has been, any such person." lestrade looked sadly at my companion. then he ', 'ot, and there never has been, any such person." lestrade looked sadly at my companion. then he turne', 'nd there never has been, any such person." lestrade looked sadly at my companion. then he turned to ', 'ere never has been, any such person." lestrade looked sadly at my companion. then he turned to me, t', 'ever has been, any such person." lestrade looked sadly at my companion. then he turned to me, tapped', 'has been, any such person." lestrade looked sadly at my companion. then he turned to me, tapped his ', 'een, any such person." lestrade looked sadly at my companion. then he turned to me, tapped his foreh', 'any such person." lestrade looked sadly at my companion. then he turned to me, tapped his forehead t', 'uch person." lestrade looked sadly at my companion. then he turned to me, tapped his forehead three ', 'erson." lestrade looked sadly at my companion. then he turned to me, tapped his forehead three times', '." lestrade looked sadly at my companion. then he turned to me, tapped his forehead three times, sho', 'strade looked sadly at my companion. then he turned to me, tapped his forehead three times, shook hi', 'e looked sadly at my companion. then he turned to me, tapped his forehead three times, shook his hea', 'ked sadly at my companion. then he turned to me, tapped his forehead three times, shook his head sol', 'adly at my companion. then he turned to me, tapped his forehead three times, shook his head solemnly', 'at my companion. then he turned to me, tapped his forehead three times, shook his head solemnly, and', ' companion. then he turned to me, tapped his forehead three times, shook his head solemnly, and hurr', 'anion. then he turned to me, tapped his forehead three times, shook his head solemnly, and hurried a', '. then he turned to me, tapped his forehead three times, shook his head solemnly, and hurried away. ', 'n he turned to me, tapped his forehead three times, shook his head solemnly, and hurried away. he ha', 'turned to me, tapped his forehead three times, shook his head solemnly, and hurried away. he had har', 'd to me, tapped his forehead three times, shook his head solemnly, and hurried away. he had hardly s', 'me, tapped his forehead three times, shook his head solemnly, and hurried away. he had hardly shut t', 'apped his forehead three times, shook his head solemnly, and hurried away. he had hardly shut the do', ' his forehead three times, shook his head solemnly, and hurried away. he had hardly shut the door be', 'forehead three times, shook his head solemnly, and hurried away. he had hardly shut the door behind ', 'ead three times, shook his head solemnly, and hurried away. he had hardly shut the door behind him w', 'hree times, shook his head solemnly, and hurried away. he had hardly shut the door behind him when h', 'times, shook his head solemnly, and hurried away. he had hardly shut the door behind him when holmes', ', shook his head solemnly, and hurried away. he had hardly shut the door behind him when holmes rose', 'ok his head solemnly, and hurried away. he had hardly shut the door behind him when holmes rose to p', 's head solemnly, and hurried away. he had hardly shut the door behind him when holmes rose to put on', 'd solemnly, and hurried away. he had hardly shut the door behind him when holmes rose to put on his ', 'emnly, and hurried away. he had hardly shut the door behind him when holmes rose to put on his overc', ', and hurried away. he had hardly shut the door behind him when holmes rose to put on his overcoat. ', ' hurried away. he had hardly shut the door behind him when holmes rose to put on his overcoat. "ther', 'ied away. he had hardly shut the door behind him when holmes rose to put on his overcoat. "there is ', 'way. he had hardly shut the door behind him when holmes rose to put on his overcoat. "there is somet', 'he had hardly shut the door behind him when holmes rose to put on his overcoat. "there is something ', 'd hardly shut the door behind him when holmes rose to put on his overcoat. "there is something in wh', 'dly shut the door behind him when holmes rose to put on his overcoat. "there is something in what th', 'hut the door behind him when holmes rose to put on his overcoat. "there is something in what the fel', 'he door behind him when holmes rose to put on his overcoat. "there is something in what the fellow s', 'or behind him when holmes rose to put on his overcoat. "there is something in what the fellow says a', 'hind him when holmes rose to put on his overcoat. "there is something in what the fellow says about ', 'him when holmes rose to put on his overcoat. "there is something in what the fellow says about outdo', 'hen holmes rose to put on his overcoat. "there is something in what the fellow says about outdoor wo', 'olmes rose to put on his overcoat. "there is something in what the fellow says about outdoor work," ', ' rose to put on his overcoat. "there is something in what the fellow says about outdoor work," he re', ' to put on his overcoat. "there is something in what the fellow says about outdoor work," he remarke', 'ut on his overcoat. "there is something in what the fellow says about outdoor work," he remarked, "s', ' his overcoat. "there is something in what the fellow says about outdoor work," he remarked, "so i t', 'overcoat. "there is something in what the fellow says about outdoor work," he remarked, "so i think,', 'oat. "there is something in what the fellow says about outdoor work," he remarked, "so i think, wats', '"there is something in what the fellow says about outdoor work," he remarked, "so i think, watson, t', 'e is something in what the fellow says about outdoor work," he remarked, "so i think, watson, that i', 'something in what the fellow says about outdoor work," he remarked, "so i think, watson, that i must', 'hing in what the fellow says about outdoor work," he remarked, "so i think, watson, that i must leav', 'in what the fellow says about outdoor work," he remarked, "so i think, watson, that i must leave you', 'at the fellow says about outdoor work," he remarked, "so i think, watson, that i must leave you to y', 'e fellow says about outdoor work," he remarked, "so i think, watson, that i must leave you to your p', 'low says about outdoor work," he remarked, "so i think, watson, that i must leave you to your papers', 'ays about outdoor work," he remarked, "so i think, watson, that i must leave you to your papers for ', 'bout outdoor work," he remarked, "so i think, watson, that i must leave you to your papers for a lit', 'outdoor work," he remarked, "so i think, watson, that i must leave you to your papers for a little."', 'or work," he remarked, "so i think, watson, that i must leave you to your papers for a little." it w', 'rk," he remarked, "so i think, watson, that i must leave you to your papers for a little." it was af', 'he remarked, "so i think, watson, that i must leave you to your papers for a little." it was after f', 'marked, "so i think, watson, that i must leave you to your papers for a little." it was after five o', 'd, "so i think, watson, that i must leave you to your papers for a little." it was after five o\'cloc', 'o i think, watson, that i must leave you to your papers for a little." it was after five o\'clock whe', 'hink, watson, that i must leave you to your papers for a little." it was after five o\'clock when she', ' watson, that i must leave you to your papers for a little." it was after five o\'clock when sherlock', 'on, that i must leave you to your papers for a little." it was after five o\'clock when sherlock holm', 'hat i must leave you to your papers for a little." it was after five o\'clock when sherlock holmes le', ' must leave you to your papers for a little." it was after five o\'clock when sherlock holmes left me', ' leave you to your papers for a little." it was after five o\'clock when sherlock holmes left me, but', 'e you to your papers for a little." it was after five o\'clock when sherlock holmes left me, but i ha', ' to your papers for a little." it was after five o\'clock when sherlock holmes left me, but i had no ', 'our papers for a little." it was after five o\'clock when sherlock holmes left me, but i had no time ', 'apers for a little." it was after five o\'clock when sherlock holmes left me, but i had no time to be', ' for a little." it was after five o\'clock when sherlock holmes left me, but i had no time to be lone', 'a little." it was after five o\'clock when sherlock holmes left me, but i had no time to be lonely, f', 'tle." it was after five o\'clock when sherlock holmes left me, but i had no time to be lonely, for wi', " it was after five o'clock when sherlock holmes left me, but i had no time to be lonely, for within ", "as after five o'clock when sherlock holmes left me, but i had no time to be lonely, for within an ho", "ter five o'clock when sherlock holmes left me, but i had no time to be lonely, for within an hour th", "ive o'clock when sherlock holmes left me, but i had no time to be lonely, for within an hour there a", "'clock when sherlock holmes left me, but i had no time to be lonely, for within an hour there arrive", 'k when sherlock holmes left me, but i had no time to be lonely, for within an hour there arrived a c', 'n sherlock holmes left me, but i had no time to be lonely, for within an hour there arrived a confec', 'rlock holmes left me, but i had no time to be lonely, for within an hour there arrived a confectione', " holmes left me, but i had no time to be lonely, for within an hour there arrived a confectioner's m", "es left me, but i had no time to be lonely, for within an hour there arrived a confectioner's man wi", "ft me, but i had no time to be lonely, for within an hour there arrived a confectioner's man with a ", ", but i had no time to be lonely, for within an hour there arrived a confectioner's man with a very ", " i had no time to be lonely, for within an hour there arrived a confectioner's man with a very large", "d no time to be lonely, for within an hour there arrived a confectioner's man with a very large flat", "time to be lonely, for within an hour there arrived a confectioner's man with a very large flat box.", "to be lonely, for within an hour there arrived a confectioner's man with a very large flat box. this", " lonely, for within an hour there arrived a confectioner's man with a very large flat box. this he u", "ly, for within an hour there arrived a confectioner's man with a very large flat box. this he unpack", "or within an hour there arrived a confectioner's man with a very large flat box. this he unpacked wi", "thin an hour there arrived a confectioner's man with a very large flat box. this he unpacked with th", "an hour there arrived a confectioner's man with a very large flat box. this he unpacked with the hel", "ur there arrived a confectioner's man with a very large flat box. this he unpacked with the help of ", "ere arrived a confectioner's man with a very large flat box. this he unpacked with the help of a you", "rrived a confectioner's man with a very large flat box. this he unpacked with the help of a youth wh", "d a confectioner's man with a very large flat box. this he unpacked with the help of a youth whom he", "onfectioner's man with a very large flat box. this he unpacked with the help of a youth whom he had ", "tioner's man with a very large flat box. this he unpacked with the help of a youth whom he had broug", "r's man with a very large flat box. this he unpacked with the help of a youth whom he had brought wi", 'an with a very large flat box. this he unpacked with the help of a youth whom he had brought with hi', 'th a very large flat box. this he unpacked with the help of a youth whom he had brought with him, an', 'very large flat box. this he unpacked with the help of a youth whom he had brought with him, and pre', 'large flat box. this he unpacked with the help of a youth whom he had brought with him, and presentl', ' flat box. this he unpacked with the help of a youth whom he had brought with him, and presently, to', ' box. this he unpacked with the help of a youth whom he had brought with him, and presently, to my v', ' this he unpacked with the help of a youth whom he had brought with him, and presently, to my very g', ' he unpacked with the help of a youth whom he had brought with him, and presently, to my very great ', 'npacked with the help of a youth whom he had brought with him, and presently, to my very great aston', 'ed with the help of a youth whom he had brought with him, and presently, to my very great astonishme', 'th the help of a youth whom he had brought with him, and presently, to my very great astonishment, a', 'e help of a youth whom he had brought with him, and presently, to my very great astonishment, a quit', 'p of a youth whom he had brought with him, and presently, to my very great astonishment, a quite epi', 'a youth whom he had brought with him, and presently, to my very great astonishment, a quite epicurea', 'th whom he had brought with him, and presently, to my very great astonishment, a quite epicurean lit', 'om he had brought with him, and presently, to my very great astonishment, a quite epicurean little c', ' had brought with him, and presently, to my very great astonishment, a quite epicurean little cold s', 'brought with him, and presently, to my very great astonishment, a quite epicurean little cold supper', 'ht with him, and presently, to my very great astonishment, a quite epicurean little cold supper bega', 'th him, and presently, to my very great astonishment, a quite epicurean little cold supper began to ', 'm, and presently, to my very great astonishment, a quite epicurean little cold supper began to be la', 'd presently, to my very great astonishment, a quite epicurean little cold supper began to be laid ou', 'sently, to my very great astonishment, a quite epicurean little cold supper began to be laid out upo', 'y, to my very great astonishment, a quite epicurean little cold supper began to be laid out upon our', ' my very great astonishment, a quite epicurean little cold supper began to be laid out upon our humb', 'ery great astonishment, a quite epicurean little cold supper began to be laid out upon our humble lo', 'reat astonishment, a quite epicurean little cold supper began to be laid out upon our humble lodging', 'astonishment, a quite epicurean little cold supper began to be laid out upon our humble lodging-hous', 'ishment, a quite epicurean little cold supper began to be laid out upon our humble lodging-house mah', 'nt, a quite epicurean little cold supper began to be laid out upon our humble lodging-house mahogany', ' quite epicurean little cold supper began to be laid out upon our humble lodging-house mahogany. the', 'e epicurean little cold supper began to be laid out upon our humble lodging-house mahogany. there we', 'curean little cold supper began to be laid out upon our humble lodging-house mahogany. there were a ', 'n little cold supper began to be laid out upon our humble lodging-house mahogany. there were a coupl', 'tle cold supper began to be laid out upon our humble lodging-house mahogany. there were a couple of ', 'old supper began to be laid out upon our humble lodging-house mahogany. there were a couple of brace', 'upper began to be laid out upon our humble lodging-house mahogany. there were a couple of brace of c', ' began to be laid out upon our humble lodging-house mahogany. there were a couple of brace of cold w', 'n to be laid out upon our humble lodging-house mahogany. there were a couple of brace of cold woodco', 'be laid out upon our humble lodging-house mahogany. there were a couple of brace of cold woodcock, a', 'id out upon our humble lodging-house mahogany. there were a couple of brace of cold woodcock, a phea', 't upon our humble lodging-house mahogany. there were a couple of brace of cold woodcock, a pheasant,', 'n our humble lodging-house mahogany. there were a couple of brace of cold woodcock, a pheasant, a p ', ' humble lodging-house mahogany. there were a couple of brace of cold woodcock, a pheasant, a p t de ', 'le lodging-house mahogany. there were a couple of brace of cold woodcock, a pheasant, a p t de foie ', 'dging-house mahogany. there were a couple of brace of cold woodcock, a pheasant, a p t de foie gras ', '-house mahogany. there were a couple of brace of cold woodcock, a pheasant, a p t de foie gras pie w', 'e mahogany. there were a couple of brace of cold woodcock, a pheasant, a p t de foie gras pie with a', 'ogany. there were a couple of brace of cold woodcock, a pheasant, a p t de foie gras pie with a grou', '. there were a couple of brace of cold woodcock, a pheasant, a p t de foie gras pie with a group of ', 're were a couple of brace of cold woodcock, a pheasant, a p t de foie gras pie with a group of ancie', 're a couple of brace of cold woodcock, a pheasant, a p t de foie gras pie with a group of ancient an', 'couple of brace of cold woodcock, a pheasant, a p t de foie gras pie with a group of ancient and cob', 'e of brace of cold woodcock, a pheasant, a p t de foie gras pie with a group of ancient and cobwebby', 'brace of cold woodcock, a pheasant, a p t de foie gras pie with a group of ancient and cobwebby bott', ' of cold woodcock, a pheasant, a p t de foie gras pie with a group of ancient and cobwebby bottles. ', 'old woodcock, a pheasant, a p t de foie gras pie with a group of ancient and cobwebby bottles. havin', 'oodcock, a pheasant, a p t de foie gras pie with a group of ancient and cobwebby bottles. having lai', 'ck, a pheasant, a p t de foie gras pie with a group of ancient and cobwebby bottles. having laid out', ' pheasant, a p t de foie gras pie with a group of ancient and cobwebby bottles. having laid out all ', 'sant, a p t de foie gras pie with a group of ancient and cobwebby bottles. having laid out all these', ' a p t de foie gras pie with a group of ancient and cobwebby bottles. having laid out all these luxu', 't de foie gras pie with a group of ancient and cobwebby bottles. having laid out all these luxuries,', 'foie gras pie with a group of ancient and cobwebby bottles. having laid out all these luxuries, my t', 'gras pie with a group of ancient and cobwebby bottles. having laid out all these luxuries, my two vi', 'pie with a group of ancient and cobwebby bottles. having laid out all these luxuries, my two visitor', 'ith a group of ancient and cobwebby bottles. having laid out all these luxuries, my two visitors van', ' group of ancient and cobwebby bottles. having laid out all these luxuries, my two visitors vanished', 'p of ancient and cobwebby bottles. having laid out all these luxuries, my two visitors vanished away', 'ancient and cobwebby bottles. having laid out all these luxuries, my two visitors vanished away, lik', 'nt and cobwebby bottles. having laid out all these luxuries, my two visitors vanished away, like the', 'd cobwebby bottles. having laid out all these luxuries, my two visitors vanished away, like the geni', 'webby bottles. having laid out all these luxuries, my two visitors vanished away, like the genii of ', ' bottles. having laid out all these luxuries, my two visitors vanished away, like the genii of the a', 'les. having laid out all these luxuries, my two visitors vanished away, like the genii of the arabia', 'having laid out all these luxuries, my two visitors vanished away, like the genii of the arabian nig', 'g laid out all these luxuries, my two visitors vanished away, like the genii of the arabian nights, ', 'd out all these luxuries, my two visitors vanished away, like the genii of the arabian nights, with ', ' all these luxuries, my two visitors vanished away, like the genii of the arabian nights, with no ex', 'these luxuries, my two visitors vanished away, like the genii of the arabian nights, with no explana', ' luxuries, my two visitors vanished away, like the genii of the arabian nights, with no explanation ', 'ries, my two visitors vanished away, like the genii of the arabian nights, with no explanation save ', ' my two visitors vanished away, like the genii of the arabian nights, with no explanation save that ', 'wo visitors vanished away, like the genii of the arabian nights, with no explanation save that the t', 'sitors vanished away, like the genii of the arabian nights, with no explanation save that the things', 's vanished away, like the genii of the arabian nights, with no explanation save that the things had ', 'ished away, like the genii of the arabian nights, with no explanation save that the things had been ', ' away, like the genii of the arabian nights, with no explanation save that the things had been paid ', ', like the genii of the arabian nights, with no explanation save that the things had been paid for a', 'e the genii of the arabian nights, with no explanation save that the things had been paid for and we', ' genii of the arabian nights, with no explanation save that the things had been paid for and were or', 'i of the arabian nights, with no explanation save that the things had been paid for and were ordered', 'the arabian nights, with no explanation save that the things had been paid for and were ordered to t', 'rabian nights, with no explanation save that the things had been paid for and were ordered to this a', 'n nights, with no explanation save that the things had been paid for and were ordered to this addres', 'hts, with no explanation save that the things had been paid for and were ordered to this address. ju', 'with no explanation save that the things had been paid for and were ordered to this address. just be', 'no explanation save that the things had been paid for and were ordered to this address. just before ', 'planation save that the things had been paid for and were ordered to this address. just before nine ', "tion save that the things had been paid for and were ordered to this address. just before nine o'clo", "save that the things had been paid for and were ordered to this address. just before nine o'clock sh", "that the things had been paid for and were ordered to this address. just before nine o'clock sherloc", "the things had been paid for and were ordered to this address. just before nine o'clock sherlock hol", "hings had been paid for and were ordered to this address. just before nine o'clock sherlock holmes s", " had been paid for and were ordered to this address. just before nine o'clock sherlock holmes steppe", "been paid for and were ordered to this address. just before nine o'clock sherlock holmes stepped bri", "paid for and were ordered to this address. just before nine o'clock sherlock holmes stepped briskly ", "for and were ordered to this address. just before nine o'clock sherlock holmes stepped briskly into ", "nd were ordered to this address. just before nine o'clock sherlock holmes stepped briskly into the r", "re ordered to this address. just before nine o'clock sherlock holmes stepped briskly into the room. ", "dered to this address. just before nine o'clock sherlock holmes stepped briskly into the room. his f", " to this address. just before nine o'clock sherlock holmes stepped briskly into the room. his featur", "his address. just before nine o'clock sherlock holmes stepped briskly into the room. his features we", "ddress. just before nine o'clock sherlock holmes stepped briskly into the room. his features were gr", "s. just before nine o'clock sherlock holmes stepped briskly into the room. his features were gravely", "st before nine o'clock sherlock holmes stepped briskly into the room. his features were gravely set,", "fore nine o'clock sherlock holmes stepped briskly into the room. his features were gravely set, but ", "nine o'clock sherlock holmes stepped briskly into the room. his features were gravely set, but there", "o'clock sherlock holmes stepped briskly into the room. his features were gravely set, but there was ", 'ck sherlock holmes stepped briskly into the room. his features were gravely set, but there was a lig', 'erlock holmes stepped briskly into the room. his features were gravely set, but there was a light in', 'k holmes stepped briskly into the room. his features were gravely set, but there was a light in his ', 'mes stepped briskly into the room. his features were gravely set, but there was a light in his eye w', 'tepped briskly into the room. his features were gravely set, but there was a light in his eye which ', 'd briskly into the room. his features were gravely set, but there was a light in his eye which made ', 'skly into the room. his features were gravely set, but there was a light in his eye which made me th', 'into the room. his features were gravely set, but there was a light in his eye which made me think t', 'the room. his features were gravely set, but there was a light in his eye which made me think that h', 'oom. his features were gravely set, but there was a light in his eye which made me think that he had', 'his features were gravely set, but there was a light in his eye which made me think that he had not ', 'eatures were gravely set, but there was a light in his eye which made me think that he had not been ', 'es were gravely set, but there was a light in his eye which made me think that he had not been disap', 're gravely set, but there was a light in his eye which made me think that he had not been disappoint', 'avely set, but there was a light in his eye which made me think that he had not been disappointed in', ' set, but there was a light in his eye which made me think that he had not been disappointed in his ', ' but there was a light in his eye which made me think that he had not been disappointed in his concl', 'there was a light in his eye which made me think that he had not been disappointed in his conclusion', ' was a light in his eye which made me think that he had not been disappointed in his conclusions. "t', 'a light in his eye which made me think that he had not been disappointed in his conclusions. "they h', 'ht in his eye which made me think that he had not been disappointed in his conclusions. "they have l', ' his eye which made me think that he had not been disappointed in his conclusions. "they have laid t', 'eye which made me think that he had not been disappointed in his conclusions. "they have laid the su', 'hich made me think that he had not been disappointed in his conclusions. "they have laid the supper,', 'made me think that he had not been disappointed in his conclusions. "they have laid the supper, then', 'me think that he had not been disappointed in his conclusions. "they have laid the supper, then," he', 'ink that he had not been disappointed in his conclusions. "they have laid the supper, then," he said', 'hat he had not been disappointed in his conclusions. "they have laid the supper, then," he said, rub', 'e had not been disappointed in his conclusions. "they have laid the supper, then," he said, rubbing ', ' not been disappointed in his conclusions. "they have laid the supper, then," he said, rubbing his h', 'been disappointed in his conclusions. "they have laid the supper, then," he said, rubbing his hands.', 'disappointed in his conclusions. "they have laid the supper, then," he said, rubbing his hands. "you', 'pointed in his conclusions. "they have laid the supper, then," he said, rubbing his hands. "you seem', 'ed in his conclusions. "they have laid the supper, then," he said, rubbing his hands. "you seem to e', ' his conclusions. "they have laid the supper, then," he said, rubbing his hands. "you seem to expect', 'conclusions. "they have laid the supper, then," he said, rubbing his hands. "you seem to expect comp', 'usions. "they have laid the supper, then," he said, rubbing his hands. "you seem to expect company. ', 's. "they have laid the supper, then," he said, rubbing his hands. "you seem to expect company. they ', 'hey have laid the supper, then," he said, rubbing his hands. "you seem to expect company. they have ', 'ave laid the supper, then," he said, rubbing his hands. "you seem to expect company. they have laid ', 'aid the supper, then," he said, rubbing his hands. "you seem to expect company. they have laid for f', 'he supper, then," he said, rubbing his hands. "you seem to expect company. they have laid for five."', 'pper, then," he said, rubbing his hands. "you seem to expect company. they have laid for five." "yes', ' then," he said, rubbing his hands. "you seem to expect company. they have laid for five." "yes, i f', '," he said, rubbing his hands. "you seem to expect company. they have laid for five." "yes, i fancy ', ' said, rubbing his hands. "you seem to expect company. they have laid for five." "yes, i fancy we ma', ', rubbing his hands. "you seem to expect company. they have laid for five." "yes, i fancy we may hav', 'bing his hands. "you seem to expect company. they have laid for five." "yes, i fancy we may have som', 'his hands. "you seem to expect company. they have laid for five." "yes, i fancy we may have some com', 'ands. "you seem to expect company. they have laid for five." "yes, i fancy we may have some company ', ' "you seem to expect company. they have laid for five." "yes, i fancy we may have some company dropp', ' seem to expect company. they have laid for five." "yes, i fancy we may have some company dropping i', ' to expect company. they have laid for five." "yes, i fancy we may have some company dropping in," s', 'xpect company. they have laid for five." "yes, i fancy we may have some company dropping in," said h', ' company. they have laid for five." "yes, i fancy we may have some company dropping in," said he. "i', 'any. they have laid for five." "yes, i fancy we may have some company dropping in," said he. "i am s', 'they have laid for five." "yes, i fancy we may have some company dropping in," said he. "i am surpri', 'have laid for five." "yes, i fancy we may have some company dropping in," said he. "i am surprised t', 'laid for five." "yes, i fancy we may have some company dropping in," said he. "i am surprised that l', 'for five." "yes, i fancy we may have some company dropping in," said he. "i am surprised that lord s', 'ive." "yes, i fancy we may have some company dropping in," said he. "i am surprised that lord st. si', ' "yes, i fancy we may have some company dropping in," said he. "i am surprised that lord st. simon h', ', i fancy we may have some company dropping in," said he. "i am surprised that lord st. simon has no', 'ancy we may have some company dropping in," said he. "i am surprised that lord st. simon has not alr', 'we may have some company dropping in," said he. "i am surprised that lord st. simon has not already ', 'y have some company dropping in," said he. "i am surprised that lord st. simon has not already arriv', 'e some company dropping in," said he. "i am surprised that lord st. simon has not already arrived. h', 'e company dropping in," said he. "i am surprised that lord st. simon has not already arrived. ha! i ', 'pany dropping in," said he. "i am surprised that lord st. simon has not already arrived. ha! i fancy', 'dropping in," said he. "i am surprised that lord st. simon has not already arrived. ha! i fancy that', 'ing in," said he. "i am surprised that lord st. simon has not already arrived. ha! i fancy that i he', 'n," said he. "i am surprised that lord st. simon has not already arrived. ha! i fancy that i hear hi', 'aid he. "i am surprised that lord st. simon has not already arrived. ha! i fancy that i hear his ste', 'e. "i am surprised that lord st. simon has not already arrived. ha! i fancy that i hear his step now', ' am surprised that lord st. simon has not already arrived. ha! i fancy that i hear his step now upon', 'urprised that lord st. simon has not already arrived. ha! i fancy that i hear his step now upon the ', 'sed that lord st. simon has not already arrived. ha! i fancy that i hear his step now upon the stair', 'hat lord st. simon has not already arrived. ha! i fancy that i hear his step now upon the stairs." i', 'ord st. simon has not already arrived. ha! i fancy that i hear his step now upon the stairs." it was', 't. simon has not already arrived. ha! i fancy that i hear his step now upon the stairs." it was inde', 'mon has not already arrived. ha! i fancy that i hear his step now upon the stairs." it was indeed ou', 'as not already arrived. ha! i fancy that i hear his step now upon the stairs." it was indeed our vis', 't already arrived. ha! i fancy that i hear his step now upon the stairs." it was indeed our visitor ', 'eady arrived. ha! i fancy that i hear his step now upon the stairs." it was indeed our visitor of th', 'arrived. ha! i fancy that i hear his step now upon the stairs." it was indeed our visitor of the aft', 'ed. ha! i fancy that i hear his step now upon the stairs." it was indeed our visitor of the afternoo', 'a! i fancy that i hear his step now upon the stairs." it was indeed our visitor of the afternoon who', 'fancy that i hear his step now upon the stairs." it was indeed our visitor of the afternoon who came', ' that i hear his step now upon the stairs." it was indeed our visitor of the afternoon who came bust', ' i hear his step now upon the stairs." it was indeed our visitor of the afternoon who came bustling ', 'ar his step now upon the stairs." it was indeed our visitor of the afternoon who came bustling in, d', 's step now upon the stairs." it was indeed our visitor of the afternoon who came bustling in, dangli', 'p now upon the stairs." it was indeed our visitor of the afternoon who came bustling in, dangling hi', ' upon the stairs." it was indeed our visitor of the afternoon who came bustling in, dangling his gla', ' the stairs." it was indeed our visitor of the afternoon who came bustling in, dangling his glasses ', 'stairs." it was indeed our visitor of the afternoon who came bustling in, dangling his glasses more ', 's." it was indeed our visitor of the afternoon who came bustling in, dangling his glasses more vigor', 't was indeed our visitor of the afternoon who came bustling in, dangling his glasses more vigorously', ' indeed our visitor of the afternoon who came bustling in, dangling his glasses more vigorously than', 'ed our visitor of the afternoon who came bustling in, dangling his glasses more vigorously than ever', 'r visitor of the afternoon who came bustling in, dangling his glasses more vigorously than ever, and', 'itor of the afternoon who came bustling in, dangling his glasses more vigorously than ever, and with', 'of the afternoon who came bustling in, dangling his glasses more vigorously than ever, and with a ve', 'e afternoon who came bustling in, dangling his glasses more vigorously than ever, and with a very pe', 'ernoon who came bustling in, dangling his glasses more vigorously than ever, and with a very perturb', 'n who came bustling in, dangling his glasses more vigorously than ever, and with a very perturbed ex', ' came bustling in, dangling his glasses more vigorously than ever, and with a very perturbed express', ' bustling in, dangling his glasses more vigorously than ever, and with a very perturbed expression u', 'ling in, dangling his glasses more vigorously than ever, and with a very perturbed expression upon h', 'in, dangling his glasses more vigorously than ever, and with a very perturbed expression upon his ar', 'angling his glasses more vigorously than ever, and with a very perturbed expression upon his aristoc', 'ng his glasses more vigorously than ever, and with a very perturbed expression upon his aristocratic', 's glasses more vigorously than ever, and with a very perturbed expression upon his aristocratic feat', 'sses more vigorously than ever, and with a very perturbed expression upon his aristocratic features.', 'more vigorously than ever, and with a very perturbed expression upon his aristocratic features. "my ', 'vigorously than ever, and with a very perturbed expression upon his aristocratic features. "my messe', 'ously than ever, and with a very perturbed expression upon his aristocratic features. "my messenger ', ' than ever, and with a very perturbed expression upon his aristocratic features. "my messenger reach', ' ever, and with a very perturbed expression upon his aristocratic features. "my messenger reached yo', ', and with a very perturbed expression upon his aristocratic features. "my messenger reached you, th', ' with a very perturbed expression upon his aristocratic features. "my messenger reached you, then?" ', ' a very perturbed expression upon his aristocratic features. "my messenger reached you, then?" asked', 'ry perturbed expression upon his aristocratic features. "my messenger reached you, then?" asked holm', 'rturbed expression upon his aristocratic features. "my messenger reached you, then?" asked holmes. "', 'ed expression upon his aristocratic features. "my messenger reached you, then?" asked holmes. "yes, ', 'pression upon his aristocratic features. "my messenger reached you, then?" asked holmes. "yes, and i', 'ion upon his aristocratic features. "my messenger reached you, then?" asked holmes. "yes, and i conf', 'pon his aristocratic features. "my messenger reached you, then?" asked holmes. "yes, and i confess t', 'is aristocratic features. "my messenger reached you, then?" asked holmes. "yes, and i confess that t', 'istocratic features. "my messenger reached you, then?" asked holmes. "yes, and i confess that the co', 'ratic features. "my messenger reached you, then?" asked holmes. "yes, and i confess that the content', ' features. "my messenger reached you, then?" asked holmes. "yes, and i confess that the contents sta', 'ures. "my messenger reached you, then?" asked holmes. "yes, and i confess that the contents startled', ' "my messenger reached you, then?" asked holmes. "yes, and i confess that the contents startled me b', 'messenger reached you, then?" asked holmes. "yes, and i confess that the contents startled me beyond', 'nger reached you, then?" asked holmes. "yes, and i confess that the contents startled me beyond meas', 'reached you, then?" asked holmes. "yes, and i confess that the contents startled me beyond measure. ', 'ed you, then?" asked holmes. "yes, and i confess that the contents startled me beyond measure. have ', 'u, then?" asked holmes. "yes, and i confess that the contents startled me beyond measure. have you g', 'en?" asked holmes. "yes, and i confess that the contents startled me beyond measure. have you good a', 'asked holmes. "yes, and i confess that the contents startled me beyond measure. have you good author', ' holmes. "yes, and i confess that the contents startled me beyond measure. have you good authority f', 'es. "yes, and i confess that the contents startled me beyond measure. have you good authority for wh', 'yes, and i confess that the contents startled me beyond measure. have you good authority for what yo', 'and i confess that the contents startled me beyond measure. have you good authority for what you say', ' confess that the contents startled me beyond measure. have you good authority for what you say?" "t', 'ess that the contents startled me beyond measure. have you good authority for what you say?" "the be', 'hat the contents startled me beyond measure. have you good authority for what you say?" "the best po', 'he contents startled me beyond measure. have you good authority for what you say?" "the best possibl', 'ntents startled me beyond measure. have you good authority for what you say?" "the best possible." l', 's startled me beyond measure. have you good authority for what you say?" "the best possible." lord s', 'rtled me beyond measure. have you good authority for what you say?" "the best possible." lord st. si', ' me beyond measure. have you good authority for what you say?" "the best possible." lord st. simon s', 'eyond measure. have you good authority for what you say?" "the best possible." lord st. simon sank i', ' measure. have you good authority for what you say?" "the best possible." lord st. simon sank into a', 'ure. have you good authority for what you say?" "the best possible." lord st. simon sank into a chai', 'have you good authority for what you say?" "the best possible." lord st. simon sank into a chair and', 'you good authority for what you say?" "the best possible." lord st. simon sank into a chair and pass', 'ood authority for what you say?" "the best possible." lord st. simon sank into a chair and passed hi', 'uthority for what you say?" "the best possible." lord st. simon sank into a chair and passed his han', 'ity for what you say?" "the best possible." lord st. simon sank into a chair and passed his hand ove', 'or what you say?" "the best possible." lord st. simon sank into a chair and passed his hand over his', 'at you say?" "the best possible." lord st. simon sank into a chair and passed his hand over his fore', 'u say?" "the best possible." lord st. simon sank into a chair and passed his hand over his forehead.', '?" "the best possible." lord st. simon sank into a chair and passed his hand over his forehead. "wha', 'he best possible." lord st. simon sank into a chair and passed his hand over his forehead. "what wil', 'st possible." lord st. simon sank into a chair and passed his hand over his forehead. "what will the', 'ssible." lord st. simon sank into a chair and passed his hand over his forehead. "what will the duke', 'e." lord st. simon sank into a chair and passed his hand over his forehead. "what will the duke say,', 'ord st. simon sank into a chair and passed his hand over his forehead. "what will the duke say," he ', 't. simon sank into a chair and passed his hand over his forehead. "what will the duke say," he murmu', 'mon sank into a chair and passed his hand over his forehead. "what will the duke say," he murmured, ', 'ank into a chair and passed his hand over his forehead. "what will the duke say," he murmured, "when', 'nto a chair and passed his hand over his forehead. "what will the duke say," he murmured, "when he h', ' chair and passed his hand over his forehead. "what will the duke say," he murmured, "when he hears ', 'r and passed his hand over his forehead. "what will the duke say," he murmured, "when he hears that ', ' passed his hand over his forehead. "what will the duke say," he murmured, "when he hears that one o', 'ed his hand over his forehead. "what will the duke say," he murmured, "when he hears that one of the', 's hand over his forehead. "what will the duke say," he murmured, "when he hears that one of the fami', 'd over his forehead. "what will the duke say," he murmured, "when he hears that one of the family ha', 'r his forehead. "what will the duke say," he murmured, "when he hears that one of the family has bee', ' forehead. "what will the duke say," he murmured, "when he hears that one of the family has been sub', 'head. "what will the duke say," he murmured, "when he hears that one of the family has been subjecte', ' "what will the duke say," he murmured, "when he hears that one of the family has been subjected to ', 't will the duke say," he murmured, "when he hears that one of the family has been subjected to such ', 'l the duke say," he murmured, "when he hears that one of the family has been subjected to such humil', ' duke say," he murmured, "when he hears that one of the family has been subjected to such humiliatio', ' say," he murmured, "when he hears that one of the family has been subjected to such humiliation?" "', '" he murmured, "when he hears that one of the family has been subjected to such humiliation?" "it is', 'murmured, "when he hears that one of the family has been subjected to such humiliation?" "it is the ', 'red, "when he hears that one of the family has been subjected to such humiliation?" "it is the pures', '"when he hears that one of the family has been subjected to such humiliation?" "it is the purest acc', ' he hears that one of the family has been subjected to such humiliation?" "it is the purest accident', 'ears that one of the family has been subjected to such humiliation?" "it is the purest accident. i c', 'that one of the family has been subjected to such humiliation?" "it is the purest accident. i cannot', 'one of the family has been subjected to such humiliation?" "it is the purest accident. i cannot allo', 'f the family has been subjected to such humiliation?" "it is the purest accident. i cannot allow tha', ' family has been subjected to such humiliation?" "it is the purest accident. i cannot allow that the', 'ly has been subjected to such humiliation?" "it is the purest accident. i cannot allow that there is', 's been subjected to such humiliation?" "it is the purest accident. i cannot allow that there is any ', 'n subjected to such humiliation?" "it is the purest accident. i cannot allow that there is any humil', 'jected to such humiliation?" "it is the purest accident. i cannot allow that there is any humiliatio', 'd to such humiliation?" "it is the purest accident. i cannot allow that there is any humiliation." "', 'such humiliation?" "it is the purest accident. i cannot allow that there is any humiliation." "ah, y', 'humiliation?" "it is the purest accident. i cannot allow that there is any humiliation." "ah, you lo', 'iation?" "it is the purest accident. i cannot allow that there is any humiliation." "ah, you look on', 'n?" "it is the purest accident. i cannot allow that there is any humiliation." "ah, you look on thes', 'it is the purest accident. i cannot allow that there is any humiliation." "ah, you look on these thi', ' the purest accident. i cannot allow that there is any humiliation." "ah, you look on these things f', 'purest accident. i cannot allow that there is any humiliation." "ah, you look on these things from a', 't accident. i cannot allow that there is any humiliation." "ah, you look on these things from anothe', 'ident. i cannot allow that there is any humiliation." "ah, you look on these things from another sta', '. i cannot allow that there is any humiliation." "ah, you look on these things from another standpoi', 'annot allow that there is any humiliation." "ah, you look on these things from another standpoint." ', ' allow that there is any humiliation." "ah, you look on these things from another standpoint." "i fa', 'w that there is any humiliation." "ah, you look on these things from another standpoint." "i fail to', 't there is any humiliation." "ah, you look on these things from another standpoint." "i fail to see ', 're is any humiliation." "ah, you look on these things from another standpoint." "i fail to see that ', ' any humiliation." "ah, you look on these things from another standpoint." "i fail to see that anyon', 'humiliation." "ah, you look on these things from another standpoint." "i fail to see that anyone is ', 'iation." "ah, you look on these things from another standpoint." "i fail to see that anyone is to bl', 'n." "ah, you look on these things from another standpoint." "i fail to see that anyone is to blame. ', 'ah, you look on these things from another standpoint." "i fail to see that anyone is to blame. i can', 'ou look on these things from another standpoint." "i fail to see that anyone is to blame. i can hard', 'ok on these things from another standpoint." "i fail to see that anyone is to blame. i can hardly se', ' these things from another standpoint." "i fail to see that anyone is to blame. i can hardly see how', 'e things from another standpoint." "i fail to see that anyone is to blame. i can hardly see how the ', 'ngs from another standpoint." "i fail to see that anyone is to blame. i can hardly see how the lady ', 'rom another standpoint." "i fail to see that anyone is to blame. i can hardly see how the lady could', 'nother standpoint." "i fail to see that anyone is to blame. i can hardly see how the lady could have', 'r standpoint." "i fail to see that anyone is to blame. i can hardly see how the lady could have acte', 'ndpoint." "i fail to see that anyone is to blame. i can hardly see how the lady could have acted oth', 'nt." "i fail to see that anyone is to blame. i can hardly see how the lady could have acted otherwis', '"i fail to see that anyone is to blame. i can hardly see how the lady could have acted otherwise, th', 'il to see that anyone is to blame. i can hardly see how the lady could have acted otherwise, though ', ' see that anyone is to blame. i can hardly see how the lady could have acted otherwise, though her a', 'that anyone is to blame. i can hardly see how the lady could have acted otherwise, though her abrupt', 'anyone is to blame. i can hardly see how the lady could have acted otherwise, though her abrupt meth', 'e is to blame. i can hardly see how the lady could have acted otherwise, though her abrupt method of', 'to blame. i can hardly see how the lady could have acted otherwise, though her abrupt method of doin', 'ame. i can hardly see how the lady could have acted otherwise, though her abrupt method of doing it ', 'i can hardly see how the lady could have acted otherwise, though her abrupt method of doing it was u', ' hardly see how the lady could have acted otherwise, though her abrupt method of doing it was undoub', 'ly see how the lady could have acted otherwise, though her abrupt method of doing it was undoubtedly', 'e how the lady could have acted otherwise, though her abrupt method of doing it was undoubtedly to b', ' the lady could have acted otherwise, though her abrupt method of doing it was undoubtedly to be reg', 'lady could have acted otherwise, though her abrupt method of doing it was undoubtedly to be regrette', 'could have acted otherwise, though her abrupt method of doing it was undoubtedly to be regretted. ha', ' have acted otherwise, though her abrupt method of doing it was undoubtedly to be regretted. having ', ' acted otherwise, though her abrupt method of doing it was undoubtedly to be regretted. having no mo', 'd otherwise, though her abrupt method of doing it was undoubtedly to be regretted. having no mother,', 'erwise, though her abrupt method of doing it was undoubtedly to be regretted. having no mother, she ', 'e, though her abrupt method of doing it was undoubtedly to be regretted. having no mother, she had n', 'ough her abrupt method of doing it was undoubtedly to be regretted. having no mother, she had no one', 'her abrupt method of doing it was undoubtedly to be regretted. having no mother, she had no one to a', 'brupt method of doing it was undoubtedly to be regretted. having no mother, she had no one to advise', ' method of doing it was undoubtedly to be regretted. having no mother, she had no one to advise her ', 'od of doing it was undoubtedly to be regretted. having no mother, she had no one to advise her at su', ' doing it was undoubtedly to be regretted. having no mother, she had no one to advise her at such a ', 'g it was undoubtedly to be regretted. having no mother, she had no one to advise her at such a crisi', 'was undoubtedly to be regretted. having no mother, she had no one to advise her at such a crisis." "', 'ndoubtedly to be regretted. having no mother, she had no one to advise her at such a crisis." "it wa', 'tedly to be regretted. having no mother, she had no one to advise her at such a crisis." "it was a s', ' to be regretted. having no mother, she had no one to advise her at such a crisis." "it was a slight', 'e regretted. having no mother, she had no one to advise her at such a crisis." "it was a slight, sir', 'retted. having no mother, she had no one to advise her at such a crisis." "it was a slight, sir, a p', 'd. having no mother, she had no one to advise her at such a crisis." "it was a slight, sir, a public', 'ving no mother, she had no one to advise her at such a crisis." "it was a slight, sir, a public slig', 'no mother, she had no one to advise her at such a crisis." "it was a slight, sir, a public slight," ', 'ther, she had no one to advise her at such a crisis." "it was a slight, sir, a public slight," said ', ' she had no one to advise her at such a crisis." "it was a slight, sir, a public slight," said lord ', 'had no one to advise her at such a crisis." "it was a slight, sir, a public slight," said lord st. s', 'o one to advise her at such a crisis." "it was a slight, sir, a public slight," said lord st. simon,', ' to advise her at such a crisis." "it was a slight, sir, a public slight," said lord st. simon, tapp', 'dvise her at such a crisis." "it was a slight, sir, a public slight," said lord st. simon, tapping h', ' her at such a crisis." "it was a slight, sir, a public slight," said lord st. simon, tapping his fi', 'at such a crisis." "it was a slight, sir, a public slight," said lord st. simon, tapping his fingers', 'ch a crisis." "it was a slight, sir, a public slight," said lord st. simon, tapping his fingers upon', 'crisis." "it was a slight, sir, a public slight," said lord st. simon, tapping his fingers upon the ', 's." "it was a slight, sir, a public slight," said lord st. simon, tapping his fingers upon the table', 'it was a slight, sir, a public slight," said lord st. simon, tapping his fingers upon the table. "yo', 's a slight, sir, a public slight," said lord st. simon, tapping his fingers upon the table. "you mus', 'light, sir, a public slight," said lord st. simon, tapping his fingers upon the table. "you must mak', ', sir, a public slight," said lord st. simon, tapping his fingers upon the table. "you must make all', ', a public slight," said lord st. simon, tapping his fingers upon the table. "you must make allowanc', 'ublic slight," said lord st. simon, tapping his fingers upon the table. "you must make allowance for', ' slight," said lord st. simon, tapping his fingers upon the table. "you must make allowance for this', 'ht," said lord st. simon, tapping his fingers upon the table. "you must make allowance for this poor', 'said lord st. simon, tapping his fingers upon the table. "you must make allowance for this poor girl', 'lord st. simon, tapping his fingers upon the table. "you must make allowance for this poor girl, pla', 'st. simon, tapping his fingers upon the table. "you must make allowance for this poor girl, placed i', 'imon, tapping his fingers upon the table. "you must make allowance for this poor girl, placed in so ', ' tapping his fingers upon the table. "you must make allowance for this poor girl, placed in so unpre', 'ing his fingers upon the table. "you must make allowance for this poor girl, placed in so unpreceden', 'is fingers upon the table. "you must make allowance for this poor girl, placed in so unprecedented a', 'ngers upon the table. "you must make allowance for this poor girl, placed in so unprecedented a posi', ' upon the table. "you must make allowance for this poor girl, placed in so unprecedented a position.', ' the table. "you must make allowance for this poor girl, placed in so unprecedented a position." "i ', 'table. "you must make allowance for this poor girl, placed in so unprecedented a position." "i will ', '. "you must make allowance for this poor girl, placed in so unprecedented a position." "i will make ', 'u must make allowance for this poor girl, placed in so unprecedented a position." "i will make no al', 't make allowance for this poor girl, placed in so unprecedented a position." "i will make no allowan', 'e allowance for this poor girl, placed in so unprecedented a position." "i will make no allowance. i', 'owance for this poor girl, placed in so unprecedented a position." "i will make no allowance. i am v', 'e for this poor girl, placed in so unprecedented a position." "i will make no allowance. i am very a', ' this poor girl, placed in so unprecedented a position." "i will make no allowance. i am very angry ', ' poor girl, placed in so unprecedented a position." "i will make no allowance. i am very angry indee', ' girl, placed in so unprecedented a position." "i will make no allowance. i am very angry indeed, an', ', placed in so unprecedented a position." "i will make no allowance. i am very angry indeed, and i h', 'ced in so unprecedented a position." "i will make no allowance. i am very angry indeed, and i have b', 'n so unprecedented a position." "i will make no allowance. i am very angry indeed, and i have been s', 'unprecedented a position." "i will make no allowance. i am very angry indeed, and i have been shamef', 'cedented a position." "i will make no allowance. i am very angry indeed, and i have been shamefully ', 'ted a position." "i will make no allowance. i am very angry indeed, and i have been shamefully used.', ' position." "i will make no allowance. i am very angry indeed, and i have been shamefully used." "i ', 'tion." "i will make no allowance. i am very angry indeed, and i have been shamefully used." "i think', '" "i will make no allowance. i am very angry indeed, and i have been shamefully used." "i think that', 'will make no allowance. i am very angry indeed, and i have been shamefully used." "i think that i he', 'make no allowance. i am very angry indeed, and i have been shamefully used." "i think that i heard a', 'no allowance. i am very angry indeed, and i have been shamefully used." "i think that i heard a ring', 'lowance. i am very angry indeed, and i have been shamefully used." "i think that i heard a ring," sa', 'ce. i am very angry indeed, and i have been shamefully used." "i think that i heard a ring," said ho', ' am very angry indeed, and i have been shamefully used." "i think that i heard a ring," said holmes.', 'ery angry indeed, and i have been shamefully used." "i think that i heard a ring," said holmes. "yes', 'ngry indeed, and i have been shamefully used." "i think that i heard a ring," said holmes. "yes, the', 'indeed, and i have been shamefully used." "i think that i heard a ring," said holmes. "yes, there ar', 'd, and i have been shamefully used." "i think that i heard a ring," said holmes. "yes, there are ste', 'd i have been shamefully used." "i think that i heard a ring," said holmes. "yes, there are steps on', 'ave been shamefully used." "i think that i heard a ring," said holmes. "yes, there are steps on the ', 'een shamefully used." "i think that i heard a ring," said holmes. "yes, there are steps on the landi', 'hamefully used." "i think that i heard a ring," said holmes. "yes, there are steps on the landing. i', 'ully used." "i think that i heard a ring," said holmes. "yes, there are steps on the landing. if i c', 'used." "i think that i heard a ring," said holmes. "yes, there are steps on the landing. if i cannot', '" "i think that i heard a ring," said holmes. "yes, there are steps on the landing. if i cannot pers', 'think that i heard a ring," said holmes. "yes, there are steps on the landing. if i cannot persuade ', ' that i heard a ring," said holmes. "yes, there are steps on the landing. if i cannot persuade you t', ' i heard a ring," said holmes. "yes, there are steps on the landing. if i cannot persuade you to tak', 'ard a ring," said holmes. "yes, there are steps on the landing. if i cannot persuade you to take a l', ' ring," said holmes. "yes, there are steps on the landing. if i cannot persuade you to take a lenien', '," said holmes. "yes, there are steps on the landing. if i cannot persuade you to take a lenient vie', 'id holmes. "yes, there are steps on the landing. if i cannot persuade you to take a lenient view of ', 'lmes. "yes, there are steps on the landing. if i cannot persuade you to take a lenient view of the m', ' "yes, there are steps on the landing. if i cannot persuade you to take a lenient view of the matter', ', there are steps on the landing. if i cannot persuade you to take a lenient view of the matter, lor', 're are steps on the landing. if i cannot persuade you to take a lenient view of the matter, lord st.', 'e steps on the landing. if i cannot persuade you to take a lenient view of the matter, lord st. simo', 'ps on the landing. if i cannot persuade you to take a lenient view of the matter, lord st. simon, i ', ' the landing. if i cannot persuade you to take a lenient view of the matter, lord st. simon, i have ', 'landing. if i cannot persuade you to take a lenient view of the matter, lord st. simon, i have broug', 'ng. if i cannot persuade you to take a lenient view of the matter, lord st. simon, i have brought an', 'f i cannot persuade you to take a lenient view of the matter, lord st. simon, i have brought an advo', 'annot persuade you to take a lenient view of the matter, lord st. simon, i have brought an advocate ', ' persuade you to take a lenient view of the matter, lord st. simon, i have brought an advocate here ', 'uade you to take a lenient view of the matter, lord st. simon, i have brought an advocate here who m', 'you to take a lenient view of the matter, lord st. simon, i have brought an advocate here who may be', 'o take a lenient view of the matter, lord st. simon, i have brought an advocate here who may be more', 'e a lenient view of the matter, lord st. simon, i have brought an advocate here who may be more succ', 'enient view of the matter, lord st. simon, i have brought an advocate here who may be more successfu', 't view of the matter, lord st. simon, i have brought an advocate here who may be more successful." h', 'w of the matter, lord st. simon, i have brought an advocate here who may be more successful." he ope', 'the matter, lord st. simon, i have brought an advocate here who may be more successful." he opened t', 'atter, lord st. simon, i have brought an advocate here who may be more successful." he opened the do', ', lord st. simon, i have brought an advocate here who may be more successful." he opened the door an', 'd st. simon, i have brought an advocate here who may be more successful." he opened the door and ush', ' simon, i have brought an advocate here who may be more successful." he opened the door and ushered ', 'n, i have brought an advocate here who may be more successful." he opened the door and ushered in a ', 'have brought an advocate here who may be more successful." he opened the door and ushered in a lady ', 'brought an advocate here who may be more successful." he opened the door and ushered in a lady and g', 'ht an advocate here who may be more successful." he opened the door and ushered in a lady and gentle', ' advocate here who may be more successful." he opened the door and ushered in a lady and gentleman. ', 'cate here who may be more successful." he opened the door and ushered in a lady and gentleman. "lord', 'here who may be more successful." he opened the door and ushered in a lady and gentleman. "lord st. ', 'who may be more successful." he opened the door and ushered in a lady and gentleman. "lord st. simon', 'ay be more successful." he opened the door and ushered in a lady and gentleman. "lord st. simon," sa', ' more successful." he opened the door and ushered in a lady and gentleman. "lord st. simon," said he', ' successful." he opened the door and ushered in a lady and gentleman. "lord st. simon," said he "all', 'essful." he opened the door and ushered in a lady and gentleman. "lord st. simon," said he "allow me', 'l." he opened the door and ushered in a lady and gentleman. "lord st. simon," said he "allow me to i', 'e opened the door and ushered in a lady and gentleman. "lord st. simon," said he "allow me to introd', 'ned the door and ushered in a lady and gentleman. "lord st. simon," said he "allow me to introduce y', 'he door and ushered in a lady and gentleman. "lord st. simon," said he "allow me to introduce you to', 'or and ushered in a lady and gentleman. "lord st. simon," said he "allow me to introduce you to mr. ', 'd ushered in a lady and gentleman. "lord st. simon," said he "allow me to introduce you to mr. and m', 'ered in a lady and gentleman. "lord st. simon," said he "allow me to introduce you to mr. and mrs. f', 'in a lady and gentleman. "lord st. simon," said he "allow me to introduce you to mr. and mrs. franci', 'lady and gentleman. "lord st. simon," said he "allow me to introduce you to mr. and mrs. francis hay', 'and gentleman. "lord st. simon," said he "allow me to introduce you to mr. and mrs. francis hay moul', 'entleman. "lord st. simon," said he "allow me to introduce you to mr. and mrs. francis hay moulton. ', 'man. "lord st. simon," said he "allow me to introduce you to mr. and mrs. francis hay moulton. the l', '"lord st. simon," said he "allow me to introduce you to mr. and mrs. francis hay moulton. the lady, ', ' st. simon," said he "allow me to introduce you to mr. and mrs. francis hay moulton. the lady, i thi', 'simon," said he "allow me to introduce you to mr. and mrs. francis hay moulton. the lady, i think, y', '," said he "allow me to introduce you to mr. and mrs. francis hay moulton. the lady, i think, you ha', 'id he "allow me to introduce you to mr. and mrs. francis hay moulton. the lady, i think, you have al', ' "allow me to introduce you to mr. and mrs. francis hay moulton. the lady, i think, you have already', 'ow me to introduce you to mr. and mrs. francis hay moulton. the lady, i think, you have already met.', ' to introduce you to mr. and mrs. francis hay moulton. the lady, i think, you have already met." at ', 'ntroduce you to mr. and mrs. francis hay moulton. the lady, i think, you have already met." at the s', 'uce you to mr. and mrs. francis hay moulton. the lady, i think, you have already met." at the sight ', 'ou to mr. and mrs. francis hay moulton. the lady, i think, you have already met." at the sight of th', ' mr. and mrs. francis hay moulton. the lady, i think, you have already met." at the sight of these n', 'and mrs. francis hay moulton. the lady, i think, you have already met." at the sight of these newcom', 'rs. francis hay moulton. the lady, i think, you have already met." at the sight of these newcomers o', 'rancis hay moulton. the lady, i think, you have already met." at the sight of these newcomers our cl', 's hay moulton. the lady, i think, you have already met." at the sight of these newcomers our client ', ' moulton. the lady, i think, you have already met." at the sight of these newcomers our client had s', 'ton. the lady, i think, you have already met." at the sight of these newcomers our client had sprung', 'the lady, i think, you have already met." at the sight of these newcomers our client had sprung from', 'ady, i think, you have already met." at the sight of these newcomers our client had sprung from his ', 'i think, you have already met." at the sight of these newcomers our client had sprung from his seat ', 'nk, you have already met." at the sight of these newcomers our client had sprung from his seat and s', 'ou have already met." at the sight of these newcomers our client had sprung from his seat and stood ', 've already met." at the sight of these newcomers our client had sprung from his seat and stood very ', 'ready met." at the sight of these newcomers our client had sprung from his seat and stood very erect', ' met." at the sight of these newcomers our client had sprung from his seat and stood very erect, wit', '" at the sight of these newcomers our client had sprung from his seat and stood very erect, with his', 'the sight of these newcomers our client had sprung from his seat and stood very erect, with his eyes', 'ight of these newcomers our client had sprung from his seat and stood very erect, with his eyes cast', 'of these newcomers our client had sprung from his seat and stood very erect, with his eyes cast down', 'ese newcomers our client had sprung from his seat and stood very erect, with his eyes cast down and ', 'ewcomers our client had sprung from his seat and stood very erect, with his eyes cast down and his h', 'ers our client had sprung from his seat and stood very erect, with his eyes cast down and his hand t', 'ur client had sprung from his seat and stood very erect, with his eyes cast down and his hand thrust', 'ient had sprung from his seat and stood very erect, with his eyes cast down and his hand thrust into', 'had sprung from his seat and stood very erect, with his eyes cast down and his hand thrust into the ', 'prung from his seat and stood very erect, with his eyes cast down and his hand thrust into the breas', ' from his seat and stood very erect, with his eyes cast down and his hand thrust into the breast of ', ' his seat and stood very erect, with his eyes cast down and his hand thrust into the breast of his f', 'seat and stood very erect, with his eyes cast down and his hand thrust into the breast of his frock-', 'and stood very erect, with his eyes cast down and his hand thrust into the breast of his frock-coat,', 'tood very erect, with his eyes cast down and his hand thrust into the breast of his frock-coat, a pi', 'very erect, with his eyes cast down and his hand thrust into the breast of his frock-coat, a picture', 'erect, with his eyes cast down and his hand thrust into the breast of his frock-coat, a picture of o', ', with his eyes cast down and his hand thrust into the breast of his frock-coat, a picture of offend', 'h his eyes cast down and his hand thrust into the breast of his frock-coat, a picture of offended di', ' eyes cast down and his hand thrust into the breast of his frock-coat, a picture of offended dignity', ' cast down and his hand thrust into the breast of his frock-coat, a picture of offended dignity. the', ' down and his hand thrust into the breast of his frock-coat, a picture of offended dignity. the lady', ' and his hand thrust into the breast of his frock-coat, a picture of offended dignity. the lady had ', 'his hand thrust into the breast of his frock-coat, a picture of offended dignity. the lady had taken', 'and thrust into the breast of his frock-coat, a picture of offended dignity. the lady had taken a qu', 'hrust into the breast of his frock-coat, a picture of offended dignity. the lady had taken a quick s', ' into the breast of his frock-coat, a picture of offended dignity. the lady had taken a quick step f', ' the breast of his frock-coat, a picture of offended dignity. the lady had taken a quick step forwar', 'breast of his frock-coat, a picture of offended dignity. the lady had taken a quick step forward and', 't of his frock-coat, a picture of offended dignity. the lady had taken a quick step forward and had ', 'his frock-coat, a picture of offended dignity. the lady had taken a quick step forward and had held ', 'rock-coat, a picture of offended dignity. the lady had taken a quick step forward and had held out h', 'coat, a picture of offended dignity. the lady had taken a quick step forward and had held out her ha', ' a picture of offended dignity. the lady had taken a quick step forward and had held out her hand to', 'cture of offended dignity. the lady had taken a quick step forward and had held out her hand to him,', ' of offended dignity. the lady had taken a quick step forward and had held out her hand to him, but ', 'ffended dignity. the lady had taken a quick step forward and had held out her hand to him, but he st', 'ed dignity. the lady had taken a quick step forward and had held out her hand to him, but he still r', 'gnity. the lady had taken a quick step forward and had held out her hand to him, but he still refuse', '. the lady had taken a quick step forward and had held out her hand to him, but he still refused to ', ' lady had taken a quick step forward and had held out her hand to him, but he still refused to raise', ' had taken a quick step forward and had held out her hand to him, but he still refused to raise his ', 'taken a quick step forward and had held out her hand to him, but he still refused to raise his eyes.', ' a quick step forward and had held out her hand to him, but he still refused to raise his eyes. it w', 'ick step forward and had held out her hand to him, but he still refused to raise his eyes. it was as', 'tep forward and had held out her hand to him, but he still refused to raise his eyes. it was as well', 'orward and had held out her hand to him, but he still refused to raise his eyes. it was as well for ', 'd and had held out her hand to him, but he still refused to raise his eyes. it was as well for his r', ' had held out her hand to him, but he still refused to raise his eyes. it was as well for his resolu', 'held out her hand to him, but he still refused to raise his eyes. it was as well for his resolution,', 'out her hand to him, but he still refused to raise his eyes. it was as well for his resolution, perh', 'er hand to him, but he still refused to raise his eyes. it was as well for his resolution, perhaps, ', 'nd to him, but he still refused to raise his eyes. it was as well for his resolution, perhaps, for h', ' him, but he still refused to raise his eyes. it was as well for his resolution, perhaps, for her pl', ' but he still refused to raise his eyes. it was as well for his resolution, perhaps, for her pleadin', 'he still refused to raise his eyes. it was as well for his resolution, perhaps, for her pleading fac', 'ill refused to raise his eyes. it was as well for his resolution, perhaps, for her pleading face was', 'efused to raise his eyes. it was as well for his resolution, perhaps, for her pleading face was one ', 'd to raise his eyes. it was as well for his resolution, perhaps, for her pleading face was one which', 'raise his eyes. it was as well for his resolution, perhaps, for her pleading face was one which it w', ' his eyes. it was as well for his resolution, perhaps, for her pleading face was one which it was ha', 'eyes. it was as well for his resolution, perhaps, for her pleading face was one which it was hard to', ' it was as well for his resolution, perhaps, for her pleading face was one which it was hard to resi', 'as as well for his resolution, perhaps, for her pleading face was one which it was hard to resist. "', ' well for his resolution, perhaps, for her pleading face was one which it was hard to resist. "you\'r', ' for his resolution, perhaps, for her pleading face was one which it was hard to resist. "you\'re ang', 'his resolution, perhaps, for her pleading face was one which it was hard to resist. "you\'re angry, r', 'esolution, perhaps, for her pleading face was one which it was hard to resist. "you\'re angry, robert', 'tion, perhaps, for her pleading face was one which it was hard to resist. "you\'re angry, robert," sa', ' perhaps, for her pleading face was one which it was hard to resist. "you\'re angry, robert," said sh', 'aps, for her pleading face was one which it was hard to resist. "you\'re angry, robert," said she. "w', 'for her pleading face was one which it was hard to resist. "you\'re angry, robert," said she. "well, ', 'er pleading face was one which it was hard to resist. "you\'re angry, robert," said she. "well, i gue', 'eading face was one which it was hard to resist. "you\'re angry, robert," said she. "well, i guess yo', 'g face was one which it was hard to resist. "you\'re angry, robert," said she. "well, i guess you hav', 'e was one which it was hard to resist. "you\'re angry, robert," said she. "well, i guess you have eve', ' one which it was hard to resist. "you\'re angry, robert," said she. "well, i guess you have every ca', 'which it was hard to resist. "you\'re angry, robert," said she. "well, i guess you have every cause t', ' it was hard to resist. "you\'re angry, robert," said she. "well, i guess you have every cause to be.', 'as hard to resist. "you\'re angry, robert," said she. "well, i guess you have every cause to be." "pr', 'rd to resist. "you\'re angry, robert," said she. "well, i guess you have every cause to be." "pray ma', ' resist. "you\'re angry, robert," said she. "well, i guess you have every cause to be." "pray make no', 'st. "you\'re angry, robert," said she. "well, i guess you have every cause to be." "pray make no apol', 'you\'re angry, robert," said she. "well, i guess you have every cause to be." "pray make no apology t', 'e angry, robert," said she. "well, i guess you have every cause to be." "pray make no apology to me,', 'ry, robert," said she. "well, i guess you have every cause to be." "pray make no apology to me," sai', 'obert," said she. "well, i guess you have every cause to be." "pray make no apology to me," said lor', '," said she. "well, i guess you have every cause to be." "pray make no apology to me," said lord st.', 'id she. "well, i guess you have every cause to be." "pray make no apology to me," said lord st. simo', 'e. "well, i guess you have every cause to be." "pray make no apology to me," said lord st. simon bit', 'ell, i guess you have every cause to be." "pray make no apology to me," said lord st. simon bitterly', 'i guess you have every cause to be." "pray make no apology to me," said lord st. simon bitterly. "oh', 'ss you have every cause to be." "pray make no apology to me," said lord st. simon bitterly. "oh, yes', 'u have every cause to be." "pray make no apology to me," said lord st. simon bitterly. "oh, yes, i k', 'e every cause to be." "pray make no apology to me," said lord st. simon bitterly. "oh, yes, i know t', 'ry cause to be." "pray make no apology to me," said lord st. simon bitterly. "oh, yes, i know that i', 'use to be." "pray make no apology to me," said lord st. simon bitterly. "oh, yes, i know that i have', 'o be." "pray make no apology to me," said lord st. simon bitterly. "oh, yes, i know that i have trea', '" "pray make no apology to me," said lord st. simon bitterly. "oh, yes, i know that i have treated y', 'ay make no apology to me," said lord st. simon bitterly. "oh, yes, i know that i have treated you re', 'ke no apology to me," said lord st. simon bitterly. "oh, yes, i know that i have treated you real ba', ' apology to me," said lord st. simon bitterly. "oh, yes, i know that i have treated you real bad and', 'ogy to me," said lord st. simon bitterly. "oh, yes, i know that i have treated you real bad and that', 'o me," said lord st. simon bitterly. "oh, yes, i know that i have treated you real bad and that i sh', '" said lord st. simon bitterly. "oh, yes, i know that i have treated you real bad and that i should ', 'd lord st. simon bitterly. "oh, yes, i know that i have treated you real bad and that i should have ', 'd st. simon bitterly. "oh, yes, i know that i have treated you real bad and that i should have spoke', ' simon bitterly. "oh, yes, i know that i have treated you real bad and that i should have spoken to ', 'n bitterly. "oh, yes, i know that i have treated you real bad and that i should have spoken to you b', 'terly. "oh, yes, i know that i have treated you real bad and that i should have spoken to you before', '. "oh, yes, i know that i have treated you real bad and that i should have spoken to you before i we', ', yes, i know that i have treated you real bad and that i should have spoken to you before i went; b', ', i know that i have treated you real bad and that i should have spoken to you before i went; but i ', 'now that i have treated you real bad and that i should have spoken to you before i went; but i was k', 'hat i have treated you real bad and that i should have spoken to you before i went; but i was kind o', ' have treated you real bad and that i should have spoken to you before i went; but i was kind of rat', ' treated you real bad and that i should have spoken to you before i went; but i was kind of rattled,', 'ted you real bad and that i should have spoken to you before i went; but i was kind of rattled, and ', 'ou real bad and that i should have spoken to you before i went; but i was kind of rattled, and from ', 'al bad and that i should have spoken to you before i went; but i was kind of rattled, and from the t', 'd and that i should have spoken to you before i went; but i was kind of rattled, and from the time w', ' that i should have spoken to you before i went; but i was kind of rattled, and from the time when i', ' i should have spoken to you before i went; but i was kind of rattled, and from the time when i saw ', 'ould have spoken to you before i went; but i was kind of rattled, and from the time when i saw frank', 'have spoken to you before i went; but i was kind of rattled, and from the time when i saw frank here', 'spoken to you before i went; but i was kind of rattled, and from the time when i saw frank here agai', 'n to you before i went; but i was kind of rattled, and from the time when i saw frank here again i j', 'you before i went; but i was kind of rattled, and from the time when i saw frank here again i just d', "efore i went; but i was kind of rattled, and from the time when i saw frank here again i just didn't", " i went; but i was kind of rattled, and from the time when i saw frank here again i just didn't know", "nt; but i was kind of rattled, and from the time when i saw frank here again i just didn't know what", "ut i was kind of rattled, and from the time when i saw frank here again i just didn't know what i wa", "was kind of rattled, and from the time when i saw frank here again i just didn't know what i was doi", "ind of rattled, and from the time when i saw frank here again i just didn't know what i was doing or", "f rattled, and from the time when i saw frank here again i just didn't know what i was doing or sayi", "tled, and from the time when i saw frank here again i just didn't know what i was doing or saying. i", " and from the time when i saw frank here again i just didn't know what i was doing or saying. i only", "from the time when i saw frank here again i just didn't know what i was doing or saying. i only wond", "the time when i saw frank here again i just didn't know what i was doing or saying. i only wonder i ", "ime when i saw frank here again i just didn't know what i was doing or saying. i only wonder i didn'", "hen i saw frank here again i just didn't know what i was doing or saying. i only wonder i didn't fal", " saw frank here again i just didn't know what i was doing or saying. i only wonder i didn't fall dow", "frank here again i just didn't know what i was doing or saying. i only wonder i didn't fall down and", " here again i just didn't know what i was doing or saying. i only wonder i didn't fall down and do a", " again i just didn't know what i was doing or saying. i only wonder i didn't fall down and do a fain", "n i just didn't know what i was doing or saying. i only wonder i didn't fall down and do a faint rig", "ust didn't know what i was doing or saying. i only wonder i didn't fall down and do a faint right th", "idn't know what i was doing or saying. i only wonder i didn't fall down and do a faint right there b", " know what i was doing or saying. i only wonder i didn't fall down and do a faint right there before", " what i was doing or saying. i only wonder i didn't fall down and do a faint right there before the ", " i was doing or saying. i only wonder i didn't fall down and do a faint right there before the altar", 's doing or saying. i only wonder i didn\'t fall down and do a faint right there before the altar." "p', 'ng or saying. i only wonder i didn\'t fall down and do a faint right there before the altar." "perhap', ' saying. i only wonder i didn\'t fall down and do a faint right there before the altar." "perhaps, mr', 'ng. i only wonder i didn\'t fall down and do a faint right there before the altar." "perhaps, mrs. mo', ' only wonder i didn\'t fall down and do a faint right there before the altar." "perhaps, mrs. moulton', ' wonder i didn\'t fall down and do a faint right there before the altar." "perhaps, mrs. moulton, you', 'er i didn\'t fall down and do a faint right there before the altar." "perhaps, mrs. moulton, you woul', 'didn\'t fall down and do a faint right there before the altar." "perhaps, mrs. moulton, you would lik', 't fall down and do a faint right there before the altar." "perhaps, mrs. moulton, you would like my ', 'l down and do a faint right there before the altar." "perhaps, mrs. moulton, you would like my frien', 'n and do a faint right there before the altar." "perhaps, mrs. moulton, you would like my friend and', ' do a faint right there before the altar." "perhaps, mrs. moulton, you would like my friend and me t', ' faint right there before the altar." "perhaps, mrs. moulton, you would like my friend and me to lea', 't right there before the altar." "perhaps, mrs. moulton, you would like my friend and me to leave th', 'ht there before the altar." "perhaps, mrs. moulton, you would like my friend and me to leave the roo', 'ere before the altar." "perhaps, mrs. moulton, you would like my friend and me to leave the room whi', 'efore the altar." "perhaps, mrs. moulton, you would like my friend and me to leave the room while yo', ' the altar." "perhaps, mrs. moulton, you would like my friend and me to leave the room while you exp', 'altar." "perhaps, mrs. moulton, you would like my friend and me to leave the room while you explain ', '." "perhaps, mrs. moulton, you would like my friend and me to leave the room while you explain this ', 'erhaps, mrs. moulton, you would like my friend and me to leave the room while you explain this matte', 's, mrs. moulton, you would like my friend and me to leave the room while you explain this matter?" "', 's. moulton, you would like my friend and me to leave the room while you explain this matter?" "if i ', 'ulton, you would like my friend and me to leave the room while you explain this matter?" "if i may g', ', you would like my friend and me to leave the room while you explain this matter?" "if i may give a', ' would like my friend and me to leave the room while you explain this matter?" "if i may give an opi', 'd like my friend and me to leave the room while you explain this matter?" "if i may give an opinion,', 'e my friend and me to leave the room while you explain this matter?" "if i may give an opinion," rem', 'friend and me to leave the room while you explain this matter?" "if i may give an opinion," remarked', 'd and me to leave the room while you explain this matter?" "if i may give an opinion," remarked the ', ' me to leave the room while you explain this matter?" "if i may give an opinion," remarked the stran', 'o leave the room while you explain this matter?" "if i may give an opinion," remarked the strange ge', 've the room while you explain this matter?" "if i may give an opinion," remarked the strange gentlem', 'e room while you explain this matter?" "if i may give an opinion," remarked the strange gentleman, "', 'm while you explain this matter?" "if i may give an opinion," remarked the strange gentleman, "we\'ve', 'le you explain this matter?" "if i may give an opinion," remarked the strange gentleman, "we\'ve had ', 'u explain this matter?" "if i may give an opinion," remarked the strange gentleman, "we\'ve had just ', 'lain this matter?" "if i may give an opinion," remarked the strange gentleman, "we\'ve had just a lit', 'this matter?" "if i may give an opinion," remarked the strange gentleman, "we\'ve had just a little t', 'matter?" "if i may give an opinion," remarked the strange gentleman, "we\'ve had just a little too mu', 'r?" "if i may give an opinion," remarked the strange gentleman, "we\'ve had just a little too much se', 'if i may give an opinion," remarked the strange gentleman, "we\'ve had just a little too much secrecy', 'may give an opinion," remarked the strange gentleman, "we\'ve had just a little too much secrecy over', 'ive an opinion," remarked the strange gentleman, "we\'ve had just a little too much secrecy over this', 'n opinion," remarked the strange gentleman, "we\'ve had just a little too much secrecy over this busi', 'nion," remarked the strange gentleman, "we\'ve had just a little too much secrecy over this business ', '" remarked the strange gentleman, "we\'ve had just a little too much secrecy over this business alrea', 'arked the strange gentleman, "we\'ve had just a little too much secrecy over this business already. f', ' the strange gentleman, "we\'ve had just a little too much secrecy over this business already. for my', 'strange gentleman, "we\'ve had just a little too much secrecy over this business already. for my part', 'ge gentleman, "we\'ve had just a little too much secrecy over this business already. for my part, i s', 'ntleman, "we\'ve had just a little too much secrecy over this business already. for my part, i should', 'an, "we\'ve had just a little too much secrecy over this business already. for my part, i should like', "we've had just a little too much secrecy over this business already. for my part, i should like all ", ' had just a little too much secrecy over this business already. for my part, i should like all europ', 'just a little too much secrecy over this business already. for my part, i should like all europe and', 'a little too much secrecy over this business already. for my part, i should like all europe and amer', 'tle too much secrecy over this business already. for my part, i should like all europe and america t', 'oo much secrecy over this business already. for my part, i should like all europe and america to hea', 'ch secrecy over this business already. for my part, i should like all europe and america to hear the', 'crecy over this business already. for my part, i should like all europe and america to hear the righ', ' over this business already. for my part, i should like all europe and america to hear the rights of', ' this business already. for my part, i should like all europe and america to hear the rights of it."', ' business already. for my part, i should like all europe and america to hear the rights of it." he w', 'ness already. for my part, i should like all europe and america to hear the rights of it." he was a ', 'already. for my part, i should like all europe and america to hear the rights of it." he was a small', 'dy. for my part, i should like all europe and america to hear the rights of it." he was a small, wir', 'or my part, i should like all europe and america to hear the rights of it." he was a small, wiry, su', ' part, i should like all europe and america to hear the rights of it." he was a small, wiry, sunburn', ', i should like all europe and america to hear the rights of it." he was a small, wiry, sunburnt man', 'hould like all europe and america to hear the rights of it." he was a small, wiry, sunburnt man, cle', ' like all europe and america to hear the rights of it." he was a small, wiry, sunburnt man, clean-sh', ' all europe and america to hear the rights of it." he was a small, wiry, sunburnt man, clean-shaven,', 'europe and america to hear the rights of it." he was a small, wiry, sunburnt man, clean-shaven, with', 'e and america to hear the rights of it." he was a small, wiry, sunburnt man, clean-shaven, with a sh', ' america to hear the rights of it." he was a small, wiry, sunburnt man, clean-shaven, with a sharp f', 'ica to hear the rights of it." he was a small, wiry, sunburnt man, clean-shaven, with a sharp face a', 'o hear the rights of it." he was a small, wiry, sunburnt man, clean-shaven, with a sharp face and al', 'r the rights of it." he was a small, wiry, sunburnt man, clean-shaven, with a sharp face and alert m', ' rights of it." he was a small, wiry, sunburnt man, clean-shaven, with a sharp face and alert manner', 'ts of it." he was a small, wiry, sunburnt man, clean-shaven, with a sharp face and alert manner. "th', ' it." he was a small, wiry, sunburnt man, clean-shaven, with a sharp face and alert manner. "then i\'', ' he was a small, wiry, sunburnt man, clean-shaven, with a sharp face and alert manner. "then i\'ll te', 'as a small, wiry, sunburnt man, clean-shaven, with a sharp face and alert manner. "then i\'ll tell ou', 'small, wiry, sunburnt man, clean-shaven, with a sharp face and alert manner. "then i\'ll tell our sto', ', wiry, sunburnt man, clean-shaven, with a sharp face and alert manner. "then i\'ll tell our story ri', 'y, sunburnt man, clean-shaven, with a sharp face and alert manner. "then i\'ll tell our story right a', 'nburnt man, clean-shaven, with a sharp face and alert manner. "then i\'ll tell our story right away,"', 't man, clean-shaven, with a sharp face and alert manner. "then i\'ll tell our story right away," said', ', clean-shaven, with a sharp face and alert manner. "then i\'ll tell our story right away," said the ', 'an-shaven, with a sharp face and alert manner. "then i\'ll tell our story right away," said the lady.', 'aven, with a sharp face and alert manner. "then i\'ll tell our story right away," said the lady. "fra', ' with a sharp face and alert manner. "then i\'ll tell our story right away," said the lady. "frank he', ' a sharp face and alert manner. "then i\'ll tell our story right away," said the lady. "frank here an', 'arp face and alert manner. "then i\'ll tell our story right away," said the lady. "frank here and i m', 'ace and alert manner. "then i\'ll tell our story right away," said the lady. "frank here and i met in', 'nd alert manner. "then i\'ll tell our story right away," said the lady. "frank here and i met in \' , ', 'ert manner. "then i\'ll tell our story right away," said the lady. "frank here and i met in \' , in mc', 'anner. "then i\'ll tell our story right away," said the lady. "frank here and i met in \' , in mcquire', '. "then i\'ll tell our story right away," said the lady. "frank here and i met in \' , in mcquire\'s ca', 'en i\'ll tell our story right away," said the lady. "frank here and i met in \' , in mcquire\'s camp, n', 'll tell our story right away," said the lady. "frank here and i met in \' , in mcquire\'s camp, near t', 'll our story right away," said the lady. "frank here and i met in \' , in mcquire\'s camp, near the ro', 'r story right away," said the lady. "frank here and i met in \' , in mcquire\'s camp, near the rockies', 'ry right away," said the lady. "frank here and i met in \' , in mcquire\'s camp, near the rockies, whe', 'ght away," said the lady. "frank here and i met in \' , in mcquire\'s camp, near the rockies, where pa', 'way," said the lady. "frank here and i met in \' , in mcquire\'s camp, near the rockies, where pa was ', ' said the lady. "frank here and i met in \' , in mcquire\'s camp, near the rockies, where pa was worki', ' the lady. "frank here and i met in \' , in mcquire\'s camp, near the rockies, where pa was working a ', 'lady. "frank here and i met in \' , in mcquire\'s camp, near the rockies, where pa was working a claim', ' "frank here and i met in \' , in mcquire\'s camp, near the rockies, where pa was working a claim. we ', "nk here and i met in ' , in mcquire's camp, near the rockies, where pa was working a claim. we were ", "re and i met in ' , in mcquire's camp, near the rockies, where pa was working a claim. we were engag", "d i met in ' , in mcquire's camp, near the rockies, where pa was working a claim. we were engaged to", "et in ' , in mcquire's camp, near the rockies, where pa was working a claim. we were engaged to each", " ' , in mcquire's camp, near the rockies, where pa was working a claim. we were engaged to each othe", "in mcquire's camp, near the rockies, where pa was working a claim. we were engaged to each other, fr", "quire's camp, near the rockies, where pa was working a claim. we were engaged to each other, frank a", "'s camp, near the rockies, where pa was working a claim. we were engaged to each other, frank and i;", 'mp, near the rockies, where pa was working a claim. we were engaged to each other, frank and i; but ', 'ear the rockies, where pa was working a claim. we were engaged to each other, frank and i; but then ', 'he rockies, where pa was working a claim. we were engaged to each other, frank and i; but then one d', 'ckies, where pa was working a claim. we were engaged to each other, frank and i; but then one day fa', ', where pa was working a claim. we were engaged to each other, frank and i; but then one day father ', 're pa was working a claim. we were engaged to each other, frank and i; but then one day father struc', ' was working a claim. we were engaged to each other, frank and i; but then one day father struck a r', 'working a claim. we were engaged to each other, frank and i; but then one day father struck a rich p', 'ng a claim. we were engaged to each other, frank and i; but then one day father struck a rich pocket', 'claim. we were engaged to each other, frank and i; but then one day father struck a rich pocket and ', '. we were engaged to each other, frank and i; but then one day father struck a rich pocket and made ', 'were engaged to each other, frank and i; but then one day father struck a rich pocket and made a pil', 'engaged to each other, frank and i; but then one day father struck a rich pocket and made a pile, wh', 'ed to each other, frank and i; but then one day father struck a rich pocket and made a pile, while p', ' each other, frank and i; but then one day father struck a rich pocket and made a pile, while poor f', ' other, frank and i; but then one day father struck a rich pocket and made a pile, while poor frank ', 'r, frank and i; but then one day father struck a rich pocket and made a pile, while poor frank here ', 'ank and i; but then one day father struck a rich pocket and made a pile, while poor frank here had a', 'nd i; but then one day father struck a rich pocket and made a pile, while poor frank here had a clai', ' but then one day father struck a rich pocket and made a pile, while poor frank here had a claim tha', 'then one day father struck a rich pocket and made a pile, while poor frank here had a claim that pet', 'one day father struck a rich pocket and made a pile, while poor frank here had a claim that petered ', 'ay father struck a rich pocket and made a pile, while poor frank here had a claim that petered out a', 'ther struck a rich pocket and made a pile, while poor frank here had a claim that petered out and ca', 'struck a rich pocket and made a pile, while poor frank here had a claim that petered out and came to', 'k a rich pocket and made a pile, while poor frank here had a claim that petered out and came to noth', 'ich pocket and made a pile, while poor frank here had a claim that petered out and came to nothing. ', 'ocket and made a pile, while poor frank here had a claim that petered out and came to nothing. the r', ' and made a pile, while poor frank here had a claim that petered out and came to nothing. the richer', 'made a pile, while poor frank here had a claim that petered out and came to nothing. the richer pa g', 'a pile, while poor frank here had a claim that petered out and came to nothing. the richer pa grew t', 'e, while poor frank here had a claim that petered out and came to nothing. the richer pa grew the po', 'ile poor frank here had a claim that petered out and came to nothing. the richer pa grew the poorer ', 'oor frank here had a claim that petered out and came to nothing. the richer pa grew the poorer was f', 'rank here had a claim that petered out and came to nothing. the richer pa grew the poorer was frank;', 'here had a claim that petered out and came to nothing. the richer pa grew the poorer was frank; so a', 'had a claim that petered out and came to nothing. the richer pa grew the poorer was frank; so at las', ' claim that petered out and came to nothing. the richer pa grew the poorer was frank; so at last pa ', 'm that petered out and came to nothing. the richer pa grew the poorer was frank; so at last pa would', "t petered out and came to nothing. the richer pa grew the poorer was frank; so at last pa wouldn't h", "ered out and came to nothing. the richer pa grew the poorer was frank; so at last pa wouldn't hear o", "out and came to nothing. the richer pa grew the poorer was frank; so at last pa wouldn't hear of our", "nd came to nothing. the richer pa grew the poorer was frank; so at last pa wouldn't hear of our enga", "me to nothing. the richer pa grew the poorer was frank; so at last pa wouldn't hear of our engagemen", " nothing. the richer pa grew the poorer was frank; so at last pa wouldn't hear of our engagement las", "ing. the richer pa grew the poorer was frank; so at last pa wouldn't hear of our engagement lasting ", "the richer pa grew the poorer was frank; so at last pa wouldn't hear of our engagement lasting any l", "icher pa grew the poorer was frank; so at last pa wouldn't hear of our engagement lasting any longer", " pa grew the poorer was frank; so at last pa wouldn't hear of our engagement lasting any longer, and", "rew the poorer was frank; so at last pa wouldn't hear of our engagement lasting any longer, and he t", "he poorer was frank; so at last pa wouldn't hear of our engagement lasting any longer, and he took m", "orer was frank; so at last pa wouldn't hear of our engagement lasting any longer, and he took me awa", "was frank; so at last pa wouldn't hear of our engagement lasting any longer, and he took me away to ", "rank; so at last pa wouldn't hear of our engagement lasting any longer, and he took me away to 'fris", " so at last pa wouldn't hear of our engagement lasting any longer, and he took me away to 'frisco. f", "t last pa wouldn't hear of our engagement lasting any longer, and he took me away to 'frisco. frank ", "t pa wouldn't hear of our engagement lasting any longer, and he took me away to 'frisco. frank would", "wouldn't hear of our engagement lasting any longer, and he took me away to 'frisco. frank wouldn't t", "n't hear of our engagement lasting any longer, and he took me away to 'frisco. frank wouldn't throw ", "ear of our engagement lasting any longer, and he took me away to 'frisco. frank wouldn't throw up hi", "f our engagement lasting any longer, and he took me away to 'frisco. frank wouldn't throw up his han", " engagement lasting any longer, and he took me away to 'frisco. frank wouldn't throw up his hand, th", "gement lasting any longer, and he took me away to 'frisco. frank wouldn't throw up his hand, though;", "t lasting any longer, and he took me away to 'frisco. frank wouldn't throw up his hand, though; so h", "ting any longer, and he took me away to 'frisco. frank wouldn't throw up his hand, though; so he fol", "any longer, and he took me away to 'frisco. frank wouldn't throw up his hand, though; so he followed", "onger, and he took me away to 'frisco. frank wouldn't throw up his hand, though; so he followed me t", ", and he took me away to 'frisco. frank wouldn't throw up his hand, though; so he followed me there,", " he took me away to 'frisco. frank wouldn't throw up his hand, though; so he followed me there, and ", "ook me away to 'frisco. frank wouldn't throw up his hand, though; so he followed me there, and he sa", "e away to 'frisco. frank wouldn't throw up his hand, though; so he followed me there, and he saw me ", "y to 'frisco. frank wouldn't throw up his hand, though; so he followed me there, and he saw me witho", "'frisco. frank wouldn't throw up his hand, though; so he followed me there, and he saw me without pa", "co. frank wouldn't throw up his hand, though; so he followed me there, and he saw me without pa know", "rank wouldn't throw up his hand, though; so he followed me there, and he saw me without pa knowing a", "wouldn't throw up his hand, though; so he followed me there, and he saw me without pa knowing anythi", "n't throw up his hand, though; so he followed me there, and he saw me without pa knowing anything ab", 'hrow up his hand, though; so he followed me there, and he saw me without pa knowing anything about i', 'up his hand, though; so he followed me there, and he saw me without pa knowing anything about it. it', 's hand, though; so he followed me there, and he saw me without pa knowing anything about it. it woul', 'd, though; so he followed me there, and he saw me without pa knowing anything about it. it would onl', 'ough; so he followed me there, and he saw me without pa knowing anything about it. it would only hav', ' so he followed me there, and he saw me without pa knowing anything about it. it would only have mad', 'e followed me there, and he saw me without pa knowing anything about it. it would only have made him', 'lowed me there, and he saw me without pa knowing anything about it. it would only have made him mad ', ' me there, and he saw me without pa knowing anything about it. it would only have made him mad to kn', 'here, and he saw me without pa knowing anything about it. it would only have made him mad to know, s', ' and he saw me without pa knowing anything about it. it would only have made him mad to know, so we ', 'he saw me without pa knowing anything about it. it would only have made him mad to know, so we just ', 'w me without pa knowing anything about it. it would only have made him mad to know, so we just fixed', 'without pa knowing anything about it. it would only have made him mad to know, so we just fixed it a', 'ut pa knowing anything about it. it would only have made him mad to know, so we just fixed it all up', ' knowing anything about it. it would only have made him mad to know, so we just fixed it all up for ', 'ing anything about it. it would only have made him mad to know, so we just fixed it all up for ourse', 'nything about it. it would only have made him mad to know, so we just fixed it all up for ourselves.', 'ng about it. it would only have made him mad to know, so we just fixed it all up for ourselves. fran', 'out it. it would only have made him mad to know, so we just fixed it all up for ourselves. frank sai', 't. it would only have made him mad to know, so we just fixed it all up for ourselves. frank said tha', ' would only have made him mad to know, so we just fixed it all up for ourselves. frank said that he ', 'd only have made him mad to know, so we just fixed it all up for ourselves. frank said that he would', 'y have made him mad to know, so we just fixed it all up for ourselves. frank said that he would go a', 'e made him mad to know, so we just fixed it all up for ourselves. frank said that he would go and ma', 'e him mad to know, so we just fixed it all up for ourselves. frank said that he would go and make hi', ' mad to know, so we just fixed it all up for ourselves. frank said that he would go and make his pil', 'to know, so we just fixed it all up for ourselves. frank said that he would go and make his pile, to', 'ow, so we just fixed it all up for ourselves. frank said that he would go and make his pile, too, an', 'o we just fixed it all up for ourselves. frank said that he would go and make his pile, too, and nev', 'just fixed it all up for ourselves. frank said that he would go and make his pile, too, and never co', 'fixed it all up for ourselves. frank said that he would go and make his pile, too, and never come ba', ' it all up for ourselves. frank said that he would go and make his pile, too, and never come back to', 'll up for ourselves. frank said that he would go and make his pile, too, and never come back to clai', ' for ourselves. frank said that he would go and make his pile, too, and never come back to claim me ', 'ourselves. frank said that he would go and make his pile, too, and never come back to claim me until', 'lves. frank said that he would go and make his pile, too, and never come back to claim me until he h', ' frank said that he would go and make his pile, too, and never come back to claim me until he had as', 'k said that he would go and make his pile, too, and never come back to claim me until he had as much', 'd that he would go and make his pile, too, and never come back to claim me until he had as much as p', 't he would go and make his pile, too, and never come back to claim me until he had as much as pa. so', 'would go and make his pile, too, and never come back to claim me until he had as much as pa. so then', ' go and make his pile, too, and never come back to claim me until he had as much as pa. so then i pr', 'nd make his pile, too, and never come back to claim me until he had as much as pa. so then i promise', 'ke his pile, too, and never come back to claim me until he had as much as pa. so then i promised to ', 's pile, too, and never come back to claim me until he had as much as pa. so then i promised to wait ', 'e, too, and never come back to claim me until he had as much as pa. so then i promised to wait for h', 'o, and never come back to claim me until he had as much as pa. so then i promised to wait for him to', 'd never come back to claim me until he had as much as pa. so then i promised to wait for him to the ', 'er come back to claim me until he had as much as pa. so then i promised to wait for him to the end o', 'me back to claim me until he had as much as pa. so then i promised to wait for him to the end of tim', 'ck to claim me until he had as much as pa. so then i promised to wait for him to the end of time and', ' claim me until he had as much as pa. so then i promised to wait for him to the end of time and pled', 'm me until he had as much as pa. so then i promised to wait for him to the end of time and pledged m', 'until he had as much as pa. so then i promised to wait for him to the end of time and pledged myself', ' he had as much as pa. so then i promised to wait for him to the end of time and pledged myself not ', 'ad as much as pa. so then i promised to wait for him to the end of time and pledged myself not to ma', ' much as pa. so then i promised to wait for him to the end of time and pledged myself not to marry a', ' as pa. so then i promised to wait for him to the end of time and pledged myself not to marry anyone', 'a. so then i promised to wait for him to the end of time and pledged myself not to marry anyone else', ' then i promised to wait for him to the end of time and pledged myself not to marry anyone else whil', ' i promised to wait for him to the end of time and pledged myself not to marry anyone else while he ', 'omised to wait for him to the end of time and pledged myself not to marry anyone else while he lived', "d to wait for him to the end of time and pledged myself not to marry anyone else while he lived. 'wh", "wait for him to the end of time and pledged myself not to marry anyone else while he lived. 'why sho", "for him to the end of time and pledged myself not to marry anyone else while he lived. 'why shouldn'", "im to the end of time and pledged myself not to marry anyone else while he lived. 'why shouldn't we ", " the end of time and pledged myself not to marry anyone else while he lived. 'why shouldn't we be ma", "end of time and pledged myself not to marry anyone else while he lived. 'why shouldn't we be married", "f time and pledged myself not to marry anyone else while he lived. 'why shouldn't we be married righ", "e and pledged myself not to marry anyone else while he lived. 'why shouldn't we be married right awa", " pledged myself not to marry anyone else while he lived. 'why shouldn't we be married right away, th", "ged myself not to marry anyone else while he lived. 'why shouldn't we be married right away, then,' ", "yself not to marry anyone else while he lived. 'why shouldn't we be married right away, then,' said ", " not to marry anyone else while he lived. 'why shouldn't we be married right away, then,' said he, '", "to marry anyone else while he lived. 'why shouldn't we be married right away, then,' said he, 'and t", "rry anyone else while he lived. 'why shouldn't we be married right away, then,' said he, 'and then i", "nyone else while he lived. 'why shouldn't we be married right away, then,' said he, 'and then i will", " else while he lived. 'why shouldn't we be married right away, then,' said he, 'and then i will feel", " while he lived. 'why shouldn't we be married right away, then,' said he, 'and then i will feel sure", "e he lived. 'why shouldn't we be married right away, then,' said he, 'and then i will feel sure of y", "lived. 'why shouldn't we be married right away, then,' said he, 'and then i will feel sure of you; a", ". 'why shouldn't we be married right away, then,' said he, 'and then i will feel sure of you; and i ", "y shouldn't we be married right away, then,' said he, 'and then i will feel sure of you; and i won't", "uldn't we be married right away, then,' said he, 'and then i will feel sure of you; and i won't clai", "t we be married right away, then,' said he, 'and then i will feel sure of you; and i won't claim to ", "be married right away, then,' said he, 'and then i will feel sure of you; and i won't claim to be yo", "rried right away, then,' said he, 'and then i will feel sure of you; and i won't claim to be your hu", " right away, then,' said he, 'and then i will feel sure of you; and i won't claim to be your husband", "t away, then,' said he, 'and then i will feel sure of you; and i won't claim to be your husband unti", "y, then,' said he, 'and then i will feel sure of you; and i won't claim to be your husband until i c", "en,' said he, 'and then i will feel sure of you; and i won't claim to be your husband until i come b", "said he, 'and then i will feel sure of you; and i won't claim to be your husband until i come back?'", "he, 'and then i will feel sure of you; and i won't claim to be your husband until i come back?' well", "and then i will feel sure of you; and i won't claim to be your husband until i come back?' well, we ", "hen i will feel sure of you; and i won't claim to be your husband until i come back?' well, we talke", " will feel sure of you; and i won't claim to be your husband until i come back?' well, we talked it ", " feel sure of you; and i won't claim to be your husband until i come back?' well, we talked it over,", " sure of you; and i won't claim to be your husband until i come back?' well, we talked it over, and ", " of you; and i won't claim to be your husband until i come back?' well, we talked it over, and he ha", "ou; and i won't claim to be your husband until i come back?' well, we talked it over, and he had fix", "nd i won't claim to be your husband until i come back?' well, we talked it over, and he had fixed it", "won't claim to be your husband until i come back?' well, we talked it over, and he had fixed it all ", " claim to be your husband until i come back?' well, we talked it over, and he had fixed it all up so", "m to be your husband until i come back?' well, we talked it over, and he had fixed it all up so nice", "be your husband until i come back?' well, we talked it over, and he had fixed it all up so nicely, w", "ur husband until i come back?' well, we talked it over, and he had fixed it all up so nicely, with a", "sband until i come back?' well, we talked it over, and he had fixed it all up so nicely, with a cler", " until i come back?' well, we talked it over, and he had fixed it all up so nicely, with a clergyman", "l i come back?' well, we talked it over, and he had fixed it all up so nicely, with a clergyman all ", "ome back?' well, we talked it over, and he had fixed it all up so nicely, with a clergyman all ready", "ack?' well, we talked it over, and he had fixed it all up so nicely, with a clergyman all ready in w", ' well, we talked it over, and he had fixed it all up so nicely, with a clergyman all ready in waitin', ', we talked it over, and he had fixed it all up so nicely, with a clergyman all ready in waiting, th', 'talked it over, and he had fixed it all up so nicely, with a clergyman all ready in waiting, that we', 'd it over, and he had fixed it all up so nicely, with a clergyman all ready in waiting, that we just', 'over, and he had fixed it all up so nicely, with a clergyman all ready in waiting, that we just did ', ' and he had fixed it all up so nicely, with a clergyman all ready in waiting, that we just did it ri', 'he had fixed it all up so nicely, with a clergyman all ready in waiting, that we just did it right t', 'd fixed it all up so nicely, with a clergyman all ready in waiting, that we just did it right there;', 'ed it all up so nicely, with a clergyman all ready in waiting, that we just did it right there; and ', ' all up so nicely, with a clergyman all ready in waiting, that we just did it right there; and then ', 'up so nicely, with a clergyman all ready in waiting, that we just did it right there; and then frank', ' nicely, with a clergyman all ready in waiting, that we just did it right there; and then frank went', 'ly, with a clergyman all ready in waiting, that we just did it right there; and then frank went off ', 'ith a clergyman all ready in waiting, that we just did it right there; and then frank went off to se', ' clergyman all ready in waiting, that we just did it right there; and then frank went off to seek hi', 'gyman all ready in waiting, that we just did it right there; and then frank went off to seek his for', ' all ready in waiting, that we just did it right there; and then frank went off to seek his fortune,', 'ready in waiting, that we just did it right there; and then frank went off to seek his fortune, and ', ' in waiting, that we just did it right there; and then frank went off to seek his fortune, and i wen', 'aiting, that we just did it right there; and then frank went off to seek his fortune, and i went bac', 'g, that we just did it right there; and then frank went off to seek his fortune, and i went back to ', 'at we just did it right there; and then frank went off to seek his fortune, and i went back to pa. "', ' just did it right there; and then frank went off to seek his fortune, and i went back to pa. "the n', ' did it right there; and then frank went off to seek his fortune, and i went back to pa. "the next i', 'it right there; and then frank went off to seek his fortune, and i went back to pa. "the next i hear', 'ght there; and then frank went off to seek his fortune, and i went back to pa. "the next i heard of ', 'here; and then frank went off to seek his fortune, and i went back to pa. "the next i heard of frank', ' and then frank went off to seek his fortune, and i went back to pa. "the next i heard of frank was ', 'then frank went off to seek his fortune, and i went back to pa. "the next i heard of frank was that ', 'frank went off to seek his fortune, and i went back to pa. "the next i heard of frank was that he wa', ' went off to seek his fortune, and i went back to pa. "the next i heard of frank was that he was in ', ' off to seek his fortune, and i went back to pa. "the next i heard of frank was that he was in monta', 'to seek his fortune, and i went back to pa. "the next i heard of frank was that he was in montana, a', 'ek his fortune, and i went back to pa. "the next i heard of frank was that he was in montana, and th', 's fortune, and i went back to pa. "the next i heard of frank was that he was in montana, and then he', 'tune, and i went back to pa. "the next i heard of frank was that he was in montana, and then he went', ' and i went back to pa. "the next i heard of frank was that he was in montana, and then he went pros', 'i went back to pa. "the next i heard of frank was that he was in montana, and then he went prospecti', 't back to pa. "the next i heard of frank was that he was in montana, and then he went prospecting in', 'k to pa. "the next i heard of frank was that he was in montana, and then he went prospecting in ariz', 'pa. "the next i heard of frank was that he was in montana, and then he went prospecting in arizona, ', 'the next i heard of frank was that he was in montana, and then he went prospecting in arizona, and t', 'ext i heard of frank was that he was in montana, and then he went prospecting in arizona, and then i', ' heard of frank was that he was in montana, and then he went prospecting in arizona, and then i hear', 'd of frank was that he was in montana, and then he went prospecting in arizona, and then i heard of ', 'frank was that he was in montana, and then he went prospecting in arizona, and then i heard of him f', ' was that he was in montana, and then he went prospecting in arizona, and then i heard of him from n', 'that he was in montana, and then he went prospecting in arizona, and then i heard of him from new me', 'he was in montana, and then he went prospecting in arizona, and then i heard of him from new mexico.', 's in montana, and then he went prospecting in arizona, and then i heard of him from new mexico. afte', 'montana, and then he went prospecting in arizona, and then i heard of him from new mexico. after tha', 'na, and then he went prospecting in arizona, and then i heard of him from new mexico. after that cam', 'nd then he went prospecting in arizona, and then i heard of him from new mexico. after that came a l', 'en he went prospecting in arizona, and then i heard of him from new mexico. after that came a long n', ' went prospecting in arizona, and then i heard of him from new mexico. after that came a long newspa', ' prospecting in arizona, and then i heard of him from new mexico. after that came a long newspaper s', 'pecting in arizona, and then i heard of him from new mexico. after that came a long newspaper story ', 'ng in arizona, and then i heard of him from new mexico. after that came a long newspaper story about', ' arizona, and then i heard of him from new mexico. after that came a long newspaper story about how ', 'ona, and then i heard of him from new mexico. after that came a long newspaper story about how a min', "and then i heard of him from new mexico. after that came a long newspaper story about how a miners' ", "hen i heard of him from new mexico. after that came a long newspaper story about how a miners' camp ", " heard of him from new mexico. after that came a long newspaper story about how a miners' camp had b", "d of him from new mexico. after that came a long newspaper story about how a miners' camp had been a", "him from new mexico. after that came a long newspaper story about how a miners' camp had been attack", "rom new mexico. after that came a long newspaper story about how a miners' camp had been attacked by", "ew mexico. after that came a long newspaper story about how a miners' camp had been attacked by apac", "xico. after that came a long newspaper story about how a miners' camp had been attacked by apache in", " after that came a long newspaper story about how a miners' camp had been attacked by apache indians", "r that came a long newspaper story about how a miners' camp had been attacked by apache indians, and", "t came a long newspaper story about how a miners' camp had been attacked by apache indians, and ther", "e a long newspaper story about how a miners' camp had been attacked by apache indians, and there was", "ong newspaper story about how a miners' camp had been attacked by apache indians, and there was my f", "ewspaper story about how a miners' camp had been attacked by apache indians, and there was my frank'", "per story about how a miners' camp had been attacked by apache indians, and there was my frank's nam", "tory about how a miners' camp had been attacked by apache indians, and there was my frank's name amo", "about how a miners' camp had been attacked by apache indians, and there was my frank's name among th", " how a miners' camp had been attacked by apache indians, and there was my frank's name among the kil", "a miners' camp had been attacked by apache indians, and there was my frank's name among the killed. ", "ers' camp had been attacked by apache indians, and there was my frank's name among the killed. i fai", "camp had been attacked by apache indians, and there was my frank's name among the killed. i fainted ", "had been attacked by apache indians, and there was my frank's name among the killed. i fainted dead ", "een attacked by apache indians, and there was my frank's name among the killed. i fainted dead away,", "ttacked by apache indians, and there was my frank's name among the killed. i fainted dead away, and ", "ed by apache indians, and there was my frank's name among the killed. i fainted dead away, and i was", " apache indians, and there was my frank's name among the killed. i fainted dead away, and i was very", "he indians, and there was my frank's name among the killed. i fainted dead away, and i was very sick", "dians, and there was my frank's name among the killed. i fainted dead away, and i was very sick for ", ", and there was my frank's name among the killed. i fainted dead away, and i was very sick for month", " there was my frank's name among the killed. i fainted dead away, and i was very sick for months aft", "e was my frank's name among the killed. i fainted dead away, and i was very sick for months after. p", " my frank's name among the killed. i fainted dead away, and i was very sick for months after. pa tho", "rank's name among the killed. i fainted dead away, and i was very sick for months after. pa thought ", 's name among the killed. i fainted dead away, and i was very sick for months after. pa thought i had', 'e among the killed. i fainted dead away, and i was very sick for months after. pa thought i had a de', 'ng the killed. i fainted dead away, and i was very sick for months after. pa thought i had a decline', 'e killed. i fainted dead away, and i was very sick for months after. pa thought i had a decline and ', 'led. i fainted dead away, and i was very sick for months after. pa thought i had a decline and took ', 'i fainted dead away, and i was very sick for months after. pa thought i had a decline and took me to', 'nted dead away, and i was very sick for months after. pa thought i had a decline and took me to half', 'dead away, and i was very sick for months after. pa thought i had a decline and took me to half the ', 'away, and i was very sick for months after. pa thought i had a decline and took me to half the docto', ' and i was very sick for months after. pa thought i had a decline and took me to half the doctors in', "i was very sick for months after. pa thought i had a decline and took me to half the doctors in 'fri", " very sick for months after. pa thought i had a decline and took me to half the doctors in 'frisco. ", " sick for months after. pa thought i had a decline and took me to half the doctors in 'frisco. not a", " for months after. pa thought i had a decline and took me to half the doctors in 'frisco. not a word", "months after. pa thought i had a decline and took me to half the doctors in 'frisco. not a word of n", "s after. pa thought i had a decline and took me to half the doctors in 'frisco. not a word of news c", "er. pa thought i had a decline and took me to half the doctors in 'frisco. not a word of news came f", "a thought i had a decline and took me to half the doctors in 'frisco. not a word of news came for a ", "ught i had a decline and took me to half the doctors in 'frisco. not a word of news came for a year ", "i had a decline and took me to half the doctors in 'frisco. not a word of news came for a year and m", " a decline and took me to half the doctors in 'frisco. not a word of news came for a year and more, ", "cline and took me to half the doctors in 'frisco. not a word of news came for a year and more, so th", " and took me to half the doctors in 'frisco. not a word of news came for a year and more, so that i ", "took me to half the doctors in 'frisco. not a word of news came for a year and more, so that i never", "me to half the doctors in 'frisco. not a word of news came for a year and more, so that i never doub", " half the doctors in 'frisco. not a word of news came for a year and more, so that i never doubted t", " the doctors in 'frisco. not a word of news came for a year and more, so that i never doubted that f", "doctors in 'frisco. not a word of news came for a year and more, so that i never doubted that frank ", "rs in 'frisco. not a word of news came for a year and more, so that i never doubted that frank was r", " 'frisco. not a word of news came for a year and more, so that i never doubted that frank was really", 'sco. not a word of news came for a year and more, so that i never doubted that frank was really dead', 'not a word of news came for a year and more, so that i never doubted that frank was really dead. the', ' word of news came for a year and more, so that i never doubted that frank was really dead. then lor', ' of news came for a year and more, so that i never doubted that frank was really dead. then lord st.', 'ews came for a year and more, so that i never doubted that frank was really dead. then lord st. simo', 'ame for a year and more, so that i never doubted that frank was really dead. then lord st. simon cam', 'or a year and more, so that i never doubted that frank was really dead. then lord st. simon came to ', "year and more, so that i never doubted that frank was really dead. then lord st. simon came to 'fris", "and more, so that i never doubted that frank was really dead. then lord st. simon came to 'frisco, a", "ore, so that i never doubted that frank was really dead. then lord st. simon came to 'frisco, and we", "so that i never doubted that frank was really dead. then lord st. simon came to 'frisco, and we came", "at i never doubted that frank was really dead. then lord st. simon came to 'frisco, and we came to l", "never doubted that frank was really dead. then lord st. simon came to 'frisco, and we came to london", " doubted that frank was really dead. then lord st. simon came to 'frisco, and we came to london, and", "ted that frank was really dead. then lord st. simon came to 'frisco, and we came to london, and a ma", "hat frank was really dead. then lord st. simon came to 'frisco, and we came to london, and a marriag", "rank was really dead. then lord st. simon came to 'frisco, and we came to london, and a marriage was", "was really dead. then lord st. simon came to 'frisco, and we came to london, and a marriage was arra", "eally dead. then lord st. simon came to 'frisco, and we came to london, and a marriage was arranged,", " dead. then lord st. simon came to 'frisco, and we came to london, and a marriage was arranged, and ", ". then lord st. simon came to 'frisco, and we came to london, and a marriage was arranged, and pa wa", "n lord st. simon came to 'frisco, and we came to london, and a marriage was arranged, and pa was ver", "d st. simon came to 'frisco, and we came to london, and a marriage was arranged, and pa was very ple", " simon came to 'frisco, and we came to london, and a marriage was arranged, and pa was very pleased,", "n came to 'frisco, and we came to london, and a marriage was arranged, and pa was very pleased, but ", "e to 'frisco, and we came to london, and a marriage was arranged, and pa was very pleased, but i fel", "'frisco, and we came to london, and a marriage was arranged, and pa was very pleased, but i felt all", 'co, and we came to london, and a marriage was arranged, and pa was very pleased, but i felt all the ', 'nd we came to london, and a marriage was arranged, and pa was very pleased, but i felt all the time ', ' came to london, and a marriage was arranged, and pa was very pleased, but i felt all the time that ', ' to london, and a marriage was arranged, and pa was very pleased, but i felt all the time that no ma', 'ondon, and a marriage was arranged, and pa was very pleased, but i felt all the time that no man on ', ', and a marriage was arranged, and pa was very pleased, but i felt all the time that no man on this ', ' a marriage was arranged, and pa was very pleased, but i felt all the time that no man on this earth', 'rriage was arranged, and pa was very pleased, but i felt all the time that no man on this earth woul', 'e was arranged, and pa was very pleased, but i felt all the time that no man on this earth would eve', ' arranged, and pa was very pleased, but i felt all the time that no man on this earth would ever tak', 'nged, and pa was very pleased, but i felt all the time that no man on this earth would ever take the', ' and pa was very pleased, but i felt all the time that no man on this earth would ever take the plac', 'pa was very pleased, but i felt all the time that no man on this earth would ever take the place in ', 's very pleased, but i felt all the time that no man on this earth would ever take the place in my he', 'y pleased, but i felt all the time that no man on this earth would ever take the place in my heart t', 'ased, but i felt all the time that no man on this earth would ever take the place in my heart that h', ' but i felt all the time that no man on this earth would ever take the place in my heart that had be', 'i felt all the time that no man on this earth would ever take the place in my heart that had been gi', 't all the time that no man on this earth would ever take the place in my heart that had been given t', ' the time that no man on this earth would ever take the place in my heart that had been given to my ', 'time that no man on this earth would ever take the place in my heart that had been given to my poor ', 'that no man on this earth would ever take the place in my heart that had been given to my poor frank', 'no man on this earth would ever take the place in my heart that had been given to my poor frank. "st', 'n on this earth would ever take the place in my heart that had been given to my poor frank. "still, ', 'this earth would ever take the place in my heart that had been given to my poor frank. "still, if i ', 'earth would ever take the place in my heart that had been given to my poor frank. "still, if i had m', ' would ever take the place in my heart that had been given to my poor frank. "still, if i had marrie', 'd ever take the place in my heart that had been given to my poor frank. "still, if i had married lor', 'r take the place in my heart that had been given to my poor frank. "still, if i had married lord st.', 'e the place in my heart that had been given to my poor frank. "still, if i had married lord st. simo', ' place in my heart that had been given to my poor frank. "still, if i had married lord st. simon, of', 'e in my heart that had been given to my poor frank. "still, if i had married lord st. simon, of cour', 'my heart that had been given to my poor frank. "still, if i had married lord st. simon, of course i\'', 'art that had been given to my poor frank. "still, if i had married lord st. simon, of course i\'d hav', 'hat had been given to my poor frank. "still, if i had married lord st. simon, of course i\'d have don', 'ad been given to my poor frank. "still, if i had married lord st. simon, of course i\'d have done my ', 'en given to my poor frank. "still, if i had married lord st. simon, of course i\'d have done my duty ', 'ven to my poor frank. "still, if i had married lord st. simon, of course i\'d have done my duty by hi', 'o my poor frank. "still, if i had married lord st. simon, of course i\'d have done my duty by him. we', 'poor frank. "still, if i had married lord st. simon, of course i\'d have done my duty by him. we can\'', 'frank. "still, if i had married lord st. simon, of course i\'d have done my duty by him. we can\'t com', '. "still, if i had married lord st. simon, of course i\'d have done my duty by him. we can\'t command ', "ill, if i had married lord st. simon, of course i'd have done my duty by him. we can't command our l", "if i had married lord st. simon, of course i'd have done my duty by him. we can't command our love, ", "had married lord st. simon, of course i'd have done my duty by him. we can't command our love, but w", "arried lord st. simon, of course i'd have done my duty by him. we can't command our love, but we can", "d lord st. simon, of course i'd have done my duty by him. we can't command our love, but we can our ", "d st. simon, of course i'd have done my duty by him. we can't command our love, but we can our actio", " simon, of course i'd have done my duty by him. we can't command our love, but we can our actions. i", "n, of course i'd have done my duty by him. we can't command our love, but we can our actions. i went", " course i'd have done my duty by him. we can't command our love, but we can our actions. i went to t", "se i'd have done my duty by him. we can't command our love, but we can our actions. i went to the al", "d have done my duty by him. we can't command our love, but we can our actions. i went to the altar w", "e done my duty by him. we can't command our love, but we can our actions. i went to the altar with h", "e my duty by him. we can't command our love, but we can our actions. i went to the altar with him wi", "duty by him. we can't command our love, but we can our actions. i went to the altar with him with th", "by him. we can't command our love, but we can our actions. i went to the altar with him with the int", "m. we can't command our love, but we can our actions. i went to the altar with him with the intentio", " can't command our love, but we can our actions. i went to the altar with him with the intention to ", 't command our love, but we can our actions. i went to the altar with him with the intention to make ', 'mand our love, but we can our actions. i went to the altar with him with the intention to make him j', 'our love, but we can our actions. i went to the altar with him with the intention to make him just a', 'ove, but we can our actions. i went to the altar with him with the intention to make him just as goo', 'but we can our actions. i went to the altar with him with the intention to make him just as good a w', 'e can our actions. i went to the altar with him with the intention to make him just as good a wife a', ' our actions. i went to the altar with him with the intention to make him just as good a wife as it ', 'actions. i went to the altar with him with the intention to make him just as good a wife as it was i', 'ns. i went to the altar with him with the intention to make him just as good a wife as it was in me ', ' went to the altar with him with the intention to make him just as good a wife as it was in me to be', ' to the altar with him with the intention to make him just as good a wife as it was in me to be. but', 'he altar with him with the intention to make him just as good a wife as it was in me to be. but you ', 'tar with him with the intention to make him just as good a wife as it was in me to be. but you may i', 'ith him with the intention to make him just as good a wife as it was in me to be. but you may imagin', 'im with the intention to make him just as good a wife as it was in me to be. but you may imagine wha', 'th the intention to make him just as good a wife as it was in me to be. but you may imagine what i f', 'e intention to make him just as good a wife as it was in me to be. but you may imagine what i felt w', 'ention to make him just as good a wife as it was in me to be. but you may imagine what i felt when, ', 'n to make him just as good a wife as it was in me to be. but you may imagine what i felt when, just ', 'make him just as good a wife as it was in me to be. but you may imagine what i felt when, just as i ', 'him just as good a wife as it was in me to be. but you may imagine what i felt when, just as i came ', 'ust as good a wife as it was in me to be. but you may imagine what i felt when, just as i came to th', 's good a wife as it was in me to be. but you may imagine what i felt when, just as i came to the alt', 'd a wife as it was in me to be. but you may imagine what i felt when, just as i came to the altar ra', 'ife as it was in me to be. but you may imagine what i felt when, just as i came to the altar rails, ', 's it was in me to be. but you may imagine what i felt when, just as i came to the altar rails, i gla', 'was in me to be. but you may imagine what i felt when, just as i came to the altar rails, i glanced ', 'n me to be. but you may imagine what i felt when, just as i came to the altar rails, i glanced back ', 'to be. but you may imagine what i felt when, just as i came to the altar rails, i glanced back and s', '. but you may imagine what i felt when, just as i came to the altar rails, i glanced back and saw fr', ' you may imagine what i felt when, just as i came to the altar rails, i glanced back and saw frank s', 'may imagine what i felt when, just as i came to the altar rails, i glanced back and saw frank standi', 'magine what i felt when, just as i came to the altar rails, i glanced back and saw frank standing an', 'e what i felt when, just as i came to the altar rails, i glanced back and saw frank standing and loo', 't i felt when, just as i came to the altar rails, i glanced back and saw frank standing and looking ', 'elt when, just as i came to the altar rails, i glanced back and saw frank standing and looking at me', 'hen, just as i came to the altar rails, i glanced back and saw frank standing and looking at me out ', 'just as i came to the altar rails, i glanced back and saw frank standing and looking at me out of th', 'as i came to the altar rails, i glanced back and saw frank standing and looking at me out of the fir', 'came to the altar rails, i glanced back and saw frank standing and looking at me out of the first pe', 'to the altar rails, i glanced back and saw frank standing and looking at me out of the first pew. i ', 'e altar rails, i glanced back and saw frank standing and looking at me out of the first pew. i thoug', 'ar rails, i glanced back and saw frank standing and looking at me out of the first pew. i thought it', 'ils, i glanced back and saw frank standing and looking at me out of the first pew. i thought it was ', 'i glanced back and saw frank standing and looking at me out of the first pew. i thought it was his g', 'nced back and saw frank standing and looking at me out of the first pew. i thought it was his ghost ', 'back and saw frank standing and looking at me out of the first pew. i thought it was his ghost at fi', 'and saw frank standing and looking at me out of the first pew. i thought it was his ghost at first; ', 'aw frank standing and looking at me out of the first pew. i thought it was his ghost at first; but w', 'ank standing and looking at me out of the first pew. i thought it was his ghost at first; but when i', 'tanding and looking at me out of the first pew. i thought it was his ghost at first; but when i look', 'ng and looking at me out of the first pew. i thought it was his ghost at first; but when i looked ag', 'd looking at me out of the first pew. i thought it was his ghost at first; but when i looked again t', 'king at me out of the first pew. i thought it was his ghost at first; but when i looked again there ', 'at me out of the first pew. i thought it was his ghost at first; but when i looked again there he wa', ' out of the first pew. i thought it was his ghost at first; but when i looked again there he was sti', 'of the first pew. i thought it was his ghost at first; but when i looked again there he was still, w', 'e first pew. i thought it was his ghost at first; but when i looked again there he was still, with a', 'st pew. i thought it was his ghost at first; but when i looked again there he was still, with a kind', 'w. i thought it was his ghost at first; but when i looked again there he was still, with a kind of q', 'thought it was his ghost at first; but when i looked again there he was still, with a kind of questi', 'ht it was his ghost at first; but when i looked again there he was still, with a kind of question in', ' was his ghost at first; but when i looked again there he was still, with a kind of question in his ', 'his ghost at first; but when i looked again there he was still, with a kind of question in his eyes,', 'host at first; but when i looked again there he was still, with a kind of question in his eyes, as i', 'at first; but when i looked again there he was still, with a kind of question in his eyes, as if to ', 'rst; but when i looked again there he was still, with a kind of question in his eyes, as if to ask m', 'but when i looked again there he was still, with a kind of question in his eyes, as if to ask me whe', 'hen i looked again there he was still, with a kind of question in his eyes, as if to ask me whether ', ' looked again there he was still, with a kind of question in his eyes, as if to ask me whether i wer', 'ed again there he was still, with a kind of question in his eyes, as if to ask me whether i were gla', 'ain there he was still, with a kind of question in his eyes, as if to ask me whether i were glad or ', 'here he was still, with a kind of question in his eyes, as if to ask me whether i were glad or sorry', 'he was still, with a kind of question in his eyes, as if to ask me whether i were glad or sorry to s', 's still, with a kind of question in his eyes, as if to ask me whether i were glad or sorry to see hi', 'll, with a kind of question in his eyes, as if to ask me whether i were glad or sorry to see him. i ', 'ith a kind of question in his eyes, as if to ask me whether i were glad or sorry to see him. i wonde', ' kind of question in his eyes, as if to ask me whether i were glad or sorry to see him. i wonder i d', " of question in his eyes, as if to ask me whether i were glad or sorry to see him. i wonder i didn't", "uestion in his eyes, as if to ask me whether i were glad or sorry to see him. i wonder i didn't drop", "on in his eyes, as if to ask me whether i were glad or sorry to see him. i wonder i didn't drop. i k", " his eyes, as if to ask me whether i were glad or sorry to see him. i wonder i didn't drop. i know t", "eyes, as if to ask me whether i were glad or sorry to see him. i wonder i didn't drop. i know that e", " as if to ask me whether i were glad or sorry to see him. i wonder i didn't drop. i know that everyt", "f to ask me whether i were glad or sorry to see him. i wonder i didn't drop. i know that everything ", "ask me whether i were glad or sorry to see him. i wonder i didn't drop. i know that everything was t", "e whether i were glad or sorry to see him. i wonder i didn't drop. i know that everything was turnin", "ther i were glad or sorry to see him. i wonder i didn't drop. i know that everything was turning rou", "i were glad or sorry to see him. i wonder i didn't drop. i know that everything was turning round, a", "e glad or sorry to see him. i wonder i didn't drop. i know that everything was turning round, and th", "d or sorry to see him. i wonder i didn't drop. i know that everything was turning round, and the wor", "sorry to see him. i wonder i didn't drop. i know that everything was turning round, and the words of", " to see him. i wonder i didn't drop. i know that everything was turning round, and the words of the ", "ee him. i wonder i didn't drop. i know that everything was turning round, and the words of the clerg", "m. i wonder i didn't drop. i know that everything was turning round, and the words of the clergyman ", "wonder i didn't drop. i know that everything was turning round, and the words of the clergyman were ", "r i didn't drop. i know that everything was turning round, and the words of the clergyman were just ", "idn't drop. i know that everything was turning round, and the words of the clergyman were just like ", ' drop. i know that everything was turning round, and the words of the clergyman were just like the b', '. i know that everything was turning round, and the words of the clergyman were just like the buzz o', 'now that everything was turning round, and the words of the clergyman were just like the buzz of a b', 'hat everything was turning round, and the words of the clergyman were just like the buzz of a bee in', 'verything was turning round, and the words of the clergyman were just like the buzz of a bee in my e', 'hing was turning round, and the words of the clergyman were just like the buzz of a bee in my ear. i', 'was turning round, and the words of the clergyman were just like the buzz of a bee in my ear. i didn', "urning round, and the words of the clergyman were just like the buzz of a bee in my ear. i didn't kn", "g round, and the words of the clergyman were just like the buzz of a bee in my ear. i didn't know wh", "nd, and the words of the clergyman were just like the buzz of a bee in my ear. i didn't know what to", "nd the words of the clergyman were just like the buzz of a bee in my ear. i didn't know what to do. ", "e words of the clergyman were just like the buzz of a bee in my ear. i didn't know what to do. shoul", "ds of the clergyman were just like the buzz of a bee in my ear. i didn't know what to do. should i s", " the clergyman were just like the buzz of a bee in my ear. i didn't know what to do. should i stop t", "clergyman were just like the buzz of a bee in my ear. i didn't know what to do. should i stop the se", "yman were just like the buzz of a bee in my ear. i didn't know what to do. should i stop the service", "were just like the buzz of a bee in my ear. i didn't know what to do. should i stop the service and ", "just like the buzz of a bee in my ear. i didn't know what to do. should i stop the service and make ", "like the buzz of a bee in my ear. i didn't know what to do. should i stop the service and make a sce", "the buzz of a bee in my ear. i didn't know what to do. should i stop the service and make a scene in", "uzz of a bee in my ear. i didn't know what to do. should i stop the service and make a scene in the ", "f a bee in my ear. i didn't know what to do. should i stop the service and make a scene in the churc", "ee in my ear. i didn't know what to do. should i stop the service and make a scene in the church? i ", " my ear. i didn't know what to do. should i stop the service and make a scene in the church? i glanc", "ar. i didn't know what to do. should i stop the service and make a scene in the church? i glanced at", " didn't know what to do. should i stop the service and make a scene in the church? i glanced at him ", "'t know what to do. should i stop the service and make a scene in the church? i glanced at him again", 'ow what to do. should i stop the service and make a scene in the church? i glanced at him again, and', 'at to do. should i stop the service and make a scene in the church? i glanced at him again, and he s', ' do. should i stop the service and make a scene in the church? i glanced at him again, and he seemed', 'should i stop the service and make a scene in the church? i glanced at him again, and he seemed to k', 'd i stop the service and make a scene in the church? i glanced at him again, and he seemed to know w', 'top the service and make a scene in the church? i glanced at him again, and he seemed to know what i', 'he service and make a scene in the church? i glanced at him again, and he seemed to know what i was ', 'rvice and make a scene in the church? i glanced at him again, and he seemed to know what i was think', ' and make a scene in the church? i glanced at him again, and he seemed to know what i was thinking, ', 'make a scene in the church? i glanced at him again, and he seemed to know what i was thinking, for h', 'a scene in the church? i glanced at him again, and he seemed to know what i was thinking, for he rai', 'ne in the church? i glanced at him again, and he seemed to know what i was thinking, for he raised h', ' the church? i glanced at him again, and he seemed to know what i was thinking, for he raised his fi', 'church? i glanced at him again, and he seemed to know what i was thinking, for he raised his finger ', 'h? i glanced at him again, and he seemed to know what i was thinking, for he raised his finger to hi', 'glanced at him again, and he seemed to know what i was thinking, for he raised his finger to his lip', 'ed at him again, and he seemed to know what i was thinking, for he raised his finger to his lips to ', ' him again, and he seemed to know what i was thinking, for he raised his finger to his lips to tell ', 'again, and he seemed to know what i was thinking, for he raised his finger to his lips to tell me to', ', and he seemed to know what i was thinking, for he raised his finger to his lips to tell me to be s', ' he seemed to know what i was thinking, for he raised his finger to his lips to tell me to be still.', 'eemed to know what i was thinking, for he raised his finger to his lips to tell me to be still. then', ' to know what i was thinking, for he raised his finger to his lips to tell me to be still. then i sa', 'now what i was thinking, for he raised his finger to his lips to tell me to be still. then i saw him', 'hat i was thinking, for he raised his finger to his lips to tell me to be still. then i saw him scri', ' was thinking, for he raised his finger to his lips to tell me to be still. then i saw him scribble ', 'thinking, for he raised his finger to his lips to tell me to be still. then i saw him scribble on a ', 'ing, for he raised his finger to his lips to tell me to be still. then i saw him scribble on a piece', 'for he raised his finger to his lips to tell me to be still. then i saw him scribble on a piece of p', 'e raised his finger to his lips to tell me to be still. then i saw him scribble on a piece of paper,', 'sed his finger to his lips to tell me to be still. then i saw him scribble on a piece of paper, and ', 'is finger to his lips to tell me to be still. then i saw him scribble on a piece of paper, and i kne', 'nger to his lips to tell me to be still. then i saw him scribble on a piece of paper, and i knew tha', 'to his lips to tell me to be still. then i saw him scribble on a piece of paper, and i knew that he ', 's lips to tell me to be still. then i saw him scribble on a piece of paper, and i knew that he was w', 's to tell me to be still. then i saw him scribble on a piece of paper, and i knew that he was writin', 'tell me to be still. then i saw him scribble on a piece of paper, and i knew that he was writing me ', 'me to be still. then i saw him scribble on a piece of paper, and i knew that he was writing me a not', ' be still. then i saw him scribble on a piece of paper, and i knew that he was writing me a note. as', 'till. then i saw him scribble on a piece of paper, and i knew that he was writing me a note. as i pa', ' then i saw him scribble on a piece of paper, and i knew that he was writing me a note. as i passed ', ' i saw him scribble on a piece of paper, and i knew that he was writing me a note. as i passed his p', 'w him scribble on a piece of paper, and i knew that he was writing me a note. as i passed his pew on', ' scribble on a piece of paper, and i knew that he was writing me a note. as i passed his pew on the ', 'bble on a piece of paper, and i knew that he was writing me a note. as i passed his pew on the way o', 'on a piece of paper, and i knew that he was writing me a note. as i passed his pew on the way out i ', 'piece of paper, and i knew that he was writing me a note. as i passed his pew on the way out i dropp', ' of paper, and i knew that he was writing me a note. as i passed his pew on the way out i dropped my', 'aper, and i knew that he was writing me a note. as i passed his pew on the way out i dropped my bouq', ' and i knew that he was writing me a note. as i passed his pew on the way out i dropped my bouquet o', 'i knew that he was writing me a note. as i passed his pew on the way out i dropped my bouquet over t', 'w that he was writing me a note. as i passed his pew on the way out i dropped my bouquet over to him', 't he was writing me a note. as i passed his pew on the way out i dropped my bouquet over to him, and', 'was writing me a note. as i passed his pew on the way out i dropped my bouquet over to him, and he s', 'riting me a note. as i passed his pew on the way out i dropped my bouquet over to him, and he slippe', 'g me a note. as i passed his pew on the way out i dropped my bouquet over to him, and he slipped the', 'a note. as i passed his pew on the way out i dropped my bouquet over to him, and he slipped the note', 'e. as i passed his pew on the way out i dropped my bouquet over to him, and he slipped the note into', ' i passed his pew on the way out i dropped my bouquet over to him, and he slipped the note into my h', 'ssed his pew on the way out i dropped my bouquet over to him, and he slipped the note into my hand w', 'his pew on the way out i dropped my bouquet over to him, and he slipped the note into my hand when h', 'ew on the way out i dropped my bouquet over to him, and he slipped the note into my hand when he ret', ' the way out i dropped my bouquet over to him, and he slipped the note into my hand when he returned', 'way out i dropped my bouquet over to him, and he slipped the note into my hand when he returned me t', 'ut i dropped my bouquet over to him, and he slipped the note into my hand when he returned me the fl', 'dropped my bouquet over to him, and he slipped the note into my hand when he returned me the flowers', 'ed my bouquet over to him, and he slipped the note into my hand when he returned me the flowers. it ', ' bouquet over to him, and he slipped the note into my hand when he returned me the flowers. it was o', 'uet over to him, and he slipped the note into my hand when he returned me the flowers. it was only a', 'ver to him, and he slipped the note into my hand when he returned me the flowers. it was only a line', 'o him, and he slipped the note into my hand when he returned me the flowers. it was only a line aski', ', and he slipped the note into my hand when he returned me the flowers. it was only a line asking me', ' he slipped the note into my hand when he returned me the flowers. it was only a line asking me to j', 'lipped the note into my hand when he returned me the flowers. it was only a line asking me to join h', 'd the note into my hand when he returned me the flowers. it was only a line asking me to join him wh', ' note into my hand when he returned me the flowers. it was only a line asking me to join him when he', ' into my hand when he returned me the flowers. it was only a line asking me to join him when he made', ' my hand when he returned me the flowers. it was only a line asking me to join him when he made the ', 'and when he returned me the flowers. it was only a line asking me to join him when he made the sign ', 'hen he returned me the flowers. it was only a line asking me to join him when he made the sign to me', 'e returned me the flowers. it was only a line asking me to join him when he made the sign to me to d', 'urned me the flowers. it was only a line asking me to join him when he made the sign to me to do so.', ' me the flowers. it was only a line asking me to join him when he made the sign to me to do so. of c', 'he flowers. it was only a line asking me to join him when he made the sign to me to do so. of course', 'owers. it was only a line asking me to join him when he made the sign to me to do so. of course i ne', '. it was only a line asking me to join him when he made the sign to me to do so. of course i never d', 'was only a line asking me to join him when he made the sign to me to do so. of course i never doubte', 'nly a line asking me to join him when he made the sign to me to do so. of course i never doubted for', ' line asking me to join him when he made the sign to me to do so. of course i never doubted for a mo', ' asking me to join him when he made the sign to me to do so. of course i never doubted for a moment ', 'ng me to join him when he made the sign to me to do so. of course i never doubted for a moment that ', ' to join him when he made the sign to me to do so. of course i never doubted for a moment that my fi', 'oin him when he made the sign to me to do so. of course i never doubted for a moment that my first d', 'im when he made the sign to me to do so. of course i never doubted for a moment that my first duty w', 'en he made the sign to me to do so. of course i never doubted for a moment that my first duty was no', ' made the sign to me to do so. of course i never doubted for a moment that my first duty was now to ', ' the sign to me to do so. of course i never doubted for a moment that my first duty was now to him, ', 'sign to me to do so. of course i never doubted for a moment that my first duty was now to him, and i', 'to me to do so. of course i never doubted for a moment that my first duty was now to him, and i dete', ' to do so. of course i never doubted for a moment that my first duty was now to him, and i determine', 'o so. of course i never doubted for a moment that my first duty was now to him, and i determined to ', ' of course i never doubted for a moment that my first duty was now to him, and i determined to do ju', 'ourse i never doubted for a moment that my first duty was now to him, and i determined to do just wh', ' i never doubted for a moment that my first duty was now to him, and i determined to do just whateve', 'ver doubted for a moment that my first duty was now to him, and i determined to do just whatever he ', 'oubted for a moment that my first duty was now to him, and i determined to do just whatever he might', 'd for a moment that my first duty was now to him, and i determined to do just whatever he might dire', ' a moment that my first duty was now to him, and i determined to do just whatever he might direct. "', 'ment that my first duty was now to him, and i determined to do just whatever he might direct. "when ', 'that my first duty was now to him, and i determined to do just whatever he might direct. "when i got', 'my first duty was now to him, and i determined to do just whatever he might direct. "when i got back', 'rst duty was now to him, and i determined to do just whatever he might direct. "when i got back i to', 'uty was now to him, and i determined to do just whatever he might direct. "when i got back i told my', 'as now to him, and i determined to do just whatever he might direct. "when i got back i told my maid', 'w to him, and i determined to do just whatever he might direct. "when i got back i told my maid, who', 'him, and i determined to do just whatever he might direct. "when i got back i told my maid, who had ', 'and i determined to do just whatever he might direct. "when i got back i told my maid, who had known', ' determined to do just whatever he might direct. "when i got back i told my maid, who had known him ', 'rmined to do just whatever he might direct. "when i got back i told my maid, who had known him in ca', 'd to do just whatever he might direct. "when i got back i told my maid, who had known him in califor', 'do just whatever he might direct. "when i got back i told my maid, who had known him in california, ', 'st whatever he might direct. "when i got back i told my maid, who had known him in california, and h', 'atever he might direct. "when i got back i told my maid, who had known him in california, and had al', 'r he might direct. "when i got back i told my maid, who had known him in california, and had always ', 'might direct. "when i got back i told my maid, who had known him in california, and had always been ', ' direct. "when i got back i told my maid, who had known him in california, and had always been his f', 'ct. "when i got back i told my maid, who had known him in california, and had always been his friend', 'when i got back i told my maid, who had known him in california, and had always been his friend. i o', 'i got back i told my maid, who had known him in california, and had always been his friend. i ordere', ' back i told my maid, who had known him in california, and had always been his friend. i ordered her', ' i told my maid, who had known him in california, and had always been his friend. i ordered her to s', 'ld my maid, who had known him in california, and had always been his friend. i ordered her to say no', ' maid, who had known him in california, and had always been his friend. i ordered her to say nothing', ', who had known him in california, and had always been his friend. i ordered her to say nothing, but', ' had known him in california, and had always been his friend. i ordered her to say nothing, but to g', 'known him in california, and had always been his friend. i ordered her to say nothing, but to get a ', ' him in california, and had always been his friend. i ordered her to say nothing, but to get a few t', 'in california, and had always been his friend. i ordered her to say nothing, but to get a few things', 'lifornia, and had always been his friend. i ordered her to say nothing, but to get a few things pack', 'nia, and had always been his friend. i ordered her to say nothing, but to get a few things packed an', 'and had always been his friend. i ordered her to say nothing, but to get a few things packed and my ', 'ad always been his friend. i ordered her to say nothing, but to get a few things packed and my ulste', 'ways been his friend. i ordered her to say nothing, but to get a few things packed and my ulster rea', 'been his friend. i ordered her to say nothing, but to get a few things packed and my ulster ready. i', 'his friend. i ordered her to say nothing, but to get a few things packed and my ulster ready. i know', 'riend. i ordered her to say nothing, but to get a few things packed and my ulster ready. i know i ou', '. i ordered her to say nothing, but to get a few things packed and my ulster ready. i know i ought t', 'rdered her to say nothing, but to get a few things packed and my ulster ready. i know i ought to hav', 'd her to say nothing, but to get a few things packed and my ulster ready. i know i ought to have spo', ' to say nothing, but to get a few things packed and my ulster ready. i know i ought to have spoken t', 'ay nothing, but to get a few things packed and my ulster ready. i know i ought to have spoken to lor', 'thing, but to get a few things packed and my ulster ready. i know i ought to have spoken to lord st.', ', but to get a few things packed and my ulster ready. i know i ought to have spoken to lord st. simo', ' to get a few things packed and my ulster ready. i know i ought to have spoken to lord st. simon, bu', 'et a few things packed and my ulster ready. i know i ought to have spoken to lord st. simon, but it ', 'few things packed and my ulster ready. i know i ought to have spoken to lord st. simon, but it was d', 'hings packed and my ulster ready. i know i ought to have spoken to lord st. simon, but it was dreadf', ' packed and my ulster ready. i know i ought to have spoken to lord st. simon, but it was dreadful ha', 'ed and my ulster ready. i know i ought to have spoken to lord st. simon, but it was dreadful hard be', 'd my ulster ready. i know i ought to have spoken to lord st. simon, but it was dreadful hard before ', 'ulster ready. i know i ought to have spoken to lord st. simon, but it was dreadful hard before his m', 'r ready. i know i ought to have spoken to lord st. simon, but it was dreadful hard before his mother', 'dy. i know i ought to have spoken to lord st. simon, but it was dreadful hard before his mother and ', ' know i ought to have spoken to lord st. simon, but it was dreadful hard before his mother and all t', ' i ought to have spoken to lord st. simon, but it was dreadful hard before his mother and all those ', 'ght to have spoken to lord st. simon, but it was dreadful hard before his mother and all those great', 'o have spoken to lord st. simon, but it was dreadful hard before his mother and all those great peop', 'e spoken to lord st. simon, but it was dreadful hard before his mother and all those great people. i', 'ken to lord st. simon, but it was dreadful hard before his mother and all those great people. i just', 'o lord st. simon, but it was dreadful hard before his mother and all those great people. i just made', 'd st. simon, but it was dreadful hard before his mother and all those great people. i just made up m', ' simon, but it was dreadful hard before his mother and all those great people. i just made up my min', 'n, but it was dreadful hard before his mother and all those great people. i just made up my mind to ', 't it was dreadful hard before his mother and all those great people. i just made up my mind to run a', 'was dreadful hard before his mother and all those great people. i just made up my mind to run away a', 'readful hard before his mother and all those great people. i just made up my mind to run away and ex', 'ul hard before his mother and all those great people. i just made up my mind to run away and explain', 'rd before his mother and all those great people. i just made up my mind to run away and explain afte', 'fore his mother and all those great people. i just made up my mind to run away and explain afterward', 'his mother and all those great people. i just made up my mind to run away and explain afterwards. i ', "other and all those great people. i just made up my mind to run away and explain afterwards. i hadn'", " and all those great people. i just made up my mind to run away and explain afterwards. i hadn't bee", "all those great people. i just made up my mind to run away and explain afterwards. i hadn't been at ", "hose great people. i just made up my mind to run away and explain afterwards. i hadn't been at the t", "great people. i just made up my mind to run away and explain afterwards. i hadn't been at the table ", " people. i just made up my mind to run away and explain afterwards. i hadn't been at the table ten m", "le. i just made up my mind to run away and explain afterwards. i hadn't been at the table ten minute", " just made up my mind to run away and explain afterwards. i hadn't been at the table ten minutes bef", " made up my mind to run away and explain afterwards. i hadn't been at the table ten minutes before i", " up my mind to run away and explain afterwards. i hadn't been at the table ten minutes before i saw ", "y mind to run away and explain afterwards. i hadn't been at the table ten minutes before i saw frank", "d to run away and explain afterwards. i hadn't been at the table ten minutes before i saw frank out ", "run away and explain afterwards. i hadn't been at the table ten minutes before i saw frank out of th", "way and explain afterwards. i hadn't been at the table ten minutes before i saw frank out of the win", "nd explain afterwards. i hadn't been at the table ten minutes before i saw frank out of the window a", "plain afterwards. i hadn't been at the table ten minutes before i saw frank out of the window at the", " afterwards. i hadn't been at the table ten minutes before i saw frank out of the window at the othe", "rwards. i hadn't been at the table ten minutes before i saw frank out of the window at the other sid", "s. i hadn't been at the table ten minutes before i saw frank out of the window at the other side of ", "hadn't been at the table ten minutes before i saw frank out of the window at the other side of the r", 't been at the table ten minutes before i saw frank out of the window at the other side of the road. ', 'n at the table ten minutes before i saw frank out of the window at the other side of the road. he be', 'the table ten minutes before i saw frank out of the window at the other side of the road. he beckone', 'able ten minutes before i saw frank out of the window at the other side of the road. he beckoned to ', 'ten minutes before i saw frank out of the window at the other side of the road. he beckoned to me an', 'inutes before i saw frank out of the window at the other side of the road. he beckoned to me and the', 's before i saw frank out of the window at the other side of the road. he beckoned to me and then beg', 'ore i saw frank out of the window at the other side of the road. he beckoned to me and then began wa', ' saw frank out of the window at the other side of the road. he beckoned to me and then began walking', 'frank out of the window at the other side of the road. he beckoned to me and then began walking into', ' out of the window at the other side of the road. he beckoned to me and then began walking into the ', 'of the window at the other side of the road. he beckoned to me and then began walking into the park.', 'e window at the other side of the road. he beckoned to me and then began walking into the park. i sl', 'dow at the other side of the road. he beckoned to me and then began walking into the park. i slipped', 't the other side of the road. he beckoned to me and then began walking into the park. i slipped out,', ' other side of the road. he beckoned to me and then began walking into the park. i slipped out, put ', 'r side of the road. he beckoned to me and then began walking into the park. i slipped out, put on my', 'e of the road. he beckoned to me and then began walking into the park. i slipped out, put on my thin', 'the road. he beckoned to me and then began walking into the park. i slipped out, put on my things, a', 'oad. he beckoned to me and then began walking into the park. i slipped out, put on my things, and fo', 'he beckoned to me and then began walking into the park. i slipped out, put on my things, and followe', 'ckoned to me and then began walking into the park. i slipped out, put on my things, and followed him', 'd to me and then began walking into the park. i slipped out, put on my things, and followed him. som', 'me and then began walking into the park. i slipped out, put on my things, and followed him. some wom', 'd then began walking into the park. i slipped out, put on my things, and followed him. some woman ca', 'n began walking into the park. i slipped out, put on my things, and followed him. some woman came ta', 'an walking into the park. i slipped out, put on my things, and followed him. some woman came talking', 'lking into the park. i slipped out, put on my things, and followed him. some woman came talking some', ' into the park. i slipped out, put on my things, and followed him. some woman came talking something', ' the park. i slipped out, put on my things, and followed him. some woman came talking something or o', 'park. i slipped out, put on my things, and followed him. some woman came talking something or other ', ' i slipped out, put on my things, and followed him. some woman came talking something or other about', 'ipped out, put on my things, and followed him. some woman came talking something or other about lord', ' out, put on my things, and followed him. some woman came talking something or other about lord st. ', ' put on my things, and followed him. some woman came talking something or other about lord st. simon', 'on my things, and followed him. some woman came talking something or other about lord st. simon to m', ' things, and followed him. some woman came talking something or other about lord st. simon to meseem', 'gs, and followed him. some woman came talking something or other about lord st. simon to meseemed to', 'nd followed him. some woman came talking something or other about lord st. simon to meseemed to me f', 'llowed him. some woman came talking something or other about lord st. simon to meseemed to me from t', 'd him. some woman came talking something or other about lord st. simon to meseemed to me from the li', '. some woman came talking something or other about lord st. simon to meseemed to me from the little ', 'e woman came talking something or other about lord st. simon to meseemed to me from the little i hea', 'an came talking something or other about lord st. simon to meseemed to me from the little i heard as', 'me talking something or other about lord st. simon to meseemed to me from the little i heard as if h', 'lking something or other about lord st. simon to meseemed to me from the little i heard as if he had', ' something or other about lord st. simon to meseemed to me from the little i heard as if he had a li', 'thing or other about lord st. simon to meseemed to me from the little i heard as if he had a little ', ' or other about lord st. simon to meseemed to me from the little i heard as if he had a little secre', 'ther about lord st. simon to meseemed to me from the little i heard as if he had a little secret of ', 'about lord st. simon to meseemed to me from the little i heard as if he had a little secret of his o', ' lord st. simon to meseemed to me from the little i heard as if he had a little secret of his own be', ' st. simon to meseemed to me from the little i heard as if he had a little secret of his own before ', 'simon to meseemed to me from the little i heard as if he had a little secret of his own before marri', ' to meseemed to me from the little i heard as if he had a little secret of his own before marriage a', 'eseemed to me from the little i heard as if he had a little secret of his own before marriage alsobu', 'ed to me from the little i heard as if he had a little secret of his own before marriage alsobut i m', ' me from the little i heard as if he had a little secret of his own before marriage alsobut i manage', 'rom the little i heard as if he had a little secret of his own before marriage alsobut i managed to ', 'he little i heard as if he had a little secret of his own before marriage alsobut i managed to get a', 'ttle i heard as if he had a little secret of his own before marriage alsobut i managed to get away f', 'i heard as if he had a little secret of his own before marriage alsobut i managed to get away from h', 'rd as if he had a little secret of his own before marriage alsobut i managed to get away from her an', ' if he had a little secret of his own before marriage alsobut i managed to get away from her and soo', 'e had a little secret of his own before marriage alsobut i managed to get away from her and soon ove', ' a little secret of his own before marriage alsobut i managed to get away from her and soon overtook', 'ttle secret of his own before marriage alsobut i managed to get away from her and soon overtook fran', 'secret of his own before marriage alsobut i managed to get away from her and soon overtook frank. we', 't of his own before marriage alsobut i managed to get away from her and soon overtook frank. we got ', 'his own before marriage alsobut i managed to get away from her and soon overtook frank. we got into ', 'wn before marriage alsobut i managed to get away from her and soon overtook frank. we got into a cab', 'fore marriage alsobut i managed to get away from her and soon overtook frank. we got into a cab toge', 'marriage alsobut i managed to get away from her and soon overtook frank. we got into a cab together,', 'age alsobut i managed to get away from her and soon overtook frank. we got into a cab together, and ', 'lsobut i managed to get away from her and soon overtook frank. we got into a cab together, and away ', 't i managed to get away from her and soon overtook frank. we got into a cab together, and away we dr', 'anaged to get away from her and soon overtook frank. we got into a cab together, and away we drove t', 'd to get away from her and soon overtook frank. we got into a cab together, and away we drove to som', 'get away from her and soon overtook frank. we got into a cab together, and away we drove to some lod', 'way from her and soon overtook frank. we got into a cab together, and away we drove to some lodgings', 'rom her and soon overtook frank. we got into a cab together, and away we drove to some lodgings he h', 'er and soon overtook frank. we got into a cab together, and away we drove to some lodgings he had ta', 'd soon overtook frank. we got into a cab together, and away we drove to some lodgings he had taken i', 'n overtook frank. we got into a cab together, and away we drove to some lodgings he had taken in gor', 'rtook frank. we got into a cab together, and away we drove to some lodgings he had taken in gordon s', ' frank. we got into a cab together, and away we drove to some lodgings he had taken in gordon square', 'k. we got into a cab together, and away we drove to some lodgings he had taken in gordon square, and', ' got into a cab together, and away we drove to some lodgings he had taken in gordon square, and that', 'into a cab together, and away we drove to some lodgings he had taken in gordon square, and that was ', 'a cab together, and away we drove to some lodgings he had taken in gordon square, and that was my tr', ' together, and away we drove to some lodgings he had taken in gordon square, and that was my true we', 'ther, and away we drove to some lodgings he had taken in gordon square, and that was my true wedding', ' and away we drove to some lodgings he had taken in gordon square, and that was my true wedding afte', 'away we drove to some lodgings he had taken in gordon square, and that was my true wedding after all', 'we drove to some lodgings he had taken in gordon square, and that was my true wedding after all thos', 'ove to some lodgings he had taken in gordon square, and that was my true wedding after all those yea', 'o some lodgings he had taken in gordon square, and that was my true wedding after all those years of', 'e lodgings he had taken in gordon square, and that was my true wedding after all those years of wait', 'gings he had taken in gordon square, and that was my true wedding after all those years of waiting. ', ' he had taken in gordon square, and that was my true wedding after all those years of waiting. frank', 'ad taken in gordon square, and that was my true wedding after all those years of waiting. frank had ', 'ken in gordon square, and that was my true wedding after all those years of waiting. frank had been ', 'n gordon square, and that was my true wedding after all those years of waiting. frank had been a pri', 'don square, and that was my true wedding after all those years of waiting. frank had been a prisoner', 'quare, and that was my true wedding after all those years of waiting. frank had been a prisoner amon', ', and that was my true wedding after all those years of waiting. frank had been a prisoner among the', ' that was my true wedding after all those years of waiting. frank had been a prisoner among the apac', ' was my true wedding after all those years of waiting. frank had been a prisoner among the apaches, ', 'my true wedding after all those years of waiting. frank had been a prisoner among the apaches, had e', 'ue wedding after all those years of waiting. frank had been a prisoner among the apaches, had escape', 'dding after all those years of waiting. frank had been a prisoner among the apaches, had escaped, ca', ' after all those years of waiting. frank had been a prisoner among the apaches, had escaped, came on', "r all those years of waiting. frank had been a prisoner among the apaches, had escaped, came on to '", " those years of waiting. frank had been a prisoner among the apaches, had escaped, came on to 'frisc", "e years of waiting. frank had been a prisoner among the apaches, had escaped, came on to 'frisco, fo", "rs of waiting. frank had been a prisoner among the apaches, had escaped, came on to 'frisco, found t", " waiting. frank had been a prisoner among the apaches, had escaped, came on to 'frisco, found that i", "ing. frank had been a prisoner among the apaches, had escaped, came on to 'frisco, found that i had ", "frank had been a prisoner among the apaches, had escaped, came on to 'frisco, found that i had given", " had been a prisoner among the apaches, had escaped, came on to 'frisco, found that i had given him ", "been a prisoner among the apaches, had escaped, came on to 'frisco, found that i had given him up fo", "a prisoner among the apaches, had escaped, came on to 'frisco, found that i had given him up for dea", "soner among the apaches, had escaped, came on to 'frisco, found that i had given him up for dead and", " among the apaches, had escaped, came on to 'frisco, found that i had given him up for dead and had ", "g the apaches, had escaped, came on to 'frisco, found that i had given him up for dead and had gone ", " apaches, had escaped, came on to 'frisco, found that i had given him up for dead and had gone to en", "hes, had escaped, came on to 'frisco, found that i had given him up for dead and had gone to england", "had escaped, came on to 'frisco, found that i had given him up for dead and had gone to england, fol", "scaped, came on to 'frisco, found that i had given him up for dead and had gone to england, followed", "d, came on to 'frisco, found that i had given him up for dead and had gone to england, followed me t", "me on to 'frisco, found that i had given him up for dead and had gone to england, followed me there,", " to 'frisco, found that i had given him up for dead and had gone to england, followed me there, and ", 'frisco, found that i had given him up for dead and had gone to england, followed me there, and had c', 'o, found that i had given him up for dead and had gone to england, followed me there, and had come u', 'und that i had given him up for dead and had gone to england, followed me there, and had come upon m', 'hat i had given him up for dead and had gone to england, followed me there, and had come upon me at ', ' had given him up for dead and had gone to england, followed me there, and had come upon me at last ', 'given him up for dead and had gone to england, followed me there, and had come upon me at last on th', ' him up for dead and had gone to england, followed me there, and had come upon me at last on the ver', 'up for dead and had gone to england, followed me there, and had come upon me at last on the very mor', 'r dead and had gone to england, followed me there, and had come upon me at last on the very morning ', 'd and had gone to england, followed me there, and had come upon me at last on the very morning of my', ' had gone to england, followed me there, and had come upon me at last on the very morning of my seco', 'gone to england, followed me there, and had come upon me at last on the very morning of my second we', 'to england, followed me there, and had come upon me at last on the very morning of my second wedding', 'gland, followed me there, and had come upon me at last on the very morning of my second wedding." "i', ', followed me there, and had come upon me at last on the very morning of my second wedding." "i saw ', 'lowed me there, and had come upon me at last on the very morning of my second wedding." "i saw it in', ' me there, and had come upon me at last on the very morning of my second wedding." "i saw it in a pa', 'here, and had come upon me at last on the very morning of my second wedding." "i saw it in a paper,"', ' and had come upon me at last on the very morning of my second wedding." "i saw it in a paper," expl', 'had come upon me at last on the very morning of my second wedding." "i saw it in a paper," explained', 'ome upon me at last on the very morning of my second wedding." "i saw it in a paper," explained the ', 'pon me at last on the very morning of my second wedding." "i saw it in a paper," explained the ameri', 'e at last on the very morning of my second wedding." "i saw it in a paper," explained the american. ', 'last on the very morning of my second wedding." "i saw it in a paper," explained the american. "it g', 'on the very morning of my second wedding." "i saw it in a paper," explained the american. "it gave t', 'e very morning of my second wedding." "i saw it in a paper," explained the american. "it gave the na', 'y morning of my second wedding." "i saw it in a paper," explained the american. "it gave the name an', 'ning of my second wedding." "i saw it in a paper," explained the american. "it gave the name and the', 'of my second wedding." "i saw it in a paper," explained the american. "it gave the name and the chur', ' second wedding." "i saw it in a paper," explained the american. "it gave the name and the church bu', 'nd wedding." "i saw it in a paper," explained the american. "it gave the name and the church but not', 'dding." "i saw it in a paper," explained the american. "it gave the name and the church but not wher', '." "i saw it in a paper," explained the american. "it gave the name and the church but not where the', ' saw it in a paper," explained the american. "it gave the name and the church but not where the lady', 'it in a paper," explained the american. "it gave the name and the church but not where the lady live', ' a paper," explained the american. "it gave the name and the church but not where the lady lived." "', 'per," explained the american. "it gave the name and the church but not where the lady lived." "then ', ' explained the american. "it gave the name and the church but not where the lady lived." "then we ha', 'ained the american. "it gave the name and the church but not where the lady lived." "then we had a t', ' the american. "it gave the name and the church but not where the lady lived." "then we had a talk a', 'american. "it gave the name and the church but not where the lady lived." "then we had a talk as to ', 'can. "it gave the name and the church but not where the lady lived." "then we had a talk as to what ', '"it gave the name and the church but not where the lady lived." "then we had a talk as to what we sh', 'ave the name and the church but not where the lady lived." "then we had a talk as to what we should ', 'he name and the church but not where the lady lived." "then we had a talk as to what we should do, a', 'me and the church but not where the lady lived." "then we had a talk as to what we should do, and fr', 'd the church but not where the lady lived." "then we had a talk as to what we should do, and frank w', ' church but not where the lady lived." "then we had a talk as to what we should do, and frank was al', 'ch but not where the lady lived." "then we had a talk as to what we should do, and frank was all for', 't not where the lady lived." "then we had a talk as to what we should do, and frank was all for open', ' where the lady lived." "then we had a talk as to what we should do, and frank was all for openness,', 'e the lady lived." "then we had a talk as to what we should do, and frank was all for openness, but ', ' lady lived." "then we had a talk as to what we should do, and frank was all for openness, but i was', ' lived." "then we had a talk as to what we should do, and frank was all for openness, but i was so a', 'd." "then we had a talk as to what we should do, and frank was all for openness, but i was so ashame', 'then we had a talk as to what we should do, and frank was all for openness, but i was so ashamed of ', 'we had a talk as to what we should do, and frank was all for openness, but i was so ashamed of it al', 'd a talk as to what we should do, and frank was all for openness, but i was so ashamed of it all tha', 'alk as to what we should do, and frank was all for openness, but i was so ashamed of it all that i f', 's to what we should do, and frank was all for openness, but i was so ashamed of it all that i felt a', 'what we should do, and frank was all for openness, but i was so ashamed of it all that i felt as if ', 'we should do, and frank was all for openness, but i was so ashamed of it all that i felt as if i sho', 'ould do, and frank was all for openness, but i was so ashamed of it all that i felt as if i should l', 'do, and frank was all for openness, but i was so ashamed of it all that i felt as if i should like t', 'nd frank was all for openness, but i was so ashamed of it all that i felt as if i should like to van', 'ank was all for openness, but i was so ashamed of it all that i felt as if i should like to vanish a', 'as all for openness, but i was so ashamed of it all that i felt as if i should like to vanish away a', 'l for openness, but i was so ashamed of it all that i felt as if i should like to vanish away and ne', ' openness, but i was so ashamed of it all that i felt as if i should like to vanish away and never s', 'ness, but i was so ashamed of it all that i felt as if i should like to vanish away and never see an', ' but i was so ashamed of it all that i felt as if i should like to vanish away and never see any of ', 'i was so ashamed of it all that i felt as if i should like to vanish away and never see any of them ', ' so ashamed of it all that i felt as if i should like to vanish away and never see any of them again', 'shamed of it all that i felt as if i should like to vanish away and never see any of them againjust ', 'd of it all that i felt as if i should like to vanish away and never see any of them againjust sendi', 'it all that i felt as if i should like to vanish away and never see any of them againjust sending a ', 'l that i felt as if i should like to vanish away and never see any of them againjust sending a line ', 't i felt as if i should like to vanish away and never see any of them againjust sending a line to pa', 'elt as if i should like to vanish away and never see any of them againjust sending a line to pa, per', 's if i should like to vanish away and never see any of them againjust sending a line to pa, perhaps,', 'i should like to vanish away and never see any of them againjust sending a line to pa, perhaps, to s', 'uld like to vanish away and never see any of them againjust sending a line to pa, perhaps, to show h', 'ike to vanish away and never see any of them againjust sending a line to pa, perhaps, to show him th', 'o vanish away and never see any of them againjust sending a line to pa, perhaps, to show him that i ', 'ish away and never see any of them againjust sending a line to pa, perhaps, to show him that i was a', 'way and never see any of them againjust sending a line to pa, perhaps, to show him that i was alive.', 'nd never see any of them againjust sending a line to pa, perhaps, to show him that i was alive. it w', 'ver see any of them againjust sending a line to pa, perhaps, to show him that i was alive. it was aw', 'ee any of them againjust sending a line to pa, perhaps, to show him that i was alive. it was awful t', 'y of them againjust sending a line to pa, perhaps, to show him that i was alive. it was awful to me ', 'them againjust sending a line to pa, perhaps, to show him that i was alive. it was awful to me to th', 'againjust sending a line to pa, perhaps, to show him that i was alive. it was awful to me to think o', 'just sending a line to pa, perhaps, to show him that i was alive. it was awful to me to think of all', 'sending a line to pa, perhaps, to show him that i was alive. it was awful to me to think of all thos', 'ng a line to pa, perhaps, to show him that i was alive. it was awful to me to think of all those lor', 'line to pa, perhaps, to show him that i was alive. it was awful to me to think of all those lords an', 'to pa, perhaps, to show him that i was alive. it was awful to me to think of all those lords and lad', ', perhaps, to show him that i was alive. it was awful to me to think of all those lords and ladies s', 'haps, to show him that i was alive. it was awful to me to think of all those lords and ladies sittin', ' to show him that i was alive. it was awful to me to think of all those lords and ladies sitting rou', 'how him that i was alive. it was awful to me to think of all those lords and ladies sitting round th', 'im that i was alive. it was awful to me to think of all those lords and ladies sitting round that br', 'at i was alive. it was awful to me to think of all those lords and ladies sitting round that breakfa', 'was alive. it was awful to me to think of all those lords and ladies sitting round that breakfast-ta', 'live. it was awful to me to think of all those lords and ladies sitting round that breakfast-table a', ' it was awful to me to think of all those lords and ladies sitting round that breakfast-table and wa', 'as awful to me to think of all those lords and ladies sitting round that breakfast-table and waiting', 'ful to me to think of all those lords and ladies sitting round that breakfast-table and waiting for ', 'o me to think of all those lords and ladies sitting round that breakfast-table and waiting for me to', 'to think of all those lords and ladies sitting round that breakfast-table and waiting for me to come', 'ink of all those lords and ladies sitting round that breakfast-table and waiting for me to come back', 'f all those lords and ladies sitting round that breakfast-table and waiting for me to come back. so ', ' those lords and ladies sitting round that breakfast-table and waiting for me to come back. so frank', 'e lords and ladies sitting round that breakfast-table and waiting for me to come back. so frank took', 'ds and ladies sitting round that breakfast-table and waiting for me to come back. so frank took my w', 'd ladies sitting round that breakfast-table and waiting for me to come back. so frank took my weddin', 'ies sitting round that breakfast-table and waiting for me to come back. so frank took my wedding-clo', 'itting round that breakfast-table and waiting for me to come back. so frank took my wedding-clothes ', 'g round that breakfast-table and waiting for me to come back. so frank took my wedding-clothes and t', 'nd that breakfast-table and waiting for me to come back. so frank took my wedding-clothes and things', 'at breakfast-table and waiting for me to come back. so frank took my wedding-clothes and things and ', 'eakfast-table and waiting for me to come back. so frank took my wedding-clothes and things and made ', 'st-table and waiting for me to come back. so frank took my wedding-clothes and things and made a bun', 'ble and waiting for me to come back. so frank took my wedding-clothes and things and made a bundle o', 'nd waiting for me to come back. so frank took my wedding-clothes and things and made a bundle of the', 'iting for me to come back. so frank took my wedding-clothes and things and made a bundle of them, so', ' for me to come back. so frank took my wedding-clothes and things and made a bundle of them, so that', 'me to come back. so frank took my wedding-clothes and things and made a bundle of them, so that i sh', ' come back. so frank took my wedding-clothes and things and made a bundle of them, so that i should ', ' back. so frank took my wedding-clothes and things and made a bundle of them, so that i should not b', '. so frank took my wedding-clothes and things and made a bundle of them, so that i should not be tra', 'frank took my wedding-clothes and things and made a bundle of them, so that i should not be traced, ', ' took my wedding-clothes and things and made a bundle of them, so that i should not be traced, and d', ' my wedding-clothes and things and made a bundle of them, so that i should not be traced, and droppe', 'edding-clothes and things and made a bundle of them, so that i should not be traced, and dropped the', 'g-clothes and things and made a bundle of them, so that i should not be traced, and dropped them awa', 'thes and things and made a bundle of them, so that i should not be traced, and dropped them away som', 'and things and made a bundle of them, so that i should not be traced, and dropped them away somewher', 'hings and made a bundle of them, so that i should not be traced, and dropped them away somewhere whe', ' and made a bundle of them, so that i should not be traced, and dropped them away somewhere where no', 'made a bundle of them, so that i should not be traced, and dropped them away somewhere where no one ', 'a bundle of them, so that i should not be traced, and dropped them away somewhere where no one could', 'dle of them, so that i should not be traced, and dropped them away somewhere where no one could find', 'f them, so that i should not be traced, and dropped them away somewhere where no one could find them', 'm, so that i should not be traced, and dropped them away somewhere where no one could find them. it ', ' that i should not be traced, and dropped them away somewhere where no one could find them. it is li', ' i should not be traced, and dropped them away somewhere where no one could find them. it is likely ', 'ould not be traced, and dropped them away somewhere where no one could find them. it is likely that ', 'not be traced, and dropped them away somewhere where no one could find them. it is likely that we sh', 'e traced, and dropped them away somewhere where no one could find them. it is likely that we should ', 'ced, and dropped them away somewhere where no one could find them. it is likely that we should have ', 'and dropped them away somewhere where no one could find them. it is likely that we should have gone ', 'ropped them away somewhere where no one could find them. it is likely that we should have gone on to', 'd them away somewhere where no one could find them. it is likely that we should have gone on to pari', 'm away somewhere where no one could find them. it is likely that we should have gone on to paris to-', 'y somewhere where no one could find them. it is likely that we should have gone on to paris to-morro', 'ewhere where no one could find them. it is likely that we should have gone on to paris to-morrow, on', 'e where no one could find them. it is likely that we should have gone on to paris to-morrow, only th', 're no one could find them. it is likely that we should have gone on to paris to-morrow, only that th', ' one could find them. it is likely that we should have gone on to paris to-morrow, only that this go', 'could find them. it is likely that we should have gone on to paris to-morrow, only that this good ge', ' find them. it is likely that we should have gone on to paris to-morrow, only that this good gentlem', ' them. it is likely that we should have gone on to paris to-morrow, only that this good gentleman, m', '. it is likely that we should have gone on to paris to-morrow, only that this good gentleman, mr. ho', 'is likely that we should have gone on to paris to-morrow, only that this good gentleman, mr. holmes,', 'kely that we should have gone on to paris to-morrow, only that this good gentleman, mr. holmes, came', 'that we should have gone on to paris to-morrow, only that this good gentleman, mr. holmes, came roun', 'we should have gone on to paris to-morrow, only that this good gentleman, mr. holmes, came round to ', 'ould have gone on to paris to-morrow, only that this good gentleman, mr. holmes, came round to us th', 'have gone on to paris to-morrow, only that this good gentleman, mr. holmes, came round to us this ev', 'gone on to paris to-morrow, only that this good gentleman, mr. holmes, came round to us this evening', 'on to paris to-morrow, only that this good gentleman, mr. holmes, came round to us this evening, tho', ' paris to-morrow, only that this good gentleman, mr. holmes, came round to us this evening, though h', 's to-morrow, only that this good gentleman, mr. holmes, came round to us this evening, though how he', 'morrow, only that this good gentleman, mr. holmes, came round to us this evening, though how he foun', 'w, only that this good gentleman, mr. holmes, came round to us this evening, though how he found us ', 'ly that this good gentleman, mr. holmes, came round to us this evening, though how he found us is mo', 'at this good gentleman, mr. holmes, came round to us this evening, though how he found us is more th', 'is good gentleman, mr. holmes, came round to us this evening, though how he found us is more than i ', 'od gentleman, mr. holmes, came round to us this evening, though how he found us is more than i can t', 'ntleman, mr. holmes, came round to us this evening, though how he found us is more than i can think,', 'an, mr. holmes, came round to us this evening, though how he found us is more than i can think, and ', 'r. holmes, came round to us this evening, though how he found us is more than i can think, and he sh', 'lmes, came round to us this evening, though how he found us is more than i can think, and he showed ', ' came round to us this evening, though how he found us is more than i can think, and he showed us ve', ' round to us this evening, though how he found us is more than i can think, and he showed us very cl', 'd to us this evening, though how he found us is more than i can think, and he showed us very clearly', 'us this evening, though how he found us is more than i can think, and he showed us very clearly and ', 'is evening, though how he found us is more than i can think, and he showed us very clearly and kindl', 'ening, though how he found us is more than i can think, and he showed us very clearly and kindly tha', ', though how he found us is more than i can think, and he showed us very clearly and kindly that i w', 'ugh how he found us is more than i can think, and he showed us very clearly and kindly that i was wr', 'ow he found us is more than i can think, and he showed us very clearly and kindly that i was wrong a', ' found us is more than i can think, and he showed us very clearly and kindly that i was wrong and th', 'd us is more than i can think, and he showed us very clearly and kindly that i was wrong and that fr', 'is more than i can think, and he showed us very clearly and kindly that i was wrong and that frank w', 're than i can think, and he showed us very clearly and kindly that i was wrong and that frank was ri', 'an i can think, and he showed us very clearly and kindly that i was wrong and that frank was right, ', 'can think, and he showed us very clearly and kindly that i was wrong and that frank was right, and t', 'hink, and he showed us very clearly and kindly that i was wrong and that frank was right, and that w', ' and he showed us very clearly and kindly that i was wrong and that frank was right, and that we sho', 'he showed us very clearly and kindly that i was wrong and that frank was right, and that we should b', 'owed us very clearly and kindly that i was wrong and that frank was right, and that we should be put', 'us very clearly and kindly that i was wrong and that frank was right, and that we should be putting ', 'ry clearly and kindly that i was wrong and that frank was right, and that we should be putting ourse', 'early and kindly that i was wrong and that frank was right, and that we should be putting ourselves ', ' and kindly that i was wrong and that frank was right, and that we should be putting ourselves in th', 'kindly that i was wrong and that frank was right, and that we should be putting ourselves in the wro', 'y that i was wrong and that frank was right, and that we should be putting ourselves in the wrong if', 't i was wrong and that frank was right, and that we should be putting ourselves in the wrong if we w', 'as wrong and that frank was right, and that we should be putting ourselves in the wrong if we were s', 'ong and that frank was right, and that we should be putting ourselves in the wrong if we were so sec', 'nd that frank was right, and that we should be putting ourselves in the wrong if we were so secret. ', 'at frank was right, and that we should be putting ourselves in the wrong if we were so secret. then ', 'ank was right, and that we should be putting ourselves in the wrong if we were so secret. then he of', 'as right, and that we should be putting ourselves in the wrong if we were so secret. then he offered', 'ght, and that we should be putting ourselves in the wrong if we were so secret. then he offered to g', 'and that we should be putting ourselves in the wrong if we were so secret. then he offered to give u', 'hat we should be putting ourselves in the wrong if we were so secret. then he offered to give us a c', 'e should be putting ourselves in the wrong if we were so secret. then he offered to give us a chance', 'uld be putting ourselves in the wrong if we were so secret. then he offered to give us a chance of t', 'e putting ourselves in the wrong if we were so secret. then he offered to give us a chance of talkin', 'ting ourselves in the wrong if we were so secret. then he offered to give us a chance of talking to ', 'ourselves in the wrong if we were so secret. then he offered to give us a chance of talking to lord ', 'lves in the wrong if we were so secret. then he offered to give us a chance of talking to lord st. s', 'in the wrong if we were so secret. then he offered to give us a chance of talking to lord st. simon ', 'e wrong if we were so secret. then he offered to give us a chance of talking to lord st. simon alone', 'ng if we were so secret. then he offered to give us a chance of talking to lord st. simon alone, and', ' we were so secret. then he offered to give us a chance of talking to lord st. simon alone, and so w', 'ere so secret. then he offered to give us a chance of talking to lord st. simon alone, and so we cam', 'o secret. then he offered to give us a chance of talking to lord st. simon alone, and so we came rig', 'ret. then he offered to give us a chance of talking to lord st. simon alone, and so we came right aw', 'then he offered to give us a chance of talking to lord st. simon alone, and so we came right away ro', 'he offered to give us a chance of talking to lord st. simon alone, and so we came right away round t', 'fered to give us a chance of talking to lord st. simon alone, and so we came right away round to his', ' to give us a chance of talking to lord st. simon alone, and so we came right away round to his room', 'ive us a chance of talking to lord st. simon alone, and so we came right away round to his rooms at ', 's a chance of talking to lord st. simon alone, and so we came right away round to his rooms at once.', 'hance of talking to lord st. simon alone, and so we came right away round to his rooms at once. now,', ' of talking to lord st. simon alone, and so we came right away round to his rooms at once. now, robe', 'alking to lord st. simon alone, and so we came right away round to his rooms at once. now, robert, y', 'g to lord st. simon alone, and so we came right away round to his rooms at once. now, robert, you ha', 'lord st. simon alone, and so we came right away round to his rooms at once. now, robert, you have he', 'st. simon alone, and so we came right away round to his rooms at once. now, robert, you have heard i', 'imon alone, and so we came right away round to his rooms at once. now, robert, you have heard it all', 'alone, and so we came right away round to his rooms at once. now, robert, you have heard it all, and', ', and so we came right away round to his rooms at once. now, robert, you have heard it all, and i am', ' so we came right away round to his rooms at once. now, robert, you have heard it all, and i am very', 'e came right away round to his rooms at once. now, robert, you have heard it all, and i am very sorr', 'e right away round to his rooms at once. now, robert, you have heard it all, and i am very sorry if ', 'ht away round to his rooms at once. now, robert, you have heard it all, and i am very sorry if i hav', 'ay round to his rooms at once. now, robert, you have heard it all, and i am very sorry if i have giv', 'und to his rooms at once. now, robert, you have heard it all, and i am very sorry if i have given yo', 'o his rooms at once. now, robert, you have heard it all, and i am very sorry if i have given you pai', ' rooms at once. now, robert, you have heard it all, and i am very sorry if i have given you pain, an', 's at once. now, robert, you have heard it all, and i am very sorry if i have given you pain, and i h', 'once. now, robert, you have heard it all, and i am very sorry if i have given you pain, and i hope t', ' now, robert, you have heard it all, and i am very sorry if i have given you pain, and i hope that y', ' robert, you have heard it all, and i am very sorry if i have given you pain, and i hope that you do', 'rt, you have heard it all, and i am very sorry if i have given you pain, and i hope that you do not ', 'ou have heard it all, and i am very sorry if i have given you pain, and i hope that you do not think', 've heard it all, and i am very sorry if i have given you pain, and i hope that you do not think very', 'ard it all, and i am very sorry if i have given you pain, and i hope that you do not think very mean', 't all, and i am very sorry if i have given you pain, and i hope that you do not think very meanly of', ', and i am very sorry if i have given you pain, and i hope that you do not think very meanly of me."', ' i am very sorry if i have given you pain, and i hope that you do not think very meanly of me." lord', ' very sorry if i have given you pain, and i hope that you do not think very meanly of me." lord st. ', ' sorry if i have given you pain, and i hope that you do not think very meanly of me." lord st. simon', 'y if i have given you pain, and i hope that you do not think very meanly of me." lord st. simon had ', 'i have given you pain, and i hope that you do not think very meanly of me." lord st. simon had by no', 'e given you pain, and i hope that you do not think very meanly of me." lord st. simon had by no mean', 'en you pain, and i hope that you do not think very meanly of me." lord st. simon had by no means rel', 'u pain, and i hope that you do not think very meanly of me." lord st. simon had by no means relaxed ', 'n, and i hope that you do not think very meanly of me." lord st. simon had by no means relaxed his r', 'd i hope that you do not think very meanly of me." lord st. simon had by no means relaxed his rigid ', 'ope that you do not think very meanly of me." lord st. simon had by no means relaxed his rigid attit', 'hat you do not think very meanly of me." lord st. simon had by no means relaxed his rigid attitude, ', 'ou do not think very meanly of me." lord st. simon had by no means relaxed his rigid attitude, but h', ' not think very meanly of me." lord st. simon had by no means relaxed his rigid attitude, but had li', 'think very meanly of me." lord st. simon had by no means relaxed his rigid attitude, but had listene', ' very meanly of me." lord st. simon had by no means relaxed his rigid attitude, but had listened wit', ' meanly of me." lord st. simon had by no means relaxed his rigid attitude, but had listened with a f', 'ly of me." lord st. simon had by no means relaxed his rigid attitude, but had listened with a frowni', ' me." lord st. simon had by no means relaxed his rigid attitude, but had listened with a frowning br', ' lord st. simon had by no means relaxed his rigid attitude, but had listened with a frowning brow an', ' st. simon had by no means relaxed his rigid attitude, but had listened with a frowning brow and a c', 'simon had by no means relaxed his rigid attitude, but had listened with a frowning brow and a compre', ' had by no means relaxed his rigid attitude, but had listened with a frowning brow and a compressed ', 'by no means relaxed his rigid attitude, but had listened with a frowning brow and a compressed lip t', ' means relaxed his rigid attitude, but had listened with a frowning brow and a compressed lip to thi', 's relaxed his rigid attitude, but had listened with a frowning brow and a compressed lip to this lon', 'axed his rigid attitude, but had listened with a frowning brow and a compressed lip to this long nar', 'his rigid attitude, but had listened with a frowning brow and a compressed lip to this long narrativ', 'igid attitude, but had listened with a frowning brow and a compressed lip to this long narrative. "e', 'attitude, but had listened with a frowning brow and a compressed lip to this long narrative. "excuse', 'ude, but had listened with a frowning brow and a compressed lip to this long narrative. "excuse me,"', 'but had listened with a frowning brow and a compressed lip to this long narrative. "excuse me," he s', 'ad listened with a frowning brow and a compressed lip to this long narrative. "excuse me," he said, ', 'stened with a frowning brow and a compressed lip to this long narrative. "excuse me," he said, "but ', 'd with a frowning brow and a compressed lip to this long narrative. "excuse me," he said, "but it is', 'h a frowning brow and a compressed lip to this long narrative. "excuse me," he said, "but it is not ', 'rowning brow and a compressed lip to this long narrative. "excuse me," he said, "but it is not my cu', 'ng brow and a compressed lip to this long narrative. "excuse me," he said, "but it is not my custom ', 'ow and a compressed lip to this long narrative. "excuse me," he said, "but it is not my custom to di', 'd a compressed lip to this long narrative. "excuse me," he said, "but it is not my custom to discuss', 'ompressed lip to this long narrative. "excuse me," he said, "but it is not my custom to discuss my m', 'ssed lip to this long narrative. "excuse me," he said, "but it is not my custom to discuss my most i', 'lip to this long narrative. "excuse me," he said, "but it is not my custom to discuss my most intima', 'o this long narrative. "excuse me," he said, "but it is not my custom to discuss my most intimate pe', 's long narrative. "excuse me," he said, "but it is not my custom to discuss my most intimate persona', 'g narrative. "excuse me," he said, "but it is not my custom to discuss my most intimate personal aff', 'rative. "excuse me," he said, "but it is not my custom to discuss my most intimate personal affairs ', 'e. "excuse me," he said, "but it is not my custom to discuss my most intimate personal affairs in th', 'xcuse me," he said, "but it is not my custom to discuss my most intimate personal affairs in this pu', ' me," he said, "but it is not my custom to discuss my most intimate personal affairs in this public ', ' he said, "but it is not my custom to discuss my most intimate personal affairs in this public manne', 'aid, "but it is not my custom to discuss my most intimate personal affairs in this public manner." "', '"but it is not my custom to discuss my most intimate personal affairs in this public manner." "then ', 'it is not my custom to discuss my most intimate personal affairs in this public manner." "then you w', ' not my custom to discuss my most intimate personal affairs in this public manner." "then you won\'t ', 'my custom to discuss my most intimate personal affairs in this public manner." "then you won\'t forgi', 'stom to discuss my most intimate personal affairs in this public manner." "then you won\'t forgive me', 'to discuss my most intimate personal affairs in this public manner." "then you won\'t forgive me? you', 'scuss my most intimate personal affairs in this public manner." "then you won\'t forgive me? you won\'', ' my most intimate personal affairs in this public manner." "then you won\'t forgive me? you won\'t sha', 'ost intimate personal affairs in this public manner." "then you won\'t forgive me? you won\'t shake ha', 'ntimate personal affairs in this public manner." "then you won\'t forgive me? you won\'t shake hands b', 'te personal affairs in this public manner." "then you won\'t forgive me? you won\'t shake hands before', 'rsonal affairs in this public manner." "then you won\'t forgive me? you won\'t shake hands before i go', 'l affairs in this public manner." "then you won\'t forgive me? you won\'t shake hands before i go?" "o', 'airs in this public manner." "then you won\'t forgive me? you won\'t shake hands before i go?" "oh, ce', 'in this public manner." "then you won\'t forgive me? you won\'t shake hands before i go?" "oh, certain', 'is public manner." "then you won\'t forgive me? you won\'t shake hands before i go?" "oh, certainly, i', 'blic manner." "then you won\'t forgive me? you won\'t shake hands before i go?" "oh, certainly, if it ', 'manner." "then you won\'t forgive me? you won\'t shake hands before i go?" "oh, certainly, if it would', 'r." "then you won\'t forgive me? you won\'t shake hands before i go?" "oh, certainly, if it would give', 'then you won\'t forgive me? you won\'t shake hands before i go?" "oh, certainly, if it would give you ', 'you won\'t forgive me? you won\'t shake hands before i go?" "oh, certainly, if it would give you any p', 'on\'t forgive me? you won\'t shake hands before i go?" "oh, certainly, if it would give you any pleasu', 'forgive me? you won\'t shake hands before i go?" "oh, certainly, if it would give you any pleasure." ', 've me? you won\'t shake hands before i go?" "oh, certainly, if it would give you any pleasure." he pu', '? you won\'t shake hands before i go?" "oh, certainly, if it would give you any pleasure." he put out', ' won\'t shake hands before i go?" "oh, certainly, if it would give you any pleasure." he put out his ', 't shake hands before i go?" "oh, certainly, if it would give you any pleasure." he put out his hand ', 'ke hands before i go?" "oh, certainly, if it would give you any pleasure." he put out his hand and c', 'nds before i go?" "oh, certainly, if it would give you any pleasure." he put out his hand and coldly', 'efore i go?" "oh, certainly, if it would give you any pleasure." he put out his hand and coldly gras', ' i go?" "oh, certainly, if it would give you any pleasure." he put out his hand and coldly grasped t', '?" "oh, certainly, if it would give you any pleasure." he put out his hand and coldly grasped that w', 'h, certainly, if it would give you any pleasure." he put out his hand and coldly grasped that which ', 'rtainly, if it would give you any pleasure." he put out his hand and coldly grasped that which she e', 'ly, if it would give you any pleasure." he put out his hand and coldly grasped that which she extend', 'f it would give you any pleasure." he put out his hand and coldly grasped that which she extended to', 'would give you any pleasure." he put out his hand and coldly grasped that which she extended to him.', ' give you any pleasure." he put out his hand and coldly grasped that which she extended to him. "i h', ' you any pleasure." he put out his hand and coldly grasped that which she extended to him. "i had ho', 'any pleasure." he put out his hand and coldly grasped that which she extended to him. "i had hoped,"', 'leasure." he put out his hand and coldly grasped that which she extended to him. "i had hoped," sugg', 're." he put out his hand and coldly grasped that which she extended to him. "i had hoped," suggested', 'he put out his hand and coldly grasped that which she extended to him. "i had hoped," suggested holm', 't out his hand and coldly grasped that which she extended to him. "i had hoped," suggested holmes, "', ' his hand and coldly grasped that which she extended to him. "i had hoped," suggested holmes, "that ', 'hand and coldly grasped that which she extended to him. "i had hoped," suggested holmes, "that you w', 'and coldly grasped that which she extended to him. "i had hoped," suggested holmes, "that you would ', 'oldly grasped that which she extended to him. "i had hoped," suggested holmes, "that you would have ', ' grasped that which she extended to him. "i had hoped," suggested holmes, "that you would have joine', 'ped that which she extended to him. "i had hoped," suggested holmes, "that you would have joined us ', 'hat which she extended to him. "i had hoped," suggested holmes, "that you would have joined us in a ', 'hich she extended to him. "i had hoped," suggested holmes, "that you would have joined us in a frien', 'she extended to him. "i had hoped," suggested holmes, "that you would have joined us in a friendly s', 'xtended to him. "i had hoped," suggested holmes, "that you would have joined us in a friendly supper', 'ed to him. "i had hoped," suggested holmes, "that you would have joined us in a friendly supper." "i', ' him. "i had hoped," suggested holmes, "that you would have joined us in a friendly supper." "i thin', ' "i had hoped," suggested holmes, "that you would have joined us in a friendly supper." "i think tha', 'ad hoped," suggested holmes, "that you would have joined us in a friendly supper." "i think that the', 'ped," suggested holmes, "that you would have joined us in a friendly supper." "i think that there yo', ' suggested holmes, "that you would have joined us in a friendly supper." "i think that there you ask', 'ested holmes, "that you would have joined us in a friendly supper." "i think that there you ask a li', ' holmes, "that you would have joined us in a friendly supper." "i think that there you ask a little ', 'es, "that you would have joined us in a friendly supper." "i think that there you ask a little too m', 'that you would have joined us in a friendly supper." "i think that there you ask a little too much,"', 'you would have joined us in a friendly supper." "i think that there you ask a little too much," resp', 'ould have joined us in a friendly supper." "i think that there you ask a little too much," responded', 'have joined us in a friendly supper." "i think that there you ask a little too much," responded his ', 'joined us in a friendly supper." "i think that there you ask a little too much," responded his lords', 'd us in a friendly supper." "i think that there you ask a little too much," responded his lordship. ', 'in a friendly supper." "i think that there you ask a little too much," responded his lordship. "i ma', 'friendly supper." "i think that there you ask a little too much," responded his lordship. "i may be ', 'dly supper." "i think that there you ask a little too much," responded his lordship. "i may be force', 'upper." "i think that there you ask a little too much," responded his lordship. "i may be forced to ', '." "i think that there you ask a little too much," responded his lordship. "i may be forced to acqui', ' think that there you ask a little too much," responded his lordship. "i may be forced to acquiesce ', 'k that there you ask a little too much," responded his lordship. "i may be forced to acquiesce in th', 't there you ask a little too much," responded his lordship. "i may be forced to acquiesce in these r', 're you ask a little too much," responded his lordship. "i may be forced to acquiesce in these recent', 'u ask a little too much," responded his lordship. "i may be forced to acquiesce in these recent deve', ' a little too much," responded his lordship. "i may be forced to acquiesce in these recent developme', 'ttle too much," responded his lordship. "i may be forced to acquiesce in these recent developments, ', 'too much," responded his lordship. "i may be forced to acquiesce in these recent developments, but i', 'uch," responded his lordship. "i may be forced to acquiesce in these recent developments, but i can ', ' responded his lordship. "i may be forced to acquiesce in these recent developments, but i can hardl', 'onded his lordship. "i may be forced to acquiesce in these recent developments, but i can hardly be ', ' his lordship. "i may be forced to acquiesce in these recent developments, but i can hardly be expec', 'lordship. "i may be forced to acquiesce in these recent developments, but i can hardly be expected t', 'hip. "i may be forced to acquiesce in these recent developments, but i can hardly be expected to mak', '"i may be forced to acquiesce in these recent developments, but i can hardly be expected to make mer', 'y be forced to acquiesce in these recent developments, but i can hardly be expected to make merry ov', 'forced to acquiesce in these recent developments, but i can hardly be expected to make merry over th', 'd to acquiesce in these recent developments, but i can hardly be expected to make merry over them. i', 'acquiesce in these recent developments, but i can hardly be expected to make merry over them. i thin', 'esce in these recent developments, but i can hardly be expected to make merry over them. i think tha', 'in these recent developments, but i can hardly be expected to make merry over them. i think that wit', 'ese recent developments, but i can hardly be expected to make merry over them. i think that with you', 'ecent developments, but i can hardly be expected to make merry over them. i think that with your per', ' developments, but i can hardly be expected to make merry over them. i think that with your permissi', 'lopments, but i can hardly be expected to make merry over them. i think that with your permission i ', 'nts, but i can hardly be expected to make merry over them. i think that with your permission i will ', 'but i can hardly be expected to make merry over them. i think that with your permission i will now w', ' can hardly be expected to make merry over them. i think that with your permission i will now wish y', 'hardly be expected to make merry over them. i think that with your permission i will now wish you al', 'y be expected to make merry over them. i think that with your permission i will now wish you all a v', 'expected to make merry over them. i think that with your permission i will now wish you all a very g', 'ted to make merry over them. i think that with your permission i will now wish you all a very good-n', 'o make merry over them. i think that with your permission i will now wish you all a very good-night.', 'e merry over them. i think that with your permission i will now wish you all a very good-night." he ', 'ry over them. i think that with your permission i will now wish you all a very good-night." he inclu', 'er them. i think that with your permission i will now wish you all a very good-night." he included u', 'em. i think that with your permission i will now wish you all a very good-night." he included us all', ' think that with your permission i will now wish you all a very good-night." he included us all in a', 'k that with your permission i will now wish you all a very good-night." he included us all in a swee', 't with your permission i will now wish you all a very good-night." he included us all in a sweeping ', 'h your permission i will now wish you all a very good-night." he included us all in a sweeping bow a', 'r permission i will now wish you all a very good-night." he included us all in a sweeping bow and st', 'mission i will now wish you all a very good-night." he included us all in a sweeping bow and stalked', 'on i will now wish you all a very good-night." he included us all in a sweeping bow and stalked out ', 'will now wish you all a very good-night." he included us all in a sweeping bow and stalked out of th', 'now wish you all a very good-night." he included us all in a sweeping bow and stalked out of the roo', 'ish you all a very good-night." he included us all in a sweeping bow and stalked out of the room. "t', 'ou all a very good-night." he included us all in a sweeping bow and stalked out of the room. "then i', 'l a very good-night." he included us all in a sweeping bow and stalked out of the room. "then i trus', 'ery good-night." he included us all in a sweeping bow and stalked out of the room. "then i trust tha', 'ood-night." he included us all in a sweeping bow and stalked out of the room. "then i trust that you', 'ight." he included us all in a sweeping bow and stalked out of the room. "then i trust that you at l', '" he included us all in a sweeping bow and stalked out of the room. "then i trust that you at least ', 'included us all in a sweeping bow and stalked out of the room. "then i trust that you at least will ', 'ded us all in a sweeping bow and stalked out of the room. "then i trust that you at least will honou', 's all in a sweeping bow and stalked out of the room. "then i trust that you at least will honour me ', ' in a sweeping bow and stalked out of the room. "then i trust that you at least will honour me with ', ' sweeping bow and stalked out of the room. "then i trust that you at least will honour me with your ', 'ping bow and stalked out of the room. "then i trust that you at least will honour me with your compa', 'bow and stalked out of the room. "then i trust that you at least will honour me with your company," ', 'nd stalked out of the room. "then i trust that you at least will honour me with your company," said ', 'alked out of the room. "then i trust that you at least will honour me with your company," said sherl', ' out of the room. "then i trust that you at least will honour me with your company," said sherlock h', 'of the room. "then i trust that you at least will honour me with your company," said sherlock holmes', 'e room. "then i trust that you at least will honour me with your company," said sherlock holmes. "it', 'm. "then i trust that you at least will honour me with your company," said sherlock holmes. "it is a', 'hen i trust that you at least will honour me with your company," said sherlock holmes. "it is always', ' trust that you at least will honour me with your company," said sherlock holmes. "it is always a jo', 't that you at least will honour me with your company," said sherlock holmes. "it is always a joy to ', 't you at least will honour me with your company," said sherlock holmes. "it is always a joy to meet ', ' at least will honour me with your company," said sherlock holmes. "it is always a joy to meet an am', 'east will honour me with your company," said sherlock holmes. "it is always a joy to meet an america', 'will honour me with your company," said sherlock holmes. "it is always a joy to meet an american, mr', 'honour me with your company," said sherlock holmes. "it is always a joy to meet an american, mr. mou', 'r me with your company," said sherlock holmes. "it is always a joy to meet an american, mr. moulton,', 'with your company," said sherlock holmes. "it is always a joy to meet an american, mr. moulton, for ', 'your company," said sherlock holmes. "it is always a joy to meet an american, mr. moulton, for i am ', 'company," said sherlock holmes. "it is always a joy to meet an american, mr. moulton, for i am one o', 'ny," said sherlock holmes. "it is always a joy to meet an american, mr. moulton, for i am one of tho', 'said sherlock holmes. "it is always a joy to meet an american, mr. moulton, for i am one of those wh', 'sherlock holmes. "it is always a joy to meet an american, mr. moulton, for i am one of those who bel', 'ock holmes. "it is always a joy to meet an american, mr. moulton, for i am one of those who believe ', 'olmes. "it is always a joy to meet an american, mr. moulton, for i am one of those who believe that ', '. "it is always a joy to meet an american, mr. moulton, for i am one of those who believe that the f', ' is always a joy to meet an american, mr. moulton, for i am one of those who believe that the folly ', 'lways a joy to meet an american, mr. moulton, for i am one of those who believe that the folly of a ', ' a joy to meet an american, mr. moulton, for i am one of those who believe that the folly of a monar', 'y to meet an american, mr. moulton, for i am one of those who believe that the folly of a monarch an', 'meet an american, mr. moulton, for i am one of those who believe that the folly of a monarch and the', 'an american, mr. moulton, for i am one of those who believe that the folly of a monarch and the blun', 'erican, mr. moulton, for i am one of those who believe that the folly of a monarch and the blunderin', 'n, mr. moulton, for i am one of those who believe that the folly of a monarch and the blundering of ', '. moulton, for i am one of those who believe that the folly of a monarch and the blundering of a min', 'lton, for i am one of those who believe that the folly of a monarch and the blundering of a minister', ' for i am one of those who believe that the folly of a monarch and the blundering of a minister in f', 'i am one of those who believe that the folly of a monarch and the blundering of a minister in far-go', 'one of those who believe that the folly of a monarch and the blundering of a minister in far-gone ye', 'f those who believe that the folly of a monarch and the blundering of a minister in far-gone years w', 'se who believe that the folly of a monarch and the blundering of a minister in far-gone years will n', 'o believe that the folly of a monarch and the blundering of a minister in far-gone years will not pr', 'ieve that the folly of a monarch and the blundering of a minister in far-gone years will not prevent', 'that the folly of a monarch and the blundering of a minister in far-gone years will not prevent our ', 'the folly of a monarch and the blundering of a minister in far-gone years will not prevent our child', 'olly of a monarch and the blundering of a minister in far-gone years will not prevent our children f', 'of a monarch and the blundering of a minister in far-gone years will not prevent our children from b', 'monarch and the blundering of a minister in far-gone years will not prevent our children from being ', 'ch and the blundering of a minister in far-gone years will not prevent our children from being some ', 'd the blundering of a minister in far-gone years will not prevent our children from being some day c', ' blundering of a minister in far-gone years will not prevent our children from being some day citize', 'dering of a minister in far-gone years will not prevent our children from being some day citizens of', 'g of a minister in far-gone years will not prevent our children from being some day citizens of the ', 'a minister in far-gone years will not prevent our children from being some day citizens of the same ', 'ister in far-gone years will not prevent our children from being some day citizens of the same world', ' in far-gone years will not prevent our children from being some day citizens of the same world-wide', 'ar-gone years will not prevent our children from being some day citizens of the same world-wide coun', 'ne years will not prevent our children from being some day citizens of the same world-wide country u', 'ars will not prevent our children from being some day citizens of the same world-wide country under ', 'ill not prevent our children from being some day citizens of the same world-wide country under a fla', 'ot prevent our children from being some day citizens of the same world-wide country under a flag whi', 'event our children from being some day citizens of the same world-wide country under a flag which sh', ' our children from being some day citizens of the same world-wide country under a flag which shall b', 'children from being some day citizens of the same world-wide country under a flag which shall be a q', 'ren from being some day citizens of the same world-wide country under a flag which shall be a quarte', 'rom being some day citizens of the same world-wide country under a flag which shall be a quartering ', 'eing some day citizens of the same world-wide country under a flag which shall be a quartering of th', 'some day citizens of the same world-wide country under a flag which shall be a quartering of the uni', 'day citizens of the same world-wide country under a flag which shall be a quartering of the union ja', 'itizens of the same world-wide country under a flag which shall be a quartering of the union jack wi', 'ns of the same world-wide country under a flag which shall be a quartering of the union jack with th', ' the same world-wide country under a flag which shall be a quartering of the union jack with the sta', 'same world-wide country under a flag which shall be a quartering of the union jack with the stars an', 'world-wide country under a flag which shall be a quartering of the union jack with the stars and str', '-wide country under a flag which shall be a quartering of the union jack with the stars and stripes.', ' country under a flag which shall be a quartering of the union jack with the stars and stripes." "th', 'try under a flag which shall be a quartering of the union jack with the stars and stripes." "the cas', 'nder a flag which shall be a quartering of the union jack with the stars and stripes." "the case has', 'a flag which shall be a quartering of the union jack with the stars and stripes." "the case has been', 'g which shall be a quartering of the union jack with the stars and stripes." "the case has been an i', 'ch shall be a quartering of the union jack with the stars and stripes." "the case has been an intere', 'all be a quartering of the union jack with the stars and stripes." "the case has been an interesting', 'e a quartering of the union jack with the stars and stripes." "the case has been an interesting one,', 'uartering of the union jack with the stars and stripes." "the case has been an interesting one," rem', 'ring of the union jack with the stars and stripes." "the case has been an interesting one," remarked', 'of the union jack with the stars and stripes." "the case has been an interesting one," remarked holm', 'e union jack with the stars and stripes." "the case has been an interesting one," remarked holmes wh', 'on jack with the stars and stripes." "the case has been an interesting one," remarked holmes when ou', 'ck with the stars and stripes." "the case has been an interesting one," remarked holmes when our vis', 'th the stars and stripes." "the case has been an interesting one," remarked holmes when our visitors', 'e stars and stripes." "the case has been an interesting one," remarked holmes when our visitors had ', 'rs and stripes." "the case has been an interesting one," remarked holmes when our visitors had left ', 'd stripes." "the case has been an interesting one," remarked holmes when our visitors had left us, "', 'ipes." "the case has been an interesting one," remarked holmes when our visitors had left us, "becau', '" "the case has been an interesting one," remarked holmes when our visitors had left us, "because it', 'e case has been an interesting one," remarked holmes when our visitors had left us, "because it serv', 'e has been an interesting one," remarked holmes when our visitors had left us, "because it serves to', ' been an interesting one," remarked holmes when our visitors had left us, "because it serves to show', ' an interesting one," remarked holmes when our visitors had left us, "because it serves to show very', 'nteresting one," remarked holmes when our visitors had left us, "because it serves to show very clea', 'sting one," remarked holmes when our visitors had left us, "because it serves to show very clearly h', ' one," remarked holmes when our visitors had left us, "because it serves to show very clearly how si', '" remarked holmes when our visitors had left us, "because it serves to show very clearly how simple ', 'arked holmes when our visitors had left us, "because it serves to show very clearly how simple the e', ' holmes when our visitors had left us, "because it serves to show very clearly how simple the explan', 'es when our visitors had left us, "because it serves to show very clearly how simple the explanation', 'en our visitors had left us, "because it serves to show very clearly how simple the explanation may ', 'r visitors had left us, "because it serves to show very clearly how simple the explanation may be of', 'itors had left us, "because it serves to show very clearly how simple the explanation may be of an a', ' had left us, "because it serves to show very clearly how simple the explanation may be of an affair', 'left us, "because it serves to show very clearly how simple the explanation may be of an affair whic', 'us, "because it serves to show very clearly how simple the explanation may be of an affair which at ', 'because it serves to show very clearly how simple the explanation may be of an affair which at first', 'se it serves to show very clearly how simple the explanation may be of an affair which at first sigh', ' serves to show very clearly how simple the explanation may be of an affair which at first sight see', 'es to show very clearly how simple the explanation may be of an affair which at first sight seems to', ' show very clearly how simple the explanation may be of an affair which at first sight seems to be a', ' very clearly how simple the explanation may be of an affair which at first sight seems to be almost', ' clearly how simple the explanation may be of an affair which at first sight seems to be almost inex', 'rly how simple the explanation may be of an affair which at first sight seems to be almost inexplica', 'ow simple the explanation may be of an affair which at first sight seems to be almost inexplicable. ', 'mple the explanation may be of an affair which at first sight seems to be almost inexplicable. nothi', 'the explanation may be of an affair which at first sight seems to be almost inexplicable. nothing co', 'xplanation may be of an affair which at first sight seems to be almost inexplicable. nothing could b', 'ation may be of an affair which at first sight seems to be almost inexplicable. nothing could be mor', ' may be of an affair which at first sight seems to be almost inexplicable. nothing could be more nat', 'be of an affair which at first sight seems to be almost inexplicable. nothing could be more natural ', ' an affair which at first sight seems to be almost inexplicable. nothing could be more natural than ', 'ffair which at first sight seems to be almost inexplicable. nothing could be more natural than the s', ' which at first sight seems to be almost inexplicable. nothing could be more natural than the sequen', 'h at first sight seems to be almost inexplicable. nothing could be more natural than the sequence of', 'first sight seems to be almost inexplicable. nothing could be more natural than the sequence of even', ' sight seems to be almost inexplicable. nothing could be more natural than the sequence of events as', 't seems to be almost inexplicable. nothing could be more natural than the sequence of events as narr', 'ms to be almost inexplicable. nothing could be more natural than the sequence of events as narrated ', ' be almost inexplicable. nothing could be more natural than the sequence of events as narrated by th', 'lmost inexplicable. nothing could be more natural than the sequence of events as narrated by this la', ' inexplicable. nothing could be more natural than the sequence of events as narrated by this lady, a', 'plicable. nothing could be more natural than the sequence of events as narrated by this lady, and no', 'ble. nothing could be more natural than the sequence of events as narrated by this lady, and nothing', 'nothing could be more natural than the sequence of events as narrated by this lady, and nothing stra', 'ng could be more natural than the sequence of events as narrated by this lady, and nothing stranger ', 'uld be more natural than the sequence of events as narrated by this lady, and nothing stranger than ', 'e more natural than the sequence of events as narrated by this lady, and nothing stranger than the r', 'e natural than the sequence of events as narrated by this lady, and nothing stranger than the result', 'ural than the sequence of events as narrated by this lady, and nothing stranger than the result when', 'than the sequence of events as narrated by this lady, and nothing stranger than the result when view', 'the sequence of events as narrated by this lady, and nothing stranger than the result when viewed, f', 'equence of events as narrated by this lady, and nothing stranger than the result when viewed, for in', 'ce of events as narrated by this lady, and nothing stranger than the result when viewed, for instanc', ' events as narrated by this lady, and nothing stranger than the result when viewed, for instance, by', 'ts as narrated by this lady, and nothing stranger than the result when viewed, for instance, by mr. ', ' narrated by this lady, and nothing stranger than the result when viewed, for instance, by mr. lestr', 'ated by this lady, and nothing stranger than the result when viewed, for instance, by mr. lestrade o', 'by this lady, and nothing stranger than the result when viewed, for instance, by mr. lestrade of sco', 'is lady, and nothing stranger than the result when viewed, for instance, by mr. lestrade of scotland', 'dy, and nothing stranger than the result when viewed, for instance, by mr. lestrade of scotland yard', 'nd nothing stranger than the result when viewed, for instance, by mr. lestrade of scotland yard." "y', 'thing stranger than the result when viewed, for instance, by mr. lestrade of scotland yard." "you we', ' stranger than the result when viewed, for instance, by mr. lestrade of scotland yard." "you were no', 'nger than the result when viewed, for instance, by mr. lestrade of scotland yard." "you were not you', 'than the result when viewed, for instance, by mr. lestrade of scotland yard." "you were not yourself', 'the result when viewed, for instance, by mr. lestrade of scotland yard." "you were not yourself at f', 'esult when viewed, for instance, by mr. lestrade of scotland yard." "you were not yourself at fault ', ' when viewed, for instance, by mr. lestrade of scotland yard." "you were not yourself at fault at al', ' viewed, for instance, by mr. lestrade of scotland yard." "you were not yourself at fault at all, th', 'ed, for instance, by mr. lestrade of scotland yard." "you were not yourself at fault at all, then?" ', 'or instance, by mr. lestrade of scotland yard." "you were not yourself at fault at all, then?" "from', 'stance, by mr. lestrade of scotland yard." "you were not yourself at fault at all, then?" "from the ', 'e, by mr. lestrade of scotland yard." "you were not yourself at fault at all, then?" "from the first', ' mr. lestrade of scotland yard." "you were not yourself at fault at all, then?" "from the first, two', 'lestrade of scotland yard." "you were not yourself at fault at all, then?" "from the first, two fact', 'ade of scotland yard." "you were not yourself at fault at all, then?" "from the first, two facts wer', 'f scotland yard." "you were not yourself at fault at all, then?" "from the first, two facts were ver', 'tland yard." "you were not yourself at fault at all, then?" "from the first, two facts were very obv', ' yard." "you were not yourself at fault at all, then?" "from the first, two facts were very obvious ', '." "you were not yourself at fault at all, then?" "from the first, two facts were very obvious to me', 'ou were not yourself at fault at all, then?" "from the first, two facts were very obvious to me, the', 're not yourself at fault at all, then?" "from the first, two facts were very obvious to me, the one ', 't yourself at fault at all, then?" "from the first, two facts were very obvious to me, the one that ', 'rself at fault at all, then?" "from the first, two facts were very obvious to me, the one that the l', ' at fault at all, then?" "from the first, two facts were very obvious to me, the one that the lady h', 'ault at all, then?" "from the first, two facts were very obvious to me, the one that the lady had be', 'at all, then?" "from the first, two facts were very obvious to me, the one that the lady had been qu', 'l, then?" "from the first, two facts were very obvious to me, the one that the lady had been quite w', 'en?" "from the first, two facts were very obvious to me, the one that the lady had been quite willin', '"from the first, two facts were very obvious to me, the one that the lady had been quite willing to ', ' the first, two facts were very obvious to me, the one that the lady had been quite willing to under', 'first, two facts were very obvious to me, the one that the lady had been quite willing to undergo th', ', two facts were very obvious to me, the one that the lady had been quite willing to undergo the wed', ' facts were very obvious to me, the one that the lady had been quite willing to undergo the wedding ', 's were very obvious to me, the one that the lady had been quite willing to undergo the wedding cerem', 'e very obvious to me, the one that the lady had been quite willing to undergo the wedding ceremony, ', 'y obvious to me, the one that the lady had been quite willing to undergo the wedding ceremony, the o', 'ious to me, the one that the lady had been quite willing to undergo the wedding ceremony, the other ', 'to me, the one that the lady had been quite willing to undergo the wedding ceremony, the other that ', ', the one that the lady had been quite willing to undergo the wedding ceremony, the other that she h', ' one that the lady had been quite willing to undergo the wedding ceremony, the other that she had re', 'that the lady had been quite willing to undergo the wedding ceremony, the other that she had repente', 'the lady had been quite willing to undergo the wedding ceremony, the other that she had repented of ', 'ady had been quite willing to undergo the wedding ceremony, the other that she had repented of it wi', 'ad been quite willing to undergo the wedding ceremony, the other that she had repented of it within ', 'en quite willing to undergo the wedding ceremony, the other that she had repented of it within a few', 'ite willing to undergo the wedding ceremony, the other that she had repented of it within a few minu', 'illing to undergo the wedding ceremony, the other that she had repented of it within a few minutes o', 'g to undergo the wedding ceremony, the other that she had repented of it within a few minutes of ret', 'undergo the wedding ceremony, the other that she had repented of it within a few minutes of returnin', 'go the wedding ceremony, the other that she had repented of it within a few minutes of returning hom', 'e wedding ceremony, the other that she had repented of it within a few minutes of returning home. ob', 'ding ceremony, the other that she had repented of it within a few minutes of returning home. obvious', 'ceremony, the other that she had repented of it within a few minutes of returning home. obviously so', 'ony, the other that she had repented of it within a few minutes of returning home. obviously somethi', 'the other that she had repented of it within a few minutes of returning home. obviously something ha', 'ther that she had repented of it within a few minutes of returning home. obviously something had occ', 'that she had repented of it within a few minutes of returning home. obviously something had occurred', 'she had repented of it within a few minutes of returning home. obviously something had occurred duri', 'ad repented of it within a few minutes of returning home. obviously something had occurred during th', 'pented of it within a few minutes of returning home. obviously something had occurred during the mor', 'd of it within a few minutes of returning home. obviously something had occurred during the morning,', 'it within a few minutes of returning home. obviously something had occurred during the morning, then', 'thin a few minutes of returning home. obviously something had occurred during the morning, then, to ', 'a few minutes of returning home. obviously something had occurred during the morning, then, to cause', ' minutes of returning home. obviously something had occurred during the morning, then, to cause her ', 'tes of returning home. obviously something had occurred during the morning, then, to cause her to ch', 'f returning home. obviously something had occurred during the morning, then, to cause her to change ', 'urning home. obviously something had occurred during the morning, then, to cause her to change her m', 'g home. obviously something had occurred during the morning, then, to cause her to change her mind. ', 'e. obviously something had occurred during the morning, then, to cause her to change her mind. what ', 'viously something had occurred during the morning, then, to cause her to change her mind. what could', 'ly something had occurred during the morning, then, to cause her to change her mind. what could that', 'mething had occurred during the morning, then, to cause her to change her mind. what could that some', 'ng had occurred during the morning, then, to cause her to change her mind. what could that something', 'd occurred during the morning, then, to cause her to change her mind. what could that something be? ', 'urred during the morning, then, to cause her to change her mind. what could that something be? she c', ' during the morning, then, to cause her to change her mind. what could that something be? she could ', 'ng the morning, then, to cause her to change her mind. what could that something be? she could not h', 'e morning, then, to cause her to change her mind. what could that something be? she could not have s', 'ning, then, to cause her to change her mind. what could that something be? she could not have spoken', ' then, to cause her to change her mind. what could that something be? she could not have spoken to a', ', to cause her to change her mind. what could that something be? she could not have spoken to anyone', 'cause her to change her mind. what could that something be? she could not have spoken to anyone when', ' her to change her mind. what could that something be? she could not have spoken to anyone when she ', 'to change her mind. what could that something be? she could not have spoken to anyone when she was o', 'ange her mind. what could that something be? she could not have spoken to anyone when she was out, f', 'her mind. what could that something be? she could not have spoken to anyone when she was out, for sh', 'ind. what could that something be? she could not have spoken to anyone when she was out, for she had', 'what could that something be? she could not have spoken to anyone when she was out, for she had been', 'could that something be? she could not have spoken to anyone when she was out, for she had been in t', ' that something be? she could not have spoken to anyone when she was out, for she had been in the co', ' something be? she could not have spoken to anyone when she was out, for she had been in the company', 'thing be? she could not have spoken to anyone when she was out, for she had been in the company of t', ' be? she could not have spoken to anyone when she was out, for she had been in the company of the br', 'she could not have spoken to anyone when she was out, for she had been in the company of the bridegr', 'ould not have spoken to anyone when she was out, for she had been in the company of the bridegroom. ', 'not have spoken to anyone when she was out, for she had been in the company of the bridegroom. had s', 'ave spoken to anyone when she was out, for she had been in the company of the bridegroom. had she se', 'poken to anyone when she was out, for she had been in the company of the bridegroom. had she seen so', ' to anyone when she was out, for she had been in the company of the bridegroom. had she seen someone', 'nyone when she was out, for she had been in the company of the bridegroom. had she seen someone, the', ' when she was out, for she had been in the company of the bridegroom. had she seen someone, then? if', ' she was out, for she had been in the company of the bridegroom. had she seen someone, then? if she ', 'was out, for she had been in the company of the bridegroom. had she seen someone, then? if she had, ', 'ut, for she had been in the company of the bridegroom. had she seen someone, then? if she had, it mu', 'or she had been in the company of the bridegroom. had she seen someone, then? if she had, it must be', 'e had been in the company of the bridegroom. had she seen someone, then? if she had, it must be some', ' been in the company of the bridegroom. had she seen someone, then? if she had, it must be someone f', ' in the company of the bridegroom. had she seen someone, then? if she had, it must be someone from a', 'he company of the bridegroom. had she seen someone, then? if she had, it must be someone from americ', 'mpany of the bridegroom. had she seen someone, then? if she had, it must be someone from america bec', ' of the bridegroom. had she seen someone, then? if she had, it must be someone from america because ', 'he bridegroom. had she seen someone, then? if she had, it must be someone from america because she h', 'idegroom. had she seen someone, then? if she had, it must be someone from america because she had sp', 'oom. had she seen someone, then? if she had, it must be someone from america because she had spent s', 'had she seen someone, then? if she had, it must be someone from america because she had spent so sho', 'he seen someone, then? if she had, it must be someone from america because she had spent so short a ', 'en someone, then? if she had, it must be someone from america because she had spent so short a time ', 'meone, then? if she had, it must be someone from america because she had spent so short a time in th', ', then? if she had, it must be someone from america because she had spent so short a time in this co', 'n? if she had, it must be someone from america because she had spent so short a time in this country', ' she had, it must be someone from america because she had spent so short a time in this country that', 'had, it must be someone from america because she had spent so short a time in this country that she ', 'it must be someone from america because she had spent so short a time in this country that she could', 'st be someone from america because she had spent so short a time in this country that she could hard', ' someone from america because she had spent so short a time in this country that she could hardly ha', 'one from america because she had spent so short a time in this country that she could hardly have al', 'rom america because she had spent so short a time in this country that she could hardly have allowed', 'merica because she had spent so short a time in this country that she could hardly have allowed anyo', 'a because she had spent so short a time in this country that she could hardly have allowed anyone to', 'ause she had spent so short a time in this country that she could hardly have allowed anyone to acqu', 'she had spent so short a time in this country that she could hardly have allowed anyone to acquire s', 'ad spent so short a time in this country that she could hardly have allowed anyone to acquire so dee', 'ent so short a time in this country that she could hardly have allowed anyone to acquire so deep an ', 'o short a time in this country that she could hardly have allowed anyone to acquire so deep an influ', 'rt a time in this country that she could hardly have allowed anyone to acquire so deep an influence ', 'time in this country that she could hardly have allowed anyone to acquire so deep an influence over ', 'in this country that she could hardly have allowed anyone to acquire so deep an influence over her t', 'is country that she could hardly have allowed anyone to acquire so deep an influence over her that t', 'untry that she could hardly have allowed anyone to acquire so deep an influence over her that the me', ' that she could hardly have allowed anyone to acquire so deep an influence over her that the mere si', ' she could hardly have allowed anyone to acquire so deep an influence over her that the mere sight o', 'could hardly have allowed anyone to acquire so deep an influence over her that the mere sight of him', ' hardly have allowed anyone to acquire so deep an influence over her that the mere sight of him woul', 'ly have allowed anyone to acquire so deep an influence over her that the mere sight of him would ind', 've allowed anyone to acquire so deep an influence over her that the mere sight of him would induce h', 'lowed anyone to acquire so deep an influence over her that the mere sight of him would induce her to', ' anyone to acquire so deep an influence over her that the mere sight of him would induce her to chan', 'ne to acquire so deep an influence over her that the mere sight of him would induce her to change he', ' acquire so deep an influence over her that the mere sight of him would induce her to change her pla', 'ire so deep an influence over her that the mere sight of him would induce her to change her plans so', 'o deep an influence over her that the mere sight of him would induce her to change her plans so comp', 'p an influence over her that the mere sight of him would induce her to change her plans so completel', 'influence over her that the mere sight of him would induce her to change her plans so completely. yo', 'ence over her that the mere sight of him would induce her to change her plans so completely. you see', 'over her that the mere sight of him would induce her to change her plans so completely. you see we h', 'her that the mere sight of him would induce her to change her plans so completely. you see we have a', 'hat the mere sight of him would induce her to change her plans so completely. you see we have alread', 'he mere sight of him would induce her to change her plans so completely. you see we have already arr', 're sight of him would induce her to change her plans so completely. you see we have already arrived,', 'ght of him would induce her to change her plans so completely. you see we have already arrived, by a', 'f him would induce her to change her plans so completely. you see we have already arrived, by a proc', ' would induce her to change her plans so completely. you see we have already arrived, by a process o', 'd induce her to change her plans so completely. you see we have already arrived, by a process of exc', 'uce her to change her plans so completely. you see we have already arrived, by a process of exclusio', 'er to change her plans so completely. you see we have already arrived, by a process of exclusion, at', ' change her plans so completely. you see we have already arrived, by a process of exclusion, at the ', 'ge her plans so completely. you see we have already arrived, by a process of exclusion, at the idea ', 'r plans so completely. you see we have already arrived, by a process of exclusion, at the idea that ', 'ns so completely. you see we have already arrived, by a process of exclusion, at the idea that she m', ' completely. you see we have already arrived, by a process of exclusion, at the idea that she might ', 'letely. you see we have already arrived, by a process of exclusion, at the idea that she might have ', 'y. you see we have already arrived, by a process of exclusion, at the idea that she might have seen ', 'u see we have already arrived, by a process of exclusion, at the idea that she might have seen an am', ' we have already arrived, by a process of exclusion, at the idea that she might have seen an america', 'ave already arrived, by a process of exclusion, at the idea that she might have seen an american. th', 'lready arrived, by a process of exclusion, at the idea that she might have seen an american. then wh', 'y arrived, by a process of exclusion, at the idea that she might have seen an american. then who cou', 'ived, by a process of exclusion, at the idea that she might have seen an american. then who could th', ' by a process of exclusion, at the idea that she might have seen an american. then who could this am', ' process of exclusion, at the idea that she might have seen an american. then who could this america', 'ess of exclusion, at the idea that she might have seen an american. then who could this american be,', 'f exclusion, at the idea that she might have seen an american. then who could this american be, and ', 'lusion, at the idea that she might have seen an american. then who could this american be, and why s', 'n, at the idea that she might have seen an american. then who could this american be, and why should', ' the idea that she might have seen an american. then who could this american be, and why should he p', 'idea that she might have seen an american. then who could this american be, and why should he posses', 'that she might have seen an american. then who could this american be, and why should he possess so ', 'she might have seen an american. then who could this american be, and why should he possess so much ', 'ight have seen an american. then who could this american be, and why should he possess so much influ', 'have seen an american. then who could this american be, and why should he possess so much influence ', 'seen an american. then who could this american be, and why should he possess so much influence over ', 'an american. then who could this american be, and why should he possess so much influence over her? ', 'erican. then who could this american be, and why should he possess so much influence over her? it mi', 'n. then who could this american be, and why should he possess so much influence over her? it might b', 'en who could this american be, and why should he possess so much influence over her? it might be a l', 'o could this american be, and why should he possess so much influence over her? it might be a lover;', 'ld this american be, and why should he possess so much influence over her? it might be a lover; it m', 'is american be, and why should he possess so much influence over her? it might be a lover; it might ', 'erican be, and why should he possess so much influence over her? it might be a lover; it might be a ', 'n be, and why should he possess so much influence over her? it might be a lover; it might be a husba', ' and why should he possess so much influence over her? it might be a lover; it might be a husband. h', 'why should he possess so much influence over her? it might be a lover; it might be a husband. her yo', 'hould he possess so much influence over her? it might be a lover; it might be a husband. her young w', ' he possess so much influence over her? it might be a lover; it might be a husband. her young womanh', 'ossess so much influence over her? it might be a lover; it might be a husband. her young womanhood h', 's so much influence over her? it might be a lover; it might be a husband. her young womanhood had, i', 'much influence over her? it might be a lover; it might be a husband. her young womanhood had, i knew', 'influence over her? it might be a lover; it might be a husband. her young womanhood had, i knew, bee', 'ence over her? it might be a lover; it might be a husband. her young womanhood had, i knew, been spe', 'over her? it might be a lover; it might be a husband. her young womanhood had, i knew, been spent in', 'her? it might be a lover; it might be a husband. her young womanhood had, i knew, been spent in roug', 'it might be a lover; it might be a husband. her young womanhood had, i knew, been spent in rough sce', 'ght be a lover; it might be a husband. her young womanhood had, i knew, been spent in rough scenes a', 'e a lover; it might be a husband. her young womanhood had, i knew, been spent in rough scenes and un', 'over; it might be a husband. her young womanhood had, i knew, been spent in rough scenes and under s', ' it might be a husband. her young womanhood had, i knew, been spent in rough scenes and under strang', 'ight be a husband. her young womanhood had, i knew, been spent in rough scenes and under strange con', 'be a husband. her young womanhood had, i knew, been spent in rough scenes and under strange conditio', 'husband. her young womanhood had, i knew, been spent in rough scenes and under strange conditions. s', 'nd. her young womanhood had, i knew, been spent in rough scenes and under strange conditions. so far', 'er young womanhood had, i knew, been spent in rough scenes and under strange conditions. so far i ha', 'ung womanhood had, i knew, been spent in rough scenes and under strange conditions. so far i had got', 'omanhood had, i knew, been spent in rough scenes and under strange conditions. so far i had got befo', 'ood had, i knew, been spent in rough scenes and under strange conditions. so far i had got before i ', 'ad, i knew, been spent in rough scenes and under strange conditions. so far i had got before i ever ', ' knew, been spent in rough scenes and under strange conditions. so far i had got before i ever heard', ', been spent in rough scenes and under strange conditions. so far i had got before i ever heard lord', 'n spent in rough scenes and under strange conditions. so far i had got before i ever heard lord st. ', 'nt in rough scenes and under strange conditions. so far i had got before i ever heard lord st. simon', " rough scenes and under strange conditions. so far i had got before i ever heard lord st. simon's na", "h scenes and under strange conditions. so far i had got before i ever heard lord st. simon's narrati", "nes and under strange conditions. so far i had got before i ever heard lord st. simon's narrative. w", "nd under strange conditions. so far i had got before i ever heard lord st. simon's narrative. when h", "der strange conditions. so far i had got before i ever heard lord st. simon's narrative. when he tol", "trange conditions. so far i had got before i ever heard lord st. simon's narrative. when he told us ", "e conditions. so far i had got before i ever heard lord st. simon's narrative. when he told us of a ", "ditions. so far i had got before i ever heard lord st. simon's narrative. when he told us of a man i", "ns. so far i had got before i ever heard lord st. simon's narrative. when he told us of a man in a p", "o far i had got before i ever heard lord st. simon's narrative. when he told us of a man in a pew, o", " i had got before i ever heard lord st. simon's narrative. when he told us of a man in a pew, of the", "d got before i ever heard lord st. simon's narrative. when he told us of a man in a pew, of the chan", " before i ever heard lord st. simon's narrative. when he told us of a man in a pew, of the change in", "re i ever heard lord st. simon's narrative. when he told us of a man in a pew, of the change in the ", "ever heard lord st. simon's narrative. when he told us of a man in a pew, of the change in the bride", "heard lord st. simon's narrative. when he told us of a man in a pew, of the change in the bride's ma", " lord st. simon's narrative. when he told us of a man in a pew, of the change in the bride's manner,", " st. simon's narrative. when he told us of a man in a pew, of the change in the bride's manner, of s", "simon's narrative. when he told us of a man in a pew, of the change in the bride's manner, of so tra", "'s narrative. when he told us of a man in a pew, of the change in the bride's manner, of so transpar", "rrative. when he told us of a man in a pew, of the change in the bride's manner, of so transparent a", "ve. when he told us of a man in a pew, of the change in the bride's manner, of so transparent a devi", "hen he told us of a man in a pew, of the change in the bride's manner, of so transparent a device fo", "e told us of a man in a pew, of the change in the bride's manner, of so transparent a device for obt", "d us of a man in a pew, of the change in the bride's manner, of so transparent a device for obtainin", "of a man in a pew, of the change in the bride's manner, of so transparent a device for obtaining a n", "man in a pew, of the change in the bride's manner, of so transparent a device for obtaining a note a", "n a pew, of the change in the bride's manner, of so transparent a device for obtaining a note as the", "ew, of the change in the bride's manner, of so transparent a device for obtaining a note as the drop", "f the change in the bride's manner, of so transparent a device for obtaining a note as the dropping ", " change in the bride's manner, of so transparent a device for obtaining a note as the dropping of a ", "ge in the bride's manner, of so transparent a device for obtaining a note as the dropping of a bouqu", " the bride's manner, of so transparent a device for obtaining a note as the dropping of a bouquet, o", "bride's manner, of so transparent a device for obtaining a note as the dropping of a bouquet, of her", "'s manner, of so transparent a device for obtaining a note as the dropping of a bouquet, of her reso", 'nner, of so transparent a device for obtaining a note as the dropping of a bouquet, of her resort to', ' of so transparent a device for obtaining a note as the dropping of a bouquet, of her resort to her ', 'o transparent a device for obtaining a note as the dropping of a bouquet, of her resort to her confi', 'nsparent a device for obtaining a note as the dropping of a bouquet, of her resort to her confidenti', 'ent a device for obtaining a note as the dropping of a bouquet, of her resort to her confidential ma', ' device for obtaining a note as the dropping of a bouquet, of her resort to her confidential maid, a', 'ce for obtaining a note as the dropping of a bouquet, of her resort to her confidential maid, and of', 'r obtaining a note as the dropping of a bouquet, of her resort to her confidential maid, and of her ', 'aining a note as the dropping of a bouquet, of her resort to her confidential maid, and of her very ', 'g a note as the dropping of a bouquet, of her resort to her confidential maid, and of her very signi', 'ote as the dropping of a bouquet, of her resort to her confidential maid, and of her very significan', 's the dropping of a bouquet, of her resort to her confidential maid, and of her very significant all', ' dropping of a bouquet, of her resort to her confidential maid, and of her very significant allusion', 'ping of a bouquet, of her resort to her confidential maid, and of her very significant allusion to c', 'of a bouquet, of her resort to her confidential maid, and of her very significant allusion to claim-', 'bouquet, of her resort to her confidential maid, and of her very significant allusion to claim-jumpi', 'et, of her resort to her confidential maid, and of her very significant allusion to claim-jumpingwhi', 'f her resort to her confidential maid, and of her very significant allusion to claim-jumpingwhich in', ' resort to her confidential maid, and of her very significant allusion to claim-jumpingwhich in mine', "rt to her confidential maid, and of her very significant allusion to claim-jumpingwhich in miners' p", " her confidential maid, and of her very significant allusion to claim-jumpingwhich in miners' parlan", "confidential maid, and of her very significant allusion to claim-jumpingwhich in miners' parlance me", "dential maid, and of her very significant allusion to claim-jumpingwhich in miners' parlance means t", "al maid, and of her very significant allusion to claim-jumpingwhich in miners' parlance means taking", "id, and of her very significant allusion to claim-jumpingwhich in miners' parlance means taking poss", "nd of her very significant allusion to claim-jumpingwhich in miners' parlance means taking possessio", " her very significant allusion to claim-jumpingwhich in miners' parlance means taking possession of ", "very significant allusion to claim-jumpingwhich in miners' parlance means taking possession of that ", "significant allusion to claim-jumpingwhich in miners' parlance means taking possession of that which", "ficant allusion to claim-jumpingwhich in miners' parlance means taking possession of that which anot", "t allusion to claim-jumpingwhich in miners' parlance means taking possession of that which another p", "usion to claim-jumpingwhich in miners' parlance means taking possession of that which another person", " to claim-jumpingwhich in miners' parlance means taking possession of that which another person has ", "laim-jumpingwhich in miners' parlance means taking possession of that which another person has a pri", "jumpingwhich in miners' parlance means taking possession of that which another person has a prior cl", "ngwhich in miners' parlance means taking possession of that which another person has a prior claim t", "ch in miners' parlance means taking possession of that which another person has a prior claim tothe ", " miners' parlance means taking possession of that which another person has a prior claim tothe whole", "rs' parlance means taking possession of that which another person has a prior claim tothe whole situ", 'arlance means taking possession of that which another person has a prior claim tothe whole situation', 'ce means taking possession of that which another person has a prior claim tothe whole situation beca', 'ans taking possession of that which another person has a prior claim tothe whole situation became ab', 'aking possession of that which another person has a prior claim tothe whole situation became absolut', ' possession of that which another person has a prior claim tothe whole situation became absolutely c', 'ession of that which another person has a prior claim tothe whole situation became absolutely clear.', 'n of that which another person has a prior claim tothe whole situation became absolutely clear. she ', 'that which another person has a prior claim tothe whole situation became absolutely clear. she had g', 'which another person has a prior claim tothe whole situation became absolutely clear. she had gone o', ' another person has a prior claim tothe whole situation became absolutely clear. she had gone off wi', 'her person has a prior claim tothe whole situation became absolutely clear. she had gone off with a ', 'erson has a prior claim tothe whole situation became absolutely clear. she had gone off with a man, ', ' has a prior claim tothe whole situation became absolutely clear. she had gone off with a man, and t', 'a prior claim tothe whole situation became absolutely clear. she had gone off with a man, and the ma', 'or claim tothe whole situation became absolutely clear. she had gone off with a man, and the man was', 'aim tothe whole situation became absolutely clear. she had gone off with a man, and the man was eith', 'othe whole situation became absolutely clear. she had gone off with a man, and the man was either a ', 'whole situation became absolutely clear. she had gone off with a man, and the man was either a lover', ' situation became absolutely clear. she had gone off with a man, and the man was either a lover or w', 'ation became absolutely clear. she had gone off with a man, and the man was either a lover or was a ', ' became absolutely clear. she had gone off with a man, and the man was either a lover or was a previ', 'me absolutely clear. she had gone off with a man, and the man was either a lover or was a previous h', 'solutely clear. she had gone off with a man, and the man was either a lover or was a previous husban', 'ely clear. she had gone off with a man, and the man was either a lover or was a previous husbandthe ', 'lear. she had gone off with a man, and the man was either a lover or was a previous husbandthe chanc', ' she had gone off with a man, and the man was either a lover or was a previous husbandthe chances be', 'had gone off with a man, and the man was either a lover or was a previous husbandthe chances being i', 'one off with a man, and the man was either a lover or was a previous husbandthe chances being in fav', 'ff with a man, and the man was either a lover or was a previous husbandthe chances being in favour o', 'th a man, and the man was either a lover or was a previous husbandthe chances being in favour of the', 'man, and the man was either a lover or was a previous husbandthe chances being in favour of the latt', 'and the man was either a lover or was a previous husbandthe chances being in favour of the latter." ', 'he man was either a lover or was a previous husbandthe chances being in favour of the latter." "and ', 'n was either a lover or was a previous husbandthe chances being in favour of the latter." "and how i', ' either a lover or was a previous husbandthe chances being in favour of the latter." "and how in the', 'er a lover or was a previous husbandthe chances being in favour of the latter." "and how in the worl', 'lover or was a previous husbandthe chances being in favour of the latter." "and how in the world did', ' or was a previous husbandthe chances being in favour of the latter." "and how in the world did you ', 'as a previous husbandthe chances being in favour of the latter." "and how in the world did you find ', 'previous husbandthe chances being in favour of the latter." "and how in the world did you find them?', 'ous husbandthe chances being in favour of the latter." "and how in the world did you find them?" "it', 'usbandthe chances being in favour of the latter." "and how in the world did you find them?" "it migh', 'dthe chances being in favour of the latter." "and how in the world did you find them?" "it might hav', 'chances being in favour of the latter." "and how in the world did you find them?" "it might have bee', 'es being in favour of the latter." "and how in the world did you find them?" "it might have been dif', 'ing in favour of the latter." "and how in the world did you find them?" "it might have been difficul', 'n favour of the latter." "and how in the world did you find them?" "it might have been difficult, bu', 'our of the latter." "and how in the world did you find them?" "it might have been difficult, but fri', 'f the latter." "and how in the world did you find them?" "it might have been difficult, but friend l', ' latter." "and how in the world did you find them?" "it might have been difficult, but friend lestra', 'er." "and how in the world did you find them?" "it might have been difficult, but friend lestrade he', '"and how in the world did you find them?" "it might have been difficult, but friend lestrade held in', 'how in the world did you find them?" "it might have been difficult, but friend lestrade held informa', 'n the world did you find them?" "it might have been difficult, but friend lestrade held information ', ' world did you find them?" "it might have been difficult, but friend lestrade held information in hi', 'd did you find them?" "it might have been difficult, but friend lestrade held information in his han', ' you find them?" "it might have been difficult, but friend lestrade held information in his hands th', 'find them?" "it might have been difficult, but friend lestrade held information in his hands the val', 'them?" "it might have been difficult, but friend lestrade held information in his hands the value of', '" "it might have been difficult, but friend lestrade held information in his hands the value of whic', ' might have been difficult, but friend lestrade held information in his hands the value of which he ', 't have been difficult, but friend lestrade held information in his hands the value of which he did n', 'e been difficult, but friend lestrade held information in his hands the value of which he did not hi', 'n difficult, but friend lestrade held information in his hands the value of which he did not himself', 'ficult, but friend lestrade held information in his hands the value of which he did not himself know', 't, but friend lestrade held information in his hands the value of which he did not himself know. the', 't friend lestrade held information in his hands the value of which he did not himself know. the init', 'end lestrade held information in his hands the value of which he did not himself know. the initials ', 'estrade held information in his hands the value of which he did not himself know. the initials were,', 'de held information in his hands the value of which he did not himself know. the initials were, of c', 'ld information in his hands the value of which he did not himself know. the initials were, of course', 'formation in his hands the value of which he did not himself know. the initials were, of course, of ', 'tion in his hands the value of which he did not himself know. the initials were, of course, of the h', 'in his hands the value of which he did not himself know. the initials were, of course, of the highes', 's hands the value of which he did not himself know. the initials were, of course, of the highest imp', 'ds the value of which he did not himself know. the initials were, of course, of the highest importan', 'e value of which he did not himself know. the initials were, of course, of the highest importance, b', 'ue of which he did not himself know. the initials were, of course, of the highest importance, but mo', ' which he did not himself know. the initials were, of course, of the highest importance, but more va', 'h he did not himself know. the initials were, of course, of the highest importance, but more valuabl', 'did not himself know. the initials were, of course, of the highest importance, but more valuable sti', 'ot himself know. the initials were, of course, of the highest importance, but more valuable still wa', 'mself know. the initials were, of course, of the highest importance, but more valuable still was it ', ' know. the initials were, of course, of the highest importance, but more valuable still was it to kn', '. the initials were, of course, of the highest importance, but more valuable still was it to know th', ' initials were, of course, of the highest importance, but more valuable still was it to know that wi', 'ials were, of course, of the highest importance, but more valuable still was it to know that within ', 'were, of course, of the highest importance, but more valuable still was it to know that within a wee', ' of course, of the highest importance, but more valuable still was it to know that within a week he ', 'ourse, of the highest importance, but more valuable still was it to know that within a week he had s', ', of the highest importance, but more valuable still was it to know that within a week he had settle', 'the highest importance, but more valuable still was it to know that within a week he had settled his', 'ighest importance, but more valuable still was it to know that within a week he had settled his bill', 't importance, but more valuable still was it to know that within a week he had settled his bill at o', 'ortance, but more valuable still was it to know that within a week he had settled his bill at one of', 'ce, but more valuable still was it to know that within a week he had settled his bill at one of the ', 'ut more valuable still was it to know that within a week he had settled his bill at one of the most ', 're valuable still was it to know that within a week he had settled his bill at one of the most selec', 'luable still was it to know that within a week he had settled his bill at one of the most select lon', 'e still was it to know that within a week he had settled his bill at one of the most select london h', 'll was it to know that within a week he had settled his bill at one of the most select london hotels', 's it to know that within a week he had settled his bill at one of the most select london hotels." "h', 'to know that within a week he had settled his bill at one of the most select london hotels." "how di', 'ow that within a week he had settled his bill at one of the most select london hotels." "how did you', 'at within a week he had settled his bill at one of the most select london hotels." "how did you dedu', 'thin a week he had settled his bill at one of the most select london hotels." "how did you deduce th', 'a week he had settled his bill at one of the most select london hotels." "how did you deduce the sel', 'k he had settled his bill at one of the most select london hotels." "how did you deduce the select?"', 'had settled his bill at one of the most select london hotels." "how did you deduce the select?" "by ', 'ettled his bill at one of the most select london hotels." "how did you deduce the select?" "by the s', 'd his bill at one of the most select london hotels." "how did you deduce the select?" "by the select', ' bill at one of the most select london hotels." "how did you deduce the select?" "by the select pric', ' at one of the most select london hotels." "how did you deduce the select?" "by the select prices. e', 'ne of the most select london hotels." "how did you deduce the select?" "by the select prices. eight ', ' the most select london hotels." "how did you deduce the select?" "by the select prices. eight shill', 'most select london hotels." "how did you deduce the select?" "by the select prices. eight shillings ', 'select london hotels." "how did you deduce the select?" "by the select prices. eight shillings for a', 't london hotels." "how did you deduce the select?" "by the select prices. eight shillings for a bed ', 'don hotels." "how did you deduce the select?" "by the select prices. eight shillings for a bed and e', 'otels." "how did you deduce the select?" "by the select prices. eight shillings for a bed and eightp', '." "how did you deduce the select?" "by the select prices. eight shillings for a bed and eightpence ', 'ow did you deduce the select?" "by the select prices. eight shillings for a bed and eightpence for a', 'd you deduce the select?" "by the select prices. eight shillings for a bed and eightpence for a glas', ' deduce the select?" "by the select prices. eight shillings for a bed and eightpence for a glass of ', 'ce the select?" "by the select prices. eight shillings for a bed and eightpence for a glass of sherr', 'e select?" "by the select prices. eight shillings for a bed and eightpence for a glass of sherry poi', 'ect?" "by the select prices. eight shillings for a bed and eightpence for a glass of sherry pointed ', ' "by the select prices. eight shillings for a bed and eightpence for a glass of sherry pointed to on', 'the select prices. eight shillings for a bed and eightpence for a glass of sherry pointed to one of ', 'elect prices. eight shillings for a bed and eightpence for a glass of sherry pointed to one of the m', ' prices. eight shillings for a bed and eightpence for a glass of sherry pointed to one of the most e', 'es. eight shillings for a bed and eightpence for a glass of sherry pointed to one of the most expens', 'ight shillings for a bed and eightpence for a glass of sherry pointed to one of the most expensive h', 'shillings for a bed and eightpence for a glass of sherry pointed to one of the most expensive hotels', 'ings for a bed and eightpence for a glass of sherry pointed to one of the most expensive hotels. the', 'for a bed and eightpence for a glass of sherry pointed to one of the most expensive hotels. there ar', ' bed and eightpence for a glass of sherry pointed to one of the most expensive hotels. there are not', 'and eightpence for a glass of sherry pointed to one of the most expensive hotels. there are not many', 'ightpence for a glass of sherry pointed to one of the most expensive hotels. there are not many in l', 'ence for a glass of sherry pointed to one of the most expensive hotels. there are not many in london', 'for a glass of sherry pointed to one of the most expensive hotels. there are not many in london whic', ' glass of sherry pointed to one of the most expensive hotels. there are not many in london which cha', 's of sherry pointed to one of the most expensive hotels. there are not many in london which charge a', 'sherry pointed to one of the most expensive hotels. there are not many in london which charge at tha', 'y pointed to one of the most expensive hotels. there are not many in london which charge at that rat', 'nted to one of the most expensive hotels. there are not many in london which charge at that rate. in', 'to one of the most expensive hotels. there are not many in london which charge at that rate. in the ', 'e of the most expensive hotels. there are not many in london which charge at that rate. in the secon', 'the most expensive hotels. there are not many in london which charge at that rate. in the second one', 'ost expensive hotels. there are not many in london which charge at that rate. in the second one whic', 'xpensive hotels. there are not many in london which charge at that rate. in the second one which i v', 'ive hotels. there are not many in london which charge at that rate. in the second one which i visite', 'otels. there are not many in london which charge at that rate. in the second one which i visited in ', '. there are not many in london which charge at that rate. in the second one which i visited in north', 're are not many in london which charge at that rate. in the second one which i visited in northumber', 'e not many in london which charge at that rate. in the second one which i visited in northumberland ', ' many in london which charge at that rate. in the second one which i visited in northumberland avenu', ' in london which charge at that rate. in the second one which i visited in northumberland avenue, i ', 'ondon which charge at that rate. in the second one which i visited in northumberland avenue, i learn', ' which charge at that rate. in the second one which i visited in northumberland avenue, i learned by', 'h charge at that rate. in the second one which i visited in northumberland avenue, i learned by an i', 'rge at that rate. in the second one which i visited in northumberland avenue, i learned by an inspec', 't that rate. in the second one which i visited in northumberland avenue, i learned by an inspection ', 't rate. in the second one which i visited in northumberland avenue, i learned by an inspection of th', 'e. in the second one which i visited in northumberland avenue, i learned by an inspection of the boo', ' the second one which i visited in northumberland avenue, i learned by an inspection of the book tha', 'second one which i visited in northumberland avenue, i learned by an inspection of the book that fra', 'd one which i visited in northumberland avenue, i learned by an inspection of the book that francis ', ' which i visited in northumberland avenue, i learned by an inspection of the book that francis h. mo', 'h i visited in northumberland avenue, i learned by an inspection of the book that francis h. moulton', 'isited in northumberland avenue, i learned by an inspection of the book that francis h. moulton, an ', 'd in northumberland avenue, i learned by an inspection of the book that francis h. moulton, an ameri', 'northumberland avenue, i learned by an inspection of the book that francis h. moulton, an american g', 'umberland avenue, i learned by an inspection of the book that francis h. moulton, an american gentle', 'land avenue, i learned by an inspection of the book that francis h. moulton, an american gentleman, ', 'avenue, i learned by an inspection of the book that francis h. moulton, an american gentleman, had l', 'e, i learned by an inspection of the book that francis h. moulton, an american gentleman, had left o', 'learned by an inspection of the book that francis h. moulton, an american gentleman, had left only t', 'ed by an inspection of the book that francis h. moulton, an american gentleman, had left only the da', ' an inspection of the book that francis h. moulton, an american gentleman, had left only the day bef', 'nspection of the book that francis h. moulton, an american gentleman, had left only the day before, ', 'tion of the book that francis h. moulton, an american gentleman, had left only the day before, and o', 'of the book that francis h. moulton, an american gentleman, had left only the day before, and on loo', 'e book that francis h. moulton, an american gentleman, had left only the day before, and on looking ', 'k that francis h. moulton, an american gentleman, had left only the day before, and on looking over ', 't francis h. moulton, an american gentleman, had left only the day before, and on looking over the e', 'ncis h. moulton, an american gentleman, had left only the day before, and on looking over the entrie', 'h. moulton, an american gentleman, had left only the day before, and on looking over the entries aga', 'ulton, an american gentleman, had left only the day before, and on looking over the entries against ', ', an american gentleman, had left only the day before, and on looking over the entries against him, ', 'american gentleman, had left only the day before, and on looking over the entries against him, i cam', 'can gentleman, had left only the day before, and on looking over the entries against him, i came upo', 'entleman, had left only the day before, and on looking over the entries against him, i came upon the', 'man, had left only the day before, and on looking over the entries against him, i came upon the very', 'had left only the day before, and on looking over the entries against him, i came upon the very item', 'eft only the day before, and on looking over the entries against him, i came upon the very items whi', 'nly the day before, and on looking over the entries against him, i came upon the very items which i ', 'he day before, and on looking over the entries against him, i came upon the very items which i had s', 'y before, and on looking over the entries against him, i came upon the very items which i had seen i', 'ore, and on looking over the entries against him, i came upon the very items which i had seen in the', 'and on looking over the entries against him, i came upon the very items which i had seen in the dupl', 'n looking over the entries against him, i came upon the very items which i had seen in the duplicate', 'king over the entries against him, i came upon the very items which i had seen in the duplicate bill', 'over the entries against him, i came upon the very items which i had seen in the duplicate bill. his', 'the entries against him, i came upon the very items which i had seen in the duplicate bill. his lett', 'ntries against him, i came upon the very items which i had seen in the duplicate bill. his letters w', 's against him, i came upon the very items which i had seen in the duplicate bill. his letters were t', 'inst him, i came upon the very items which i had seen in the duplicate bill. his letters were to be ', 'him, i came upon the very items which i had seen in the duplicate bill. his letters were to be forwa', 'i came upon the very items which i had seen in the duplicate bill. his letters were to be forwarded ', 'e upon the very items which i had seen in the duplicate bill. his letters were to be forwarded to ', 'n the very items which i had seen in the duplicate bill. his letters were to be forwarded to gordo', ' very items which i had seen in the duplicate bill. his letters were to be forwarded to gordon squ', ' items which i had seen in the duplicate bill. his letters were to be forwarded to gordon square; ', 's which i had seen in the duplicate bill. his letters were to be forwarded to gordon square; so th', 'ch i had seen in the duplicate bill. his letters were to be forwarded to gordon square; so thither', 'had seen in the duplicate bill. his letters were to be forwarded to gordon square; so thither i tr', 'een in the duplicate bill. his letters were to be forwarded to gordon square; so thither i travell', 'n the duplicate bill. his letters were to be forwarded to gordon square; so thither i travelled, a', ' duplicate bill. his letters were to be forwarded to gordon square; so thither i travelled, and be', 'icate bill. his letters were to be forwarded to gordon square; so thither i travelled, and being f', ' bill. his letters were to be forwarded to gordon square; so thither i travelled, and being fortun', '. his letters were to be forwarded to gordon square; so thither i travelled, and being fortunate e', ' letters were to be forwarded to gordon square; so thither i travelled, and being fortunate enough', 'ers were to be forwarded to gordon square; so thither i travelled, and being fortunate enough to f', 'ere to be forwarded to gordon square; so thither i travelled, and being fortunate enough to find t', 'o be forwarded to gordon square; so thither i travelled, and being fortunate enough to find the lo', 'forwarded to gordon square; so thither i travelled, and being fortunate enough to find the loving ', 'rded to gordon square; so thither i travelled, and being fortunate enough to find the loving coupl', 'to gordon square; so thither i travelled, and being fortunate enough to find the loving couple at ', 'gordon square; so thither i travelled, and being fortunate enough to find the loving couple at home,', 'n square; so thither i travelled, and being fortunate enough to find the loving couple at home, i ve', 'are; so thither i travelled, and being fortunate enough to find the loving couple at home, i venture', 'so thither i travelled, and being fortunate enough to find the loving couple at home, i ventured to ', 'ither i travelled, and being fortunate enough to find the loving couple at home, i ventured to give ', ' i travelled, and being fortunate enough to find the loving couple at home, i ventured to give them ', 'avelled, and being fortunate enough to find the loving couple at home, i ventured to give them some ', 'ed, and being fortunate enough to find the loving couple at home, i ventured to give them some pater', 'nd being fortunate enough to find the loving couple at home, i ventured to give them some paternal a', 'ing fortunate enough to find the loving couple at home, i ventured to give them some paternal advice', 'ortunate enough to find the loving couple at home, i ventured to give them some paternal advice and ', 'ate enough to find the loving couple at home, i ventured to give them some paternal advice and to po', 'nough to find the loving couple at home, i ventured to give them some paternal advice and to point o', ' to find the loving couple at home, i ventured to give them some paternal advice and to point out to', 'ind the loving couple at home, i ventured to give them some paternal advice and to point out to them', 'he loving couple at home, i ventured to give them some paternal advice and to point out to them that', 'ving couple at home, i ventured to give them some paternal advice and to point out to them that it w', 'couple at home, i ventured to give them some paternal advice and to point out to them that it would ', 'e at home, i ventured to give them some paternal advice and to point out to them that it would be be', 'home, i ventured to give them some paternal advice and to point out to them that it would be better ', ' i ventured to give them some paternal advice and to point out to them that it would be better in ev', 'ntured to give them some paternal advice and to point out to them that it would be better in every w', 'd to give them some paternal advice and to point out to them that it would be better in every way th', 'give them some paternal advice and to point out to them that it would be better in every way that th', 'them some paternal advice and to point out to them that it would be better in every way that they sh', 'some paternal advice and to point out to them that it would be better in every way that they should ', 'paternal advice and to point out to them that it would be better in every way that they should make ', 'nal advice and to point out to them that it would be better in every way that they should make their', 'dvice and to point out to them that it would be better in every way that they should make their posi', ' and to point out to them that it would be better in every way that they should make their position ', 'to point out to them that it would be better in every way that they should make their position a lit', 'int out to them that it would be better in every way that they should make their position a little c', 'ut to them that it would be better in every way that they should make their position a little cleare', ' them that it would be better in every way that they should make their position a little clearer bot', ' that it would be better in every way that they should make their position a little clearer both to ', ' it would be better in every way that they should make their position a little clearer both to the g', 'ould be better in every way that they should make their position a little clearer both to the genera', 'be better in every way that they should make their position a little clearer both to the general pub', 'tter in every way that they should make their position a little clearer both to the general public a', 'in every way that they should make their position a little clearer both to the general public and to', 'ery way that they should make their position a little clearer both to the general public and to lord', 'ay that they should make their position a little clearer both to the general public and to lord st. ', 'at they should make their position a little clearer both to the general public and to lord st. simon', 'ey should make their position a little clearer both to the general public and to lord st. simon in p', 'ould make their position a little clearer both to the general public and to lord st. simon in partic', 'make their position a little clearer both to the general public and to lord st. simon in particular.', 'their position a little clearer both to the general public and to lord st. simon in particular. i in', ' position a little clearer both to the general public and to lord st. simon in particular. i invited', 'tion a little clearer both to the general public and to lord st. simon in particular. i invited them', 'a little clearer both to the general public and to lord st. simon in particular. i invited them to m', 'tle clearer both to the general public and to lord st. simon in particular. i invited them to meet h', 'learer both to the general public and to lord st. simon in particular. i invited them to meet him he', 'r both to the general public and to lord st. simon in particular. i invited them to meet him here, a', 'h to the general public and to lord st. simon in particular. i invited them to meet him here, and, a', 'the general public and to lord st. simon in particular. i invited them to meet him here, and, as you', 'eneral public and to lord st. simon in particular. i invited them to meet him here, and, as you see,', 'l public and to lord st. simon in particular. i invited them to meet him here, and, as you see, i ma', 'lic and to lord st. simon in particular. i invited them to meet him here, and, as you see, i made hi', 'nd to lord st. simon in particular. i invited them to meet him here, and, as you see, i made him kee', ' lord st. simon in particular. i invited them to meet him here, and, as you see, i made him keep the', ' st. simon in particular. i invited them to meet him here, and, as you see, i made him keep the appo', 'simon in particular. i invited them to meet him here, and, as you see, i made him keep the appointme', ' in particular. i invited them to meet him here, and, as you see, i made him keep the appointment." ', 'articular. i invited them to meet him here, and, as you see, i made him keep the appointment." "but ', 'ular. i invited them to meet him here, and, as you see, i made him keep the appointment." "but with ', ' i invited them to meet him here, and, as you see, i made him keep the appointment." "but with no ve', 'vited them to meet him here, and, as you see, i made him keep the appointment." "but with no very go', ' them to meet him here, and, as you see, i made him keep the appointment." "but with no very good re', ' to meet him here, and, as you see, i made him keep the appointment." "but with no very good result,', 'eet him here, and, as you see, i made him keep the appointment." "but with no very good result," i r', 'im here, and, as you see, i made him keep the appointment." "but with no very good result," i remark', 're, and, as you see, i made him keep the appointment." "but with no very good result," i remarked. "', 'nd, as you see, i made him keep the appointment." "but with no very good result," i remarked. "his c', 's you see, i made him keep the appointment." "but with no very good result," i remarked. "his conduc', ' see, i made him keep the appointment." "but with no very good result," i remarked. "his conduct was', ' i made him keep the appointment." "but with no very good result," i remarked. "his conduct was cert', 'de him keep the appointment." "but with no very good result," i remarked. "his conduct was certainly', 'm keep the appointment." "but with no very good result," i remarked. "his conduct was certainly not ', 'p the appointment." "but with no very good result," i remarked. "his conduct was certainly not very ', ' appointment." "but with no very good result," i remarked. "his conduct was certainly not very graci', 'intment." "but with no very good result," i remarked. "his conduct was certainly not very gracious."', 'nt." "but with no very good result," i remarked. "his conduct was certainly not very gracious." "ah,', '"but with no very good result," i remarked. "his conduct was certainly not very gracious." "ah, wats', 'with no very good result," i remarked. "his conduct was certainly not very gracious." "ah, watson," ', 'no very good result," i remarked. "his conduct was certainly not very gracious." "ah, watson," said ', 'ry good result," i remarked. "his conduct was certainly not very gracious." "ah, watson," said holme', 'od result," i remarked. "his conduct was certainly not very gracious." "ah, watson," said holmes, sm', 'sult," i remarked. "his conduct was certainly not very gracious." "ah, watson," said holmes, smiling', '" i remarked. "his conduct was certainly not very gracious." "ah, watson," said holmes, smiling, "pe', 'emarked. "his conduct was certainly not very gracious." "ah, watson," said holmes, smiling, "perhaps', 'ed. "his conduct was certainly not very gracious." "ah, watson," said holmes, smiling, "perhaps you ', 'his conduct was certainly not very gracious." "ah, watson," said holmes, smiling, "perhaps you would', 'onduct was certainly not very gracious." "ah, watson," said holmes, smiling, "perhaps you would not ', 't was certainly not very gracious." "ah, watson," said holmes, smiling, "perhaps you would not be ve', ' certainly not very gracious." "ah, watson," said holmes, smiling, "perhaps you would not be very gr', 'ainly not very gracious." "ah, watson," said holmes, smiling, "perhaps you would not be very graciou', ' not very gracious." "ah, watson," said holmes, smiling, "perhaps you would not be very gracious eit', 'very gracious." "ah, watson," said holmes, smiling, "perhaps you would not be very gracious either, ', 'gracious." "ah, watson," said holmes, smiling, "perhaps you would not be very gracious either, if, a', 'ous." "ah, watson," said holmes, smiling, "perhaps you would not be very gracious either, if, after ', ' "ah, watson," said holmes, smiling, "perhaps you would not be very gracious either, if, after all t', ' watson," said holmes, smiling, "perhaps you would not be very gracious either, if, after all the tr', 'on," said holmes, smiling, "perhaps you would not be very gracious either, if, after all the trouble', 'said holmes, smiling, "perhaps you would not be very gracious either, if, after all the trouble of w', 'holmes, smiling, "perhaps you would not be very gracious either, if, after all the trouble of wooing', 's, smiling, "perhaps you would not be very gracious either, if, after all the trouble of wooing and ', 'iling, "perhaps you would not be very gracious either, if, after all the trouble of wooing and weddi', ', "perhaps you would not be very gracious either, if, after all the trouble of wooing and wedding, y', 'rhaps you would not be very gracious either, if, after all the trouble of wooing and wedding, you fo', ' you would not be very gracious either, if, after all the trouble of wooing and wedding, you found y', 'would not be very gracious either, if, after all the trouble of wooing and wedding, you found yourse', ' not be very gracious either, if, after all the trouble of wooing and wedding, you found yourself de', 'be very gracious either, if, after all the trouble of wooing and wedding, you found yourself deprive', 'ry gracious either, if, after all the trouble of wooing and wedding, you found yourself deprived in ', 'acious either, if, after all the trouble of wooing and wedding, you found yourself deprived in an in', 's either, if, after all the trouble of wooing and wedding, you found yourself deprived in an instant', 'her, if, after all the trouble of wooing and wedding, you found yourself deprived in an instant of w', 'if, after all the trouble of wooing and wedding, you found yourself deprived in an instant of wife a', 'fter all the trouble of wooing and wedding, you found yourself deprived in an instant of wife and of', 'all the trouble of wooing and wedding, you found yourself deprived in an instant of wife and of fort', 'he trouble of wooing and wedding, you found yourself deprived in an instant of wife and of fortune. ', 'ouble of wooing and wedding, you found yourself deprived in an instant of wife and of fortune. i thi', ' of wooing and wedding, you found yourself deprived in an instant of wife and of fortune. i think th', 'ooing and wedding, you found yourself deprived in an instant of wife and of fortune. i think that we', ' and wedding, you found yourself deprived in an instant of wife and of fortune. i think that we may ', 'wedding, you found yourself deprived in an instant of wife and of fortune. i think that we may judge', 'ng, you found yourself deprived in an instant of wife and of fortune. i think that we may judge lord', 'ou found yourself deprived in an instant of wife and of fortune. i think that we may judge lord st. ', 'und yourself deprived in an instant of wife and of fortune. i think that we may judge lord st. simon', 'ourself deprived in an instant of wife and of fortune. i think that we may judge lord st. simon very', 'lf deprived in an instant of wife and of fortune. i think that we may judge lord st. simon very merc', 'prived in an instant of wife and of fortune. i think that we may judge lord st. simon very mercifull', 'd in an instant of wife and of fortune. i think that we may judge lord st. simon very mercifully and', 'an instant of wife and of fortune. i think that we may judge lord st. simon very mercifully and than', 'stant of wife and of fortune. i think that we may judge lord st. simon very mercifully and thank our', ' of wife and of fortune. i think that we may judge lord st. simon very mercifully and thank our star', 'ife and of fortune. i think that we may judge lord st. simon very mercifully and thank our stars tha', 'nd of fortune. i think that we may judge lord st. simon very mercifully and thank our stars that we ', ' fortune. i think that we may judge lord st. simon very mercifully and thank our stars that we are n', 'une. i think that we may judge lord st. simon very mercifully and thank our stars that we are never ', 'i think that we may judge lord st. simon very mercifully and thank our stars that we are never likel', 'nk that we may judge lord st. simon very mercifully and thank our stars that we are never likely to ', 'at we may judge lord st. simon very mercifully and thank our stars that we are never likely to find ', ' may judge lord st. simon very mercifully and thank our stars that we are never likely to find ourse', 'judge lord st. simon very mercifully and thank our stars that we are never likely to find ourselves ', ' lord st. simon very mercifully and thank our stars that we are never likely to find ourselves in th', ' st. simon very mercifully and thank our stars that we are never likely to find ourselves in the sam', 'simon very mercifully and thank our stars that we are never likely to find ourselves in the same pos', ' very mercifully and thank our stars that we are never likely to find ourselves in the same position', ' mercifully and thank our stars that we are never likely to find ourselves in the same position. dra', 'ifully and thank our stars that we are never likely to find ourselves in the same position. draw you', 'y and thank our stars that we are never likely to find ourselves in the same position. draw your cha', ' thank our stars that we are never likely to find ourselves in the same position. draw your chair up', 'k our stars that we are never likely to find ourselves in the same position. draw your chair up and ', ' stars that we are never likely to find ourselves in the same position. draw your chair up and hand ', 's that we are never likely to find ourselves in the same position. draw your chair up and hand me my', 't we are never likely to find ourselves in the same position. draw your chair up and hand me my viol', 'are never likely to find ourselves in the same position. draw your chair up and hand me my violin, f', 'ever likely to find ourselves in the same position. draw your chair up and hand me my violin, for th', 'likely to find ourselves in the same position. draw your chair up and hand me my violin, for the onl', 'y to find ourselves in the same position. draw your chair up and hand me my violin, for the only pro', 'find ourselves in the same position. draw your chair up and hand me my violin, for the only problem ', 'ourselves in the same position. draw your chair up and hand me my violin, for the only problem we ha', 'lves in the same position. draw your chair up and hand me my violin, for the only problem we have st', 'in the same position. draw your chair up and hand me my violin, for the only problem we have still t', 'e same position. draw your chair up and hand me my violin, for the only problem we have still to sol', 'e position. draw your chair up and hand me my violin, for the only problem we have still to solve is', 'ition. draw your chair up and hand me my violin, for the only problem we have still to solve is how ', '. draw your chair up and hand me my violin, for the only problem we have still to solve is how to wh', 'w your chair up and hand me my violin, for the only problem we have still to solve is how to while a', 'r chair up and hand me my violin, for the only problem we have still to solve is how to while away t', 'ir up and hand me my violin, for the only problem we have still to solve is how to while away these ', ' and hand me my violin, for the only problem we have still to solve is how to while away these bleak', 'hand me my violin, for the only problem we have still to solve is how to while away these bleak autu', 'me my violin, for the only problem we have still to solve is how to while away these bleak autumnal ', ' violin, for the only problem we have still to solve is how to while away these bleak autumnal eveni', 'in, for the only problem we have still to solve is how to while away these bleak autumnal evenings."', 'or the only problem we have still to solve is how to while away these bleak autumnal evenings." xi.', 'e only problem we have still to solve is how to while away these bleak autumnal evenings." xi. the ', 'y problem we have still to solve is how to while away these bleak autumnal evenings." xi. the adven', 'blem we have still to solve is how to while away these bleak autumnal evenings." xi. the adventure ', 'we have still to solve is how to while away these bleak autumnal evenings." xi. the adventure of th', 've still to solve is how to while away these bleak autumnal evenings." xi. the adventure of the ber', 'ill to solve is how to while away these bleak autumnal evenings." xi. the adventure of the beryl co', 'o solve is how to while away these bleak autumnal evenings." xi. the adventure of the beryl coronet', 've is how to while away these bleak autumnal evenings." xi. the adventure of the beryl coronet "hol', ' how to while away these bleak autumnal evenings." xi. the adventure of the beryl coronet "holmes,"', 'to while away these bleak autumnal evenings." xi. the adventure of the beryl coronet "holmes," said', 'ile away these bleak autumnal evenings." xi. the adventure of the beryl coronet "holmes," said i as', 'way these bleak autumnal evenings." xi. the adventure of the beryl coronet "holmes," said i as i st', 'hese bleak autumnal evenings." xi. the adventure of the beryl coronet "holmes," said i as i stood o', 'bleak autumnal evenings." xi. the adventure of the beryl coronet "holmes," said i as i stood one mo', ' autumnal evenings." xi. the adventure of the beryl coronet "holmes," said i as i stood one morning', 'mnal evenings." xi. the adventure of the beryl coronet "holmes," said i as i stood one morning in o', 'evenings." xi. the adventure of the beryl coronet "holmes," said i as i stood one morning in our bo', 'ngs." xi. the adventure of the beryl coronet "holmes," said i as i stood one morning in our bow-win', ' xi. the adventure of the beryl coronet "holmes," said i as i stood one morning in our bow-window l', ' the adventure of the beryl coronet "holmes," said i as i stood one morning in our bow-window lookin', 'adventure of the beryl coronet "holmes," said i as i stood one morning in our bow-window looking dow', 'ture of the beryl coronet "holmes," said i as i stood one morning in our bow-window looking down the', 'of the beryl coronet "holmes," said i as i stood one morning in our bow-window looking down the stre', 'e beryl coronet "holmes," said i as i stood one morning in our bow-window looking down the street, "', 'yl coronet "holmes," said i as i stood one morning in our bow-window looking down the street, "here ', 'ronet "holmes," said i as i stood one morning in our bow-window looking down the street, "here is a ', ' "holmes," said i as i stood one morning in our bow-window looking down the street, "here is a madma', 'mes," said i as i stood one morning in our bow-window looking down the street, "here is a madman com', ' said i as i stood one morning in our bow-window looking down the street, "here is a madman coming a', ' i as i stood one morning in our bow-window looking down the street, "here is a madman coming along.', ' i stood one morning in our bow-window looking down the street, "here is a madman coming along. it s', 'ood one morning in our bow-window looking down the street, "here is a madman coming along. it seems ', 'ne morning in our bow-window looking down the street, "here is a madman coming along. it seems rathe', 'rning in our bow-window looking down the street, "here is a madman coming along. it seems rather sad', ' in our bow-window looking down the street, "here is a madman coming along. it seems rather sad that', 'ur bow-window looking down the street, "here is a madman coming along. it seems rather sad that his ', 'w-window looking down the street, "here is a madman coming along. it seems rather sad that his relat', 'dow looking down the street, "here is a madman coming along. it seems rather sad that his relatives ', 'ooking down the street, "here is a madman coming along. it seems rather sad that his relatives shoul', 'g down the street, "here is a madman coming along. it seems rather sad that his relatives should all', 'n the street, "here is a madman coming along. it seems rather sad that his relatives should allow hi', ' street, "here is a madman coming along. it seems rather sad that his relatives should allow him to ', 'et, "here is a madman coming along. it seems rather sad that his relatives should allow him to come ', 'here is a madman coming along. it seems rather sad that his relatives should allow him to come out a', 'is a madman coming along. it seems rather sad that his relatives should allow him to come out alone.', 'madman coming along. it seems rather sad that his relatives should allow him to come out alone." my ', 'n coming along. it seems rather sad that his relatives should allow him to come out alone." my frien', 'ing along. it seems rather sad that his relatives should allow him to come out alone." my friend ros', 'long. it seems rather sad that his relatives should allow him to come out alone." my friend rose laz', ' it seems rather sad that his relatives should allow him to come out alone." my friend rose lazily f', 'eems rather sad that his relatives should allow him to come out alone." my friend rose lazily from h', 'rather sad that his relatives should allow him to come out alone." my friend rose lazily from his ar', 'r sad that his relatives should allow him to come out alone." my friend rose lazily from his armchai', ' that his relatives should allow him to come out alone." my friend rose lazily from his armchair and', ' his relatives should allow him to come out alone." my friend rose lazily from his armchair and stoo', 'relatives should allow him to come out alone." my friend rose lazily from his armchair and stood wit', 'ives should allow him to come out alone." my friend rose lazily from his armchair and stood with his', 'should allow him to come out alone." my friend rose lazily from his armchair and stood with his hand', 'd allow him to come out alone." my friend rose lazily from his armchair and stood with his hands in ', 'ow him to come out alone." my friend rose lazily from his armchair and stood with his hands in the p', 'm to come out alone." my friend rose lazily from his armchair and stood with his hands in the pocket', 'come out alone." my friend rose lazily from his armchair and stood with his hands in the pockets of ', 'out alone." my friend rose lazily from his armchair and stood with his hands in the pockets of his d', 'lone." my friend rose lazily from his armchair and stood with his hands in the pockets of his dressi', '" my friend rose lazily from his armchair and stood with his hands in the pockets of his dressing-go', 'friend rose lazily from his armchair and stood with his hands in the pockets of his dressing-gown, l', 'd rose lazily from his armchair and stood with his hands in the pockets of his dressing-gown, lookin', 'e lazily from his armchair and stood with his hands in the pockets of his dressing-gown, looking ove', 'ily from his armchair and stood with his hands in the pockets of his dressing-gown, looking over my ', 'rom his armchair and stood with his hands in the pockets of his dressing-gown, looking over my shoul', 'is armchair and stood with his hands in the pockets of his dressing-gown, looking over my shoulder. ', 'mchair and stood with his hands in the pockets of his dressing-gown, looking over my shoulder. it wa', 'r and stood with his hands in the pockets of his dressing-gown, looking over my shoulder. it was a b', ' stood with his hands in the pockets of his dressing-gown, looking over my shoulder. it was a bright', 'd with his hands in the pockets of his dressing-gown, looking over my shoulder. it was a bright, cri', 'h his hands in the pockets of his dressing-gown, looking over my shoulder. it was a bright, crisp fe', ' hands in the pockets of his dressing-gown, looking over my shoulder. it was a bright, crisp februar', 's in the pockets of his dressing-gown, looking over my shoulder. it was a bright, crisp february mor', 'the pockets of his dressing-gown, looking over my shoulder. it was a bright, crisp february morning,', 'ockets of his dressing-gown, looking over my shoulder. it was a bright, crisp february morning, and ', 's of his dressing-gown, looking over my shoulder. it was a bright, crisp february morning, and the s', 'his dressing-gown, looking over my shoulder. it was a bright, crisp february morning, and the snow o', 'ressing-gown, looking over my shoulder. it was a bright, crisp february morning, and the snow of the', 'ng-gown, looking over my shoulder. it was a bright, crisp february morning, and the snow of the day ', 'wn, looking over my shoulder. it was a bright, crisp february morning, and the snow of the day befor', 'ooking over my shoulder. it was a bright, crisp february morning, and the snow of the day before sti', 'g over my shoulder. it was a bright, crisp february morning, and the snow of the day before still la', 'r my shoulder. it was a bright, crisp february morning, and the snow of the day before still lay dee', 'shoulder. it was a bright, crisp february morning, and the snow of the day before still lay deep upo', 'der. it was a bright, crisp february morning, and the snow of the day before still lay deep upon the', 'it was a bright, crisp february morning, and the snow of the day before still lay deep upon the grou', 's a bright, crisp february morning, and the snow of the day before still lay deep upon the ground, s', 'right, crisp february morning, and the snow of the day before still lay deep upon the ground, shimme', ', crisp february morning, and the snow of the day before still lay deep upon the ground, shimmering ', 'sp february morning, and the snow of the day before still lay deep upon the ground, shimmering brigh', 'bruary morning, and the snow of the day before still lay deep upon the ground, shimmering brightly i', 'y morning, and the snow of the day before still lay deep upon the ground, shimmering brightly in the', 'ning, and the snow of the day before still lay deep upon the ground, shimmering brightly in the wint', ' and the snow of the day before still lay deep upon the ground, shimmering brightly in the wintry su', 'the snow of the day before still lay deep upon the ground, shimmering brightly in the wintry sun. do', 'now of the day before still lay deep upon the ground, shimmering brightly in the wintry sun. down th', 'f the day before still lay deep upon the ground, shimmering brightly in the wintry sun. down the cen', ' day before still lay deep upon the ground, shimmering brightly in the wintry sun. down the centre o', 'before still lay deep upon the ground, shimmering brightly in the wintry sun. down the centre of bak', 'e still lay deep upon the ground, shimmering brightly in the wintry sun. down the centre of baker st', 'll lay deep upon the ground, shimmering brightly in the wintry sun. down the centre of baker street ', 'y deep upon the ground, shimmering brightly in the wintry sun. down the centre of baker street it ha', 'p upon the ground, shimmering brightly in the wintry sun. down the centre of baker street it had bee', 'n the ground, shimmering brightly in the wintry sun. down the centre of baker street it had been plo', ' ground, shimmering brightly in the wintry sun. down the centre of baker street it had been ploughed', 'nd, shimmering brightly in the wintry sun. down the centre of baker street it had been ploughed into', 'himmering brightly in the wintry sun. down the centre of baker street it had been ploughed into a br', 'ring brightly in the wintry sun. down the centre of baker street it had been ploughed into a brown c', 'brightly in the wintry sun. down the centre of baker street it had been ploughed into a brown crumbl', 'tly in the wintry sun. down the centre of baker street it had been ploughed into a brown crumbly ban', 'n the wintry sun. down the centre of baker street it had been ploughed into a brown crumbly band by ', ' wintry sun. down the centre of baker street it had been ploughed into a brown crumbly band by the t', 'ry sun. down the centre of baker street it had been ploughed into a brown crumbly band by the traffi', 'n. down the centre of baker street it had been ploughed into a brown crumbly band by the traffic, bu', 'wn the centre of baker street it had been ploughed into a brown crumbly band by the traffic, but at ', 'e centre of baker street it had been ploughed into a brown crumbly band by the traffic, but at eithe', 'tre of baker street it had been ploughed into a brown crumbly band by the traffic, but at either sid', 'f baker street it had been ploughed into a brown crumbly band by the traffic, but at either side and', 'er street it had been ploughed into a brown crumbly band by the traffic, but at either side and on t', 'reet it had been ploughed into a brown crumbly band by the traffic, but at either side and on the he', 'it had been ploughed into a brown crumbly band by the traffic, but at either side and on the heaped-', 'd been ploughed into a brown crumbly band by the traffic, but at either side and on the heaped-up ed', 'n ploughed into a brown crumbly band by the traffic, but at either side and on the heaped-up edges o', 'ughed into a brown crumbly band by the traffic, but at either side and on the heaped-up edges of the', ' into a brown crumbly band by the traffic, but at either side and on the heaped-up edges of the foot', ' a brown crumbly band by the traffic, but at either side and on the heaped-up edges of the foot-path', 'own crumbly band by the traffic, but at either side and on the heaped-up edges of the foot-paths it ', 'rumbly band by the traffic, but at either side and on the heaped-up edges of the foot-paths it still', 'y band by the traffic, but at either side and on the heaped-up edges of the foot-paths it still lay ', 'd by the traffic, but at either side and on the heaped-up edges of the foot-paths it still lay as wh', 'the traffic, but at either side and on the heaped-up edges of the foot-paths it still lay as white a', 'raffic, but at either side and on the heaped-up edges of the foot-paths it still lay as white as whe', 'c, but at either side and on the heaped-up edges of the foot-paths it still lay as white as when it ', 't at either side and on the heaped-up edges of the foot-paths it still lay as white as when it fell.', 'either side and on the heaped-up edges of the foot-paths it still lay as white as when it fell. the ', 'r side and on the heaped-up edges of the foot-paths it still lay as white as when it fell. the grey ', 'e and on the heaped-up edges of the foot-paths it still lay as white as when it fell. the grey pavem', ' on the heaped-up edges of the foot-paths it still lay as white as when it fell. the grey pavement h', 'he heaped-up edges of the foot-paths it still lay as white as when it fell. the grey pavement had be', 'aped-up edges of the foot-paths it still lay as white as when it fell. the grey pavement had been cl', 'up edges of the foot-paths it still lay as white as when it fell. the grey pavement had been cleaned', 'ges of the foot-paths it still lay as white as when it fell. the grey pavement had been cleaned and ', 'f the foot-paths it still lay as white as when it fell. the grey pavement had been cleaned and scrap', ' foot-paths it still lay as white as when it fell. the grey pavement had been cleaned and scraped, b', '-paths it still lay as white as when it fell. the grey pavement had been cleaned and scraped, but wa', 's it still lay as white as when it fell. the grey pavement had been cleaned and scraped, but was sti', 'still lay as white as when it fell. the grey pavement had been cleaned and scraped, but was still da', ' lay as white as when it fell. the grey pavement had been cleaned and scraped, but was still dangero', 'as white as when it fell. the grey pavement had been cleaned and scraped, but was still dangerously ', 'ite as when it fell. the grey pavement had been cleaned and scraped, but was still dangerously slipp', 's when it fell. the grey pavement had been cleaned and scraped, but was still dangerously slippery, ', 'n it fell. the grey pavement had been cleaned and scraped, but was still dangerously slippery, so th', 'fell. the grey pavement had been cleaned and scraped, but was still dangerously slippery, so that th', ' the grey pavement had been cleaned and scraped, but was still dangerously slippery, so that there w', 'grey pavement had been cleaned and scraped, but was still dangerously slippery, so that there were f', 'pavement had been cleaned and scraped, but was still dangerously slippery, so that there were fewer ', 'ent had been cleaned and scraped, but was still dangerously slippery, so that there were fewer passe', 'ad been cleaned and scraped, but was still dangerously slippery, so that there were fewer passengers', 'en cleaned and scraped, but was still dangerously slippery, so that there were fewer passengers than', 'eaned and scraped, but was still dangerously slippery, so that there were fewer passengers than usua', ' and scraped, but was still dangerously slippery, so that there were fewer passengers than usual. in', 'scraped, but was still dangerously slippery, so that there were fewer passengers than usual. indeed,', 'ed, but was still dangerously slippery, so that there were fewer passengers than usual. indeed, from', 'ut was still dangerously slippery, so that there were fewer passengers than usual. indeed, from the ', 's still dangerously slippery, so that there were fewer passengers than usual. indeed, from the direc', 'll dangerously slippery, so that there were fewer passengers than usual. indeed, from the direction ', 'ngerously slippery, so that there were fewer passengers than usual. indeed, from the direction of th', 'usly slippery, so that there were fewer passengers than usual. indeed, from the direction of the met', 'slippery, so that there were fewer passengers than usual. indeed, from the direction of the metropol', 'ery, so that there were fewer passengers than usual. indeed, from the direction of the metropolitan ', 'so that there were fewer passengers than usual. indeed, from the direction of the metropolitan stati', 'at there were fewer passengers than usual. indeed, from the direction of the metropolitan station no', 'ere were fewer passengers than usual. indeed, from the direction of the metropolitan station no one ', 'ere fewer passengers than usual. indeed, from the direction of the metropolitan station no one was c', 'ewer passengers than usual. indeed, from the direction of the metropolitan station no one was coming', 'passengers than usual. indeed, from the direction of the metropolitan station no one was coming save', 'ngers than usual. indeed, from the direction of the metropolitan station no one was coming save the ', ' than usual. indeed, from the direction of the metropolitan station no one was coming save the singl', ' usual. indeed, from the direction of the metropolitan station no one was coming save the single gen', 'l. indeed, from the direction of the metropolitan station no one was coming save the single gentlema', 'deed, from the direction of the metropolitan station no one was coming save the single gentleman who', ' from the direction of the metropolitan station no one was coming save the single gentleman whose ec', ' the direction of the metropolitan station no one was coming save the single gentleman whose eccentr', 'direction of the metropolitan station no one was coming save the single gentleman whose eccentric co', 'tion of the metropolitan station no one was coming save the single gentleman whose eccentric conduct', 'of the metropolitan station no one was coming save the single gentleman whose eccentric conduct had ', 'e metropolitan station no one was coming save the single gentleman whose eccentric conduct had drawn', 'ropolitan station no one was coming save the single gentleman whose eccentric conduct had drawn my a', 'itan station no one was coming save the single gentleman whose eccentric conduct had drawn my attent', 'station no one was coming save the single gentleman whose eccentric conduct had drawn my attention. ', 'on no one was coming save the single gentleman whose eccentric conduct had drawn my attention. he wa', ' one was coming save the single gentleman whose eccentric conduct had drawn my attention. he was a m', 'was coming save the single gentleman whose eccentric conduct had drawn my attention. he was a man of', 'oming save the single gentleman whose eccentric conduct had drawn my attention. he was a man of abou', ' save the single gentleman whose eccentric conduct had drawn my attention. he was a man of about fif', ' the single gentleman whose eccentric conduct had drawn my attention. he was a man of about fifty, t', 'single gentleman whose eccentric conduct had drawn my attention. he was a man of about fifty, tall, ', 'e gentleman whose eccentric conduct had drawn my attention. he was a man of about fifty, tall, portl', 'tleman whose eccentric conduct had drawn my attention. he was a man of about fifty, tall, portly, an', 'n whose eccentric conduct had drawn my attention. he was a man of about fifty, tall, portly, and imp', 'se eccentric conduct had drawn my attention. he was a man of about fifty, tall, portly, and imposing', 'centric conduct had drawn my attention. he was a man of about fifty, tall, portly, and imposing, wit', 'ic conduct had drawn my attention. he was a man of about fifty, tall, portly, and imposing, with a m', 'nduct had drawn my attention. he was a man of about fifty, tall, portly, and imposing, with a massiv', ' had drawn my attention. he was a man of about fifty, tall, portly, and imposing, with a massive, st', 'drawn my attention. he was a man of about fifty, tall, portly, and imposing, with a massive, strongl', ' my attention. he was a man of about fifty, tall, portly, and imposing, with a massive, strongly mar', 'ttention. he was a man of about fifty, tall, portly, and imposing, with a massive, strongly marked f', 'ion. he was a man of about fifty, tall, portly, and imposing, with a massive, strongly marked face a', 'he was a man of about fifty, tall, portly, and imposing, with a massive, strongly marked face and a ', 's a man of about fifty, tall, portly, and imposing, with a massive, strongly marked face and a comma', 'an of about fifty, tall, portly, and imposing, with a massive, strongly marked face and a commanding', ' about fifty, tall, portly, and imposing, with a massive, strongly marked face and a commanding figu', 't fifty, tall, portly, and imposing, with a massive, strongly marked face and a commanding figure. h', 'ty, tall, portly, and imposing, with a massive, strongly marked face and a commanding figure. he was', 'all, portly, and imposing, with a massive, strongly marked face and a commanding figure. he was dres', 'portly, and imposing, with a massive, strongly marked face and a commanding figure. he was dressed i', 'y, and imposing, with a massive, strongly marked face and a commanding figure. he was dressed in a s', 'd imposing, with a massive, strongly marked face and a commanding figure. he was dressed in a sombre', 'osing, with a massive, strongly marked face and a commanding figure. he was dressed in a sombre yet ', ', with a massive, strongly marked face and a commanding figure. he was dressed in a sombre yet rich ', 'h a massive, strongly marked face and a commanding figure. he was dressed in a sombre yet rich style', 'assive, strongly marked face and a commanding figure. he was dressed in a sombre yet rich style, in ', 'e, strongly marked face and a commanding figure. he was dressed in a sombre yet rich style, in black', 'rongly marked face and a commanding figure. he was dressed in a sombre yet rich style, in black froc', 'y marked face and a commanding figure. he was dressed in a sombre yet rich style, in black frock-coa', 'ked face and a commanding figure. he was dressed in a sombre yet rich style, in black frock-coat, sh', 'ace and a commanding figure. he was dressed in a sombre yet rich style, in black frock-coat, shining', 'nd a commanding figure. he was dressed in a sombre yet rich style, in black frock-coat, shining hat,', 'commanding figure. he was dressed in a sombre yet rich style, in black frock-coat, shining hat, neat', 'nding figure. he was dressed in a sombre yet rich style, in black frock-coat, shining hat, neat brow', ' figure. he was dressed in a sombre yet rich style, in black frock-coat, shining hat, neat brown gai', 're. he was dressed in a sombre yet rich style, in black frock-coat, shining hat, neat brown gaiters,', 'e was dressed in a sombre yet rich style, in black frock-coat, shining hat, neat brown gaiters, and ', ' dressed in a sombre yet rich style, in black frock-coat, shining hat, neat brown gaiters, and well-', 'sed in a sombre yet rich style, in black frock-coat, shining hat, neat brown gaiters, and well-cut p', 'n a sombre yet rich style, in black frock-coat, shining hat, neat brown gaiters, and well-cut pearl-', 'ombre yet rich style, in black frock-coat, shining hat, neat brown gaiters, and well-cut pearl-grey ', ' yet rich style, in black frock-coat, shining hat, neat brown gaiters, and well-cut pearl-grey trous', 'rich style, in black frock-coat, shining hat, neat brown gaiters, and well-cut pearl-grey trousers. ', 'style, in black frock-coat, shining hat, neat brown gaiters, and well-cut pearl-grey trousers. yet h', ', in black frock-coat, shining hat, neat brown gaiters, and well-cut pearl-grey trousers. yet his ac', 'black frock-coat, shining hat, neat brown gaiters, and well-cut pearl-grey trousers. yet his actions', ' frock-coat, shining hat, neat brown gaiters, and well-cut pearl-grey trousers. yet his actions were', 'k-coat, shining hat, neat brown gaiters, and well-cut pearl-grey trousers. yet his actions were in a', 't, shining hat, neat brown gaiters, and well-cut pearl-grey trousers. yet his actions were in absurd', 'ining hat, neat brown gaiters, and well-cut pearl-grey trousers. yet his actions were in absurd cont', ' hat, neat brown gaiters, and well-cut pearl-grey trousers. yet his actions were in absurd contrast ', ' neat brown gaiters, and well-cut pearl-grey trousers. yet his actions were in absurd contrast to th', ' brown gaiters, and well-cut pearl-grey trousers. yet his actions were in absurd contrast to the dig', 'n gaiters, and well-cut pearl-grey trousers. yet his actions were in absurd contrast to the dignity ', 'ters, and well-cut pearl-grey trousers. yet his actions were in absurd contrast to the dignity of hi', ' and well-cut pearl-grey trousers. yet his actions were in absurd contrast to the dignity of his dre', 'well-cut pearl-grey trousers. yet his actions were in absurd contrast to the dignity of his dress an', 'cut pearl-grey trousers. yet his actions were in absurd contrast to the dignity of his dress and fea', 'earl-grey trousers. yet his actions were in absurd contrast to the dignity of his dress and features', 'grey trousers. yet his actions were in absurd contrast to the dignity of his dress and features, for', 'trousers. yet his actions were in absurd contrast to the dignity of his dress and features, for he w', 'ers. yet his actions were in absurd contrast to the dignity of his dress and features, for he was ru', 'yet his actions were in absurd contrast to the dignity of his dress and features, for he was running', 'is actions were in absurd contrast to the dignity of his dress and features, for he was running hard', 'tions were in absurd contrast to the dignity of his dress and features, for he was running hard, wit', ' were in absurd contrast to the dignity of his dress and features, for he was running hard, with occ', ' in absurd contrast to the dignity of his dress and features, for he was running hard, with occasion', 'bsurd contrast to the dignity of his dress and features, for he was running hard, with occasional li', ' contrast to the dignity of his dress and features, for he was running hard, with occasional little ', 'rast to the dignity of his dress and features, for he was running hard, with occasional little sprin', 'to the dignity of his dress and features, for he was running hard, with occasional little springs, s', 'e dignity of his dress and features, for he was running hard, with occasional little springs, such a', 'nity of his dress and features, for he was running hard, with occasional little springs, such as a w', 'of his dress and features, for he was running hard, with occasional little springs, such as a weary ', 's dress and features, for he was running hard, with occasional little springs, such as a weary man g', 'ss and features, for he was running hard, with occasional little springs, such as a weary man gives ', 'd features, for he was running hard, with occasional little springs, such as a weary man gives who i', 'tures, for he was running hard, with occasional little springs, such as a weary man gives who is lit', ', for he was running hard, with occasional little springs, such as a weary man gives who is little a', ' he was running hard, with occasional little springs, such as a weary man gives who is little accust', 'as running hard, with occasional little springs, such as a weary man gives who is little accustomed ', 'nning hard, with occasional little springs, such as a weary man gives who is little accustomed to se', ' hard, with occasional little springs, such as a weary man gives who is little accustomed to set any', ', with occasional little springs, such as a weary man gives who is little accustomed to set any tax ', 'h occasional little springs, such as a weary man gives who is little accustomed to set any tax upon ', 'asional little springs, such as a weary man gives who is little accustomed to set any tax upon his l', 'al little springs, such as a weary man gives who is little accustomed to set any tax upon his legs. ', 'ttle springs, such as a weary man gives who is little accustomed to set any tax upon his legs. as he', 'springs, such as a weary man gives who is little accustomed to set any tax upon his legs. as he ran ', 'gs, such as a weary man gives who is little accustomed to set any tax upon his legs. as he ran he je', 'uch as a weary man gives who is little accustomed to set any tax upon his legs. as he ran he jerked ', 's a weary man gives who is little accustomed to set any tax upon his legs. as he ran he jerked his h', 'eary man gives who is little accustomed to set any tax upon his legs. as he ran he jerked his hands ', 'man gives who is little accustomed to set any tax upon his legs. as he ran he jerked his hands up an', 'ives who is little accustomed to set any tax upon his legs. as he ran he jerked his hands up and dow', 'who is little accustomed to set any tax upon his legs. as he ran he jerked his hands up and down, wa', 's little accustomed to set any tax upon his legs. as he ran he jerked his hands up and down, waggled', 'tle accustomed to set any tax upon his legs. as he ran he jerked his hands up and down, waggled his ', 'ccustomed to set any tax upon his legs. as he ran he jerked his hands up and down, waggled his head,', 'omed to set any tax upon his legs. as he ran he jerked his hands up and down, waggled his head, and ', 'to set any tax upon his legs. as he ran he jerked his hands up and down, waggled his head, and writh', 't any tax upon his legs. as he ran he jerked his hands up and down, waggled his head, and writhed hi', ' tax upon his legs. as he ran he jerked his hands up and down, waggled his head, and writhed his fac', 'upon his legs. as he ran he jerked his hands up and down, waggled his head, and writhed his face int', 'his legs. as he ran he jerked his hands up and down, waggled his head, and writhed his face into the', 'egs. as he ran he jerked his hands up and down, waggled his head, and writhed his face into the most', 'as he ran he jerked his hands up and down, waggled his head, and writhed his face into the most extr', ' ran he jerked his hands up and down, waggled his head, and writhed his face into the most extraordi', 'he jerked his hands up and down, waggled his head, and writhed his face into the most extraordinary ', 'rked his hands up and down, waggled his head, and writhed his face into the most extraordinary conto', 'his hands up and down, waggled his head, and writhed his face into the most extraordinary contortion', 'ands up and down, waggled his head, and writhed his face into the most extraordinary contortions. "w', 'up and down, waggled his head, and writhed his face into the most extraordinary contortions. "what o', 'd down, waggled his head, and writhed his face into the most extraordinary contortions. "what on ear', 'n, waggled his head, and writhed his face into the most extraordinary contortions. "what on earth ca', 'ggled his head, and writhed his face into the most extraordinary contortions. "what on earth can be ', ' his head, and writhed his face into the most extraordinary contortions. "what on earth can be the m', 'head, and writhed his face into the most extraordinary contortions. "what on earth can be the matter', ' and writhed his face into the most extraordinary contortions. "what on earth can be the matter with', 'writhed his face into the most extraordinary contortions. "what on earth can be the matter with him?', 'ed his face into the most extraordinary contortions. "what on earth can be the matter with him?" i a', 's face into the most extraordinary contortions. "what on earth can be the matter with him?" i asked.', 'e into the most extraordinary contortions. "what on earth can be the matter with him?" i asked. "he ', 'o the most extraordinary contortions. "what on earth can be the matter with him?" i asked. "he is lo', ' most extraordinary contortions. "what on earth can be the matter with him?" i asked. "he is looking', ' extraordinary contortions. "what on earth can be the matter with him?" i asked. "he is looking up a', 'aordinary contortions. "what on earth can be the matter with him?" i asked. "he is looking up at the', 'nary contortions. "what on earth can be the matter with him?" i asked. "he is looking up at the numb', 'contortions. "what on earth can be the matter with him?" i asked. "he is looking up at the numbers o', 'rtions. "what on earth can be the matter with him?" i asked. "he is looking up at the numbers of the', 's. "what on earth can be the matter with him?" i asked. "he is looking up at the numbers of the hous', 'hat on earth can be the matter with him?" i asked. "he is looking up at the numbers of the houses." ', 'n earth can be the matter with him?" i asked. "he is looking up at the numbers of the houses." "i be', 'th can be the matter with him?" i asked. "he is looking up at the numbers of the houses." "i believe', 'n be the matter with him?" i asked. "he is looking up at the numbers of the houses." "i believe that', 'the matter with him?" i asked. "he is looking up at the numbers of the houses." "i believe that he i', 'atter with him?" i asked. "he is looking up at the numbers of the houses." "i believe that he is com', ' with him?" i asked. "he is looking up at the numbers of the houses." "i believe that he is coming h', ' him?" i asked. "he is looking up at the numbers of the houses." "i believe that he is coming here,"', '" i asked. "he is looking up at the numbers of the houses." "i believe that he is coming here," said', 'sked. "he is looking up at the numbers of the houses." "i believe that he is coming here," said holm', ' "he is looking up at the numbers of the houses." "i believe that he is coming here," said holmes, r', 'is looking up at the numbers of the houses." "i believe that he is coming here," said holmes, rubbin', 'oking up at the numbers of the houses." "i believe that he is coming here," said holmes, rubbing his', ' up at the numbers of the houses." "i believe that he is coming here," said holmes, rubbing his hand', 't the numbers of the houses." "i believe that he is coming here," said holmes, rubbing his hands. "h', ' numbers of the houses." "i believe that he is coming here," said holmes, rubbing his hands. "here?"', 'ers of the houses." "i believe that he is coming here," said holmes, rubbing his hands. "here?" "yes', 'f the houses." "i believe that he is coming here," said holmes, rubbing his hands. "here?" "yes; i r', ' houses." "i believe that he is coming here," said holmes, rubbing his hands. "here?" "yes; i rather', 'es." "i believe that he is coming here," said holmes, rubbing his hands. "here?" "yes; i rather thin', '"i believe that he is coming here," said holmes, rubbing his hands. "here?" "yes; i rather think he ', 'lieve that he is coming here," said holmes, rubbing his hands. "here?" "yes; i rather think he is co', ' that he is coming here," said holmes, rubbing his hands. "here?" "yes; i rather think he is coming ', ' he is coming here," said holmes, rubbing his hands. "here?" "yes; i rather think he is coming to co', 's coming here," said holmes, rubbing his hands. "here?" "yes; i rather think he is coming to consult', 'ing here," said holmes, rubbing his hands. "here?" "yes; i rather think he is coming to consult me p', 'ere," said holmes, rubbing his hands. "here?" "yes; i rather think he is coming to consult me profes', ' said holmes, rubbing his hands. "here?" "yes; i rather think he is coming to consult me professiona', ' holmes, rubbing his hands. "here?" "yes; i rather think he is coming to consult me professionally. ', 'es, rubbing his hands. "here?" "yes; i rather think he is coming to consult me professionally. i thi', 'ubbing his hands. "here?" "yes; i rather think he is coming to consult me professionally. i think th', 'g his hands. "here?" "yes; i rather think he is coming to consult me professionally. i think that i ', ' hands. "here?" "yes; i rather think he is coming to consult me professionally. i think that i recog', 's. "here?" "yes; i rather think he is coming to consult me professionally. i think that i recognise ', 'ere?" "yes; i rather think he is coming to consult me professionally. i think that i recognise the s', ' "yes; i rather think he is coming to consult me professionally. i think that i recognise the sympto', '; i rather think he is coming to consult me professionally. i think that i recognise the symptoms. h', 'ather think he is coming to consult me professionally. i think that i recognise the symptoms. ha! di', ' think he is coming to consult me professionally. i think that i recognise the symptoms. ha! did i n', 'k he is coming to consult me professionally. i think that i recognise the symptoms. ha! did i not te', 'is coming to consult me professionally. i think that i recognise the symptoms. ha! did i not tell yo', 'ming to consult me professionally. i think that i recognise the symptoms. ha! did i not tell you?" a', 'to consult me professionally. i think that i recognise the symptoms. ha! did i not tell you?" as he ', 'nsult me professionally. i think that i recognise the symptoms. ha! did i not tell you?" as he spoke', ' me professionally. i think that i recognise the symptoms. ha! did i not tell you?" as he spoke, the', 'rofessionally. i think that i recognise the symptoms. ha! did i not tell you?" as he spoke, the man,', 'sionally. i think that i recognise the symptoms. ha! did i not tell you?" as he spoke, the man, puff', 'lly. i think that i recognise the symptoms. ha! did i not tell you?" as he spoke, the man, puffing a', 'i think that i recognise the symptoms. ha! did i not tell you?" as he spoke, the man, puffing and bl', 'nk that i recognise the symptoms. ha! did i not tell you?" as he spoke, the man, puffing and blowing', 'at i recognise the symptoms. ha! did i not tell you?" as he spoke, the man, puffing and blowing, rus', 'recognise the symptoms. ha! did i not tell you?" as he spoke, the man, puffing and blowing, rushed a', 'nise the symptoms. ha! did i not tell you?" as he spoke, the man, puffing and blowing, rushed at our', 'the symptoms. ha! did i not tell you?" as he spoke, the man, puffing and blowing, rushed at our door', 'ymptoms. ha! did i not tell you?" as he spoke, the man, puffing and blowing, rushed at our door and ', 'ms. ha! did i not tell you?" as he spoke, the man, puffing and blowing, rushed at our door and pulle', 'a! did i not tell you?" as he spoke, the man, puffing and blowing, rushed at our door and pulled at ', 'd i not tell you?" as he spoke, the man, puffing and blowing, rushed at our door and pulled at our b', 'ot tell you?" as he spoke, the man, puffing and blowing, rushed at our door and pulled at our bell u', 'll you?" as he spoke, the man, puffing and blowing, rushed at our door and pulled at our bell until ', 'u?" as he spoke, the man, puffing and blowing, rushed at our door and pulled at our bell until the w', 's he spoke, the man, puffing and blowing, rushed at our door and pulled at our bell until the whole ', 'spoke, the man, puffing and blowing, rushed at our door and pulled at our bell until the whole house', ', the man, puffing and blowing, rushed at our door and pulled at our bell until the whole house reso', ' man, puffing and blowing, rushed at our door and pulled at our bell until the whole house resounded', ' puffing and blowing, rushed at our door and pulled at our bell until the whole house resounded with', 'ing and blowing, rushed at our door and pulled at our bell until the whole house resounded with the ', 'nd blowing, rushed at our door and pulled at our bell until the whole house resounded with the clang', 'owing, rushed at our door and pulled at our bell until the whole house resounded with the clanging. ', ', rushed at our door and pulled at our bell until the whole house resounded with the clanging. a few', 'hed at our door and pulled at our bell until the whole house resounded with the clanging. a few mome', 't our door and pulled at our bell until the whole house resounded with the clanging. a few moments l', ' door and pulled at our bell until the whole house resounded with the clanging. a few moments later ', ' and pulled at our bell until the whole house resounded with the clanging. a few moments later he wa', 'pulled at our bell until the whole house resounded with the clanging. a few moments later he was in ', 'd at our bell until the whole house resounded with the clanging. a few moments later he was in our r', 'our bell until the whole house resounded with the clanging. a few moments later he was in our room, ', 'ell until the whole house resounded with the clanging. a few moments later he was in our room, still', 'ntil the whole house resounded with the clanging. a few moments later he was in our room, still puff', 'the whole house resounded with the clanging. a few moments later he was in our room, still puffing, ', 'hole house resounded with the clanging. a few moments later he was in our room, still puffing, still', 'house resounded with the clanging. a few moments later he was in our room, still puffing, still gest', ' resounded with the clanging. a few moments later he was in our room, still puffing, still gesticula', 'unded with the clanging. a few moments later he was in our room, still puffing, still gesticulating,', ' with the clanging. a few moments later he was in our room, still puffing, still gesticulating, but ', ' the clanging. a few moments later he was in our room, still puffing, still gesticulating, but with ', 'clanging. a few moments later he was in our room, still puffing, still gesticulating, but with so fi', 'ing. a few moments later he was in our room, still puffing, still gesticulating, but with so fixed a', 'a few moments later he was in our room, still puffing, still gesticulating, but with so fixed a look', ' moments later he was in our room, still puffing, still gesticulating, but with so fixed a look of g', 'nts later he was in our room, still puffing, still gesticulating, but with so fixed a look of grief ', 'ater he was in our room, still puffing, still gesticulating, but with so fixed a look of grief and d', 'he was in our room, still puffing, still gesticulating, but with so fixed a look of grief and despai', 's in our room, still puffing, still gesticulating, but with so fixed a look of grief and despair in ', 'our room, still puffing, still gesticulating, but with so fixed a look of grief and despair in his e', 'oom, still puffing, still gesticulating, but with so fixed a look of grief and despair in his eyes t', 'still puffing, still gesticulating, but with so fixed a look of grief and despair in his eyes that o', ' puffing, still gesticulating, but with so fixed a look of grief and despair in his eyes that our sm', 'ing, still gesticulating, but with so fixed a look of grief and despair in his eyes that our smiles ', 'still gesticulating, but with so fixed a look of grief and despair in his eyes that our smiles were ', ' gesticulating, but with so fixed a look of grief and despair in his eyes that our smiles were turne', 'iculating, but with so fixed a look of grief and despair in his eyes that our smiles were turned in ', 'ting, but with so fixed a look of grief and despair in his eyes that our smiles were turned in an in', ' but with so fixed a look of grief and despair in his eyes that our smiles were turned in an instant', 'with so fixed a look of grief and despair in his eyes that our smiles were turned in an instant to h', 'so fixed a look of grief and despair in his eyes that our smiles were turned in an instant to horror', 'xed a look of grief and despair in his eyes that our smiles were turned in an instant to horror and ', ' look of grief and despair in his eyes that our smiles were turned in an instant to horror and pity.', ' of grief and despair in his eyes that our smiles were turned in an instant to horror and pity. for ', 'rief and despair in his eyes that our smiles were turned in an instant to horror and pity. for a whi', 'and despair in his eyes that our smiles were turned in an instant to horror and pity. for a while he', 'espair in his eyes that our smiles were turned in an instant to horror and pity. for a while he coul', 'r in his eyes that our smiles were turned in an instant to horror and pity. for a while he could not', 'his eyes that our smiles were turned in an instant to horror and pity. for a while he could not get ', 'yes that our smiles were turned in an instant to horror and pity. for a while he could not get his w', 'hat our smiles were turned in an instant to horror and pity. for a while he could not get his words ', 'ur smiles were turned in an instant to horror and pity. for a while he could not get his words out, ', 'iles were turned in an instant to horror and pity. for a while he could not get his words out, but s', 'were turned in an instant to horror and pity. for a while he could not get his words out, but swayed', 'turned in an instant to horror and pity. for a while he could not get his words out, but swayed his ', 'd in an instant to horror and pity. for a while he could not get his words out, but swayed his body ', 'an instant to horror and pity. for a while he could not get his words out, but swayed his body and p', 'stant to horror and pity. for a while he could not get his words out, but swayed his body and plucke', ' to horror and pity. for a while he could not get his words out, but swayed his body and plucked at ', 'orror and pity. for a while he could not get his words out, but swayed his body and plucked at his h', ' and pity. for a while he could not get his words out, but swayed his body and plucked at his hair l', 'pity. for a while he could not get his words out, but swayed his body and plucked at his hair like o', ' for a while he could not get his words out, but swayed his body and plucked at his hair like one wh', 'a while he could not get his words out, but swayed his body and plucked at his hair like one who has', 'le he could not get his words out, but swayed his body and plucked at his hair like one who has been', ' could not get his words out, but swayed his body and plucked at his hair like one who has been driv', 'd not get his words out, but swayed his body and plucked at his hair like one who has been driven to', ' get his words out, but swayed his body and plucked at his hair like one who has been driven to the ', 'his words out, but swayed his body and plucked at his hair like one who has been driven to the extre', 'ords out, but swayed his body and plucked at his hair like one who has been driven to the extreme li', 'out, but swayed his body and plucked at his hair like one who has been driven to the extreme limits ', 'but swayed his body and plucked at his hair like one who has been driven to the extreme limits of hi', 'wayed his body and plucked at his hair like one who has been driven to the extreme limits of his rea', ' his body and plucked at his hair like one who has been driven to the extreme limits of his reason. ', 'body and plucked at his hair like one who has been driven to the extreme limits of his reason. then,', 'and plucked at his hair like one who has been driven to the extreme limits of his reason. then, sudd', 'lucked at his hair like one who has been driven to the extreme limits of his reason. then, suddenly ', 'd at his hair like one who has been driven to the extreme limits of his reason. then, suddenly sprin', 'his hair like one who has been driven to the extreme limits of his reason. then, suddenly springing ', 'air like one who has been driven to the extreme limits of his reason. then, suddenly springing to hi', 'ike one who has been driven to the extreme limits of his reason. then, suddenly springing to his fee', 'ne who has been driven to the extreme limits of his reason. then, suddenly springing to his feet, he', 'o has been driven to the extreme limits of his reason. then, suddenly springing to his feet, he beat', ' been driven to the extreme limits of his reason. then, suddenly springing to his feet, he beat his ', ' driven to the extreme limits of his reason. then, suddenly springing to his feet, he beat his head ', 'en to the extreme limits of his reason. then, suddenly springing to his feet, he beat his head again', ' the extreme limits of his reason. then, suddenly springing to his feet, he beat his head against th', 'extreme limits of his reason. then, suddenly springing to his feet, he beat his head against the wal', 'me limits of his reason. then, suddenly springing to his feet, he beat his head against the wall wit', 'mits of his reason. then, suddenly springing to his feet, he beat his head against the wall with suc', 'of his reason. then, suddenly springing to his feet, he beat his head against the wall with such for', 's reason. then, suddenly springing to his feet, he beat his head against the wall with such force th', 'son. then, suddenly springing to his feet, he beat his head against the wall with such force that we', 'then, suddenly springing to his feet, he beat his head against the wall with such force that we both', ' suddenly springing to his feet, he beat his head against the wall with such force that we both rush', 'enly springing to his feet, he beat his head against the wall with such force that we both rushed up', 'springing to his feet, he beat his head against the wall with such force that we both rushed upon hi', 'ging to his feet, he beat his head against the wall with such force that we both rushed upon him and', 'to his feet, he beat his head against the wall with such force that we both rushed upon him and tore', 's feet, he beat his head against the wall with such force that we both rushed upon him and tore him ', 't, he beat his head against the wall with such force that we both rushed upon him and tore him away ', ' beat his head against the wall with such force that we both rushed upon him and tore him away to th', ' his head against the wall with such force that we both rushed upon him and tore him away to the cen', 'head against the wall with such force that we both rushed upon him and tore him away to the centre o', 'against the wall with such force that we both rushed upon him and tore him away to the centre of the', 'st the wall with such force that we both rushed upon him and tore him away to the centre of the room', 'e wall with such force that we both rushed upon him and tore him away to the centre of the room. she', 'l with such force that we both rushed upon him and tore him away to the centre of the room. sherlock', 'h such force that we both rushed upon him and tore him away to the centre of the room. sherlock holm', 'h force that we both rushed upon him and tore him away to the centre of the room. sherlock holmes pu', 'ce that we both rushed upon him and tore him away to the centre of the room. sherlock holmes pushed ', 'at we both rushed upon him and tore him away to the centre of the room. sherlock holmes pushed him d', ' both rushed upon him and tore him away to the centre of the room. sherlock holmes pushed him down i', ' rushed upon him and tore him away to the centre of the room. sherlock holmes pushed him down into t', 'ed upon him and tore him away to the centre of the room. sherlock holmes pushed him down into the ea', 'on him and tore him away to the centre of the room. sherlock holmes pushed him down into the easy-ch', 'm and tore him away to the centre of the room. sherlock holmes pushed him down into the easy-chair a', ' tore him away to the centre of the room. sherlock holmes pushed him down into the easy-chair and, s', ' him away to the centre of the room. sherlock holmes pushed him down into the easy-chair and, sittin', 'away to the centre of the room. sherlock holmes pushed him down into the easy-chair and, sitting bes', 'to the centre of the room. sherlock holmes pushed him down into the easy-chair and, sitting beside h', 'e centre of the room. sherlock holmes pushed him down into the easy-chair and, sitting beside him, p', 'tre of the room. sherlock holmes pushed him down into the easy-chair and, sitting beside him, patted', 'f the room. sherlock holmes pushed him down into the easy-chair and, sitting beside him, patted his ', ' room. sherlock holmes pushed him down into the easy-chair and, sitting beside him, patted his hand ', '. sherlock holmes pushed him down into the easy-chair and, sitting beside him, patted his hand and c', 'rlock holmes pushed him down into the easy-chair and, sitting beside him, patted his hand and chatte', ' holmes pushed him down into the easy-chair and, sitting beside him, patted his hand and chatted wit', 'es pushed him down into the easy-chair and, sitting beside him, patted his hand and chatted with him', 'shed him down into the easy-chair and, sitting beside him, patted his hand and chatted with him in t', 'him down into the easy-chair and, sitting beside him, patted his hand and chatted with him in the ea', 'own into the easy-chair and, sitting beside him, patted his hand and chatted with him in the easy, s', 'nto the easy-chair and, sitting beside him, patted his hand and chatted with him in the easy, soothi', 'he easy-chair and, sitting beside him, patted his hand and chatted with him in the easy, soothing to', 'sy-chair and, sitting beside him, patted his hand and chatted with him in the easy, soothing tones w', 'air and, sitting beside him, patted his hand and chatted with him in the easy, soothing tones which ', 'nd, sitting beside him, patted his hand and chatted with him in the easy, soothing tones which he kn', 'itting beside him, patted his hand and chatted with him in the easy, soothing tones which he knew so', 'g beside him, patted his hand and chatted with him in the easy, soothing tones which he knew so well', 'ide him, patted his hand and chatted with him in the easy, soothing tones which he knew so well how ', 'im, patted his hand and chatted with him in the easy, soothing tones which he knew so well how to em', 'atted his hand and chatted with him in the easy, soothing tones which he knew so well how to employ.', ' his hand and chatted with him in the easy, soothing tones which he knew so well how to employ. "you', 'hand and chatted with him in the easy, soothing tones which he knew so well how to employ. "you have', 'and chatted with him in the easy, soothing tones which he knew so well how to employ. "you have come', 'hatted with him in the easy, soothing tones which he knew so well how to employ. "you have come to m', 'd with him in the easy, soothing tones which he knew so well how to employ. "you have come to me to ', 'h him in the easy, soothing tones which he knew so well how to employ. "you have come to me to tell ', ' in the easy, soothing tones which he knew so well how to employ. "you have come to me to tell your ', 'he easy, soothing tones which he knew so well how to employ. "you have come to me to tell your story', 'sy, soothing tones which he knew so well how to employ. "you have come to me to tell your story, hav', 'oothing tones which he knew so well how to employ. "you have come to me to tell your story, have you', 'ng tones which he knew so well how to employ. "you have come to me to tell your story, have you not?', 'nes which he knew so well how to employ. "you have come to me to tell your story, have you not?" sai', 'hich he knew so well how to employ. "you have come to me to tell your story, have you not?" said he.', 'he knew so well how to employ. "you have come to me to tell your story, have you not?" said he. "you', 'ew so well how to employ. "you have come to me to tell your story, have you not?" said he. "you are ', ' well how to employ. "you have come to me to tell your story, have you not?" said he. "you are fatig', ' how to employ. "you have come to me to tell your story, have you not?" said he. "you are fatigued w', 'to employ. "you have come to me to tell your story, have you not?" said he. "you are fatigued with y', 'ploy. "you have come to me to tell your story, have you not?" said he. "you are fatigued with your h', ' "you have come to me to tell your story, have you not?" said he. "you are fatigued with your haste.', ' have come to me to tell your story, have you not?" said he. "you are fatigued with your haste. pray', ' come to me to tell your story, have you not?" said he. "you are fatigued with your haste. pray wait', ' to me to tell your story, have you not?" said he. "you are fatigued with your haste. pray wait unti', 'e to tell your story, have you not?" said he. "you are fatigued with your haste. pray wait until you', 'tell your story, have you not?" said he. "you are fatigued with your haste. pray wait until you have', 'your story, have you not?" said he. "you are fatigued with your haste. pray wait until you have reco', 'story, have you not?" said he. "you are fatigued with your haste. pray wait until you have recovered', ', have you not?" said he. "you are fatigued with your haste. pray wait until you have recovered your', 'e you not?" said he. "you are fatigued with your haste. pray wait until you have recovered yourself,', ' not?" said he. "you are fatigued with your haste. pray wait until you have recovered yourself, and ', '" said he. "you are fatigued with your haste. pray wait until you have recovered yourself, and then ', 'd he. "you are fatigued with your haste. pray wait until you have recovered yourself, and then i sha', ' "you are fatigued with your haste. pray wait until you have recovered yourself, and then i shall be', ' are fatigued with your haste. pray wait until you have recovered yourself, and then i shall be most', 'fatigued with your haste. pray wait until you have recovered yourself, and then i shall be most happ', 'ued with your haste. pray wait until you have recovered yourself, and then i shall be most happy to ', 'ith your haste. pray wait until you have recovered yourself, and then i shall be most happy to look ', 'our haste. pray wait until you have recovered yourself, and then i shall be most happy to look into ', 'aste. pray wait until you have recovered yourself, and then i shall be most happy to look into any l', ' pray wait until you have recovered yourself, and then i shall be most happy to look into any little', ' wait until you have recovered yourself, and then i shall be most happy to look into any little prob', ' until you have recovered yourself, and then i shall be most happy to look into any little problem w', 'l you have recovered yourself, and then i shall be most happy to look into any little problem which ', ' have recovered yourself, and then i shall be most happy to look into any little problem which you m', ' recovered yourself, and then i shall be most happy to look into any little problem which you may su', 'vered yourself, and then i shall be most happy to look into any little problem which you may submit ', ' yourself, and then i shall be most happy to look into any little problem which you may submit to me', 'self, and then i shall be most happy to look into any little problem which you may submit to me." th', ' and then i shall be most happy to look into any little problem which you may submit to me." the man', 'then i shall be most happy to look into any little problem which you may submit to me." the man sat ', 'i shall be most happy to look into any little problem which you may submit to me." the man sat for a', 'll be most happy to look into any little problem which you may submit to me." the man sat for a minu', ' most happy to look into any little problem which you may submit to me." the man sat for a minute or', ' happy to look into any little problem which you may submit to me." the man sat for a minute or more', 'y to look into any little problem which you may submit to me." the man sat for a minute or more with', 'look into any little problem which you may submit to me." the man sat for a minute or more with a he', 'into any little problem which you may submit to me." the man sat for a minute or more with a heaving', 'any little problem which you may submit to me." the man sat for a minute or more with a heaving ches', 'ittle problem which you may submit to me." the man sat for a minute or more with a heaving chest, fi', ' problem which you may submit to me." the man sat for a minute or more with a heaving chest, fightin', 'lem which you may submit to me." the man sat for a minute or more with a heaving chest, fighting aga', 'hich you may submit to me." the man sat for a minute or more with a heaving chest, fighting against ', 'you may submit to me." the man sat for a minute or more with a heaving chest, fighting against his e', 'ay submit to me." the man sat for a minute or more with a heaving chest, fighting against his emotio', 'bmit to me." the man sat for a minute or more with a heaving chest, fighting against his emotion. th', 'to me." the man sat for a minute or more with a heaving chest, fighting against his emotion. then he', '." the man sat for a minute or more with a heaving chest, fighting against his emotion. then he pass', 'e man sat for a minute or more with a heaving chest, fighting against his emotion. then he passed hi', ' sat for a minute or more with a heaving chest, fighting against his emotion. then he passed his han', 'for a minute or more with a heaving chest, fighting against his emotion. then he passed his handkerc', ' minute or more with a heaving chest, fighting against his emotion. then he passed his handkerchief ', 'te or more with a heaving chest, fighting against his emotion. then he passed his handkerchief over ', ' more with a heaving chest, fighting against his emotion. then he passed his handkerchief over his b', ' with a heaving chest, fighting against his emotion. then he passed his handkerchief over his brow, ', ' a heaving chest, fighting against his emotion. then he passed his handkerchief over his brow, set h', 'aving chest, fighting against his emotion. then he passed his handkerchief over his brow, set his li', ' chest, fighting against his emotion. then he passed his handkerchief over his brow, set his lips ti', 't, fighting against his emotion. then he passed his handkerchief over his brow, set his lips tight, ', 'ghting against his emotion. then he passed his handkerchief over his brow, set his lips tight, and t', 'g against his emotion. then he passed his handkerchief over his brow, set his lips tight, and turned', 'inst his emotion. then he passed his handkerchief over his brow, set his lips tight, and turned his ', 'his emotion. then he passed his handkerchief over his brow, set his lips tight, and turned his face ', 'motion. then he passed his handkerchief over his brow, set his lips tight, and turned his face towar', 'n. then he passed his handkerchief over his brow, set his lips tight, and turned his face towards us', 'en he passed his handkerchief over his brow, set his lips tight, and turned his face towards us. "no', ' passed his handkerchief over his brow, set his lips tight, and turned his face towards us. "no doub', 'ed his handkerchief over his brow, set his lips tight, and turned his face towards us. "no doubt you', 's handkerchief over his brow, set his lips tight, and turned his face towards us. "no doubt you thin', 'dkerchief over his brow, set his lips tight, and turned his face towards us. "no doubt you think me ', 'hief over his brow, set his lips tight, and turned his face towards us. "no doubt you think me mad?"', 'over his brow, set his lips tight, and turned his face towards us. "no doubt you think me mad?" said', 'his brow, set his lips tight, and turned his face towards us. "no doubt you think me mad?" said he. ', 'row, set his lips tight, and turned his face towards us. "no doubt you think me mad?" said he. "i se', 'set his lips tight, and turned his face towards us. "no doubt you think me mad?" said he. "i see tha', 'is lips tight, and turned his face towards us. "no doubt you think me mad?" said he. "i see that you', 'ps tight, and turned his face towards us. "no doubt you think me mad?" said he. "i see that you have', 'ght, and turned his face towards us. "no doubt you think me mad?" said he. "i see that you have had ', 'and turned his face towards us. "no doubt you think me mad?" said he. "i see that you have had some ', 'urned his face towards us. "no doubt you think me mad?" said he. "i see that you have had some great', ' his face towards us. "no doubt you think me mad?" said he. "i see that you have had some great trou', 'face towards us. "no doubt you think me mad?" said he. "i see that you have had some great trouble,"', 'towards us. "no doubt you think me mad?" said he. "i see that you have had some great trouble," resp', 'ds us. "no doubt you think me mad?" said he. "i see that you have had some great trouble," responded', '. "no doubt you think me mad?" said he. "i see that you have had some great trouble," responded holm', ' doubt you think me mad?" said he. "i see that you have had some great trouble," responded holmes. "', 't you think me mad?" said he. "i see that you have had some great trouble," responded holmes. "god k', ' think me mad?" said he. "i see that you have had some great trouble," responded holmes. "god knows ', 'k me mad?" said he. "i see that you have had some great trouble," responded holmes. "god knows i hav', 'mad?" said he. "i see that you have had some great trouble," responded holmes. "god knows i have tro', ' said he. "i see that you have had some great trouble," responded holmes. "god knows i have trouble ', ' he. "i see that you have had some great trouble," responded holmes. "god knows i have trouble which', '"i see that you have had some great trouble," responded holmes. "god knows i have trouble which is e', 'e that you have had some great trouble," responded holmes. "god knows i have trouble which is enough', 't you have had some great trouble," responded holmes. "god knows i have trouble which is enough to u', ' have had some great trouble," responded holmes. "god knows i have trouble which is enough to unseat', ' had some great trouble," responded holmes. "god knows i have trouble which is enough to unseat my r', 'some great trouble," responded holmes. "god knows i have trouble which is enough to unseat my reason', 'great trouble," responded holmes. "god knows i have trouble which is enough to unseat my reason, so ', ' trouble," responded holmes. "god knows i have trouble which is enough to unseat my reason, so sudde', 'ble," responded holmes. "god knows i have trouble which is enough to unseat my reason, so sudden and', ' responded holmes. "god knows i have trouble which is enough to unseat my reason, so sudden and so t', 'onded holmes. "god knows i have trouble which is enough to unseat my reason, so sudden and so terrib', ' holmes. "god knows i have trouble which is enough to unseat my reason, so sudden and so terrible is', 'es. "god knows i have trouble which is enough to unseat my reason, so sudden and so terrible is it. ', 'god knows i have trouble which is enough to unseat my reason, so sudden and so terrible is it. publi', 'nows i have trouble which is enough to unseat my reason, so sudden and so terrible is it. public dis', 'i have trouble which is enough to unseat my reason, so sudden and so terrible is it. public disgrace', 'e trouble which is enough to unseat my reason, so sudden and so terrible is it. public disgrace i mi', 'uble which is enough to unseat my reason, so sudden and so terrible is it. public disgrace i might h', 'which is enough to unseat my reason, so sudden and so terrible is it. public disgrace i might have f', ' is enough to unseat my reason, so sudden and so terrible is it. public disgrace i might have faced,', 'nough to unseat my reason, so sudden and so terrible is it. public disgrace i might have faced, alth', ' to unseat my reason, so sudden and so terrible is it. public disgrace i might have faced, although ', 'nseat my reason, so sudden and so terrible is it. public disgrace i might have faced, although i am ', ' my reason, so sudden and so terrible is it. public disgrace i might have faced, although i am a man', 'eason, so sudden and so terrible is it. public disgrace i might have faced, although i am a man whos', ', so sudden and so terrible is it. public disgrace i might have faced, although i am a man whose cha', 'sudden and so terrible is it. public disgrace i might have faced, although i am a man whose characte', 'n and so terrible is it. public disgrace i might have faced, although i am a man whose character has', ' so terrible is it. public disgrace i might have faced, although i am a man whose character has neve', 'errible is it. public disgrace i might have faced, although i am a man whose character has never yet', 'le is it. public disgrace i might have faced, although i am a man whose character has never yet born', ' it. public disgrace i might have faced, although i am a man whose character has never yet borne a s', 'public disgrace i might have faced, although i am a man whose character has never yet borne a stain.', 'c disgrace i might have faced, although i am a man whose character has never yet borne a stain. priv', 'grace i might have faced, although i am a man whose character has never yet borne a stain. private a', ' i might have faced, although i am a man whose character has never yet borne a stain. private afflic', 'ght have faced, although i am a man whose character has never yet borne a stain. private affliction ', 'ave faced, although i am a man whose character has never yet borne a stain. private affliction also ', 'aced, although i am a man whose character has never yet borne a stain. private affliction also is th', ' although i am a man whose character has never yet borne a stain. private affliction also is the lot', 'ough i am a man whose character has never yet borne a stain. private affliction also is the lot of e', 'i am a man whose character has never yet borne a stain. private affliction also is the lot of every ', 'a man whose character has never yet borne a stain. private affliction also is the lot of every man; ', ' whose character has never yet borne a stain. private affliction also is the lot of every man; but t', 'e character has never yet borne a stain. private affliction also is the lot of every man; but the tw', 'racter has never yet borne a stain. private affliction also is the lot of every man; but the two com', 'r has never yet borne a stain. private affliction also is the lot of every man; but the two coming t', ' never yet borne a stain. private affliction also is the lot of every man; but the two coming togeth', 'r yet borne a stain. private affliction also is the lot of every man; but the two coming together, a', ' borne a stain. private affliction also is the lot of every man; but the two coming together, and in', 'e a stain. private affliction also is the lot of every man; but the two coming together, and in so f', 'tain. private affliction also is the lot of every man; but the two coming together, and in so fright', ' private affliction also is the lot of every man; but the two coming together, and in so frightful a', 'ate affliction also is the lot of every man; but the two coming together, and in so frightful a form', 'ffliction also is the lot of every man; but the two coming together, and in so frightful a form, hav', 'tion also is the lot of every man; but the two coming together, and in so frightful a form, have bee', 'also is the lot of every man; but the two coming together, and in so frightful a form, have been eno', 'is the lot of every man; but the two coming together, and in so frightful a form, have been enough t', 'e lot of every man; but the two coming together, and in so frightful a form, have been enough to sha', ' of every man; but the two coming together, and in so frightful a form, have been enough to shake my', 'very man; but the two coming together, and in so frightful a form, have been enough to shake my very', 'man; but the two coming together, and in so frightful a form, have been enough to shake my very soul', 'but the two coming together, and in so frightful a form, have been enough to shake my very soul. bes', 'he two coming together, and in so frightful a form, have been enough to shake my very soul. besides,', 'o coming together, and in so frightful a form, have been enough to shake my very soul. besides, it i', 'ing together, and in so frightful a form, have been enough to shake my very soul. besides, it is not', 'ogether, and in so frightful a form, have been enough to shake my very soul. besides, it is not i al', 'er, and in so frightful a form, have been enough to shake my very soul. besides, it is not i alone. ', 'nd in so frightful a form, have been enough to shake my very soul. besides, it is not i alone. the v', ' so frightful a form, have been enough to shake my very soul. besides, it is not i alone. the very n', 'rightful a form, have been enough to shake my very soul. besides, it is not i alone. the very nobles', 'ful a form, have been enough to shake my very soul. besides, it is not i alone. the very noblest in ', ' form, have been enough to shake my very soul. besides, it is not i alone. the very noblest in the l', ', have been enough to shake my very soul. besides, it is not i alone. the very noblest in the land m', 'e been enough to shake my very soul. besides, it is not i alone. the very noblest in the land may su', 'n enough to shake my very soul. besides, it is not i alone. the very noblest in the land may suffer ', 'ugh to shake my very soul. besides, it is not i alone. the very noblest in the land may suffer unles', 'o shake my very soul. besides, it is not i alone. the very noblest in the land may suffer unless som', 'ke my very soul. besides, it is not i alone. the very noblest in the land may suffer unless some way', ' very soul. besides, it is not i alone. the very noblest in the land may suffer unless some way be f', ' soul. besides, it is not i alone. the very noblest in the land may suffer unless some way be found ', '. besides, it is not i alone. the very noblest in the land may suffer unless some way be found out o', 'ides, it is not i alone. the very noblest in the land may suffer unless some way be found out of thi', ' it is not i alone. the very noblest in the land may suffer unless some way be found out of this hor', 's not i alone. the very noblest in the land may suffer unless some way be found out of this horrible', ' i alone. the very noblest in the land may suffer unless some way be found out of this horrible affa', 'one. the very noblest in the land may suffer unless some way be found out of this horrible affair." ', 'the very noblest in the land may suffer unless some way be found out of this horrible affair." "pray', 'ery noblest in the land may suffer unless some way be found out of this horrible affair." "pray comp', 'oblest in the land may suffer unless some way be found out of this horrible affair." "pray compose y', 't in the land may suffer unless some way be found out of this horrible affair." "pray compose yourse', 'the land may suffer unless some way be found out of this horrible affair." "pray compose yourself, s', 'and may suffer unless some way be found out of this horrible affair." "pray compose yourself, sir," ', 'ay suffer unless some way be found out of this horrible affair." "pray compose yourself, sir," said ', 'ffer unless some way be found out of this horrible affair." "pray compose yourself, sir," said holme', 'unless some way be found out of this horrible affair." "pray compose yourself, sir," said holmes, "a', 's some way be found out of this horrible affair." "pray compose yourself, sir," said holmes, "and le', 'e way be found out of this horrible affair." "pray compose yourself, sir," said holmes, "and let me ', ' be found out of this horrible affair." "pray compose yourself, sir," said holmes, "and let me have ', 'ound out of this horrible affair." "pray compose yourself, sir," said holmes, "and let me have a cle', 'out of this horrible affair." "pray compose yourself, sir," said holmes, "and let me have a clear ac', 'f this horrible affair." "pray compose yourself, sir," said holmes, "and let me have a clear account', 's horrible affair." "pray compose yourself, sir," said holmes, "and let me have a clear account of w', 'rible affair." "pray compose yourself, sir," said holmes, "and let me have a clear account of who yo', ' affair." "pray compose yourself, sir," said holmes, "and let me have a clear account of who you are', 'ir." "pray compose yourself, sir," said holmes, "and let me have a clear account of who you are and ', '"pray compose yourself, sir," said holmes, "and let me have a clear account of who you are and what ', ' compose yourself, sir," said holmes, "and let me have a clear account of who you are and what it is', 'ose yourself, sir," said holmes, "and let me have a clear account of who you are and what it is that', 'ourself, sir," said holmes, "and let me have a clear account of who you are and what it is that has ', 'lf, sir," said holmes, "and let me have a clear account of who you are and what it is that has befal', 'ir," said holmes, "and let me have a clear account of who you are and what it is that has befallen y', 'said holmes, "and let me have a clear account of who you are and what it is that has befallen you." ', 'holmes, "and let me have a clear account of who you are and what it is that has befallen you." "my n', 's, "and let me have a clear account of who you are and what it is that has befallen you." "my name,"', 'nd let me have a clear account of who you are and what it is that has befallen you." "my name," answ', 't me have a clear account of who you are and what it is that has befallen you." "my name," answered ', 'have a clear account of who you are and what it is that has befallen you." "my name," answered our v', 'a clear account of who you are and what it is that has befallen you." "my name," answered our visito', 'ar account of who you are and what it is that has befallen you." "my name," answered our visitor, "i', 'count of who you are and what it is that has befallen you." "my name," answered our visitor, "is pro', ' of who you are and what it is that has befallen you." "my name," answered our visitor, "is probably', 'ho you are and what it is that has befallen you." "my name," answered our visitor, "is probably fami', 'u are and what it is that has befallen you." "my name," answered our visitor, "is probably familiar ', ' and what it is that has befallen you." "my name," answered our visitor, "is probably familiar to yo', 'what it is that has befallen you." "my name," answered our visitor, "is probably familiar to your ea', 'it is that has befallen you." "my name," answered our visitor, "is probably familiar to your ears. i', ' that has befallen you." "my name," answered our visitor, "is probably familiar to your ears. i am a', ' has befallen you." "my name," answered our visitor, "is probably familiar to your ears. i am alexan', 'befallen you." "my name," answered our visitor, "is probably familiar to your ears. i am alexander h', 'len you." "my name," answered our visitor, "is probably familiar to your ears. i am alexander holder', 'ou." "my name," answered our visitor, "is probably familiar to your ears. i am alexander holder, of ', '"my name," answered our visitor, "is probably familiar to your ears. i am alexander holder, of the b', 'ame," answered our visitor, "is probably familiar to your ears. i am alexander holder, of the bankin', ' answered our visitor, "is probably familiar to your ears. i am alexander holder, of the banking fir', 'ered our visitor, "is probably familiar to your ears. i am alexander holder, of the banking firm of ', 'our visitor, "is probably familiar to your ears. i am alexander holder, of the banking firm of holde', 'isitor, "is probably familiar to your ears. i am alexander holder, of the banking firm of holder st', 'r, "is probably familiar to your ears. i am alexander holder, of the banking firm of holder stevens', 's probably familiar to your ears. i am alexander holder, of the banking firm of holder stevenson, o', 'bably familiar to your ears. i am alexander holder, of the banking firm of holder stevenson, of thr', ' familiar to your ears. i am alexander holder, of the banking firm of holder stevenson, of threadne', 'liar to your ears. i am alexander holder, of the banking firm of holder stevenson, of threadneedle ', 'to your ears. i am alexander holder, of the banking firm of holder stevenson, of threadneedle stree', 'ur ears. i am alexander holder, of the banking firm of holder stevenson, of threadneedle street." t', 'rs. i am alexander holder, of the banking firm of holder stevenson, of threadneedle street." the na', ' am alexander holder, of the banking firm of holder stevenson, of threadneedle street." the name wa', 'lexander holder, of the banking firm of holder stevenson, of threadneedle street." the name was ind', 'der holder, of the banking firm of holder stevenson, of threadneedle street." the name was indeed w', 'older, of the banking firm of holder stevenson, of threadneedle street." the name was indeed well k', ', of the banking firm of holder stevenson, of threadneedle street." the name was indeed well known ', 'the banking firm of holder stevenson, of threadneedle street." the name was indeed well known to us', 'anking firm of holder stevenson, of threadneedle street." the name was indeed well known to us as b', 'g firm of holder stevenson, of threadneedle street." the name was indeed well known to us as belong', 'm of holder stevenson, of threadneedle street." the name was indeed well known to us as belonging t', 'holder stevenson, of threadneedle street." the name was indeed well known to us as belonging to the', 'r stevenson, of threadneedle street." the name was indeed well known to us as belonging to the seni', 'evenson, of threadneedle street." the name was indeed well known to us as belonging to the senior pa', 'on, of threadneedle street." the name was indeed well known to us as belonging to the senior partner', 'f threadneedle street." the name was indeed well known to us as belonging to the senior partner in t', 'eadneedle street." the name was indeed well known to us as belonging to the senior partner in the se', 'edle street." the name was indeed well known to us as belonging to the senior partner in the second ', 'street." the name was indeed well known to us as belonging to the senior partner in the second large', 't." the name was indeed well known to us as belonging to the senior partner in the second largest pr', 'he name was indeed well known to us as belonging to the senior partner in the second largest private', 'me was indeed well known to us as belonging to the senior partner in the second largest private bank', 's indeed well known to us as belonging to the senior partner in the second largest private banking c', 'eed well known to us as belonging to the senior partner in the second largest private banking concer', 'ell known to us as belonging to the senior partner in the second largest private banking concern in ', 'nown to us as belonging to the senior partner in the second largest private banking concern in the c', 'to us as belonging to the senior partner in the second largest private banking concern in the city o', ' as belonging to the senior partner in the second largest private banking concern in the city of lon', 'elonging to the senior partner in the second largest private banking concern in the city of london. ', 'ing to the senior partner in the second largest private banking concern in the city of london. what ', 'o the senior partner in the second largest private banking concern in the city of london. what could', ' senior partner in the second largest private banking concern in the city of london. what could have', 'or partner in the second largest private banking concern in the city of london. what could have happ', 'rtner in the second largest private banking concern in the city of london. what could have happened,', ' in the second largest private banking concern in the city of london. what could have happened, then', 'he second largest private banking concern in the city of london. what could have happened, then, to ', 'cond largest private banking concern in the city of london. what could have happened, then, to bring', 'largest private banking concern in the city of london. what could have happened, then, to bring one ', 'st private banking concern in the city of london. what could have happened, then, to bring one of th', 'ivate banking concern in the city of london. what could have happened, then, to bring one of the for', ' banking concern in the city of london. what could have happened, then, to bring one of the foremost', 'ing concern in the city of london. what could have happened, then, to bring one of the foremost citi', 'oncern in the city of london. what could have happened, then, to bring one of the foremost citizens ', 'n in the city of london. what could have happened, then, to bring one of the foremost citizens of lo', 'the city of london. what could have happened, then, to bring one of the foremost citizens of london ', 'ity of london. what could have happened, then, to bring one of the foremost citizens of london to th', 'f london. what could have happened, then, to bring one of the foremost citizens of london to this mo', 'don. what could have happened, then, to bring one of the foremost citizens of london to this most pi', 'what could have happened, then, to bring one of the foremost citizens of london to this most pitiabl', 'could have happened, then, to bring one of the foremost citizens of london to this most pitiable pas', ' have happened, then, to bring one of the foremost citizens of london to this most pitiable pass? we', ' happened, then, to bring one of the foremost citizens of london to this most pitiable pass? we wait', 'ened, then, to bring one of the foremost citizens of london to this most pitiable pass? we waited, a', ' then, to bring one of the foremost citizens of london to this most pitiable pass? we waited, all cu', ', to bring one of the foremost citizens of london to this most pitiable pass? we waited, all curiosi', 'bring one of the foremost citizens of london to this most pitiable pass? we waited, all curiosity, u', ' one of the foremost citizens of london to this most pitiable pass? we waited, all curiosity, until ', 'of the foremost citizens of london to this most pitiable pass? we waited, all curiosity, until with ', 'e foremost citizens of london to this most pitiable pass? we waited, all curiosity, until with anoth', 'emost citizens of london to this most pitiable pass? we waited, all curiosity, until with another ef', ' citizens of london to this most pitiable pass? we waited, all curiosity, until with another effort ', 'zens of london to this most pitiable pass? we waited, all curiosity, until with another effort he br', 'of london to this most pitiable pass? we waited, all curiosity, until with another effort he braced ', 'ndon to this most pitiable pass? we waited, all curiosity, until with another effort he braced himse', 'to this most pitiable pass? we waited, all curiosity, until with another effort he braced himself to', 'is most pitiable pass? we waited, all curiosity, until with another effort he braced himself to tell', 'st pitiable pass? we waited, all curiosity, until with another effort he braced himself to tell his ', 'tiable pass? we waited, all curiosity, until with another effort he braced himself to tell his story', 'e pass? we waited, all curiosity, until with another effort he braced himself to tell his story. "i ', 's? we waited, all curiosity, until with another effort he braced himself to tell his story. "i feel ', ' waited, all curiosity, until with another effort he braced himself to tell his story. "i feel that ', 'ed, all curiosity, until with another effort he braced himself to tell his story. "i feel that time ', 'll curiosity, until with another effort he braced himself to tell his story. "i feel that time is of', 'riosity, until with another effort he braced himself to tell his story. "i feel that time is of valu', 'ty, until with another effort he braced himself to tell his story. "i feel that time is of value," s', 'ntil with another effort he braced himself to tell his story. "i feel that time is of value," said h', 'with another effort he braced himself to tell his story. "i feel that time is of value," said he; "t', 'another effort he braced himself to tell his story. "i feel that time is of value," said he; "that i', 'er effort he braced himself to tell his story. "i feel that time is of value," said he; "that is why', 'fort he braced himself to tell his story. "i feel that time is of value," said he; "that is why i ha', 'he braced himself to tell his story. "i feel that time is of value," said he; "that is why i hastene', 'aced himself to tell his story. "i feel that time is of value," said he; "that is why i hastened her', 'himself to tell his story. "i feel that time is of value," said he; "that is why i hastened here whe', 'lf to tell his story. "i feel that time is of value," said he; "that is why i hastened here when the', ' tell his story. "i feel that time is of value," said he; "that is why i hastened here when the poli', ' his story. "i feel that time is of value," said he; "that is why i hastened here when the police in', 'story. "i feel that time is of value," said he; "that is why i hastened here when the police inspect', '. "i feel that time is of value," said he; "that is why i hastened here when the police inspector su', 'feel that time is of value," said he; "that is why i hastened here when the police inspector suggest', 'that time is of value," said he; "that is why i hastened here when the police inspector suggested th', 'time is of value," said he; "that is why i hastened here when the police inspector suggested that i ', 'is of value," said he; "that is why i hastened here when the police inspector suggested that i shoul', ' value," said he; "that is why i hastened here when the police inspector suggested that i should sec', 'e," said he; "that is why i hastened here when the police inspector suggested that i should secure y', 'aid he; "that is why i hastened here when the police inspector suggested that i should secure your c', 'e; "that is why i hastened here when the police inspector suggested that i should secure your co-ope', 'hat is why i hastened here when the police inspector suggested that i should secure your co-operatio', 's why i hastened here when the police inspector suggested that i should secure your co-operation. i ', ' i hastened here when the police inspector suggested that i should secure your co-operation. i came ', 'stened here when the police inspector suggested that i should secure your co-operation. i came to ba', 'd here when the police inspector suggested that i should secure your co-operation. i came to baker s', 'e when the police inspector suggested that i should secure your co-operation. i came to baker street', 'n the police inspector suggested that i should secure your co-operation. i came to baker street by t', ' police inspector suggested that i should secure your co-operation. i came to baker street by the un', 'ce inspector suggested that i should secure your co-operation. i came to baker street by the undergr', 'spector suggested that i should secure your co-operation. i came to baker street by the underground ', 'or suggested that i should secure your co-operation. i came to baker street by the underground and h', 'ggested that i should secure your co-operation. i came to baker street by the underground and hurrie', 'ed that i should secure your co-operation. i came to baker street by the underground and hurried fro', 'at i should secure your co-operation. i came to baker street by the underground and hurried from the', 'should secure your co-operation. i came to baker street by the underground and hurried from there on', 'd secure your co-operation. i came to baker street by the underground and hurried from there on foot', 'ure your co-operation. i came to baker street by the underground and hurried from there on foot, for', 'our co-operation. i came to baker street by the underground and hurried from there on foot, for the ', 'o-operation. i came to baker street by the underground and hurried from there on foot, for the cabs ', 'ration. i came to baker street by the underground and hurried from there on foot, for the cabs go sl', 'n. i came to baker street by the underground and hurried from there on foot, for the cabs go slowly ', 'came to baker street by the underground and hurried from there on foot, for the cabs go slowly throu', 'to baker street by the underground and hurried from there on foot, for the cabs go slowly through th', 'ker street by the underground and hurried from there on foot, for the cabs go slowly through this sn', 'treet by the underground and hurried from there on foot, for the cabs go slowly through this snow. t', ' by the underground and hurried from there on foot, for the cabs go slowly through this snow. that i', 'he underground and hurried from there on foot, for the cabs go slowly through this snow. that is why', 'derground and hurried from there on foot, for the cabs go slowly through this snow. that is why i wa', 'ound and hurried from there on foot, for the cabs go slowly through this snow. that is why i was so ', 'and hurried from there on foot, for the cabs go slowly through this snow. that is why i was so out o', 'urried from there on foot, for the cabs go slowly through this snow. that is why i was so out of bre', 'd from there on foot, for the cabs go slowly through this snow. that is why i was so out of breath, ', 'm there on foot, for the cabs go slowly through this snow. that is why i was so out of breath, for i', 're on foot, for the cabs go slowly through this snow. that is why i was so out of breath, for i am a', ' foot, for the cabs go slowly through this snow. that is why i was so out of breath, for i am a man ', ', for the cabs go slowly through this snow. that is why i was so out of breath, for i am a man who t', ' the cabs go slowly through this snow. that is why i was so out of breath, for i am a man who takes ', 'cabs go slowly through this snow. that is why i was so out of breath, for i am a man who takes very ', 'go slowly through this snow. that is why i was so out of breath, for i am a man who takes very littl', 'owly through this snow. that is why i was so out of breath, for i am a man who takes very little exe', 'through this snow. that is why i was so out of breath, for i am a man who takes very little exercise', 'gh this snow. that is why i was so out of breath, for i am a man who takes very little exercise. i f', 'is snow. that is why i was so out of breath, for i am a man who takes very little exercise. i feel b', 'ow. that is why i was so out of breath, for i am a man who takes very little exercise. i feel better', 'hat is why i was so out of breath, for i am a man who takes very little exercise. i feel better now,', 's why i was so out of breath, for i am a man who takes very little exercise. i feel better now, and ', ' i was so out of breath, for i am a man who takes very little exercise. i feel better now, and i wil', 's so out of breath, for i am a man who takes very little exercise. i feel better now, and i will put', 'out of breath, for i am a man who takes very little exercise. i feel better now, and i will put the ', 'f breath, for i am a man who takes very little exercise. i feel better now, and i will put the facts', 'ath, for i am a man who takes very little exercise. i feel better now, and i will put the facts befo', 'for i am a man who takes very little exercise. i feel better now, and i will put the facts before yo', ' am a man who takes very little exercise. i feel better now, and i will put the facts before you as ', ' man who takes very little exercise. i feel better now, and i will put the facts before you as short', 'who takes very little exercise. i feel better now, and i will put the facts before you as shortly an', 'akes very little exercise. i feel better now, and i will put the facts before you as shortly and yet', 'very little exercise. i feel better now, and i will put the facts before you as shortly and yet as c', 'little exercise. i feel better now, and i will put the facts before you as shortly and yet as clearl', 'e exercise. i feel better now, and i will put the facts before you as shortly and yet as clearly as ', 'rcise. i feel better now, and i will put the facts before you as shortly and yet as clearly as i can', '. i feel better now, and i will put the facts before you as shortly and yet as clearly as i can. "it', 'eel better now, and i will put the facts before you as shortly and yet as clearly as i can. "it is, ', 'etter now, and i will put the facts before you as shortly and yet as clearly as i can. "it is, of co', ' now, and i will put the facts before you as shortly and yet as clearly as i can. "it is, of course,', ' and i will put the facts before you as shortly and yet as clearly as i can. "it is, of course, well', 'i will put the facts before you as shortly and yet as clearly as i can. "it is, of course, well know', 'l put the facts before you as shortly and yet as clearly as i can. "it is, of course, well known to ', ' the facts before you as shortly and yet as clearly as i can. "it is, of course, well known to you t', 'facts before you as shortly and yet as clearly as i can. "it is, of course, well known to you that i', ' before you as shortly and yet as clearly as i can. "it is, of course, well known to you that in a s', 're you as shortly and yet as clearly as i can. "it is, of course, well known to you that in a succes', 'u as shortly and yet as clearly as i can. "it is, of course, well known to you that in a successful ', 'shortly and yet as clearly as i can. "it is, of course, well known to you that in a successful banki', 'ly and yet as clearly as i can. "it is, of course, well known to you that in a successful banking bu', 'd yet as clearly as i can. "it is, of course, well known to you that in a successful banking busines', ' as clearly as i can. "it is, of course, well known to you that in a successful banking business as ', 'learly as i can. "it is, of course, well known to you that in a successful banking business as much ', 'y as i can. "it is, of course, well known to you that in a successful banking business as much depen', 'i can. "it is, of course, well known to you that in a successful banking business as much depends up', '. "it is, of course, well known to you that in a successful banking business as much depends upon ou', ' is, of course, well known to you that in a successful banking business as much depends upon our bei', 'of course, well known to you that in a successful banking business as much depends upon our being ab', 'urse, well known to you that in a successful banking business as much depends upon our being able to', ' well known to you that in a successful banking business as much depends upon our being able to find', ' known to you that in a successful banking business as much depends upon our being able to find remu', 'n to you that in a successful banking business as much depends upon our being able to find remunerat', 'you that in a successful banking business as much depends upon our being able to find remunerative i', 'hat in a successful banking business as much depends upon our being able to find remunerative invest', 'n a successful banking business as much depends upon our being able to find remunerative investments', 'uccessful banking business as much depends upon our being able to find remunerative investments for ', 'sful banking business as much depends upon our being able to find remunerative investments for our f', 'banking business as much depends upon our being able to find remunerative investments for our funds ', 'ng business as much depends upon our being able to find remunerative investments for our funds as up', 'siness as much depends upon our being able to find remunerative investments for our funds as upon ou', 's as much depends upon our being able to find remunerative investments for our funds as upon our inc', 'much depends upon our being able to find remunerative investments for our funds as upon our increasi', 'depends upon our being able to find remunerative investments for our funds as upon our increasing ou', 'ds upon our being able to find remunerative investments for our funds as upon our increasing our con', 'on our being able to find remunerative investments for our funds as upon our increasing our connecti', 'r being able to find remunerative investments for our funds as upon our increasing our connection an', 'ng able to find remunerative investments for our funds as upon our increasing our connection and the', 'le to find remunerative investments for our funds as upon our increasing our connection and the numb', ' find remunerative investments for our funds as upon our increasing our connection and the number of', ' remunerative investments for our funds as upon our increasing our connection and the number of our ', 'nerative investments for our funds as upon our increasing our connection and the number of our depos', 'ive investments for our funds as upon our increasing our connection and the number of our depositors', 'nvestments for our funds as upon our increasing our connection and the number of our depositors. one', 'ments for our funds as upon our increasing our connection and the number of our depositors. one of o', ' for our funds as upon our increasing our connection and the number of our depositors. one of our mo', 'our funds as upon our increasing our connection and the number of our depositors. one of our most lu', 'unds as upon our increasing our connection and the number of our depositors. one of our most lucrati', 'as upon our increasing our connection and the number of our depositors. one of our most lucrative me', 'on our increasing our connection and the number of our depositors. one of our most lucrative means o', 'r increasing our connection and the number of our depositors. one of our most lucrative means of lay', 'reasing our connection and the number of our depositors. one of our most lucrative means of laying o', 'ng our connection and the number of our depositors. one of our most lucrative means of laying out mo', 'r connection and the number of our depositors. one of our most lucrative means of laying out money i', 'nection and the number of our depositors. one of our most lucrative means of laying out money is in ', 'on and the number of our depositors. one of our most lucrative means of laying out money is in the s', 'd the number of our depositors. one of our most lucrative means of laying out money is in the shape ', ' number of our depositors. one of our most lucrative means of laying out money is in the shape of lo', 'er of our depositors. one of our most lucrative means of laying out money is in the shape of loans, ', ' our depositors. one of our most lucrative means of laying out money is in the shape of loans, where', 'depositors. one of our most lucrative means of laying out money is in the shape of loans, where the ', 'itors. one of our most lucrative means of laying out money is in the shape of loans, where the secur', '. one of our most lucrative means of laying out money is in the shape of loans, where the security i', ' of our most lucrative means of laying out money is in the shape of loans, where the security is uni', 'ur most lucrative means of laying out money is in the shape of loans, where the security is unimpeac', 'st lucrative means of laying out money is in the shape of loans, where the security is unimpeachable', 'crative means of laying out money is in the shape of loans, where the security is unimpeachable. we ', 've means of laying out money is in the shape of loans, where the security is unimpeachable. we have ', 'ans of laying out money is in the shape of loans, where the security is unimpeachable. we have done ', 'f laying out money is in the shape of loans, where the security is unimpeachable. we have done a goo', 'ing out money is in the shape of loans, where the security is unimpeachable. we have done a good dea', 'ut money is in the shape of loans, where the security is unimpeachable. we have done a good deal in ', 'ney is in the shape of loans, where the security is unimpeachable. we have done a good deal in this ', 's in the shape of loans, where the security is unimpeachable. we have done a good deal in this direc', 'the shape of loans, where the security is unimpeachable. we have done a good deal in this direction ', 'hape of loans, where the security is unimpeachable. we have done a good deal in this direction durin', 'of loans, where the security is unimpeachable. we have done a good deal in this direction during the', 'ans, where the security is unimpeachable. we have done a good deal in this direction during the last', 'where the security is unimpeachable. we have done a good deal in this direction during the last few ', ' the security is unimpeachable. we have done a good deal in this direction during the last few years', 'security is unimpeachable. we have done a good deal in this direction during the last few years, and', 'ity is unimpeachable. we have done a good deal in this direction during the last few years, and ther', 's unimpeachable. we have done a good deal in this direction during the last few years, and there are', 'mpeachable. we have done a good deal in this direction during the last few years, and there are many', 'hable. we have done a good deal in this direction during the last few years, and there are many nobl', '. we have done a good deal in this direction during the last few years, and there are many noble fam', 'have done a good deal in this direction during the last few years, and there are many noble families', 'done a good deal in this direction during the last few years, and there are many noble families to w', 'a good deal in this direction during the last few years, and there are many noble families to whom w', 'd deal in this direction during the last few years, and there are many noble families to whom we hav', 'l in this direction during the last few years, and there are many noble families to whom we have adv', 'this direction during the last few years, and there are many noble families to whom we have advanced', 'direction during the last few years, and there are many noble families to whom we have advanced larg', 'tion during the last few years, and there are many noble families to whom we have advanced large sum', 'during the last few years, and there are many noble families to whom we have advanced large sums upo', 'g the last few years, and there are many noble families to whom we have advanced large sums upon the', ' last few years, and there are many noble families to whom we have advanced large sums upon the secu', ' few years, and there are many noble families to whom we have advanced large sums upon the security ', 'years, and there are many noble families to whom we have advanced large sums upon the security of th', ', and there are many noble families to whom we have advanced large sums upon the security of their p', ' there are many noble families to whom we have advanced large sums upon the security of their pictur', 'e are many noble families to whom we have advanced large sums upon the security of their pictures, l', ' many noble families to whom we have advanced large sums upon the security of their pictures, librar', ' noble families to whom we have advanced large sums upon the security of their pictures, libraries, ', 'e families to whom we have advanced large sums upon the security of their pictures, libraries, or pl', 'ilies to whom we have advanced large sums upon the security of their pictures, libraries, or plate. ', ' to whom we have advanced large sums upon the security of their pictures, libraries, or plate. "yest', 'hom we have advanced large sums upon the security of their pictures, libraries, or plate. "yesterday', 'e have advanced large sums upon the security of their pictures, libraries, or plate. "yesterday morn', 'e advanced large sums upon the security of their pictures, libraries, or plate. "yesterday morning i', 'anced large sums upon the security of their pictures, libraries, or plate. "yesterday morning i was ', ' large sums upon the security of their pictures, libraries, or plate. "yesterday morning i was seate', 'e sums upon the security of their pictures, libraries, or plate. "yesterday morning i was seated in ', 's upon the security of their pictures, libraries, or plate. "yesterday morning i was seated in my of', 'n the security of their pictures, libraries, or plate. "yesterday morning i was seated in my office ', ' security of their pictures, libraries, or plate. "yesterday morning i was seated in my office at th', 'rity of their pictures, libraries, or plate. "yesterday morning i was seated in my office at the ban', 'of their pictures, libraries, or plate. "yesterday morning i was seated in my office at the bank whe', 'eir pictures, libraries, or plate. "yesterday morning i was seated in my office at the bank when a c', 'ictures, libraries, or plate. "yesterday morning i was seated in my office at the bank when a card w', 'es, libraries, or plate. "yesterday morning i was seated in my office at the bank when a card was br', 'ibraries, or plate. "yesterday morning i was seated in my office at the bank when a card was brought', 'ies, or plate. "yesterday morning i was seated in my office at the bank when a card was brought in t', 'or plate. "yesterday morning i was seated in my office at the bank when a card was brought in to me ', 'ate. "yesterday morning i was seated in my office at the bank when a card was brought in to me by on', '"yesterday morning i was seated in my office at the bank when a card was brought in to me by one of ', 'erday morning i was seated in my office at the bank when a card was brought in to me by one of the c', ' morning i was seated in my office at the bank when a card was brought in to me by one of the clerks', 'ing i was seated in my office at the bank when a card was brought in to me by one of the clerks. i s', ' was seated in my office at the bank when a card was brought in to me by one of the clerks. i starte', 'seated in my office at the bank when a card was brought in to me by one of the clerks. i started whe', 'd in my office at the bank when a card was brought in to me by one of the clerks. i started when i s', 'my office at the bank when a card was brought in to me by one of the clerks. i started when i saw th', 'fice at the bank when a card was brought in to me by one of the clerks. i started when i saw the nam', 'at the bank when a card was brought in to me by one of the clerks. i started when i saw the name, fo', 'e bank when a card was brought in to me by one of the clerks. i started when i saw the name, for it ', 'k when a card was brought in to me by one of the clerks. i started when i saw the name, for it was t', 'n a card was brought in to me by one of the clerks. i started when i saw the name, for it was that o', 'ard was brought in to me by one of the clerks. i started when i saw the name, for it was that of non', 'as brought in to me by one of the clerks. i started when i saw the name, for it was that of none oth', 'ought in to me by one of the clerks. i started when i saw the name, for it was that of none other th', ' in to me by one of the clerks. i started when i saw the name, for it was that of none other thanwel', 'o me by one of the clerks. i started when i saw the name, for it was that of none other thanwell, pe', 'by one of the clerks. i started when i saw the name, for it was that of none other thanwell, perhaps', 'e of the clerks. i started when i saw the name, for it was that of none other thanwell, perhaps even', 'the clerks. i started when i saw the name, for it was that of none other thanwell, perhaps even to y', 'lerks. i started when i saw the name, for it was that of none other thanwell, perhaps even to you i ', '. i started when i saw the name, for it was that of none other thanwell, perhaps even to you i had b', 'tarted when i saw the name, for it was that of none other thanwell, perhaps even to you i had better', 'd when i saw the name, for it was that of none other thanwell, perhaps even to you i had better say ', 'n i saw the name, for it was that of none other thanwell, perhaps even to you i had better say no mo', 'aw the name, for it was that of none other thanwell, perhaps even to you i had better say no more th', 'e name, for it was that of none other thanwell, perhaps even to you i had better say no more than th', 'e, for it was that of none other thanwell, perhaps even to you i had better say no more than that it', 'r it was that of none other thanwell, perhaps even to you i had better say no more than that it was ', 'was that of none other thanwell, perhaps even to you i had better say no more than that it was a nam', 'hat of none other thanwell, perhaps even to you i had better say no more than that it was a name whi', 'f none other thanwell, perhaps even to you i had better say no more than that it was a name which is', 'e other thanwell, perhaps even to you i had better say no more than that it was a name which is a ho', 'er thanwell, perhaps even to you i had better say no more than that it was a name which is a househo', 'anwell, perhaps even to you i had better say no more than that it was a name which is a household wo', 'l, perhaps even to you i had better say no more than that it was a name which is a household word al', 'rhaps even to you i had better say no more than that it was a name which is a household word all ove', ' even to you i had better say no more than that it was a name which is a household word all over the', ' to you i had better say no more than that it was a name which is a household word all over the eart', 'ou i had better say no more than that it was a name which is a household word all over the earthone ', 'had better say no more than that it was a name which is a household word all over the earthone of th', 'etter say no more than that it was a name which is a household word all over the earthone of the hig', ' say no more than that it was a name which is a household word all over the earthone of the highest,', 'no more than that it was a name which is a household word all over the earthone of the highest, nobl', 're than that it was a name which is a household word all over the earthone of the highest, noblest, ', 'an that it was a name which is a household word all over the earthone of the highest, noblest, most ', 'at it was a name which is a household word all over the earthone of the highest, noblest, most exalt', ' was a name which is a household word all over the earthone of the highest, noblest, most exalted na', 'a name which is a household word all over the earthone of the highest, noblest, most exalted names i', 'e which is a household word all over the earthone of the highest, noblest, most exalted names in eng', 'ch is a household word all over the earthone of the highest, noblest, most exalted names in england.', ' a household word all over the earthone of the highest, noblest, most exalted names in england. i wa', 'usehold word all over the earthone of the highest, noblest, most exalted names in england. i was ove', 'ld word all over the earthone of the highest, noblest, most exalted names in england. i was overwhel', 'rd all over the earthone of the highest, noblest, most exalted names in england. i was overwhelmed b', 'l over the earthone of the highest, noblest, most exalted names in england. i was overwhelmed by the', 'r the earthone of the highest, noblest, most exalted names in england. i was overwhelmed by the hono', ' earthone of the highest, noblest, most exalted names in england. i was overwhelmed by the honour an', 'hone of the highest, noblest, most exalted names in england. i was overwhelmed by the honour and att', 'of the highest, noblest, most exalted names in england. i was overwhelmed by the honour and attempte', 'e highest, noblest, most exalted names in england. i was overwhelmed by the honour and attempted, wh', 'hest, noblest, most exalted names in england. i was overwhelmed by the honour and attempted, when he', ' noblest, most exalted names in england. i was overwhelmed by the honour and attempted, when he ente', 'est, most exalted names in england. i was overwhelmed by the honour and attempted, when he entered, ', 'most exalted names in england. i was overwhelmed by the honour and attempted, when he entered, to sa', 'exalted names in england. i was overwhelmed by the honour and attempted, when he entered, to say so,', 'ed names in england. i was overwhelmed by the honour and attempted, when he entered, to say so, but ', 'mes in england. i was overwhelmed by the honour and attempted, when he entered, to say so, but he pl', 'n england. i was overwhelmed by the honour and attempted, when he entered, to say so, but he plunged', 'land. i was overwhelmed by the honour and attempted, when he entered, to say so, but he plunged at o', ' i was overwhelmed by the honour and attempted, when he entered, to say so, but he plunged at once i', 's overwhelmed by the honour and attempted, when he entered, to say so, but he plunged at once into b', 'rwhelmed by the honour and attempted, when he entered, to say so, but he plunged at once into busine', 'med by the honour and attempted, when he entered, to say so, but he plunged at once into business wi', 'y the honour and attempted, when he entered, to say so, but he plunged at once into business with th', ' honour and attempted, when he entered, to say so, but he plunged at once into business with the air', 'ur and attempted, when he entered, to say so, but he plunged at once into business with the air of a', 'd attempted, when he entered, to say so, but he plunged at once into business with the air of a man ', 'empted, when he entered, to say so, but he plunged at once into business with the air of a man who w', 'd, when he entered, to say so, but he plunged at once into business with the air of a man who wishes', 'en he entered, to say so, but he plunged at once into business with the air of a man who wishes to h', ' entered, to say so, but he plunged at once into business with the air of a man who wishes to hurry ', 'red, to say so, but he plunged at once into business with the air of a man who wishes to hurry quick', 'to say so, but he plunged at once into business with the air of a man who wishes to hurry quickly th', 'y so, but he plunged at once into business with the air of a man who wishes to hurry quickly through', ' but he plunged at once into business with the air of a man who wishes to hurry quickly through a di', 'he plunged at once into business with the air of a man who wishes to hurry quickly through a disagre', 'unged at once into business with the air of a man who wishes to hurry quickly through a disagreeable', ' at once into business with the air of a man who wishes to hurry quickly through a disagreeable task', 'nce into business with the air of a man who wishes to hurry quickly through a disagreeable task. "\'m', 'nto business with the air of a man who wishes to hurry quickly through a disagreeable task. "\'mr. ho', 'usiness with the air of a man who wishes to hurry quickly through a disagreeable task. "\'mr. holder,', 'ss with the air of a man who wishes to hurry quickly through a disagreeable task. "\'mr. holder,\' sai', 'th the air of a man who wishes to hurry quickly through a disagreeable task. "\'mr. holder,\' said he,', 'e air of a man who wishes to hurry quickly through a disagreeable task. "\'mr. holder,\' said he, \'i h', ' of a man who wishes to hurry quickly through a disagreeable task. "\'mr. holder,\' said he, \'i have b', ' man who wishes to hurry quickly through a disagreeable task. "\'mr. holder,\' said he, \'i have been i', 'who wishes to hurry quickly through a disagreeable task. "\'mr. holder,\' said he, \'i have been inform', 'ishes to hurry quickly through a disagreeable task. "\'mr. holder,\' said he, \'i have been informed th', ' to hurry quickly through a disagreeable task. "\'mr. holder,\' said he, \'i have been informed that yo', 'urry quickly through a disagreeable task. "\'mr. holder,\' said he, \'i have been informed that you are', 'quickly through a disagreeable task. "\'mr. holder,\' said he, \'i have been informed that you are in t', 'ly through a disagreeable task. "\'mr. holder,\' said he, \'i have been informed that you are in the ha', 'rough a disagreeable task. "\'mr. holder,\' said he, \'i have been informed that you are in the habit o', ' a disagreeable task. "\'mr. holder,\' said he, \'i have been informed that you are in the habit of adv', 'sagreeable task. "\'mr. holder,\' said he, \'i have been informed that you are in the habit of advancin', 'eable task. "\'mr. holder,\' said he, \'i have been informed that you are in the habit of advancing mon', ' task. "\'mr. holder,\' said he, \'i have been informed that you are in the habit of advancing money.\' ', '. "\'mr. holder,\' said he, \'i have been informed that you are in the habit of advancing money.\' "\'the', 'r. holder,\' said he, \'i have been informed that you are in the habit of advancing money.\' "\'the firm', 'lder,\' said he, \'i have been informed that you are in the habit of advancing money.\' "\'the firm does', '\' said he, \'i have been informed that you are in the habit of advancing money.\' "\'the firm does so w', 'd he, \'i have been informed that you are in the habit of advancing money.\' "\'the firm does so when t', ' \'i have been informed that you are in the habit of advancing money.\' "\'the firm does so when the se', 'ave been informed that you are in the habit of advancing money.\' "\'the firm does so when the securit', 'een informed that you are in the habit of advancing money.\' "\'the firm does so when the security is ', 'nformed that you are in the habit of advancing money.\' "\'the firm does so when the security is good.', 'ed that you are in the habit of advancing money.\' "\'the firm does so when the security is good.\' i a', 'at you are in the habit of advancing money.\' "\'the firm does so when the security is good.\' i answer', 'u are in the habit of advancing money.\' "\'the firm does so when the security is good.\' i answered. "', ' in the habit of advancing money.\' "\'the firm does so when the security is good.\' i answered. "\'it i', 'he habit of advancing money.\' "\'the firm does so when the security is good.\' i answered. "\'it is abs', 'bit of advancing money.\' "\'the firm does so when the security is good.\' i answered. "\'it is absolute', 'f advancing money.\' "\'the firm does so when the security is good.\' i answered. "\'it is absolutely es', 'ancing money.\' "\'the firm does so when the security is good.\' i answered. "\'it is absolutely essenti', 'g money.\' "\'the firm does so when the security is good.\' i answered. "\'it is absolutely essential to', 'ey.\' "\'the firm does so when the security is good.\' i answered. "\'it is absolutely essential to me,\'', '"\'the firm does so when the security is good.\' i answered. "\'it is absolutely essential to me,\' said', ' firm does so when the security is good.\' i answered. "\'it is absolutely essential to me,\' said he, ', ' does so when the security is good.\' i answered. "\'it is absolutely essential to me,\' said he, \'that', ' so when the security is good.\' i answered. "\'it is absolutely essential to me,\' said he, \'that i sh', 'hen the security is good.\' i answered. "\'it is absolutely essential to me,\' said he, \'that i should ', 'he security is good.\' i answered. "\'it is absolutely essential to me,\' said he, \'that i should have ', 'curity is good.\' i answered. "\'it is absolutely essential to me,\' said he, \'that i should have , p', 'y is good.\' i answered. "\'it is absolutely essential to me,\' said he, \'that i should have , pounds', 'good.\' i answered. "\'it is absolutely essential to me,\' said he, \'that i should have , pounds at o', '\' i answered. "\'it is absolutely essential to me,\' said he, \'that i should have , pounds at once. ', 'nswered. "\'it is absolutely essential to me,\' said he, \'that i should have , pounds at once. i cou', 'ed. "\'it is absolutely essential to me,\' said he, \'that i should have , pounds at once. i could, o', "'it is absolutely essential to me,' said he, 'that i should have , pounds at once. i could, of cou", "s absolutely essential to me,' said he, 'that i should have , pounds at once. i could, of course, ", "olutely essential to me,' said he, 'that i should have , pounds at once. i could, of course, borro", "ly essential to me,' said he, 'that i should have , pounds at once. i could, of course, borrow so ", "sential to me,' said he, 'that i should have , pounds at once. i could, of course, borrow so trifl", "al to me,' said he, 'that i should have , pounds at once. i could, of course, borrow so trifling a", " me,' said he, 'that i should have , pounds at once. i could, of course, borrow so trifling a sum ", " said he, 'that i should have , pounds at once. i could, of course, borrow so trifling a sum ten t", " he, 'that i should have , pounds at once. i could, of course, borrow so trifling a sum ten times ", "'that i should have , pounds at once. i could, of course, borrow so trifling a sum ten times over ", ' i should have , pounds at once. i could, of course, borrow so trifling a sum ten times over from ', 'ould have , pounds at once. i could, of course, borrow so trifling a sum ten times over from my fr', 'have , pounds at once. i could, of course, borrow so trifling a sum ten times over from my friends', ' , pounds at once. i could, of course, borrow so trifling a sum ten times over from my friends, but', 'ounds at once. i could, of course, borrow so trifling a sum ten times over from my friends, but i mu', ' at once. i could, of course, borrow so trifling a sum ten times over from my friends, but i much pr', 'nce. i could, of course, borrow so trifling a sum ten times over from my friends, but i much prefer ', 'i could, of course, borrow so trifling a sum ten times over from my friends, but i much prefer to ma', 'ld, of course, borrow so trifling a sum ten times over from my friends, but i much prefer to make it', 'f course, borrow so trifling a sum ten times over from my friends, but i much prefer to make it a ma', 'rse, borrow so trifling a sum ten times over from my friends, but i much prefer to make it a matter ', 'borrow so trifling a sum ten times over from my friends, but i much prefer to make it a matter of bu', 'w so trifling a sum ten times over from my friends, but i much prefer to make it a matter of busines', 'trifling a sum ten times over from my friends, but i much prefer to make it a matter of business and', 'ing a sum ten times over from my friends, but i much prefer to make it a matter of business and to c', ' sum ten times over from my friends, but i much prefer to make it a matter of business and to carry ', 'ten times over from my friends, but i much prefer to make it a matter of business and to carry out t', 'imes over from my friends, but i much prefer to make it a matter of business and to carry out that b', 'over from my friends, but i much prefer to make it a matter of business and to carry out that busine', 'from my friends, but i much prefer to make it a matter of business and to carry out that business my', 'my friends, but i much prefer to make it a matter of business and to carry out that business myself.', 'iends, but i much prefer to make it a matter of business and to carry out that business myself. in m', ', but i much prefer to make it a matter of business and to carry out that business myself. in my pos', ' i much prefer to make it a matter of business and to carry out that business myself. in my position', 'ch prefer to make it a matter of business and to carry out that business myself. in my position you ', 'efer to make it a matter of business and to carry out that business myself. in my position you can r', 'to make it a matter of business and to carry out that business myself. in my position you can readil', 'ke it a matter of business and to carry out that business myself. in my position you can readily und', ' a matter of business and to carry out that business myself. in my position you can readily understa', 'tter of business and to carry out that business myself. in my position you can readily understand th', 'of business and to carry out that business myself. in my position you can readily understand that it', 'siness and to carry out that business myself. in my position you can readily understand that it is u', 's and to carry out that business myself. in my position you can readily understand that it is unwise', ' to carry out that business myself. in my position you can readily understand that it is unwise to p', 'arry out that business myself. in my position you can readily understand that it is unwise to place ', "out that business myself. in my position you can readily understand that it is unwise to place one's", "hat business myself. in my position you can readily understand that it is unwise to place one's self", "usiness myself. in my position you can readily understand that it is unwise to place one's self unde", "ss myself. in my position you can readily understand that it is unwise to place one's self under obl", "self. in my position you can readily understand that it is unwise to place one's self under obligati", " in my position you can readily understand that it is unwise to place one's self under obligations.'", 'y position you can readily understand that it is unwise to place one\'s self under obligations.\' "\'fo', 'ition you can readily understand that it is unwise to place one\'s self under obligations.\' "\'for how', ' you can readily understand that it is unwise to place one\'s self under obligations.\' "\'for how long', 'can readily understand that it is unwise to place one\'s self under obligations.\' "\'for how long, may', 'eadily understand that it is unwise to place one\'s self under obligations.\' "\'for how long, may i as', 'y understand that it is unwise to place one\'s self under obligations.\' "\'for how long, may i ask, do', 'erstand that it is unwise to place one\'s self under obligations.\' "\'for how long, may i ask, do you ', 'nd that it is unwise to place one\'s self under obligations.\' "\'for how long, may i ask, do you want ', 'at it is unwise to place one\'s self under obligations.\' "\'for how long, may i ask, do you want this ', ' is unwise to place one\'s self under obligations.\' "\'for how long, may i ask, do you want this sum?\'', 'nwise to place one\'s self under obligations.\' "\'for how long, may i ask, do you want this sum?\' i as', ' to place one\'s self under obligations.\' "\'for how long, may i ask, do you want this sum?\' i asked. ', 'lace one\'s self under obligations.\' "\'for how long, may i ask, do you want this sum?\' i asked. "\'nex', 'one\'s self under obligations.\' "\'for how long, may i ask, do you want this sum?\' i asked. "\'next mon', ' self under obligations.\' "\'for how long, may i ask, do you want this sum?\' i asked. "\'next monday i', ' under obligations.\' "\'for how long, may i ask, do you want this sum?\' i asked. "\'next monday i have', 'r obligations.\' "\'for how long, may i ask, do you want this sum?\' i asked. "\'next monday i have a la', 'igations.\' "\'for how long, may i ask, do you want this sum?\' i asked. "\'next monday i have a large s', 'ons.\' "\'for how long, may i ask, do you want this sum?\' i asked. "\'next monday i have a large sum du', ' "\'for how long, may i ask, do you want this sum?\' i asked. "\'next monday i have a large sum due to ', 'r how long, may i ask, do you want this sum?\' i asked. "\'next monday i have a large sum due to me, a', ' long, may i ask, do you want this sum?\' i asked. "\'next monday i have a large sum due to me, and i ', ', may i ask, do you want this sum?\' i asked. "\'next monday i have a large sum due to me, and i shall', ' i ask, do you want this sum?\' i asked. "\'next monday i have a large sum due to me, and i shall then', 'k, do you want this sum?\' i asked. "\'next monday i have a large sum due to me, and i shall then most', ' you want this sum?\' i asked. "\'next monday i have a large sum due to me, and i shall then most cert', 'want this sum?\' i asked. "\'next monday i have a large sum due to me, and i shall then most certainly', 'this sum?\' i asked. "\'next monday i have a large sum due to me, and i shall then most certainly repa', 'sum?\' i asked. "\'next monday i have a large sum due to me, and i shall then most certainly repay wha', ' i asked. "\'next monday i have a large sum due to me, and i shall then most certainly repay what you', 'ked. "\'next monday i have a large sum due to me, and i shall then most certainly repay what you adva', '"\'next monday i have a large sum due to me, and i shall then most certainly repay what you advance, ', 't monday i have a large sum due to me, and i shall then most certainly repay what you advance, with ', 'day i have a large sum due to me, and i shall then most certainly repay what you advance, with whate', ' have a large sum due to me, and i shall then most certainly repay what you advance, with whatever i', ' a large sum due to me, and i shall then most certainly repay what you advance, with whatever intere', 'rge sum due to me, and i shall then most certainly repay what you advance, with whatever interest yo', 'um due to me, and i shall then most certainly repay what you advance, with whatever interest you thi', 'e to me, and i shall then most certainly repay what you advance, with whatever interest you think it', 'me, and i shall then most certainly repay what you advance, with whatever interest you think it righ', 'nd i shall then most certainly repay what you advance, with whatever interest you think it right to ', 'shall then most certainly repay what you advance, with whatever interest you think it right to charg', ' then most certainly repay what you advance, with whatever interest you think it right to charge. bu', ' most certainly repay what you advance, with whatever interest you think it right to charge. but it ', ' certainly repay what you advance, with whatever interest you think it right to charge. but it is ve', 'ainly repay what you advance, with whatever interest you think it right to charge. but it is very es', ' repay what you advance, with whatever interest you think it right to charge. but it is very essenti', 'y what you advance, with whatever interest you think it right to charge. but it is very essential to', 't you advance, with whatever interest you think it right to charge. but it is very essential to me t', ' advance, with whatever interest you think it right to charge. but it is very essential to me that t', 'nce, with whatever interest you think it right to charge. but it is very essential to me that the mo', 'with whatever interest you think it right to charge. but it is very essential to me that the money s', 'whatever interest you think it right to charge. but it is very essential to me that the money should', 'ver interest you think it right to charge. but it is very essential to me that the money should be p', 'nterest you think it right to charge. but it is very essential to me that the money should be paid a', 'st you think it right to charge. but it is very essential to me that the money should be paid at onc', 'u think it right to charge. but it is very essential to me that the money should be paid at once.\' "', 'nk it right to charge. but it is very essential to me that the money should be paid at once.\' "\'i sh', ' right to charge. but it is very essential to me that the money should be paid at once.\' "\'i should ', 't to charge. but it is very essential to me that the money should be paid at once.\' "\'i should be ha', 'charge. but it is very essential to me that the money should be paid at once.\' "\'i should be happy t', 'e. but it is very essential to me that the money should be paid at once.\' "\'i should be happy to adv', 't it is very essential to me that the money should be paid at once.\' "\'i should be happy to advance ', 'is very essential to me that the money should be paid at once.\' "\'i should be happy to advance it wi', 'ry essential to me that the money should be paid at once.\' "\'i should be happy to advance it without', 'sential to me that the money should be paid at once.\' "\'i should be happy to advance it without furt', 'al to me that the money should be paid at once.\' "\'i should be happy to advance it without further p', ' me that the money should be paid at once.\' "\'i should be happy to advance it without further parley', 'hat the money should be paid at once.\' "\'i should be happy to advance it without further parley from', 'he money should be paid at once.\' "\'i should be happy to advance it without further parley from my o', 'ney should be paid at once.\' "\'i should be happy to advance it without further parley from my own pr', 'hould be paid at once.\' "\'i should be happy to advance it without further parley from my own private', ' be paid at once.\' "\'i should be happy to advance it without further parley from my own private purs', 'aid at once.\' "\'i should be happy to advance it without further parley from my own private purse,\' s', 't once.\' "\'i should be happy to advance it without further parley from my own private purse,\' said i', 'e.\' "\'i should be happy to advance it without further parley from my own private purse,\' said i, \'we', "'i should be happy to advance it without further parley from my own private purse,' said i, 'were it", "ould be happy to advance it without further parley from my own private purse,' said i, 'were it not ", "be happy to advance it without further parley from my own private purse,' said i, 'were it not that ", "ppy to advance it without further parley from my own private purse,' said i, 'were it not that the s", "o advance it without further parley from my own private purse,' said i, 'were it not that the strain", "ance it without further parley from my own private purse,' said i, 'were it not that the strain woul", "it without further parley from my own private purse,' said i, 'were it not that the strain would be ", "thout further parley from my own private purse,' said i, 'were it not that the strain would be rathe", " further parley from my own private purse,' said i, 'were it not that the strain would be rather mor", "her parley from my own private purse,' said i, 'were it not that the strain would be rather more tha", "arley from my own private purse,' said i, 'were it not that the strain would be rather more than it ", " from my own private purse,' said i, 'were it not that the strain would be rather more than it could", " my own private purse,' said i, 'were it not that the strain would be rather more than it could bear", "wn private purse,' said i, 'were it not that the strain would be rather more than it could bear. if,", "ivate purse,' said i, 'were it not that the strain would be rather more than it could bear. if, on t", " purse,' said i, 'were it not that the strain would be rather more than it could bear. if, on the ot", "e,' said i, 'were it not that the strain would be rather more than it could bear. if, on the other h", "aid i, 'were it not that the strain would be rather more than it could bear. if, on the other hand, ", ", 'were it not that the strain would be rather more than it could bear. if, on the other hand, i am ", 're it not that the strain would be rather more than it could bear. if, on the other hand, i am to do', ' not that the strain would be rather more than it could bear. if, on the other hand, i am to do it i', 'that the strain would be rather more than it could bear. if, on the other hand, i am to do it in the', 'the strain would be rather more than it could bear. if, on the other hand, i am to do it in the name', 'train would be rather more than it could bear. if, on the other hand, i am to do it in the name of t', ' would be rather more than it could bear. if, on the other hand, i am to do it in the name of the fi', 'd be rather more than it could bear. if, on the other hand, i am to do it in the name of the firm, t', 'rather more than it could bear. if, on the other hand, i am to do it in the name of the firm, then i', 'r more than it could bear. if, on the other hand, i am to do it in the name of the firm, then in jus', 'e than it could bear. if, on the other hand, i am to do it in the name of the firm, then in justice ', 'n it could bear. if, on the other hand, i am to do it in the name of the firm, then in justice to my', 'could bear. if, on the other hand, i am to do it in the name of the firm, then in justice to my part', ' bear. if, on the other hand, i am to do it in the name of the firm, then in justice to my partner i', '. if, on the other hand, i am to do it in the name of the firm, then in justice to my partner i must', ' on the other hand, i am to do it in the name of the firm, then in justice to my partner i must insi', 'he other hand, i am to do it in the name of the firm, then in justice to my partner i must insist th', 'her hand, i am to do it in the name of the firm, then in justice to my partner i must insist that, e', 'and, i am to do it in the name of the firm, then in justice to my partner i must insist that, even i', 'i am to do it in the name of the firm, then in justice to my partner i must insist that, even in you', 'to do it in the name of the firm, then in justice to my partner i must insist that, even in your cas', ' it in the name of the firm, then in justice to my partner i must insist that, even in your case, ev', 'n the name of the firm, then in justice to my partner i must insist that, even in your case, every b', ' name of the firm, then in justice to my partner i must insist that, even in your case, every busine', ' of the firm, then in justice to my partner i must insist that, even in your case, every businesslik', 'he firm, then in justice to my partner i must insist that, even in your case, every businesslike pre', 'rm, then in justice to my partner i must insist that, even in your case, every businesslike precauti', 'hen in justice to my partner i must insist that, even in your case, every businesslike precaution sh', 'n justice to my partner i must insist that, even in your case, every businesslike precaution should ', 'tice to my partner i must insist that, even in your case, every businesslike precaution should be ta', "to my partner i must insist that, even in your case, every businesslike precaution should be taken.'", ' partner i must insist that, even in your case, every businesslike precaution should be taken.\' "\'i ', 'ner i must insist that, even in your case, every businesslike precaution should be taken.\' "\'i shoul', ' must insist that, even in your case, every businesslike precaution should be taken.\' "\'i should muc', ' insist that, even in your case, every businesslike precaution should be taken.\' "\'i should much pre', 'st that, even in your case, every businesslike precaution should be taken.\' "\'i should much prefer t', 'at, even in your case, every businesslike precaution should be taken.\' "\'i should much prefer to hav', 'ven in your case, every businesslike precaution should be taken.\' "\'i should much prefer to have it ', 'n your case, every businesslike precaution should be taken.\' "\'i should much prefer to have it so,\' ', 'r case, every businesslike precaution should be taken.\' "\'i should much prefer to have it so,\' said ', 'e, every businesslike precaution should be taken.\' "\'i should much prefer to have it so,\' said he, r', 'ery businesslike precaution should be taken.\' "\'i should much prefer to have it so,\' said he, raisin', 'usinesslike precaution should be taken.\' "\'i should much prefer to have it so,\' said he, raising up ', 'sslike precaution should be taken.\' "\'i should much prefer to have it so,\' said he, raising up a squ', 'e precaution should be taken.\' "\'i should much prefer to have it so,\' said he, raising up a square, ', 'caution should be taken.\' "\'i should much prefer to have it so,\' said he, raising up a square, black', 'on should be taken.\' "\'i should much prefer to have it so,\' said he, raising up a square, black moro', 'ould be taken.\' "\'i should much prefer to have it so,\' said he, raising up a square, black morocco c', 'be taken.\' "\'i should much prefer to have it so,\' said he, raising up a square, black morocco case w', 'ken.\' "\'i should much prefer to have it so,\' said he, raising up a square, black morocco case which ', ' "\'i should much prefer to have it so,\' said he, raising up a square, black morocco case which he ha', "should much prefer to have it so,' said he, raising up a square, black morocco case which he had lai", "d much prefer to have it so,' said he, raising up a square, black morocco case which he had laid bes", "h prefer to have it so,' said he, raising up a square, black morocco case which he had laid beside h", "fer to have it so,' said he, raising up a square, black morocco case which he had laid beside his ch", "o have it so,' said he, raising up a square, black morocco case which he had laid beside his chair. ", "e it so,' said he, raising up a square, black morocco case which he had laid beside his chair. 'you ", "so,' said he, raising up a square, black morocco case which he had laid beside his chair. 'you have ", "said he, raising up a square, black morocco case which he had laid beside his chair. 'you have doubt", "he, raising up a square, black morocco case which he had laid beside his chair. 'you have doubtless ", "aising up a square, black morocco case which he had laid beside his chair. 'you have doubtless heard", "g up a square, black morocco case which he had laid beside his chair. 'you have doubtless heard of t", "a square, black morocco case which he had laid beside his chair. 'you have doubtless heard of the be", "are, black morocco case which he had laid beside his chair. 'you have doubtless heard of the beryl c", "black morocco case which he had laid beside his chair. 'you have doubtless heard of the beryl corone", ' morocco case which he had laid beside his chair. \'you have doubtless heard of the beryl coronet?\' "', 'cco case which he had laid beside his chair. \'you have doubtless heard of the beryl coronet?\' "\'one ', 'ase which he had laid beside his chair. \'you have doubtless heard of the beryl coronet?\' "\'one of th', 'hich he had laid beside his chair. \'you have doubtless heard of the beryl coronet?\' "\'one of the mos', 'he had laid beside his chair. \'you have doubtless heard of the beryl coronet?\' "\'one of the most pre', 'd laid beside his chair. \'you have doubtless heard of the beryl coronet?\' "\'one of the most precious', 'd beside his chair. \'you have doubtless heard of the beryl coronet?\' "\'one of the most precious publ', 'ide his chair. \'you have doubtless heard of the beryl coronet?\' "\'one of the most precious public po', 'is chair. \'you have doubtless heard of the beryl coronet?\' "\'one of the most precious public possess', 'air. \'you have doubtless heard of the beryl coronet?\' "\'one of the most precious public possessions ', '\'you have doubtless heard of the beryl coronet?\' "\'one of the most precious public possessions of th', 'have doubtless heard of the beryl coronet?\' "\'one of the most precious public possessions of the emp', 'doubtless heard of the beryl coronet?\' "\'one of the most precious public possessions of the empire,\'', 'less heard of the beryl coronet?\' "\'one of the most precious public possessions of the empire,\' said', 'heard of the beryl coronet?\' "\'one of the most precious public possessions of the empire,\' said i. "', ' of the beryl coronet?\' "\'one of the most precious public possessions of the empire,\' said i. "\'prec', 'he beryl coronet?\' "\'one of the most precious public possessions of the empire,\' said i. "\'precisely', 'ryl coronet?\' "\'one of the most precious public possessions of the empire,\' said i. "\'precisely.\' he', 'oronet?\' "\'one of the most precious public possessions of the empire,\' said i. "\'precisely.\' he open', 't?\' "\'one of the most precious public possessions of the empire,\' said i. "\'precisely.\' he opened th', '\'one of the most precious public possessions of the empire,\' said i. "\'precisely.\' he opened the cas', 'of the most precious public possessions of the empire,\' said i. "\'precisely.\' he opened the case, an', 'e most precious public possessions of the empire,\' said i. "\'precisely.\' he opened the case, and the', 't precious public possessions of the empire,\' said i. "\'precisely.\' he opened the case, and there, i', 'cious public possessions of the empire,\' said i. "\'precisely.\' he opened the case, and there, imbedd', ' public possessions of the empire,\' said i. "\'precisely.\' he opened the case, and there, imbedded in', 'ic possessions of the empire,\' said i. "\'precisely.\' he opened the case, and there, imbedded in soft', 'ssessions of the empire,\' said i. "\'precisely.\' he opened the case, and there, imbedded in soft, fle', 'ions of the empire,\' said i. "\'precisely.\' he opened the case, and there, imbedded in soft, flesh-co', 'of the empire,\' said i. "\'precisely.\' he opened the case, and there, imbedded in soft, flesh-coloure', 'e empire,\' said i. "\'precisely.\' he opened the case, and there, imbedded in soft, flesh-coloured vel', 'ire,\' said i. "\'precisely.\' he opened the case, and there, imbedded in soft, flesh-coloured velvet, ', ' said i. "\'precisely.\' he opened the case, and there, imbedded in soft, flesh-coloured velvet, lay t', ' i. "\'precisely.\' he opened the case, and there, imbedded in soft, flesh-coloured velvet, lay the ma', "'precisely.' he opened the case, and there, imbedded in soft, flesh-coloured velvet, lay the magnifi", "isely.' he opened the case, and there, imbedded in soft, flesh-coloured velvet, lay the magnificent ", ".' he opened the case, and there, imbedded in soft, flesh-coloured velvet, lay the magnificent piece", ' opened the case, and there, imbedded in soft, flesh-coloured velvet, lay the magnificent piece of j', 'ed the case, and there, imbedded in soft, flesh-coloured velvet, lay the magnificent piece of jewell', 'e case, and there, imbedded in soft, flesh-coloured velvet, lay the magnificent piece of jewellery w', 'e, and there, imbedded in soft, flesh-coloured velvet, lay the magnificent piece of jewellery which ', 'd there, imbedded in soft, flesh-coloured velvet, lay the magnificent piece of jewellery which he ha', 're, imbedded in soft, flesh-coloured velvet, lay the magnificent piece of jewellery which he had nam', "mbedded in soft, flesh-coloured velvet, lay the magnificent piece of jewellery which he had named. '", "ed in soft, flesh-coloured velvet, lay the magnificent piece of jewellery which he had named. 'there", " soft, flesh-coloured velvet, lay the magnificent piece of jewellery which he had named. 'there are ", ", flesh-coloured velvet, lay the magnificent piece of jewellery which he had named. 'there are thirt", "sh-coloured velvet, lay the magnificent piece of jewellery which he had named. 'there are thirty-nin", "loured velvet, lay the magnificent piece of jewellery which he had named. 'there are thirty-nine eno", "d velvet, lay the magnificent piece of jewellery which he had named. 'there are thirty-nine enormous", "vet, lay the magnificent piece of jewellery which he had named. 'there are thirty-nine enormous bery", "lay the magnificent piece of jewellery which he had named. 'there are thirty-nine enormous beryls,' ", "he magnificent piece of jewellery which he had named. 'there are thirty-nine enormous beryls,' said ", "gnificent piece of jewellery which he had named. 'there are thirty-nine enormous beryls,' said he, '", "cent piece of jewellery which he had named. 'there are thirty-nine enormous beryls,' said he, 'and t", "piece of jewellery which he had named. 'there are thirty-nine enormous beryls,' said he, 'and the pr", " of jewellery which he had named. 'there are thirty-nine enormous beryls,' said he, 'and the price o", "ewellery which he had named. 'there are thirty-nine enormous beryls,' said he, 'and the price of the", "ery which he had named. 'there are thirty-nine enormous beryls,' said he, 'and the price of the gold", "hich he had named. 'there are thirty-nine enormous beryls,' said he, 'and the price of the gold chas", "he had named. 'there are thirty-nine enormous beryls,' said he, 'and the price of the gold chasing i", "d named. 'there are thirty-nine enormous beryls,' said he, 'and the price of the gold chasing is inc", "ed. 'there are thirty-nine enormous beryls,' said he, 'and the price of the gold chasing is incalcul", "there are thirty-nine enormous beryls,' said he, 'and the price of the gold chasing is incalculable.", " are thirty-nine enormous beryls,' said he, 'and the price of the gold chasing is incalculable. the ", "thirty-nine enormous beryls,' said he, 'and the price of the gold chasing is incalculable. the lowes", "y-nine enormous beryls,' said he, 'and the price of the gold chasing is incalculable. the lowest est", "e enormous beryls,' said he, 'and the price of the gold chasing is incalculable. the lowest estimate", "rmous beryls,' said he, 'and the price of the gold chasing is incalculable. the lowest estimate woul", " beryls,' said he, 'and the price of the gold chasing is incalculable. the lowest estimate would put", "ls,' said he, 'and the price of the gold chasing is incalculable. the lowest estimate would put the ", "said he, 'and the price of the gold chasing is incalculable. the lowest estimate would put the worth", "he, 'and the price of the gold chasing is incalculable. the lowest estimate would put the worth of t", 'and the price of the gold chasing is incalculable. the lowest estimate would put the worth of the co', 'he price of the gold chasing is incalculable. the lowest estimate would put the worth of the coronet', 'ice of the gold chasing is incalculable. the lowest estimate would put the worth of the coronet at d', 'f the gold chasing is incalculable. the lowest estimate would put the worth of the coronet at double', ' gold chasing is incalculable. the lowest estimate would put the worth of the coronet at double the ', ' chasing is incalculable. the lowest estimate would put the worth of the coronet at double the sum w', 'ing is incalculable. the lowest estimate would put the worth of the coronet at double the sum which ', 's incalculable. the lowest estimate would put the worth of the coronet at double the sum which i hav', 'alculable. the lowest estimate would put the worth of the coronet at double the sum which i have ask', 'able. the lowest estimate would put the worth of the coronet at double the sum which i have asked. i', ' the lowest estimate would put the worth of the coronet at double the sum which i have asked. i am p', 'lowest estimate would put the worth of the coronet at double the sum which i have asked. i am prepar', 't estimate would put the worth of the coronet at double the sum which i have asked. i am prepared to', 'imate would put the worth of the coronet at double the sum which i have asked. i am prepared to leav', ' would put the worth of the coronet at double the sum which i have asked. i am prepared to leave it ', 'd put the worth of the coronet at double the sum which i have asked. i am prepared to leave it with ', ' the worth of the coronet at double the sum which i have asked. i am prepared to leave it with you a', 'worth of the coronet at double the sum which i have asked. i am prepared to leave it with you as my ', ' of the coronet at double the sum which i have asked. i am prepared to leave it with you as my secur', "he coronet at double the sum which i have asked. i am prepared to leave it with you as my security.'", 'ronet at double the sum which i have asked. i am prepared to leave it with you as my security.\' "i t', ' at double the sum which i have asked. i am prepared to leave it with you as my security.\' "i took t', 'ouble the sum which i have asked. i am prepared to leave it with you as my security.\' "i took the pr', ' the sum which i have asked. i am prepared to leave it with you as my security.\' "i took the preciou', 'sum which i have asked. i am prepared to leave it with you as my security.\' "i took the precious cas', 'hich i have asked. i am prepared to leave it with you as my security.\' "i took the precious case int', 'i have asked. i am prepared to leave it with you as my security.\' "i took the precious case into my ', 'e asked. i am prepared to leave it with you as my security.\' "i took the precious case into my hands', 'ed. i am prepared to leave it with you as my security.\' "i took the precious case into my hands and ', ' am prepared to leave it with you as my security.\' "i took the precious case into my hands and looke', 'repared to leave it with you as my security.\' "i took the precious case into my hands and looked in ', 'ed to leave it with you as my security.\' "i took the precious case into my hands and looked in some ', ' leave it with you as my security.\' "i took the precious case into my hands and looked in some perpl', 'e it with you as my security.\' "i took the precious case into my hands and looked in some perplexity', 'with you as my security.\' "i took the precious case into my hands and looked in some perplexity from', 'you as my security.\' "i took the precious case into my hands and looked in some perplexity from it t', 's my security.\' "i took the precious case into my hands and looked in some perplexity from it to my ', 'security.\' "i took the precious case into my hands and looked in some perplexity from it to my illus', 'ity.\' "i took the precious case into my hands and looked in some perplexity from it to my illustriou', ' "i took the precious case into my hands and looked in some perplexity from it to my illustrious cli', 'ook the precious case into my hands and looked in some perplexity from it to my illustrious client. ', 'he precious case into my hands and looked in some perplexity from it to my illustrious client. "\'you', 'ecious case into my hands and looked in some perplexity from it to my illustrious client. "\'you doub', 's case into my hands and looked in some perplexity from it to my illustrious client. "\'you doubt its', 'e into my hands and looked in some perplexity from it to my illustrious client. "\'you doubt its valu', 'o my hands and looked in some perplexity from it to my illustrious client. "\'you doubt its value?\' h', 'hands and looked in some perplexity from it to my illustrious client. "\'you doubt its value?\' he ask', ' and looked in some perplexity from it to my illustrious client. "\'you doubt its value?\' he asked. "', 'looked in some perplexity from it to my illustrious client. "\'you doubt its value?\' he asked. "\'not ', 'd in some perplexity from it to my illustrious client. "\'you doubt its value?\' he asked. "\'not at al', 'some perplexity from it to my illustrious client. "\'you doubt its value?\' he asked. "\'not at all. i ', 'perplexity from it to my illustrious client. "\'you doubt its value?\' he asked. "\'not at all. i only ', 'exity from it to my illustrious client. "\'you doubt its value?\' he asked. "\'not at all. i only doubt', ' from it to my illustrious client. "\'you doubt its value?\' he asked. "\'not at all. i only doubt\' "\'t', ' it to my illustrious client. "\'you doubt its value?\' he asked. "\'not at all. i only doubt\' "\'the pr', 'o my illustrious client. "\'you doubt its value?\' he asked. "\'not at all. i only doubt\' "\'the proprie', 'illustrious client. "\'you doubt its value?\' he asked. "\'not at all. i only doubt\' "\'the propriety of', 'trious client. "\'you doubt its value?\' he asked. "\'not at all. i only doubt\' "\'the propriety of my l', 's client. "\'you doubt its value?\' he asked. "\'not at all. i only doubt\' "\'the propriety of my leavin', 'ent. "\'you doubt its value?\' he asked. "\'not at all. i only doubt\' "\'the propriety of my leaving it.', '"\'you doubt its value?\' he asked. "\'not at all. i only doubt\' "\'the propriety of my leaving it. you ', ' doubt its value?\' he asked. "\'not at all. i only doubt\' "\'the propriety of my leaving it. you may s', 't its value?\' he asked. "\'not at all. i only doubt\' "\'the propriety of my leaving it. you may set yo', ' value?\' he asked. "\'not at all. i only doubt\' "\'the propriety of my leaving it. you may set your mi', 'e?\' he asked. "\'not at all. i only doubt\' "\'the propriety of my leaving it. you may set your mind at', 'e asked. "\'not at all. i only doubt\' "\'the propriety of my leaving it. you may set your mind at rest', 'ed. "\'not at all. i only doubt\' "\'the propriety of my leaving it. you may set your mind at rest abou', '\'not at all. i only doubt\' "\'the propriety of my leaving it. you may set your mind at rest about tha', 'at all. i only doubt\' "\'the propriety of my leaving it. you may set your mind at rest about that. i ', 'l. i only doubt\' "\'the propriety of my leaving it. you may set your mind at rest about that. i shoul', 'only doubt\' "\'the propriety of my leaving it. you may set your mind at rest about that. i should not', 'doubt\' "\'the propriety of my leaving it. you may set your mind at rest about that. i should not drea', '\' "\'the propriety of my leaving it. you may set your mind at rest about that. i should not dream of ', 'he propriety of my leaving it. you may set your mind at rest about that. i should not dream of doing', 'opriety of my leaving it. you may set your mind at rest about that. i should not dream of doing so w', 'ty of my leaving it. you may set your mind at rest about that. i should not dream of doing so were i', ' my leaving it. you may set your mind at rest about that. i should not dream of doing so were it not', 'eaving it. you may set your mind at rest about that. i should not dream of doing so were it not abso', 'g it. you may set your mind at rest about that. i should not dream of doing so were it not absolutel', ' you may set your mind at rest about that. i should not dream of doing so were it not absolutely cer', 'may set your mind at rest about that. i should not dream of doing so were it not absolutely certain ', 'et your mind at rest about that. i should not dream of doing so were it not absolutely certain that ', 'ur mind at rest about that. i should not dream of doing so were it not absolutely certain that i sho', 'nd at rest about that. i should not dream of doing so were it not absolutely certain that i should b', ' rest about that. i should not dream of doing so were it not absolutely certain that i should be abl', ' about that. i should not dream of doing so were it not absolutely certain that i should be able in ', 't that. i should not dream of doing so were it not absolutely certain that i should be able in four ', 't. i should not dream of doing so were it not absolutely certain that i should be able in four days ', 'should not dream of doing so were it not absolutely certain that i should be able in four days to re', 'd not dream of doing so were it not absolutely certain that i should be able in four days to reclaim', ' dream of doing so were it not absolutely certain that i should be able in four days to reclaim it. ', 'm of doing so were it not absolutely certain that i should be able in four days to reclaim it. it is', 'doing so were it not absolutely certain that i should be able in four days to reclaim it. it is a pu', ' so were it not absolutely certain that i should be able in four days to reclaim it. it is a pure ma', 'ere it not absolutely certain that i should be able in four days to reclaim it. it is a pure matter ', 't not absolutely certain that i should be able in four days to reclaim it. it is a pure matter of fo', ' absolutely certain that i should be able in four days to reclaim it. it is a pure matter of form. i', 'lutely certain that i should be able in four days to reclaim it. it is a pure matter of form. is the', 'y certain that i should be able in four days to reclaim it. it is a pure matter of form. is the secu', 'tain that i should be able in four days to reclaim it. it is a pure matter of form. is the security ', 'that i should be able in four days to reclaim it. it is a pure matter of form. is the security suffi', 'i should be able in four days to reclaim it. it is a pure matter of form. is the security sufficient', 'uld be able in four days to reclaim it. it is a pure matter of form. is the security sufficient?\' "\'', 'e able in four days to reclaim it. it is a pure matter of form. is the security sufficient?\' "\'ample', 'e in four days to reclaim it. it is a pure matter of form. is the security sufficient?\' "\'ample.\' "\'', 'four days to reclaim it. it is a pure matter of form. is the security sufficient?\' "\'ample.\' "\'you u', 'days to reclaim it. it is a pure matter of form. is the security sufficient?\' "\'ample.\' "\'you unders', 'to reclaim it. it is a pure matter of form. is the security sufficient?\' "\'ample.\' "\'you understand,', 'claim it. it is a pure matter of form. is the security sufficient?\' "\'ample.\' "\'you understand, mr. ', ' it. it is a pure matter of form. is the security sufficient?\' "\'ample.\' "\'you understand, mr. holde', 'it is a pure matter of form. is the security sufficient?\' "\'ample.\' "\'you understand, mr. holder, th', ' a pure matter of form. is the security sufficient?\' "\'ample.\' "\'you understand, mr. holder, that i ', 're matter of form. is the security sufficient?\' "\'ample.\' "\'you understand, mr. holder, that i am gi', 'tter of form. is the security sufficient?\' "\'ample.\' "\'you understand, mr. holder, that i am giving ', 'of form. is the security sufficient?\' "\'ample.\' "\'you understand, mr. holder, that i am giving you a', 'rm. is the security sufficient?\' "\'ample.\' "\'you understand, mr. holder, that i am giving you a stro', 's the security sufficient?\' "\'ample.\' "\'you understand, mr. holder, that i am giving you a strong pr', ' security sufficient?\' "\'ample.\' "\'you understand, mr. holder, that i am giving you a strong proof o', 'rity sufficient?\' "\'ample.\' "\'you understand, mr. holder, that i am giving you a strong proof of the', 'sufficient?\' "\'ample.\' "\'you understand, mr. holder, that i am giving you a strong proof of the conf', 'cient?\' "\'ample.\' "\'you understand, mr. holder, that i am giving you a strong proof of the confidenc', '?\' "\'ample.\' "\'you understand, mr. holder, that i am giving you a strong proof of the confidence whi', 'ample.\' "\'you understand, mr. holder, that i am giving you a strong proof of the confidence which i ', '.\' "\'you understand, mr. holder, that i am giving you a strong proof of the confidence which i have ', 'you understand, mr. holder, that i am giving you a strong proof of the confidence which i have in yo', 'nderstand, mr. holder, that i am giving you a strong proof of the confidence which i have in you, fo', 'tand, mr. holder, that i am giving you a strong proof of the confidence which i have in you, founded', ' mr. holder, that i am giving you a strong proof of the confidence which i have in you, founded upon', 'holder, that i am giving you a strong proof of the confidence which i have in you, founded upon all ', 'r, that i am giving you a strong proof of the confidence which i have in you, founded upon all that ', 'at i am giving you a strong proof of the confidence which i have in you, founded upon all that i hav', 'am giving you a strong proof of the confidence which i have in you, founded upon all that i have hea', 'ving you a strong proof of the confidence which i have in you, founded upon all that i have heard of', 'you a strong proof of the confidence which i have in you, founded upon all that i have heard of you.', ' strong proof of the confidence which i have in you, founded upon all that i have heard of you. i re', 'ng proof of the confidence which i have in you, founded upon all that i have heard of you. i rely up', 'oof of the confidence which i have in you, founded upon all that i have heard of you. i rely upon yo', 'f the confidence which i have in you, founded upon all that i have heard of you. i rely upon you not', ' confidence which i have in you, founded upon all that i have heard of you. i rely upon you not only', 'idence which i have in you, founded upon all that i have heard of you. i rely upon you not only to b', 'e which i have in you, founded upon all that i have heard of you. i rely upon you not only to be dis', 'ch i have in you, founded upon all that i have heard of you. i rely upon you not only to be discreet', 'have in you, founded upon all that i have heard of you. i rely upon you not only to be discreet and ', 'in you, founded upon all that i have heard of you. i rely upon you not only to be discreet and to re', 'u, founded upon all that i have heard of you. i rely upon you not only to be discreet and to refrain', 'unded upon all that i have heard of you. i rely upon you not only to be discreet and to refrain from', ' upon all that i have heard of you. i rely upon you not only to be discreet and to refrain from all ', ' all that i have heard of you. i rely upon you not only to be discreet and to refrain from all gossi', 'that i have heard of you. i rely upon you not only to be discreet and to refrain from all gossip upo', 'i have heard of you. i rely upon you not only to be discreet and to refrain from all gossip upon the', 'e heard of you. i rely upon you not only to be discreet and to refrain from all gossip upon the matt', 'rd of you. i rely upon you not only to be discreet and to refrain from all gossip upon the matter bu', ' you. i rely upon you not only to be discreet and to refrain from all gossip upon the matter but, ab', ' i rely upon you not only to be discreet and to refrain from all gossip upon the matter but, above a', 'ly upon you not only to be discreet and to refrain from all gossip upon the matter but, above all, t', 'on you not only to be discreet and to refrain from all gossip upon the matter but, above all, to pre', 'u not only to be discreet and to refrain from all gossip upon the matter but, above all, to preserve', ' only to be discreet and to refrain from all gossip upon the matter but, above all, to preserve this', ' to be discreet and to refrain from all gossip upon the matter but, above all, to preserve this coro', 'e discreet and to refrain from all gossip upon the matter but, above all, to preserve this coronet w', 'creet and to refrain from all gossip upon the matter but, above all, to preserve this coronet with e', ' and to refrain from all gossip upon the matter but, above all, to preserve this coronet with every ', 'to refrain from all gossip upon the matter but, above all, to preserve this coronet with every possi', 'frain from all gossip upon the matter but, above all, to preserve this coronet with every possible p', ' from all gossip upon the matter but, above all, to preserve this coronet with every possible precau', ' all gossip upon the matter but, above all, to preserve this coronet with every possible precaution ', 'gossip upon the matter but, above all, to preserve this coronet with every possible precaution becau', 'p upon the matter but, above all, to preserve this coronet with every possible precaution because i ', 'n the matter but, above all, to preserve this coronet with every possible precaution because i need ', ' matter but, above all, to preserve this coronet with every possible precaution because i need not s', 'er but, above all, to preserve this coronet with every possible precaution because i need not say th', 't, above all, to preserve this coronet with every possible precaution because i need not say that a ', 'ove all, to preserve this coronet with every possible precaution because i need not say that a great', 'll, to preserve this coronet with every possible precaution because i need not say that a great publ', 'o preserve this coronet with every possible precaution because i need not say that a great public sc', 'serve this coronet with every possible precaution because i need not say that a great public scandal', ' this coronet with every possible precaution because i need not say that a great public scandal woul', ' coronet with every possible precaution because i need not say that a great public scandal would be ', 'net with every possible precaution because i need not say that a great public scandal would be cause', 'ith every possible precaution because i need not say that a great public scandal would be caused if ', 'very possible precaution because i need not say that a great public scandal would be caused if any h', 'possible precaution because i need not say that a great public scandal would be caused if any harm w', 'ble precaution because i need not say that a great public scandal would be caused if any harm were t', 'recaution because i need not say that a great public scandal would be caused if any harm were to bef', 'tion because i need not say that a great public scandal would be caused if any harm were to befall i', 'because i need not say that a great public scandal would be caused if any harm were to befall it. an', 'se i need not say that a great public scandal would be caused if any harm were to befall it. any inj', 'need not say that a great public scandal would be caused if any harm were to befall it. any injury t', 'not say that a great public scandal would be caused if any harm were to befall it. any injury to it ', 'ay that a great public scandal would be caused if any harm were to befall it. any injury to it would', 'at a great public scandal would be caused if any harm were to befall it. any injury to it would be a', 'great public scandal would be caused if any harm were to befall it. any injury to it would be almost', ' public scandal would be caused if any harm were to befall it. any injury to it would be almost as s', 'ic scandal would be caused if any harm were to befall it. any injury to it would be almost as seriou', 'andal would be caused if any harm were to befall it. any injury to it would be almost as serious as ', ' would be caused if any harm were to befall it. any injury to it would be almost as serious as its c', 'd be caused if any harm were to befall it. any injury to it would be almost as serious as its comple', 'caused if any harm were to befall it. any injury to it would be almost as serious as its complete lo', 'd if any harm were to befall it. any injury to it would be almost as serious as its complete loss, f', 'any harm were to befall it. any injury to it would be almost as serious as its complete loss, for th', 'arm were to befall it. any injury to it would be almost as serious as its complete loss, for there a', 'ere to befall it. any injury to it would be almost as serious as its complete loss, for there are no', 'o befall it. any injury to it would be almost as serious as its complete loss, for there are no bery', 'all it. any injury to it would be almost as serious as its complete loss, for there are no beryls in', 't. any injury to it would be almost as serious as its complete loss, for there are no beryls in the ', 'y injury to it would be almost as serious as its complete loss, for there are no beryls in the world', 'ury to it would be almost as serious as its complete loss, for there are no beryls in the world to m', 'o it would be almost as serious as its complete loss, for there are no beryls in the world to match ', 'would be almost as serious as its complete loss, for there are no beryls in the world to match these', ' be almost as serious as its complete loss, for there are no beryls in the world to match these, and', 'lmost as serious as its complete loss, for there are no beryls in the world to match these, and it w', ' as serious as its complete loss, for there are no beryls in the world to match these, and it would ', 'erious as its complete loss, for there are no beryls in the world to match these, and it would be im', 's as its complete loss, for there are no beryls in the world to match these, and it would be impossi', 'its complete loss, for there are no beryls in the world to match these, and it would be impossible t', 'omplete loss, for there are no beryls in the world to match these, and it would be impossible to rep', 'te loss, for there are no beryls in the world to match these, and it would be impossible to replace ', 'ss, for there are no beryls in the world to match these, and it would be impossible to replace them.', 'or there are no beryls in the world to match these, and it would be impossible to replace them. i le', 'ere are no beryls in the world to match these, and it would be impossible to replace them. i leave i', 're no beryls in the world to match these, and it would be impossible to replace them. i leave it wit', ' beryls in the world to match these, and it would be impossible to replace them. i leave it with you', 'ls in the world to match these, and it would be impossible to replace them. i leave it with you, how', ' the world to match these, and it would be impossible to replace them. i leave it with you, however,', 'world to match these, and it would be impossible to replace them. i leave it with you, however, with', ' to match these, and it would be impossible to replace them. i leave it with you, however, with ever', 'atch these, and it would be impossible to replace them. i leave it with you, however, with every con', 'these, and it would be impossible to replace them. i leave it with you, however, with every confiden', ', and it would be impossible to replace them. i leave it with you, however, with every confidence, a', ' it would be impossible to replace them. i leave it with you, however, with every confidence, and i ', 'ould be impossible to replace them. i leave it with you, however, with every confidence, and i shall', 'be impossible to replace them. i leave it with you, however, with every confidence, and i shall call', 'possible to replace them. i leave it with you, however, with every confidence, and i shall call for ', 'ble to replace them. i leave it with you, however, with every confidence, and i shall call for it in', 'o replace them. i leave it with you, however, with every confidence, and i shall call for it in pers', 'lace them. i leave it with you, however, with every confidence, and i shall call for it in person on', 'them. i leave it with you, however, with every confidence, and i shall call for it in person on mond', ' i leave it with you, however, with every confidence, and i shall call for it in person on monday mo', 'ave it with you, however, with every confidence, and i shall call for it in person on monday morning', 't with you, however, with every confidence, and i shall call for it in person on monday morning.\' "s', 'h you, however, with every confidence, and i shall call for it in person on monday morning.\' "seeing', ', however, with every confidence, and i shall call for it in person on monday morning.\' "seeing that', 'ever, with every confidence, and i shall call for it in person on monday morning.\' "seeing that my c', ' with every confidence, and i shall call for it in person on monday morning.\' "seeing that my client', ' every confidence, and i shall call for it in person on monday morning.\' "seeing that my client was ', 'y confidence, and i shall call for it in person on monday morning.\' "seeing that my client was anxio', 'fidence, and i shall call for it in person on monday morning.\' "seeing that my client was anxious to', 'ce, and i shall call for it in person on monday morning.\' "seeing that my client was anxious to leav', 'nd i shall call for it in person on monday morning.\' "seeing that my client was anxious to leave, i ', 'shall call for it in person on monday morning.\' "seeing that my client was anxious to leave, i said ', ' call for it in person on monday morning.\' "seeing that my client was anxious to leave, i said no mo', ' for it in person on monday morning.\' "seeing that my client was anxious to leave, i said no more bu', 'it in person on monday morning.\' "seeing that my client was anxious to leave, i said no more but, ca', ' person on monday morning.\' "seeing that my client was anxious to leave, i said no more but, calling', 'on on monday morning.\' "seeing that my client was anxious to leave, i said no more but, calling for ', ' monday morning.\' "seeing that my client was anxious to leave, i said no more but, calling for my ca', 'ay morning.\' "seeing that my client was anxious to leave, i said no more but, calling for my cashier', 'rning.\' "seeing that my client was anxious to leave, i said no more but, calling for my cashier, i o', '.\' "seeing that my client was anxious to leave, i said no more but, calling for my cashier, i ordere', 'eeing that my client was anxious to leave, i said no more but, calling for my cashier, i ordered him', ' that my client was anxious to leave, i said no more but, calling for my cashier, i ordered him to p', ' my client was anxious to leave, i said no more but, calling for my cashier, i ordered him to pay ov', 'lient was anxious to leave, i said no more but, calling for my cashier, i ordered him to pay over fi', ' was anxious to leave, i said no more but, calling for my cashier, i ordered him to pay over fifty ', 'anxious to leave, i said no more but, calling for my cashier, i ordered him to pay over fifty poun', 'us to leave, i said no more but, calling for my cashier, i ordered him to pay over fifty pound not', ' leave, i said no more but, calling for my cashier, i ordered him to pay over fifty pound notes. w', 'e, i said no more but, calling for my cashier, i ordered him to pay over fifty pound notes. when i', 'said no more but, calling for my cashier, i ordered him to pay over fifty pound notes. when i was ', 'no more but, calling for my cashier, i ordered him to pay over fifty pound notes. when i was alone', 're but, calling for my cashier, i ordered him to pay over fifty pound notes. when i was alone once', 't, calling for my cashier, i ordered him to pay over fifty pound notes. when i was alone once more', 'lling for my cashier, i ordered him to pay over fifty pound notes. when i was alone once more, how', ' for my cashier, i ordered him to pay over fifty pound notes. when i was alone once more, however,', 'my cashier, i ordered him to pay over fifty pound notes. when i was alone once more, however, with', 'shier, i ordered him to pay over fifty pound notes. when i was alone once more, however, with the ', ', i ordered him to pay over fifty pound notes. when i was alone once more, however, with the preci', 'rdered him to pay over fifty pound notes. when i was alone once more, however, with the precious c', 'd him to pay over fifty pound notes. when i was alone once more, however, with the precious case l', ' to pay over fifty pound notes. when i was alone once more, however, with the precious case lying ', 'ay over fifty pound notes. when i was alone once more, however, with the precious case lying upon ', 'er fifty pound notes. when i was alone once more, however, with the precious case lying upon the t', 'fty pound notes. when i was alone once more, however, with the precious case lying upon the table ', ' pound notes. when i was alone once more, however, with the precious case lying upon the table in fr', 'd notes. when i was alone once more, however, with the precious case lying upon the table in front o', 'es. when i was alone once more, however, with the precious case lying upon the table in front of me,', 'hen i was alone once more, however, with the precious case lying upon the table in front of me, i co', ' was alone once more, however, with the precious case lying upon the table in front of me, i could n', 'alone once more, however, with the precious case lying upon the table in front of me, i could not bu', ' once more, however, with the precious case lying upon the table in front of me, i could not but thi', ' more, however, with the precious case lying upon the table in front of me, i could not but think wi', ', however, with the precious case lying upon the table in front of me, i could not but think with so', 'ever, with the precious case lying upon the table in front of me, i could not but think with some mi', ' with the precious case lying upon the table in front of me, i could not but think with some misgivi', ' the precious case lying upon the table in front of me, i could not but think with some misgivings o', 'precious case lying upon the table in front of me, i could not but think with some misgivings of the', 'ous case lying upon the table in front of me, i could not but think with some misgivings of the imme', 'ase lying upon the table in front of me, i could not but think with some misgivings of the immense r', 'ying upon the table in front of me, i could not but think with some misgivings of the immense respon', 'upon the table in front of me, i could not but think with some misgivings of the immense responsibil', 'the table in front of me, i could not but think with some misgivings of the immense responsibility w', 'able in front of me, i could not but think with some misgivings of the immense responsibility which ', 'in front of me, i could not but think with some misgivings of the immense responsibility which it en', 'ont of me, i could not but think with some misgivings of the immense responsibility which it entaile', 'f me, i could not but think with some misgivings of the immense responsibility which it entailed upo', ' i could not but think with some misgivings of the immense responsibility which it entailed upon me.', 'uld not but think with some misgivings of the immense responsibility which it entailed upon me. ther', 'ot but think with some misgivings of the immense responsibility which it entailed upon me. there cou', 't think with some misgivings of the immense responsibility which it entailed upon me. there could be', 'nk with some misgivings of the immense responsibility which it entailed upon me. there could be no d', 'th some misgivings of the immense responsibility which it entailed upon me. there could be no doubt ', 'me misgivings of the immense responsibility which it entailed upon me. there could be no doubt that,', 'sgivings of the immense responsibility which it entailed upon me. there could be no doubt that, as i', 'ngs of the immense responsibility which it entailed upon me. there could be no doubt that, as it was', 'f the immense responsibility which it entailed upon me. there could be no doubt that, as it was a na', ' immense responsibility which it entailed upon me. there could be no doubt that, as it was a nationa', 'nse responsibility which it entailed upon me. there could be no doubt that, as it was a national pos', 'esponsibility which it entailed upon me. there could be no doubt that, as it was a national possessi', 'sibility which it entailed upon me. there could be no doubt that, as it was a national possession, a', 'ity which it entailed upon me. there could be no doubt that, as it was a national possession, a horr', 'hich it entailed upon me. there could be no doubt that, as it was a national possession, a horrible ', 'it entailed upon me. there could be no doubt that, as it was a national possession, a horrible scand', 'tailed upon me. there could be no doubt that, as it was a national possession, a horrible scandal wo', 'd upon me. there could be no doubt that, as it was a national possession, a horrible scandal would e', 'n me. there could be no doubt that, as it was a national possession, a horrible scandal would ensue ', ' there could be no doubt that, as it was a national possession, a horrible scandal would ensue if an', 'e could be no doubt that, as it was a national possession, a horrible scandal would ensue if any mis', 'ld be no doubt that, as it was a national possession, a horrible scandal would ensue if any misfortu', ' no doubt that, as it was a national possession, a horrible scandal would ensue if any misfortune sh', 'oubt that, as it was a national possession, a horrible scandal would ensue if any misfortune should ', 'that, as it was a national possession, a horrible scandal would ensue if any misfortune should occur', ' as it was a national possession, a horrible scandal would ensue if any misfortune should occur to i', 't was a national possession, a horrible scandal would ensue if any misfortune should occur to it. i ', ' a national possession, a horrible scandal would ensue if any misfortune should occur to it. i alrea', 'tional possession, a horrible scandal would ensue if any misfortune should occur to it. i already re', 'l possession, a horrible scandal would ensue if any misfortune should occur to it. i already regrett', 'session, a horrible scandal would ensue if any misfortune should occur to it. i already regretted ha', 'on, a horrible scandal would ensue if any misfortune should occur to it. i already regretted having ', ' horrible scandal would ensue if any misfortune should occur to it. i already regretted having ever ', 'ible scandal would ensue if any misfortune should occur to it. i already regretted having ever conse', 'scandal would ensue if any misfortune should occur to it. i already regretted having ever consented ', 'al would ensue if any misfortune should occur to it. i already regretted having ever consented to ta', 'uld ensue if any misfortune should occur to it. i already regretted having ever consented to take ch', 'nsue if any misfortune should occur to it. i already regretted having ever consented to take charge ', 'if any misfortune should occur to it. i already regretted having ever consented to take charge of it', 'y misfortune should occur to it. i already regretted having ever consented to take charge of it. how', 'fortune should occur to it. i already regretted having ever consented to take charge of it. however,', 'ne should occur to it. i already regretted having ever consented to take charge of it. however, it w', 'ould occur to it. i already regretted having ever consented to take charge of it. however, it was to', 'occur to it. i already regretted having ever consented to take charge of it. however, it was too lat', ' to it. i already regretted having ever consented to take charge of it. however, it was too late to ', 't. i already regretted having ever consented to take charge of it. however, it was too late to alter', 'already regretted having ever consented to take charge of it. however, it was too late to alter the ', 'dy regretted having ever consented to take charge of it. however, it was too late to alter the matte', 'gretted having ever consented to take charge of it. however, it was too late to alter the matter now', 'ed having ever consented to take charge of it. however, it was too late to alter the matter now, so ', 'ving ever consented to take charge of it. however, it was too late to alter the matter now, so i loc', 'ever consented to take charge of it. however, it was too late to alter the matter now, so i locked i', 'consented to take charge of it. however, it was too late to alter the matter now, so i locked it up ', 'nted to take charge of it. however, it was too late to alter the matter now, so i locked it up in my', 'to take charge of it. however, it was too late to alter the matter now, so i locked it up in my priv', 'ke charge of it. however, it was too late to alter the matter now, so i locked it up in my private s', 'arge of it. however, it was too late to alter the matter now, so i locked it up in my private safe a', 'of it. however, it was too late to alter the matter now, so i locked it up in my private safe and tu', '. however, it was too late to alter the matter now, so i locked it up in my private safe and turned ', 'ever, it was too late to alter the matter now, so i locked it up in my private safe and turned once ', ' it was too late to alter the matter now, so i locked it up in my private safe and turned once more ', 'as too late to alter the matter now, so i locked it up in my private safe and turned once more to my', 'o late to alter the matter now, so i locked it up in my private safe and turned once more to my work', 'e to alter the matter now, so i locked it up in my private safe and turned once more to my work. "wh', 'alter the matter now, so i locked it up in my private safe and turned once more to my work. "when ev', ' the matter now, so i locked it up in my private safe and turned once more to my work. "when evening', 'matter now, so i locked it up in my private safe and turned once more to my work. "when evening came', 'r now, so i locked it up in my private safe and turned once more to my work. "when evening came i fe', ', so i locked it up in my private safe and turned once more to my work. "when evening came i felt th', 'i locked it up in my private safe and turned once more to my work. "when evening came i felt that it', 'ked it up in my private safe and turned once more to my work. "when evening came i felt that it woul', 't up in my private safe and turned once more to my work. "when evening came i felt that it would be ', 'in my private safe and turned once more to my work. "when evening came i felt that it would be an im', ' private safe and turned once more to my work. "when evening came i felt that it would be an imprude', 'ate safe and turned once more to my work. "when evening came i felt that it would be an imprudence t', 'afe and turned once more to my work. "when evening came i felt that it would be an imprudence to lea', 'nd turned once more to my work. "when evening came i felt that it would be an imprudence to leave so', 'rned once more to my work. "when evening came i felt that it would be an imprudence to leave so prec', 'once more to my work. "when evening came i felt that it would be an imprudence to leave so precious ', 'more to my work. "when evening came i felt that it would be an imprudence to leave so precious a thi', 'to my work. "when evening came i felt that it would be an imprudence to leave so precious a thing in', ' work. "when evening came i felt that it would be an imprudence to leave so precious a thing in the ', '. "when evening came i felt that it would be an imprudence to leave so precious a thing in the offic', 'en evening came i felt that it would be an imprudence to leave so precious a thing in the office beh', 'ening came i felt that it would be an imprudence to leave so precious a thing in the office behind m', ' came i felt that it would be an imprudence to leave so precious a thing in the office behind me. ba', ' i felt that it would be an imprudence to leave so precious a thing in the office behind me. bankers', "lt that it would be an imprudence to leave so precious a thing in the office behind me. bankers' saf", "at it would be an imprudence to leave so precious a thing in the office behind me. bankers' safes ha", " would be an imprudence to leave so precious a thing in the office behind me. bankers' safes had bee", "d be an imprudence to leave so precious a thing in the office behind me. bankers' safes had been for", "an imprudence to leave so precious a thing in the office behind me. bankers' safes had been forced b", "prudence to leave so precious a thing in the office behind me. bankers' safes had been forced before", "nce to leave so precious a thing in the office behind me. bankers' safes had been forced before now,", "o leave so precious a thing in the office behind me. bankers' safes had been forced before now, and ", "ve so precious a thing in the office behind me. bankers' safes had been forced before now, and why s", " precious a thing in the office behind me. bankers' safes had been forced before now, and why should", "ious a thing in the office behind me. bankers' safes had been forced before now, and why should not ", "a thing in the office behind me. bankers' safes had been forced before now, and why should not mine ", "ng in the office behind me. bankers' safes had been forced before now, and why should not mine be? i", " the office behind me. bankers' safes had been forced before now, and why should not mine be? if so,", "office behind me. bankers' safes had been forced before now, and why should not mine be? if so, how ", "e behind me. bankers' safes had been forced before now, and why should not mine be? if so, how terri", "ind me. bankers' safes had been forced before now, and why should not mine be? if so, how terrible w", "e. bankers' safes had been forced before now, and why should not mine be? if so, how terrible would ", "nkers' safes had been forced before now, and why should not mine be? if so, how terrible would be th", "' safes had been forced before now, and why should not mine be? if so, how terrible would be the pos", 'es had been forced before now, and why should not mine be? if so, how terrible would be the position', 'd been forced before now, and why should not mine be? if so, how terrible would be the position in w', 'n forced before now, and why should not mine be? if so, how terrible would be the position in which ', 'ced before now, and why should not mine be? if so, how terrible would be the position in which i sho', 'efore now, and why should not mine be? if so, how terrible would be the position in which i should f', ' now, and why should not mine be? if so, how terrible would be the position in which i should find m', ' and why should not mine be? if so, how terrible would be the position in which i should find myself', 'why should not mine be? if so, how terrible would be the position in which i should find myself! i d', 'hould not mine be? if so, how terrible would be the position in which i should find myself! i determ', ' not mine be? if so, how terrible would be the position in which i should find myself! i determined,', 'mine be? if so, how terrible would be the position in which i should find myself! i determined, ther', 'be? if so, how terrible would be the position in which i should find myself! i determined, therefore', 'f so, how terrible would be the position in which i should find myself! i determined, therefore, tha', ' how terrible would be the position in which i should find myself! i determined, therefore, that for', 'terrible would be the position in which i should find myself! i determined, therefore, that for the ', 'ble would be the position in which i should find myself! i determined, therefore, that for the next ', 'ould be the position in which i should find myself! i determined, therefore, that for the next few d', 'be the position in which i should find myself! i determined, therefore, that for the next few days i', 'e position in which i should find myself! i determined, therefore, that for the next few days i woul', 'ition in which i should find myself! i determined, therefore, that for the next few days i would alw', ' in which i should find myself! i determined, therefore, that for the next few days i would always c', 'hich i should find myself! i determined, therefore, that for the next few days i would always carry ', 'i should find myself! i determined, therefore, that for the next few days i would always carry the c', 'uld find myself! i determined, therefore, that for the next few days i would always carry the case b', 'ind myself! i determined, therefore, that for the next few days i would always carry the case backwa', 'yself! i determined, therefore, that for the next few days i would always carry the case backward an', '! i determined, therefore, that for the next few days i would always carry the case backward and for', 'etermined, therefore, that for the next few days i would always carry the case backward and forward ', 'ined, therefore, that for the next few days i would always carry the case backward and forward with ', ' therefore, that for the next few days i would always carry the case backward and forward with me, s', 'efore, that for the next few days i would always carry the case backward and forward with me, so tha', ', that for the next few days i would always carry the case backward and forward with me, so that it ', 't for the next few days i would always carry the case backward and forward with me, so that it might', ' the next few days i would always carry the case backward and forward with me, so that it might neve', 'next few days i would always carry the case backward and forward with me, so that it might never be ', 'few days i would always carry the case backward and forward with me, so that it might never be reall', 'ays i would always carry the case backward and forward with me, so that it might never be really out', ' would always carry the case backward and forward with me, so that it might never be really out of m', 'd always carry the case backward and forward with me, so that it might never be really out of my rea', 'ays carry the case backward and forward with me, so that it might never be really out of my reach. w', 'arry the case backward and forward with me, so that it might never be really out of my reach. with t', 'the case backward and forward with me, so that it might never be really out of my reach. with this i', 'ase backward and forward with me, so that it might never be really out of my reach. with this intent', 'ackward and forward with me, so that it might never be really out of my reach. with this intention, ', 'rd and forward with me, so that it might never be really out of my reach. with this intention, i cal', 'd forward with me, so that it might never be really out of my reach. with this intention, i called a', 'ward with me, so that it might never be really out of my reach. with this intention, i called a cab ', 'with me, so that it might never be really out of my reach. with this intention, i called a cab and d', 'me, so that it might never be really out of my reach. with this intention, i called a cab and drove ', 'o that it might never be really out of my reach. with this intention, i called a cab and drove out t', 't it might never be really out of my reach. with this intention, i called a cab and drove out to my ', 'might never be really out of my reach. with this intention, i called a cab and drove out to my house', ' never be really out of my reach. with this intention, i called a cab and drove out to my house at s', 'r be really out of my reach. with this intention, i called a cab and drove out to my house at streat', 'really out of my reach. with this intention, i called a cab and drove out to my house at streatham, ', 'y out of my reach. with this intention, i called a cab and drove out to my house at streatham, carry', ' of my reach. with this intention, i called a cab and drove out to my house at streatham, carrying t', 'y reach. with this intention, i called a cab and drove out to my house at streatham, carrying the je', 'ch. with this intention, i called a cab and drove out to my house at streatham, carrying the jewel w', 'ith this intention, i called a cab and drove out to my house at streatham, carrying the jewel with m', 'his intention, i called a cab and drove out to my house at streatham, carrying the jewel with me. i ', 'ntention, i called a cab and drove out to my house at streatham, carrying the jewel with me. i did n', 'ion, i called a cab and drove out to my house at streatham, carrying the jewel with me. i did not br', 'i called a cab and drove out to my house at streatham, carrying the jewel with me. i did not breathe', 'led a cab and drove out to my house at streatham, carrying the jewel with me. i did not breathe free', ' cab and drove out to my house at streatham, carrying the jewel with me. i did not breathe freely un', 'and drove out to my house at streatham, carrying the jewel with me. i did not breathe freely until i', 'rove out to my house at streatham, carrying the jewel with me. i did not breathe freely until i had ', 'out to my house at streatham, carrying the jewel with me. i did not breathe freely until i had taken', 'o my house at streatham, carrying the jewel with me. i did not breathe freely until i had taken it u', 'house at streatham, carrying the jewel with me. i did not breathe freely until i had taken it upstai', ' at streatham, carrying the jewel with me. i did not breathe freely until i had taken it upstairs an', 'treatham, carrying the jewel with me. i did not breathe freely until i had taken it upstairs and loc', 'ham, carrying the jewel with me. i did not breathe freely until i had taken it upstairs and locked i', 'carrying the jewel with me. i did not breathe freely until i had taken it upstairs and locked it in ', 'ing the jewel with me. i did not breathe freely until i had taken it upstairs and locked it in the b', 'he jewel with me. i did not breathe freely until i had taken it upstairs and locked it in the bureau', 'wel with me. i did not breathe freely until i had taken it upstairs and locked it in the bureau of m', 'ith me. i did not breathe freely until i had taken it upstairs and locked it in the bureau of my dre', 'e. i did not breathe freely until i had taken it upstairs and locked it in the bureau of my dressing', 'did not breathe freely until i had taken it upstairs and locked it in the bureau of my dressing-room', 'ot breathe freely until i had taken it upstairs and locked it in the bureau of my dressing-room. "an', 'eathe freely until i had taken it upstairs and locked it in the bureau of my dressing-room. "and now', ' freely until i had taken it upstairs and locked it in the bureau of my dressing-room. "and now a wo', 'ly until i had taken it upstairs and locked it in the bureau of my dressing-room. "and now a word as', 'til i had taken it upstairs and locked it in the bureau of my dressing-room. "and now a word as to m', ' had taken it upstairs and locked it in the bureau of my dressing-room. "and now a word as to my hou', 'taken it upstairs and locked it in the bureau of my dressing-room. "and now a word as to my househol', ' it upstairs and locked it in the bureau of my dressing-room. "and now a word as to my household, mr', 'pstairs and locked it in the bureau of my dressing-room. "and now a word as to my household, mr. hol', 'rs and locked it in the bureau of my dressing-room. "and now a word as to my household, mr. holmes, ', 'd locked it in the bureau of my dressing-room. "and now a word as to my household, mr. holmes, for i', 'ked it in the bureau of my dressing-room. "and now a word as to my household, mr. holmes, for i wish', 't in the bureau of my dressing-room. "and now a word as to my household, mr. holmes, for i wish you ', 'the bureau of my dressing-room. "and now a word as to my household, mr. holmes, for i wish you to th', 'ureau of my dressing-room. "and now a word as to my household, mr. holmes, for i wish you to thoroug', ' of my dressing-room. "and now a word as to my household, mr. holmes, for i wish you to thoroughly u', 'y dressing-room. "and now a word as to my household, mr. holmes, for i wish you to thoroughly unders', 'ssing-room. "and now a word as to my household, mr. holmes, for i wish you to thoroughly understand ', '-room. "and now a word as to my household, mr. holmes, for i wish you to thoroughly understand the s', '. "and now a word as to my household, mr. holmes, for i wish you to thoroughly understand the situat', 'd now a word as to my household, mr. holmes, for i wish you to thoroughly understand the situation. ', ' a word as to my household, mr. holmes, for i wish you to thoroughly understand the situation. my gr', 'rd as to my household, mr. holmes, for i wish you to thoroughly understand the situation. my groom a', ' to my household, mr. holmes, for i wish you to thoroughly understand the situation. my groom and my', 'y household, mr. holmes, for i wish you to thoroughly understand the situation. my groom and my page', 'sehold, mr. holmes, for i wish you to thoroughly understand the situation. my groom and my page slee', 'd, mr. holmes, for i wish you to thoroughly understand the situation. my groom and my page sleep out', '. holmes, for i wish you to thoroughly understand the situation. my groom and my page sleep out of t', 'mes, for i wish you to thoroughly understand the situation. my groom and my page sleep out of the ho', 'for i wish you to thoroughly understand the situation. my groom and my page sleep out of the house, ', ' wish you to thoroughly understand the situation. my groom and my page sleep out of the house, and m', ' you to thoroughly understand the situation. my groom and my page sleep out of the house, and may be', 'to thoroughly understand the situation. my groom and my page sleep out of the house, and may be set ', 'oroughly understand the situation. my groom and my page sleep out of the house, and may be set aside', 'hly understand the situation. my groom and my page sleep out of the house, and may be set aside alto', 'nderstand the situation. my groom and my page sleep out of the house, and may be set aside altogethe', 'tand the situation. my groom and my page sleep out of the house, and may be set aside altogether. i ', 'the situation. my groom and my page sleep out of the house, and may be set aside altogether. i have ', 'ituation. my groom and my page sleep out of the house, and may be set aside altogether. i have three', 'ion. my groom and my page sleep out of the house, and may be set aside altogether. i have three maid', 'my groom and my page sleep out of the house, and may be set aside altogether. i have three maid-serv', 'oom and my page sleep out of the house, and may be set aside altogether. i have three maid-servants ', 'nd my page sleep out of the house, and may be set aside altogether. i have three maid-servants who h', ' page sleep out of the house, and may be set aside altogether. i have three maid-servants who have b', ' sleep out of the house, and may be set aside altogether. i have three maid-servants who have been w', 'p out of the house, and may be set aside altogether. i have three maid-servants who have been with m', ' of the house, and may be set aside altogether. i have three maid-servants who have been with me a n', 'he house, and may be set aside altogether. i have three maid-servants who have been with me a number', 'use, and may be set aside altogether. i have three maid-servants who have been with me a number of y', 'and may be set aside altogether. i have three maid-servants who have been with me a number of years ', 'ay be set aside altogether. i have three maid-servants who have been with me a number of years and w', ' set aside altogether. i have three maid-servants who have been with me a number of years and whose ', 'aside altogether. i have three maid-servants who have been with me a number of years and whose absol', ' altogether. i have three maid-servants who have been with me a number of years and whose absolute r', 'gether. i have three maid-servants who have been with me a number of years and whose absolute reliab', 'r. i have three maid-servants who have been with me a number of years and whose absolute reliability', 'have three maid-servants who have been with me a number of years and whose absolute reliability is q', 'three maid-servants who have been with me a number of years and whose absolute reliability is quite ', ' maid-servants who have been with me a number of years and whose absolute reliability is quite above', '-servants who have been with me a number of years and whose absolute reliability is quite above susp', 'ants who have been with me a number of years and whose absolute reliability is quite above suspicion', 'who have been with me a number of years and whose absolute reliability is quite above suspicion. ano', 'ave been with me a number of years and whose absolute reliability is quite above suspicion. another,', 'een with me a number of years and whose absolute reliability is quite above suspicion. another, lucy', 'ith me a number of years and whose absolute reliability is quite above suspicion. another, lucy parr', 'e a number of years and whose absolute reliability is quite above suspicion. another, lucy parr, the', 'umber of years and whose absolute reliability is quite above suspicion. another, lucy parr, the seco', ' of years and whose absolute reliability is quite above suspicion. another, lucy parr, the second wa', 'ears and whose absolute reliability is quite above suspicion. another, lucy parr, the second waiting', 'and whose absolute reliability is quite above suspicion. another, lucy parr, the second waiting-maid', 'hose absolute reliability is quite above suspicion. another, lucy parr, the second waiting-maid, has', 'absolute reliability is quite above suspicion. another, lucy parr, the second waiting-maid, has only', 'ute reliability is quite above suspicion. another, lucy parr, the second waiting-maid, has only been', 'eliability is quite above suspicion. another, lucy parr, the second waiting-maid, has only been in m', 'ility is quite above suspicion. another, lucy parr, the second waiting-maid, has only been in my ser', ' is quite above suspicion. another, lucy parr, the second waiting-maid, has only been in my service ', 'uite above suspicion. another, lucy parr, the second waiting-maid, has only been in my service a few', 'above suspicion. another, lucy parr, the second waiting-maid, has only been in my service a few mont', ' suspicion. another, lucy parr, the second waiting-maid, has only been in my service a few months. s', 'icion. another, lucy parr, the second waiting-maid, has only been in my service a few months. she ca', '. another, lucy parr, the second waiting-maid, has only been in my service a few months. she came wi', 'ther, lucy parr, the second waiting-maid, has only been in my service a few months. she came with an', ' lucy parr, the second waiting-maid, has only been in my service a few months. she came with an exce', ' parr, the second waiting-maid, has only been in my service a few months. she came with an excellent', ', the second waiting-maid, has only been in my service a few months. she came with an excellent char', ' second waiting-maid, has only been in my service a few months. she came with an excellent character', 'nd waiting-maid, has only been in my service a few months. she came with an excellent character, how', 'iting-maid, has only been in my service a few months. she came with an excellent character, however,', '-maid, has only been in my service a few months. she came with an excellent character, however, and ', ', has only been in my service a few months. she came with an excellent character, however, and has a', ' only been in my service a few months. she came with an excellent character, however, and has always', ' been in my service a few months. she came with an excellent character, however, and has always give', ' in my service a few months. she came with an excellent character, however, and has always given me ', 'y service a few months. she came with an excellent character, however, and has always given me satis', 'vice a few months. she came with an excellent character, however, and has always given me satisfacti', 'a few months. she came with an excellent character, however, and has always given me satisfaction. s', ' months. she came with an excellent character, however, and has always given me satisfaction. she is', 'hs. she came with an excellent character, however, and has always given me satisfaction. she is a ve', 'he came with an excellent character, however, and has always given me satisfaction. she is a very pr', 'me with an excellent character, however, and has always given me satisfaction. she is a very pretty ', 'th an excellent character, however, and has always given me satisfaction. she is a very pretty girl ', ' excellent character, however, and has always given me satisfaction. she is a very pretty girl and h', 'llent character, however, and has always given me satisfaction. she is a very pretty girl and has at', ' character, however, and has always given me satisfaction. she is a very pretty girl and has attract', 'acter, however, and has always given me satisfaction. she is a very pretty girl and has attracted ad', ', however, and has always given me satisfaction. she is a very pretty girl and has attracted admirer', 'ever, and has always given me satisfaction. she is a very pretty girl and has attracted admirers who', ' and has always given me satisfaction. she is a very pretty girl and has attracted admirers who have', 'has always given me satisfaction. she is a very pretty girl and has attracted admirers who have occa', 'lways given me satisfaction. she is a very pretty girl and has attracted admirers who have occasiona', ' given me satisfaction. she is a very pretty girl and has attracted admirers who have occasionally h', 'n me satisfaction. she is a very pretty girl and has attracted admirers who have occasionally hung a', 'satisfaction. she is a very pretty girl and has attracted admirers who have occasionally hung about ', 'faction. she is a very pretty girl and has attracted admirers who have occasionally hung about the p', 'on. she is a very pretty girl and has attracted admirers who have occasionally hung about the place.', 'he is a very pretty girl and has attracted admirers who have occasionally hung about the place. that', ' a very pretty girl and has attracted admirers who have occasionally hung about the place. that is t', 'ry pretty girl and has attracted admirers who have occasionally hung about the place. that is the on', 'etty girl and has attracted admirers who have occasionally hung about the place. that is the only dr', 'girl and has attracted admirers who have occasionally hung about the place. that is the only drawbac', 'and has attracted admirers who have occasionally hung about the place. that is the only drawback whi', 'as attracted admirers who have occasionally hung about the place. that is the only drawback which we', 'tracted admirers who have occasionally hung about the place. that is the only drawback which we have', 'ed admirers who have occasionally hung about the place. that is the only drawback which we have foun', 'mirers who have occasionally hung about the place. that is the only drawback which we have found to ', 's who have occasionally hung about the place. that is the only drawback which we have found to her, ', ' have occasionally hung about the place. that is the only drawback which we have found to her, but w', ' occasionally hung about the place. that is the only drawback which we have found to her, but we bel', 'sionally hung about the place. that is the only drawback which we have found to her, but we believe ', 'lly hung about the place. that is the only drawback which we have found to her, but we believe her t', 'ung about the place. that is the only drawback which we have found to her, but we believe her to be ', 'bout the place. that is the only drawback which we have found to her, but we believe her to be a tho', 'the place. that is the only drawback which we have found to her, but we believe her to be a thorough', 'lace. that is the only drawback which we have found to her, but we believe her to be a thoroughly go', ' that is the only drawback which we have found to her, but we believe her to be a thoroughly good gi', ' is the only drawback which we have found to her, but we believe her to be a thoroughly good girl in', 'he only drawback which we have found to her, but we believe her to be a thoroughly good girl in ever', 'ly drawback which we have found to her, but we believe her to be a thoroughly good girl in every way', 'awback which we have found to her, but we believe her to be a thoroughly good girl in every way. "so', 'k which we have found to her, but we believe her to be a thoroughly good girl in every way. "so much', 'ch we have found to her, but we believe her to be a thoroughly good girl in every way. "so much for ', ' have found to her, but we believe her to be a thoroughly good girl in every way. "so much for the s', ' found to her, but we believe her to be a thoroughly good girl in every way. "so much for the servan', 'd to her, but we believe her to be a thoroughly good girl in every way. "so much for the servants. m', 'her, but we believe her to be a thoroughly good girl in every way. "so much for the servants. my fam', 'but we believe her to be a thoroughly good girl in every way. "so much for the servants. my family i', 'e believe her to be a thoroughly good girl in every way. "so much for the servants. my family itself', 'ieve her to be a thoroughly good girl in every way. "so much for the servants. my family itself is s', 'her to be a thoroughly good girl in every way. "so much for the servants. my family itself is so sma', 'o be a thoroughly good girl in every way. "so much for the servants. my family itself is so small th', 'a thoroughly good girl in every way. "so much for the servants. my family itself is so small that it', 'roughly good girl in every way. "so much for the servants. my family itself is so small that it will', 'ly good girl in every way. "so much for the servants. my family itself is so small that it will not ', 'od girl in every way. "so much for the servants. my family itself is so small that it will not take ', 'rl in every way. "so much for the servants. my family itself is so small that it will not take me lo', ' every way. "so much for the servants. my family itself is so small that it will not take me long to', 'y way. "so much for the servants. my family itself is so small that it will not take me long to desc', '. "so much for the servants. my family itself is so small that it will not take me long to describe ', ' much for the servants. my family itself is so small that it will not take me long to describe it. i', ' for the servants. my family itself is so small that it will not take me long to describe it. i am a', 'the servants. my family itself is so small that it will not take me long to describe it. i am a wido', 'ervants. my family itself is so small that it will not take me long to describe it. i am a widower a', 'ts. my family itself is so small that it will not take me long to describe it. i am a widower and ha', 'y family itself is so small that it will not take me long to describe it. i am a widower and have an', 'ily itself is so small that it will not take me long to describe it. i am a widower and have an only', 'tself is so small that it will not take me long to describe it. i am a widower and have an only son,', ' is so small that it will not take me long to describe it. i am a widower and have an only son, arth', 'o small that it will not take me long to describe it. i am a widower and have an only son, arthur. h', 'll that it will not take me long to describe it. i am a widower and have an only son, arthur. he has', 'at it will not take me long to describe it. i am a widower and have an only son, arthur. he has been', ' will not take me long to describe it. i am a widower and have an only son, arthur. he has been a di', ' not take me long to describe it. i am a widower and have an only son, arthur. he has been a disappo', 'take me long to describe it. i am a widower and have an only son, arthur. he has been a disappointme', 'me long to describe it. i am a widower and have an only son, arthur. he has been a disappointment to', 'ng to describe it. i am a widower and have an only son, arthur. he has been a disappointment to me, ', ' describe it. i am a widower and have an only son, arthur. he has been a disappointment to me, mr. h', 'ribe it. i am a widower and have an only son, arthur. he has been a disappointment to me, mr. holmes', 'it. i am a widower and have an only son, arthur. he has been a disappointment to me, mr. holmesa gri', ' am a widower and have an only son, arthur. he has been a disappointment to me, mr. holmesa grievous', ' widower and have an only son, arthur. he has been a disappointment to me, mr. holmesa grievous disa', 'wer and have an only son, arthur. he has been a disappointment to me, mr. holmesa grievous disappoin', 'nd have an only son, arthur. he has been a disappointment to me, mr. holmesa grievous disappointment', 've an only son, arthur. he has been a disappointment to me, mr. holmesa grievous disappointment. i h', ' only son, arthur. he has been a disappointment to me, mr. holmesa grievous disappointment. i have n', ' son, arthur. he has been a disappointment to me, mr. holmesa grievous disappointment. i have no dou', ' arthur. he has been a disappointment to me, mr. holmesa grievous disappointment. i have no doubt th', 'ur. he has been a disappointment to me, mr. holmesa grievous disappointment. i have no doubt that i ', 'e has been a disappointment to me, mr. holmesa grievous disappointment. i have no doubt that i am my', ' been a disappointment to me, mr. holmesa grievous disappointment. i have no doubt that i am myself ', ' a disappointment to me, mr. holmesa grievous disappointment. i have no doubt that i am myself to bl', 'sappointment to me, mr. holmesa grievous disappointment. i have no doubt that i am myself to blame. ', 'intment to me, mr. holmesa grievous disappointment. i have no doubt that i am myself to blame. peopl', 'nt to me, mr. holmesa grievous disappointment. i have no doubt that i am myself to blame. people tel', ' me, mr. holmesa grievous disappointment. i have no doubt that i am myself to blame. people tell me ', 'mr. holmesa grievous disappointment. i have no doubt that i am myself to blame. people tell me that ', 'olmesa grievous disappointment. i have no doubt that i am myself to blame. people tell me that i hav', 'a grievous disappointment. i have no doubt that i am myself to blame. people tell me that i have spo', 'evous disappointment. i have no doubt that i am myself to blame. people tell me that i have spoiled ', ' disappointment. i have no doubt that i am myself to blame. people tell me that i have spoiled him. ', 'ppointment. i have no doubt that i am myself to blame. people tell me that i have spoiled him. very ', 'tment. i have no doubt that i am myself to blame. people tell me that i have spoiled him. very likel', '. i have no doubt that i am myself to blame. people tell me that i have spoiled him. very likely i h', 'ave no doubt that i am myself to blame. people tell me that i have spoiled him. very likely i have. ', 'o doubt that i am myself to blame. people tell me that i have spoiled him. very likely i have. when ', 'bt that i am myself to blame. people tell me that i have spoiled him. very likely i have. when my de', 'at i am myself to blame. people tell me that i have spoiled him. very likely i have. when my dear wi', 'am myself to blame. people tell me that i have spoiled him. very likely i have. when my dear wife di', 'self to blame. people tell me that i have spoiled him. very likely i have. when my dear wife died i ', 'to blame. people tell me that i have spoiled him. very likely i have. when my dear wife died i felt ', 'ame. people tell me that i have spoiled him. very likely i have. when my dear wife died i felt that ', 'people tell me that i have spoiled him. very likely i have. when my dear wife died i felt that he wa', 'e tell me that i have spoiled him. very likely i have. when my dear wife died i felt that he was all', 'l me that i have spoiled him. very likely i have. when my dear wife died i felt that he was all i ha', 'that i have spoiled him. very likely i have. when my dear wife died i felt that he was all i had to ', 'i have spoiled him. very likely i have. when my dear wife died i felt that he was all i had to love.', 'e spoiled him. very likely i have. when my dear wife died i felt that he was all i had to love. i co', 'iled him. very likely i have. when my dear wife died i felt that he was all i had to love. i could n', 'him. very likely i have. when my dear wife died i felt that he was all i had to love. i could not be', 'very likely i have. when my dear wife died i felt that he was all i had to love. i could not bear to', 'likely i have. when my dear wife died i felt that he was all i had to love. i could not bear to see ', 'y i have. when my dear wife died i felt that he was all i had to love. i could not bear to see the s', 'ave. when my dear wife died i felt that he was all i had to love. i could not bear to see the smile ', 'when my dear wife died i felt that he was all i had to love. i could not bear to see the smile fade ', 'my dear wife died i felt that he was all i had to love. i could not bear to see the smile fade even ', 'ar wife died i felt that he was all i had to love. i could not bear to see the smile fade even for a', 'fe died i felt that he was all i had to love. i could not bear to see the smile fade even for a mome', 'ed i felt that he was all i had to love. i could not bear to see the smile fade even for a moment fr', 'felt that he was all i had to love. i could not bear to see the smile fade even for a moment from hi', 'that he was all i had to love. i could not bear to see the smile fade even for a moment from his fac', 'he was all i had to love. i could not bear to see the smile fade even for a moment from his face. i ', 's all i had to love. i could not bear to see the smile fade even for a moment from his face. i have ', ' i had to love. i could not bear to see the smile fade even for a moment from his face. i have never', 'd to love. i could not bear to see the smile fade even for a moment from his face. i have never deni', 'love. i could not bear to see the smile fade even for a moment from his face. i have never denied hi', ' i could not bear to see the smile fade even for a moment from his face. i have never denied him a w', 'uld not bear to see the smile fade even for a moment from his face. i have never denied him a wish. ', 'ot bear to see the smile fade even for a moment from his face. i have never denied him a wish. perha', 'ar to see the smile fade even for a moment from his face. i have never denied him a wish. perhaps it', ' see the smile fade even for a moment from his face. i have never denied him a wish. perhaps it woul', 'the smile fade even for a moment from his face. i have never denied him a wish. perhaps it would hav', 'mile fade even for a moment from his face. i have never denied him a wish. perhaps it would have bee', 'fade even for a moment from his face. i have never denied him a wish. perhaps it would have been bet', 'even for a moment from his face. i have never denied him a wish. perhaps it would have been better f', 'for a moment from his face. i have never denied him a wish. perhaps it would have been better for bo', ' moment from his face. i have never denied him a wish. perhaps it would have been better for both of', 'nt from his face. i have never denied him a wish. perhaps it would have been better for both of us h', 'om his face. i have never denied him a wish. perhaps it would have been better for both of us had i ', 's face. i have never denied him a wish. perhaps it would have been better for both of us had i been ', 'e. i have never denied him a wish. perhaps it would have been better for both of us had i been stern', 'have never denied him a wish. perhaps it would have been better for both of us had i been sterner, b', 'never denied him a wish. perhaps it would have been better for both of us had i been sterner, but i ', ' denied him a wish. perhaps it would have been better for both of us had i been sterner, but i meant', 'ed him a wish. perhaps it would have been better for both of us had i been sterner, but i meant it f', 'm a wish. perhaps it would have been better for both of us had i been sterner, but i meant it for th', 'ish. perhaps it would have been better for both of us had i been sterner, but i meant it for the bes', 'perhaps it would have been better for both of us had i been sterner, but i meant it for the best. "i', 'ps it would have been better for both of us had i been sterner, but i meant it for the best. "it was', ' would have been better for both of us had i been sterner, but i meant it for the best. "it was natu', 'd have been better for both of us had i been sterner, but i meant it for the best. "it was naturally', 'e been better for both of us had i been sterner, but i meant it for the best. "it was naturally my i', 'n better for both of us had i been sterner, but i meant it for the best. "it was naturally my intent', 'ter for both of us had i been sterner, but i meant it for the best. "it was naturally my intention t', 'or both of us had i been sterner, but i meant it for the best. "it was naturally my intention that h', 'th of us had i been sterner, but i meant it for the best. "it was naturally my intention that he sho', ' us had i been sterner, but i meant it for the best. "it was naturally my intention that he should s', 'ad i been sterner, but i meant it for the best. "it was naturally my intention that he should succee', 'been sterner, but i meant it for the best. "it was naturally my intention that he should succeed me ', 'sterner, but i meant it for the best. "it was naturally my intention that he should succeed me in my', 'er, but i meant it for the best. "it was naturally my intention that he should succeed me in my busi', 'ut i meant it for the best. "it was naturally my intention that he should succeed me in my business,', 'meant it for the best. "it was naturally my intention that he should succeed me in my business, but ', ' it for the best. "it was naturally my intention that he should succeed me in my business, but he wa', 'or the best. "it was naturally my intention that he should succeed me in my business, but he was not', 'e best. "it was naturally my intention that he should succeed me in my business, but he was not of a', 't. "it was naturally my intention that he should succeed me in my business, but he was not of a busi', 't was naturally my intention that he should succeed me in my business, but he was not of a business ', ' naturally my intention that he should succeed me in my business, but he was not of a business turn.', 'rally my intention that he should succeed me in my business, but he was not of a business turn. he w', ' my intention that he should succeed me in my business, but he was not of a business turn. he was wi', 'ntention that he should succeed me in my business, but he was not of a business turn. he was wild, w', 'ion that he should succeed me in my business, but he was not of a business turn. he was wild, waywar', 'hat he should succeed me in my business, but he was not of a business turn. he was wild, wayward, an', 'e should succeed me in my business, but he was not of a business turn. he was wild, wayward, and, to', 'uld succeed me in my business, but he was not of a business turn. he was wild, wayward, and, to spea', 'ucceed me in my business, but he was not of a business turn. he was wild, wayward, and, to speak the', 'd me in my business, but he was not of a business turn. he was wild, wayward, and, to speak the trut', 'in my business, but he was not of a business turn. he was wild, wayward, and, to speak the truth, i ', ' business, but he was not of a business turn. he was wild, wayward, and, to speak the truth, i could', 'ness, but he was not of a business turn. he was wild, wayward, and, to speak the truth, i could not ', ' but he was not of a business turn. he was wild, wayward, and, to speak the truth, i could not trust', 'he was not of a business turn. he was wild, wayward, and, to speak the truth, i could not trust him ', 's not of a business turn. he was wild, wayward, and, to speak the truth, i could not trust him in th', ' of a business turn. he was wild, wayward, and, to speak the truth, i could not trust him in the han', ' business turn. he was wild, wayward, and, to speak the truth, i could not trust him in the handling', 'ness turn. he was wild, wayward, and, to speak the truth, i could not trust him in the handling of l', 'turn. he was wild, wayward, and, to speak the truth, i could not trust him in the handling of large ', ' he was wild, wayward, and, to speak the truth, i could not trust him in the handling of large sums ', 'as wild, wayward, and, to speak the truth, i could not trust him in the handling of large sums of mo', 'ld, wayward, and, to speak the truth, i could not trust him in the handling of large sums of money. ', 'ayward, and, to speak the truth, i could not trust him in the handling of large sums of money. when ', 'd, and, to speak the truth, i could not trust him in the handling of large sums of money. when he wa', 'd, to speak the truth, i could not trust him in the handling of large sums of money. when he was you', ' speak the truth, i could not trust him in the handling of large sums of money. when he was young he', 'k the truth, i could not trust him in the handling of large sums of money. when he was young he beca', ' truth, i could not trust him in the handling of large sums of money. when he was young he became a ', 'h, i could not trust him in the handling of large sums of money. when he was young he became a membe', 'could not trust him in the handling of large sums of money. when he was young he became a member of ', ' not trust him in the handling of large sums of money. when he was young he became a member of an ar', 'trust him in the handling of large sums of money. when he was young he became a member of an aristoc', ' him in the handling of large sums of money. when he was young he became a member of an aristocratic', 'in the handling of large sums of money. when he was young he became a member of an aristocratic club', 'e handling of large sums of money. when he was young he became a member of an aristocratic club, and', 'dling of large sums of money. when he was young he became a member of an aristocratic club, and ther', ' of large sums of money. when he was young he became a member of an aristocratic club, and there, ha', 'arge sums of money. when he was young he became a member of an aristocratic club, and there, having ', 'sums of money. when he was young he became a member of an aristocratic club, and there, having charm', 'of money. when he was young he became a member of an aristocratic club, and there, having charming m', 'ney. when he was young he became a member of an aristocratic club, and there, having charming manner', 'when he was young he became a member of an aristocratic club, and there, having charming manners, he', 'he was young he became a member of an aristocratic club, and there, having charming manners, he was ', 's young he became a member of an aristocratic club, and there, having charming manners, he was soon ', 'ng he became a member of an aristocratic club, and there, having charming manners, he was soon the i', ' became a member of an aristocratic club, and there, having charming manners, he was soon the intima', 'me a member of an aristocratic club, and there, having charming manners, he was soon the intimate of', 'member of an aristocratic club, and there, having charming manners, he was soon the intimate of a nu', 'r of an aristocratic club, and there, having charming manners, he was soon the intimate of a number ', 'an aristocratic club, and there, having charming manners, he was soon the intimate of a number of me', 'istocratic club, and there, having charming manners, he was soon the intimate of a number of men wit', 'ratic club, and there, having charming manners, he was soon the intimate of a number of men with lon', ' club, and there, having charming manners, he was soon the intimate of a number of men with long pur', ', and there, having charming manners, he was soon the intimate of a number of men with long purses a', ' there, having charming manners, he was soon the intimate of a number of men with long purses and ex', 'e, having charming manners, he was soon the intimate of a number of men with long purses and expensi', 'ving charming manners, he was soon the intimate of a number of men with long purses and expensive ha', 'charming manners, he was soon the intimate of a number of men with long purses and expensive habits.', 'ing manners, he was soon the intimate of a number of men with long purses and expensive habits. he l', 'anners, he was soon the intimate of a number of men with long purses and expensive habits. he learne', 's, he was soon the intimate of a number of men with long purses and expensive habits. he learned to ', ' was soon the intimate of a number of men with long purses and expensive habits. he learned to play ', 'soon the intimate of a number of men with long purses and expensive habits. he learned to play heavi', 'the intimate of a number of men with long purses and expensive habits. he learned to play heavily at', 'ntimate of a number of men with long purses and expensive habits. he learned to play heavily at card', 'te of a number of men with long purses and expensive habits. he learned to play heavily at cards and', ' a number of men with long purses and expensive habits. he learned to play heavily at cards and to s', 'mber of men with long purses and expensive habits. he learned to play heavily at cards and to squand', 'of men with long purses and expensive habits. he learned to play heavily at cards and to squander mo', 'n with long purses and expensive habits. he learned to play heavily at cards and to squander money o', 'h long purses and expensive habits. he learned to play heavily at cards and to squander money on the', 'g purses and expensive habits. he learned to play heavily at cards and to squander money on the turf', 'ses and expensive habits. he learned to play heavily at cards and to squander money on the turf, unt', 'nd expensive habits. he learned to play heavily at cards and to squander money on the turf, until he', 'pensive habits. he learned to play heavily at cards and to squander money on the turf, until he had ', 've habits. he learned to play heavily at cards and to squander money on the turf, until he had again', 'bits. he learned to play heavily at cards and to squander money on the turf, until he had again and ', ' he learned to play heavily at cards and to squander money on the turf, until he had again and again', 'earned to play heavily at cards and to squander money on the turf, until he had again and again to c', 'd to play heavily at cards and to squander money on the turf, until he had again and again to come t', 'play heavily at cards and to squander money on the turf, until he had again and again to come to me ', 'heavily at cards and to squander money on the turf, until he had again and again to come to me and i', 'ly at cards and to squander money on the turf, until he had again and again to come to me and implor', ' cards and to squander money on the turf, until he had again and again to come to me and implore me ', 's and to squander money on the turf, until he had again and again to come to me and implore me to gi', ' to squander money on the turf, until he had again and again to come to me and implore me to give hi', 'quander money on the turf, until he had again and again to come to me and implore me to give him an ', 'er money on the turf, until he had again and again to come to me and implore me to give him an advan', 'ney on the turf, until he had again and again to come to me and implore me to give him an advance up', 'n the turf, until he had again and again to come to me and implore me to give him an advance upon hi', ' turf, until he had again and again to come to me and implore me to give him an advance upon his all', ', until he had again and again to come to me and implore me to give him an advance upon his allowanc', 'il he had again and again to come to me and implore me to give him an advance upon his allowance, th', ' had again and again to come to me and implore me to give him an advance upon his allowance, that he', 'again and again to come to me and implore me to give him an advance upon his allowance, that he migh', ' and again to come to me and implore me to give him an advance upon his allowance, that he might set', 'again to come to me and implore me to give him an advance upon his allowance, that he might settle h', ' to come to me and implore me to give him an advance upon his allowance, that he might settle his de', 'ome to me and implore me to give him an advance upon his allowance, that he might settle his debts o', 'o me and implore me to give him an advance upon his allowance, that he might settle his debts of hon', 'and implore me to give him an advance upon his allowance, that he might settle his debts of honour. ', 'mplore me to give him an advance upon his allowance, that he might settle his debts of honour. he tr', 'e me to give him an advance upon his allowance, that he might settle his debts of honour. he tried m', 'to give him an advance upon his allowance, that he might settle his debts of honour. he tried more t', 've him an advance upon his allowance, that he might settle his debts of honour. he tried more than o', 'm an advance upon his allowance, that he might settle his debts of honour. he tried more than once t', 'advance upon his allowance, that he might settle his debts of honour. he tried more than once to bre', 'ce upon his allowance, that he might settle his debts of honour. he tried more than once to break aw', 'on his allowance, that he might settle his debts of honour. he tried more than once to break away fr', 's allowance, that he might settle his debts of honour. he tried more than once to break away from th', 'owance, that he might settle his debts of honour. he tried more than once to break away from the dan', 'e, that he might settle his debts of honour. he tried more than once to break away from the dangerou', 'at he might settle his debts of honour. he tried more than once to break away from the dangerous com', ' might settle his debts of honour. he tried more than once to break away from the dangerous company ', 't settle his debts of honour. he tried more than once to break away from the dangerous company which', 'tle his debts of honour. he tried more than once to break away from the dangerous company which he w', 'is debts of honour. he tried more than once to break away from the dangerous company which he was ke', 'bts of honour. he tried more than once to break away from the dangerous company which he was keeping', 'f honour. he tried more than once to break away from the dangerous company which he was keeping, but', 'our. he tried more than once to break away from the dangerous company which he was keeping, but each', 'he tried more than once to break away from the dangerous company which he was keeping, but each time', 'ied more than once to break away from the dangerous company which he was keeping, but each time the ', 'ore than once to break away from the dangerous company which he was keeping, but each time the influ', 'han once to break away from the dangerous company which he was keeping, but each time the influence ', 'nce to break away from the dangerous company which he was keeping, but each time the influence of hi', 'o break away from the dangerous company which he was keeping, but each time the influence of his fri', 'ak away from the dangerous company which he was keeping, but each time the influence of his friend, ', 'ay from the dangerous company which he was keeping, but each time the influence of his friend, sir g', 'om the dangerous company which he was keeping, but each time the influence of his friend, sir george', 'e dangerous company which he was keeping, but each time the influence of his friend, sir george burn', 'gerous company which he was keeping, but each time the influence of his friend, sir george burnwell,', 's company which he was keeping, but each time the influence of his friend, sir george burnwell, was ', 'pany which he was keeping, but each time the influence of his friend, sir george burnwell, was enoug', 'which he was keeping, but each time the influence of his friend, sir george burnwell, was enough to ', ' he was keeping, but each time the influence of his friend, sir george burnwell, was enough to draw ', 'as keeping, but each time the influence of his friend, sir george burnwell, was enough to draw him b', 'eping, but each time the influence of his friend, sir george burnwell, was enough to draw him back a', ', but each time the influence of his friend, sir george burnwell, was enough to draw him back again.', ' each time the influence of his friend, sir george burnwell, was enough to draw him back again. "and', ' time the influence of his friend, sir george burnwell, was enough to draw him back again. "and, ind', ' the influence of his friend, sir george burnwell, was enough to draw him back again. "and, indeed, ', 'influence of his friend, sir george burnwell, was enough to draw him back again. "and, indeed, i cou', 'ence of his friend, sir george burnwell, was enough to draw him back again. "and, indeed, i could no', 'of his friend, sir george burnwell, was enough to draw him back again. "and, indeed, i could not won', 's friend, sir george burnwell, was enough to draw him back again. "and, indeed, i could not wonder t', 'end, sir george burnwell, was enough to draw him back again. "and, indeed, i could not wonder that s', 'sir george burnwell, was enough to draw him back again. "and, indeed, i could not wonder that such a', 'eorge burnwell, was enough to draw him back again. "and, indeed, i could not wonder that such a man ', ' burnwell, was enough to draw him back again. "and, indeed, i could not wonder that such a man as si', 'well, was enough to draw him back again. "and, indeed, i could not wonder that such a man as sir geo', ' was enough to draw him back again. "and, indeed, i could not wonder that such a man as sir george b', 'enough to draw him back again. "and, indeed, i could not wonder that such a man as sir george burnwe', 'h to draw him back again. "and, indeed, i could not wonder that such a man as sir george burnwell sh', 'draw him back again. "and, indeed, i could not wonder that such a man as sir george burnwell should ', 'him back again. "and, indeed, i could not wonder that such a man as sir george burnwell should gain ', 'ack again. "and, indeed, i could not wonder that such a man as sir george burnwell should gain an in', 'gain. "and, indeed, i could not wonder that such a man as sir george burnwell should gain an influen', ' "and, indeed, i could not wonder that such a man as sir george burnwell should gain an influence ov', ', indeed, i could not wonder that such a man as sir george burnwell should gain an influence over hi', 'eed, i could not wonder that such a man as sir george burnwell should gain an influence over him, fo', 'i could not wonder that such a man as sir george burnwell should gain an influence over him, for he ', 'ld not wonder that such a man as sir george burnwell should gain an influence over him, for he has f', 't wonder that such a man as sir george burnwell should gain an influence over him, for he has freque', 'der that such a man as sir george burnwell should gain an influence over him, for he has frequently ', 'hat such a man as sir george burnwell should gain an influence over him, for he has frequently broug', 'uch a man as sir george burnwell should gain an influence over him, for he has frequently brought hi', ' man as sir george burnwell should gain an influence over him, for he has frequently brought him to ', 'as sir george burnwell should gain an influence over him, for he has frequently brought him to my ho', 'r george burnwell should gain an influence over him, for he has frequently brought him to my house, ', 'rge burnwell should gain an influence over him, for he has frequently brought him to my house, and i', 'urnwell should gain an influence over him, for he has frequently brought him to my house, and i have', 'll should gain an influence over him, for he has frequently brought him to my house, and i have foun', 'ould gain an influence over him, for he has frequently brought him to my house, and i have found mys', 'gain an influence over him, for he has frequently brought him to my house, and i have found myself t', 'an influence over him, for he has frequently brought him to my house, and i have found myself that i', 'fluence over him, for he has frequently brought him to my house, and i have found myself that i coul', 'ce over him, for he has frequently brought him to my house, and i have found myself that i could har', 'er him, for he has frequently brought him to my house, and i have found myself that i could hardly r', 'm, for he has frequently brought him to my house, and i have found myself that i could hardly resist', 'r he has frequently brought him to my house, and i have found myself that i could hardly resist the ', 'has frequently brought him to my house, and i have found myself that i could hardly resist the fasci', 'requently brought him to my house, and i have found myself that i could hardly resist the fascinatio', 'ntly brought him to my house, and i have found myself that i could hardly resist the fascination of ', 'brought him to my house, and i have found myself that i could hardly resist the fascination of his m', 'ht him to my house, and i have found myself that i could hardly resist the fascination of his manner', 'm to my house, and i have found myself that i could hardly resist the fascination of his manner. he ', 'my house, and i have found myself that i could hardly resist the fascination of his manner. he is ol', 'use, and i have found myself that i could hardly resist the fascination of his manner. he is older t', 'and i have found myself that i could hardly resist the fascination of his manner. he is older than a', ' have found myself that i could hardly resist the fascination of his manner. he is older than arthur', ' found myself that i could hardly resist the fascination of his manner. he is older than arthur, a m', 'd myself that i could hardly resist the fascination of his manner. he is older than arthur, a man of', 'elf that i could hardly resist the fascination of his manner. he is older than arthur, a man of the ', 'hat i could hardly resist the fascination of his manner. he is older than arthur, a man of the world', ' could hardly resist the fascination of his manner. he is older than arthur, a man of the world to h', 'd hardly resist the fascination of his manner. he is older than arthur, a man of the world to his fi', 'dly resist the fascination of his manner. he is older than arthur, a man of the world to his finger-', 'esist the fascination of his manner. he is older than arthur, a man of the world to his finger-tips,', ' the fascination of his manner. he is older than arthur, a man of the world to his finger-tips, one ', 'fascination of his manner. he is older than arthur, a man of the world to his finger-tips, one who h', 'nation of his manner. he is older than arthur, a man of the world to his finger-tips, one who had be', 'n of his manner. he is older than arthur, a man of the world to his finger-tips, one who had been ev', 'his manner. he is older than arthur, a man of the world to his finger-tips, one who had been everywh', 'anner. he is older than arthur, a man of the world to his finger-tips, one who had been everywhere, ', '. he is older than arthur, a man of the world to his finger-tips, one who had been everywhere, seen ', 'is older than arthur, a man of the world to his finger-tips, one who had been everywhere, seen every', 'der than arthur, a man of the world to his finger-tips, one who had been everywhere, seen everything', 'han arthur, a man of the world to his finger-tips, one who had been everywhere, seen everything, a b', 'rthur, a man of the world to his finger-tips, one who had been everywhere, seen everything, a brilli', ', a man of the world to his finger-tips, one who had been everywhere, seen everything, a brilliant t', 'an of the world to his finger-tips, one who had been everywhere, seen everything, a brilliant talker', ' the world to his finger-tips, one who had been everywhere, seen everything, a brilliant talker, and', 'world to his finger-tips, one who had been everywhere, seen everything, a brilliant talker, and a ma', ' to his finger-tips, one who had been everywhere, seen everything, a brilliant talker, and a man of ', 'is finger-tips, one who had been everywhere, seen everything, a brilliant talker, and a man of great', 'nger-tips, one who had been everywhere, seen everything, a brilliant talker, and a man of great pers', 'tips, one who had been everywhere, seen everything, a brilliant talker, and a man of great personal ', ' one who had been everywhere, seen everything, a brilliant talker, and a man of great personal beaut', 'who had been everywhere, seen everything, a brilliant talker, and a man of great personal beauty. ye', 'ad been everywhere, seen everything, a brilliant talker, and a man of great personal beauty. yet whe', 'en everywhere, seen everything, a brilliant talker, and a man of great personal beauty. yet when i t', 'erywhere, seen everything, a brilliant talker, and a man of great personal beauty. yet when i think ', 'ere, seen everything, a brilliant talker, and a man of great personal beauty. yet when i think of hi', 'seen everything, a brilliant talker, and a man of great personal beauty. yet when i think of him in ', 'everything, a brilliant talker, and a man of great personal beauty. yet when i think of him in cold ', 'thing, a brilliant talker, and a man of great personal beauty. yet when i think of him in cold blood', ', a brilliant talker, and a man of great personal beauty. yet when i think of him in cold blood, far', 'rilliant talker, and a man of great personal beauty. yet when i think of him in cold blood, far away', 'ant talker, and a man of great personal beauty. yet when i think of him in cold blood, far away from', 'alker, and a man of great personal beauty. yet when i think of him in cold blood, far away from the ', ', and a man of great personal beauty. yet when i think of him in cold blood, far away from the glamo', ' a man of great personal beauty. yet when i think of him in cold blood, far away from the glamour of', 'n of great personal beauty. yet when i think of him in cold blood, far away from the glamour of his ', 'great personal beauty. yet when i think of him in cold blood, far away from the glamour of his prese', ' personal beauty. yet when i think of him in cold blood, far away from the glamour of his presence, ', 'onal beauty. yet when i think of him in cold blood, far away from the glamour of his presence, i am ', 'beauty. yet when i think of him in cold blood, far away from the glamour of his presence, i am convi', 'y. yet when i think of him in cold blood, far away from the glamour of his presence, i am convinced ', 't when i think of him in cold blood, far away from the glamour of his presence, i am convinced from ', 'n i think of him in cold blood, far away from the glamour of his presence, i am convinced from his c', 'hink of him in cold blood, far away from the glamour of his presence, i am convinced from his cynica', 'of him in cold blood, far away from the glamour of his presence, i am convinced from his cynical spe', 'm in cold blood, far away from the glamour of his presence, i am convinced from his cynical speech a', 'cold blood, far away from the glamour of his presence, i am convinced from his cynical speech and th', 'blood, far away from the glamour of his presence, i am convinced from his cynical speech and the loo', ', far away from the glamour of his presence, i am convinced from his cynical speech and the look whi', ' away from the glamour of his presence, i am convinced from his cynical speech and the look which i ', ' from the glamour of his presence, i am convinced from his cynical speech and the look which i have ', ' the glamour of his presence, i am convinced from his cynical speech and the look which i have caugh', 'glamour of his presence, i am convinced from his cynical speech and the look which i have caught in ', 'ur of his presence, i am convinced from his cynical speech and the look which i have caught in his e', ' his presence, i am convinced from his cynical speech and the look which i have caught in his eyes t', 'presence, i am convinced from his cynical speech and the look which i have caught in his eyes that h', 'nce, i am convinced from his cynical speech and the look which i have caught in his eyes that he is ', 'i am convinced from his cynical speech and the look which i have caught in his eyes that he is one w', 'convinced from his cynical speech and the look which i have caught in his eyes that he is one who sh', 'nced from his cynical speech and the look which i have caught in his eyes that he is one who should ', 'from his cynical speech and the look which i have caught in his eyes that he is one who should be de', 'his cynical speech and the look which i have caught in his eyes that he is one who should be deeply ', 'ynical speech and the look which i have caught in his eyes that he is one who should be deeply distr', 'l speech and the look which i have caught in his eyes that he is one who should be deeply distrusted', 'ech and the look which i have caught in his eyes that he is one who should be deeply distrusted. so ', 'nd the look which i have caught in his eyes that he is one who should be deeply distrusted. so i thi', 'e look which i have caught in his eyes that he is one who should be deeply distrusted. so i think, a', 'k which i have caught in his eyes that he is one who should be deeply distrusted. so i think, and so', 'ch i have caught in his eyes that he is one who should be deeply distrusted. so i think, and so, too', 'have caught in his eyes that he is one who should be deeply distrusted. so i think, and so, too, thi', 'caught in his eyes that he is one who should be deeply distrusted. so i think, and so, too, thinks m', 't in his eyes that he is one who should be deeply distrusted. so i think, and so, too, thinks my lit', 'his eyes that he is one who should be deeply distrusted. so i think, and so, too, thinks my little m', 'yes that he is one who should be deeply distrusted. so i think, and so, too, thinks my little mary, ', 'hat he is one who should be deeply distrusted. so i think, and so, too, thinks my little mary, who h', 'e is one who should be deeply distrusted. so i think, and so, too, thinks my little mary, who has a ', 'one who should be deeply distrusted. so i think, and so, too, thinks my little mary, who has a woman', "ho should be deeply distrusted. so i think, and so, too, thinks my little mary, who has a woman's qu", "ould be deeply distrusted. so i think, and so, too, thinks my little mary, who has a woman's quick i", "be deeply distrusted. so i think, and so, too, thinks my little mary, who has a woman's quick insigh", "eply distrusted. so i think, and so, too, thinks my little mary, who has a woman's quick insight int", "distrusted. so i think, and so, too, thinks my little mary, who has a woman's quick insight into cha", "usted. so i think, and so, too, thinks my little mary, who has a woman's quick insight into characte", '. so i think, and so, too, thinks my little mary, who has a woman\'s quick insight into character. "a', 'i think, and so, too, thinks my little mary, who has a woman\'s quick insight into character. "and no', 'nk, and so, too, thinks my little mary, who has a woman\'s quick insight into character. "and now the', 'nd so, too, thinks my little mary, who has a woman\'s quick insight into character. "and now there is', ', too, thinks my little mary, who has a woman\'s quick insight into character. "and now there is only', ', thinks my little mary, who has a woman\'s quick insight into character. "and now there is only she ', 'nks my little mary, who has a woman\'s quick insight into character. "and now there is only she to be', 'y little mary, who has a woman\'s quick insight into character. "and now there is only she to be desc', 'tle mary, who has a woman\'s quick insight into character. "and now there is only she to be described', 'ary, who has a woman\'s quick insight into character. "and now there is only she to be described. she', 'who has a woman\'s quick insight into character. "and now there is only she to be described. she is m', 'as a woman\'s quick insight into character. "and now there is only she to be described. she is my nie', 'woman\'s quick insight into character. "and now there is only she to be described. she is my niece; b', '\'s quick insight into character. "and now there is only she to be described. she is my niece; but wh', 'ick insight into character. "and now there is only she to be described. she is my niece; but when my', 'nsight into character. "and now there is only she to be described. she is my niece; but when my brot', 't into character. "and now there is only she to be described. she is my niece; but when my brother d', 'o character. "and now there is only she to be described. she is my niece; but when my brother died f', 'racter. "and now there is only she to be described. she is my niece; but when my brother died five y', 'r. "and now there is only she to be described. she is my niece; but when my brother died five years ', 'nd now there is only she to be described. she is my niece; but when my brother died five years ago a', 'w there is only she to be described. she is my niece; but when my brother died five years ago and le', 're is only she to be described. she is my niece; but when my brother died five years ago and left he', ' only she to be described. she is my niece; but when my brother died five years ago and left her alo', ' she to be described. she is my niece; but when my brother died five years ago and left her alone in', 'to be described. she is my niece; but when my brother died five years ago and left her alone in the ', ' described. she is my niece; but when my brother died five years ago and left her alone in the world', 'ribed. she is my niece; but when my brother died five years ago and left her alone in the world i ad', '. she is my niece; but when my brother died five years ago and left her alone in the world i adopted', ' is my niece; but when my brother died five years ago and left her alone in the world i adopted her,', 'y niece; but when my brother died five years ago and left her alone in the world i adopted her, and ', 'ce; but when my brother died five years ago and left her alone in the world i adopted her, and have ', 'ut when my brother died five years ago and left her alone in the world i adopted her, and have looke', 'en my brother died five years ago and left her alone in the world i adopted her, and have looked upo', ' brother died five years ago and left her alone in the world i adopted her, and have looked upon her', 'her died five years ago and left her alone in the world i adopted her, and have looked upon her ever', 'ied five years ago and left her alone in the world i adopted her, and have looked upon her ever sinc', 'ive years ago and left her alone in the world i adopted her, and have looked upon her ever since as ', 'ears ago and left her alone in the world i adopted her, and have looked upon her ever since as my da', 'ago and left her alone in the world i adopted her, and have looked upon her ever since as my daughte', 'nd left her alone in the world i adopted her, and have looked upon her ever since as my daughter. sh', 'ft her alone in the world i adopted her, and have looked upon her ever since as my daughter. she is ', 'r alone in the world i adopted her, and have looked upon her ever since as my daughter. she is a sun', 'ne in the world i adopted her, and have looked upon her ever since as my daughter. she is a sunbeam ', ' the world i adopted her, and have looked upon her ever since as my daughter. she is a sunbeam in my', 'world i adopted her, and have looked upon her ever since as my daughter. she is a sunbeam in my hous', ' i adopted her, and have looked upon her ever since as my daughter. she is a sunbeam in my houseswee', 'opted her, and have looked upon her ever since as my daughter. she is a sunbeam in my housesweet, lo', ' her, and have looked upon her ever since as my daughter. she is a sunbeam in my housesweet, loving,', ' and have looked upon her ever since as my daughter. she is a sunbeam in my housesweet, loving, beau', 'have looked upon her ever since as my daughter. she is a sunbeam in my housesweet, loving, beautiful', 'looked upon her ever since as my daughter. she is a sunbeam in my housesweet, loving, beautiful, a w', 'd upon her ever since as my daughter. she is a sunbeam in my housesweet, loving, beautiful, a wonder', 'n her ever since as my daughter. she is a sunbeam in my housesweet, loving, beautiful, a wonderful m', ' ever since as my daughter. she is a sunbeam in my housesweet, loving, beautiful, a wonderful manage', ' since as my daughter. she is a sunbeam in my housesweet, loving, beautiful, a wonderful manager and', 'e as my daughter. she is a sunbeam in my housesweet, loving, beautiful, a wonderful manager and hous', 'my daughter. she is a sunbeam in my housesweet, loving, beautiful, a wonderful manager and housekeep', 'ughter. she is a sunbeam in my housesweet, loving, beautiful, a wonderful manager and housekeeper, y', 'r. she is a sunbeam in my housesweet, loving, beautiful, a wonderful manager and housekeeper, yet as', 'e is a sunbeam in my housesweet, loving, beautiful, a wonderful manager and housekeeper, yet as tend', 'a sunbeam in my housesweet, loving, beautiful, a wonderful manager and housekeeper, yet as tender an', 'beam in my housesweet, loving, beautiful, a wonderful manager and housekeeper, yet as tender and qui', 'in my housesweet, loving, beautiful, a wonderful manager and housekeeper, yet as tender and quiet an', ' housesweet, loving, beautiful, a wonderful manager and housekeeper, yet as tender and quiet and gen', 'esweet, loving, beautiful, a wonderful manager and housekeeper, yet as tender and quiet and gentle a', 't, loving, beautiful, a wonderful manager and housekeeper, yet as tender and quiet and gentle as a w', 'ving, beautiful, a wonderful manager and housekeeper, yet as tender and quiet and gentle as a woman ', ' beautiful, a wonderful manager and housekeeper, yet as tender and quiet and gentle as a woman could', 'tiful, a wonderful manager and housekeeper, yet as tender and quiet and gentle as a woman could be. ', ', a wonderful manager and housekeeper, yet as tender and quiet and gentle as a woman could be. she i', 'onderful manager and housekeeper, yet as tender and quiet and gentle as a woman could be. she is my ', 'ful manager and housekeeper, yet as tender and quiet and gentle as a woman could be. she is my right', 'anager and housekeeper, yet as tender and quiet and gentle as a woman could be. she is my right hand', 'r and housekeeper, yet as tender and quiet and gentle as a woman could be. she is my right hand. i d', ' housekeeper, yet as tender and quiet and gentle as a woman could be. she is my right hand. i do not', 'ekeeper, yet as tender and quiet and gentle as a woman could be. she is my right hand. i do not know', 'er, yet as tender and quiet and gentle as a woman could be. she is my right hand. i do not know what', 'et as tender and quiet and gentle as a woman could be. she is my right hand. i do not know what i co', ' tender and quiet and gentle as a woman could be. she is my right hand. i do not know what i could d', 'er and quiet and gentle as a woman could be. she is my right hand. i do not know what i could do wit', 'd quiet and gentle as a woman could be. she is my right hand. i do not know what i could do without ', 'et and gentle as a woman could be. she is my right hand. i do not know what i could do without her. ', 'd gentle as a woman could be. she is my right hand. i do not know what i could do without her. in on', 'tle as a woman could be. she is my right hand. i do not know what i could do without her. in only on', 's a woman could be. she is my right hand. i do not know what i could do without her. in only one mat', 'oman could be. she is my right hand. i do not know what i could do without her. in only one matter h', 'could be. she is my right hand. i do not know what i could do without her. in only one matter has sh', ' be. she is my right hand. i do not know what i could do without her. in only one matter has she eve', 'she is my right hand. i do not know what i could do without her. in only one matter has she ever gon', 's my right hand. i do not know what i could do without her. in only one matter has she ever gone aga', 'right hand. i do not know what i could do without her. in only one matter has she ever gone against ', ' hand. i do not know what i could do without her. in only one matter has she ever gone against my wi', '. i do not know what i could do without her. in only one matter has she ever gone against my wishes.', 'o not know what i could do without her. in only one matter has she ever gone against my wishes. twic', ' know what i could do without her. in only one matter has she ever gone against my wishes. twice my ', ' what i could do without her. in only one matter has she ever gone against my wishes. twice my boy h', ' i could do without her. in only one matter has she ever gone against my wishes. twice my boy has as', 'uld do without her. in only one matter has she ever gone against my wishes. twice my boy has asked h', 'o without her. in only one matter has she ever gone against my wishes. twice my boy has asked her to', 'hout her. in only one matter has she ever gone against my wishes. twice my boy has asked her to marr', 'her. in only one matter has she ever gone against my wishes. twice my boy has asked her to marry him', 'in only one matter has she ever gone against my wishes. twice my boy has asked her to marry him, for', 'ly one matter has she ever gone against my wishes. twice my boy has asked her to marry him, for he l', 'e matter has she ever gone against my wishes. twice my boy has asked her to marry him, for he loves ', 'ter has she ever gone against my wishes. twice my boy has asked her to marry him, for he loves her d', 'as she ever gone against my wishes. twice my boy has asked her to marry him, for he loves her devote', 'e ever gone against my wishes. twice my boy has asked her to marry him, for he loves her devotedly, ', 'r gone against my wishes. twice my boy has asked her to marry him, for he loves her devotedly, but e', 'e against my wishes. twice my boy has asked her to marry him, for he loves her devotedly, but each t', 'inst my wishes. twice my boy has asked her to marry him, for he loves her devotedly, but each time s', 'my wishes. twice my boy has asked her to marry him, for he loves her devotedly, but each time she ha', 'shes. twice my boy has asked her to marry him, for he loves her devotedly, but each time she has ref', ' twice my boy has asked her to marry him, for he loves her devotedly, but each time she has refused ', 'e my boy has asked her to marry him, for he loves her devotedly, but each time she has refused him. ', 'boy has asked her to marry him, for he loves her devotedly, but each time she has refused him. i thi', 'as asked her to marry him, for he loves her devotedly, but each time she has refused him. i think th', 'ked her to marry him, for he loves her devotedly, but each time she has refused him. i think that if', 'er to marry him, for he loves her devotedly, but each time she has refused him. i think that if anyo', ' marry him, for he loves her devotedly, but each time she has refused him. i think that if anyone co', 'y him, for he loves her devotedly, but each time she has refused him. i think that if anyone could h', ', for he loves her devotedly, but each time she has refused him. i think that if anyone could have d', ' he loves her devotedly, but each time she has refused him. i think that if anyone could have drawn ', 'oves her devotedly, but each time she has refused him. i think that if anyone could have drawn him i', 'her devotedly, but each time she has refused him. i think that if anyone could have drawn him into t', 'evotedly, but each time she has refused him. i think that if anyone could have drawn him into the ri', 'dly, but each time she has refused him. i think that if anyone could have drawn him into the right p', 'but each time she has refused him. i think that if anyone could have drawn him into the right path i', 'ach time she has refused him. i think that if anyone could have drawn him into the right path it wou', 'ime she has refused him. i think that if anyone could have drawn him into the right path it would ha', 'he has refused him. i think that if anyone could have drawn him into the right path it would have be', 's refused him. i think that if anyone could have drawn him into the right path it would have been sh', 'used him. i think that if anyone could have drawn him into the right path it would have been she, an', 'him. i think that if anyone could have drawn him into the right path it would have been she, and tha', 'i think that if anyone could have drawn him into the right path it would have been she, and that his', 'nk that if anyone could have drawn him into the right path it would have been she, and that his marr', 'at if anyone could have drawn him into the right path it would have been she, and that his marriage ', ' anyone could have drawn him into the right path it would have been she, and that his marriage might', 'ne could have drawn him into the right path it would have been she, and that his marriage might have', 'uld have drawn him into the right path it would have been she, and that his marriage might have chan', 'ave drawn him into the right path it would have been she, and that his marriage might have changed h', 'rawn him into the right path it would have been she, and that his marriage might have changed his wh', 'him into the right path it would have been she, and that his marriage might have changed his whole l', 'nto the right path it would have been she, and that his marriage might have changed his whole life; ', 'he right path it would have been she, and that his marriage might have changed his whole life; but n', 'ght path it would have been she, and that his marriage might have changed his whole life; but now, a', 'ath it would have been she, and that his marriage might have changed his whole life; but now, alas! ', 't would have been she, and that his marriage might have changed his whole life; but now, alas! it is', 'ld have been she, and that his marriage might have changed his whole life; but now, alas! it is too ', 've been she, and that his marriage might have changed his whole life; but now, alas! it is too latef', 'en she, and that his marriage might have changed his whole life; but now, alas! it is too lateforeve', 'e, and that his marriage might have changed his whole life; but now, alas! it is too lateforever too', 'd that his marriage might have changed his whole life; but now, alas! it is too lateforever too late', 't his marriage might have changed his whole life; but now, alas! it is too lateforever too late "now', ' marriage might have changed his whole life; but now, alas! it is too lateforever too late "now, mr.', 'iage might have changed his whole life; but now, alas! it is too lateforever too late "now, mr. holm', 'might have changed his whole life; but now, alas! it is too lateforever too late "now, mr. holmes, y', ' have changed his whole life; but now, alas! it is too lateforever too late "now, mr. holmes, you kn', ' changed his whole life; but now, alas! it is too lateforever too late "now, mr. holmes, you know th', 'ged his whole life; but now, alas! it is too lateforever too late "now, mr. holmes, you know the peo', 'is whole life; but now, alas! it is too lateforever too late "now, mr. holmes, you know the people w', 'ole life; but now, alas! it is too lateforever too late "now, mr. holmes, you know the people who li', 'ife; but now, alas! it is too lateforever too late "now, mr. holmes, you know the people who live un', 'but now, alas! it is too lateforever too late "now, mr. holmes, you know the people who live under m', 'ow, alas! it is too lateforever too late "now, mr. holmes, you know the people who live under my roo', 'las! it is too lateforever too late "now, mr. holmes, you know the people who live under my roof, an', 'it is too lateforever too late "now, mr. holmes, you know the people who live under my roof, and i s', ' too lateforever too late "now, mr. holmes, you know the people who live under my roof, and i shall ', 'lateforever too late "now, mr. holmes, you know the people who live under my roof, and i shall conti', 'orever too late "now, mr. holmes, you know the people who live under my roof, and i shall continue w', 'r too late "now, mr. holmes, you know the people who live under my roof, and i shall continue with m', ' late "now, mr. holmes, you know the people who live under my roof, and i shall continue with my mis', ' "now, mr. holmes, you know the people who live under my roof, and i shall continue with my miserabl', ', mr. holmes, you know the people who live under my roof, and i shall continue with my miserable sto', ' holmes, you know the people who live under my roof, and i shall continue with my miserable story. "', 'es, you know the people who live under my roof, and i shall continue with my miserable story. "when ', 'ou know the people who live under my roof, and i shall continue with my miserable story. "when we we', 'ow the people who live under my roof, and i shall continue with my miserable story. "when we were ta', 'e people who live under my roof, and i shall continue with my miserable story. "when we were taking ', 'ple who live under my roof, and i shall continue with my miserable story. "when we were taking coffe', 'ho live under my roof, and i shall continue with my miserable story. "when we were taking coffee in ', 've under my roof, and i shall continue with my miserable story. "when we were taking coffee in the d', 'der my roof, and i shall continue with my miserable story. "when we were taking coffee in the drawin', 'y roof, and i shall continue with my miserable story. "when we were taking coffee in the drawing-roo', 'f, and i shall continue with my miserable story. "when we were taking coffee in the drawing-room tha', 'd i shall continue with my miserable story. "when we were taking coffee in the drawing-room that nig', 'hall continue with my miserable story. "when we were taking coffee in the drawing-room that night af', 'continue with my miserable story. "when we were taking coffee in the drawing-room that night after d', 'nue with my miserable story. "when we were taking coffee in the drawing-room that night after dinner', 'ith my miserable story. "when we were taking coffee in the drawing-room that night after dinner, i t', 'y miserable story. "when we were taking coffee in the drawing-room that night after dinner, i told a', 'erable story. "when we were taking coffee in the drawing-room that night after dinner, i told arthur', 'e story. "when we were taking coffee in the drawing-room that night after dinner, i told arthur and ', 'ry. "when we were taking coffee in the drawing-room that night after dinner, i told arthur and mary ', 'when we were taking coffee in the drawing-room that night after dinner, i told arthur and mary my ex', 'we were taking coffee in the drawing-room that night after dinner, i told arthur and mary my experie', 're taking coffee in the drawing-room that night after dinner, i told arthur and mary my experience, ', 'king coffee in the drawing-room that night after dinner, i told arthur and mary my experience, and o', 'coffee in the drawing-room that night after dinner, i told arthur and mary my experience, and of the', 'e in the drawing-room that night after dinner, i told arthur and mary my experience, and of the prec', 'the drawing-room that night after dinner, i told arthur and mary my experience, and of the precious ', 'rawing-room that night after dinner, i told arthur and mary my experience, and of the precious treas', 'g-room that night after dinner, i told arthur and mary my experience, and of the precious treasure w', 'm that night after dinner, i told arthur and mary my experience, and of the precious treasure which ', 't night after dinner, i told arthur and mary my experience, and of the precious treasure which we ha', 'ht after dinner, i told arthur and mary my experience, and of the precious treasure which we had und', 'ter dinner, i told arthur and mary my experience, and of the precious treasure which we had under ou', 'inner, i told arthur and mary my experience, and of the precious treasure which we had under our roo', ', i told arthur and mary my experience, and of the precious treasure which we had under our roof, su', 'old arthur and mary my experience, and of the precious treasure which we had under our roof, suppres', 'rthur and mary my experience, and of the precious treasure which we had under our roof, suppressing ', ' and mary my experience, and of the precious treasure which we had under our roof, suppressing only ', 'mary my experience, and of the precious treasure which we had under our roof, suppressing only the n', 'my experience, and of the precious treasure which we had under our roof, suppressing only the name o', 'perience, and of the precious treasure which we had under our roof, suppressing only the name of my ', 'nce, and of the precious treasure which we had under our roof, suppressing only the name of my clien', 'and of the precious treasure which we had under our roof, suppressing only the name of my client. lu', 'f the precious treasure which we had under our roof, suppressing only the name of my client. lucy pa', ' precious treasure which we had under our roof, suppressing only the name of my client. lucy parr, w', 'ious treasure which we had under our roof, suppressing only the name of my client. lucy parr, who ha', 'treasure which we had under our roof, suppressing only the name of my client. lucy parr, who had bro', 'ure which we had under our roof, suppressing only the name of my client. lucy parr, who had brought ', 'hich we had under our roof, suppressing only the name of my client. lucy parr, who had brought in th', 'we had under our roof, suppressing only the name of my client. lucy parr, who had brought in the cof', 'd under our roof, suppressing only the name of my client. lucy parr, who had brought in the coffee, ', 'er our roof, suppressing only the name of my client. lucy parr, who had brought in the coffee, had, ', 'r roof, suppressing only the name of my client. lucy parr, who had brought in the coffee, had, i am ', 'f, suppressing only the name of my client. lucy parr, who had brought in the coffee, had, i am sure,', 'ppressing only the name of my client. lucy parr, who had brought in the coffee, had, i am sure, left', 'sing only the name of my client. lucy parr, who had brought in the coffee, had, i am sure, left the ', 'only the name of my client. lucy parr, who had brought in the coffee, had, i am sure, left the room;', 'the name of my client. lucy parr, who had brought in the coffee, had, i am sure, left the room; but ', 'ame of my client. lucy parr, who had brought in the coffee, had, i am sure, left the room; but i can', 'f my client. lucy parr, who had brought in the coffee, had, i am sure, left the room; but i cannot s', 'client. lucy parr, who had brought in the coffee, had, i am sure, left the room; but i cannot swear ', 't. lucy parr, who had brought in the coffee, had, i am sure, left the room; but i cannot swear that ', 'cy parr, who had brought in the coffee, had, i am sure, left the room; but i cannot swear that the d', 'rr, who had brought in the coffee, had, i am sure, left the room; but i cannot swear that the door w', 'ho had brought in the coffee, had, i am sure, left the room; but i cannot swear that the door was cl', 'd brought in the coffee, had, i am sure, left the room; but i cannot swear that the door was closed.', 'ught in the coffee, had, i am sure, left the room; but i cannot swear that the door was closed. mary', 'in the coffee, had, i am sure, left the room; but i cannot swear that the door was closed. mary and ', 'e coffee, had, i am sure, left the room; but i cannot swear that the door was closed. mary and arthu', 'fee, had, i am sure, left the room; but i cannot swear that the door was closed. mary and arthur wer', 'had, i am sure, left the room; but i cannot swear that the door was closed. mary and arthur were muc', 'i am sure, left the room; but i cannot swear that the door was closed. mary and arthur were much int', 'sure, left the room; but i cannot swear that the door was closed. mary and arthur were much interest', ' left the room; but i cannot swear that the door was closed. mary and arthur were much interested an', ' the room; but i cannot swear that the door was closed. mary and arthur were much interested and wis', 'room; but i cannot swear that the door was closed. mary and arthur were much interested and wished t', ' but i cannot swear that the door was closed. mary and arthur were much interested and wished to see', 'i cannot swear that the door was closed. mary and arthur were much interested and wished to see the ', 'not swear that the door was closed. mary and arthur were much interested and wished to see the famou', 'wear that the door was closed. mary and arthur were much interested and wished to see the famous cor', 'that the door was closed. mary and arthur were much interested and wished to see the famous coronet,', 'the door was closed. mary and arthur were much interested and wished to see the famous coronet, but ', 'oor was closed. mary and arthur were much interested and wished to see the famous coronet, but i tho', 'as closed. mary and arthur were much interested and wished to see the famous coronet, but i thought ', 'osed. mary and arthur were much interested and wished to see the famous coronet, but i thought it be', ' mary and arthur were much interested and wished to see the famous coronet, but i thought it better ', ' and arthur were much interested and wished to see the famous coronet, but i thought it better not t', 'arthur were much interested and wished to see the famous coronet, but i thought it better not to dis', 'r were much interested and wished to see the famous coronet, but i thought it better not to disturb ', 'e much interested and wished to see the famous coronet, but i thought it better not to disturb it. "', 'h interested and wished to see the famous coronet, but i thought it better not to disturb it. "\'wher', 'erested and wished to see the famous coronet, but i thought it better not to disturb it. "\'where hav', 'ed and wished to see the famous coronet, but i thought it better not to disturb it. "\'where have you', 'd wished to see the famous coronet, but i thought it better not to disturb it. "\'where have you put ', 'hed to see the famous coronet, but i thought it better not to disturb it. "\'where have you put it?\' ', 'o see the famous coronet, but i thought it better not to disturb it. "\'where have you put it?\' asked', ' the famous coronet, but i thought it better not to disturb it. "\'where have you put it?\' asked arth', 'famous coronet, but i thought it better not to disturb it. "\'where have you put it?\' asked arthur. "', 's coronet, but i thought it better not to disturb it. "\'where have you put it?\' asked arthur. "\'in m', 'onet, but i thought it better not to disturb it. "\'where have you put it?\' asked arthur. "\'in my own', ' but i thought it better not to disturb it. "\'where have you put it?\' asked arthur. "\'in my own bure', 'i thought it better not to disturb it. "\'where have you put it?\' asked arthur. "\'in my own bureau.\' ', 'ught it better not to disturb it. "\'where have you put it?\' asked arthur. "\'in my own bureau.\' "\'wel', 'it better not to disturb it. "\'where have you put it?\' asked arthur. "\'in my own bureau.\' "\'well, i ', 'tter not to disturb it. "\'where have you put it?\' asked arthur. "\'in my own bureau.\' "\'well, i hope ', 'not to disturb it. "\'where have you put it?\' asked arthur. "\'in my own bureau.\' "\'well, i hope to go', 'o disturb it. "\'where have you put it?\' asked arthur. "\'in my own bureau.\' "\'well, i hope to goodnes', 'turb it. "\'where have you put it?\' asked arthur. "\'in my own bureau.\' "\'well, i hope to goodness the', 'it. "\'where have you put it?\' asked arthur. "\'in my own bureau.\' "\'well, i hope to goodness the hous', '\'where have you put it?\' asked arthur. "\'in my own bureau.\' "\'well, i hope to goodness the house won', 'e have you put it?\' asked arthur. "\'in my own bureau.\' "\'well, i hope to goodness the house won\'t be', 'e you put it?\' asked arthur. "\'in my own bureau.\' "\'well, i hope to goodness the house won\'t be burg', ' put it?\' asked arthur. "\'in my own bureau.\' "\'well, i hope to goodness the house won\'t be burgled d', 'it?\' asked arthur. "\'in my own bureau.\' "\'well, i hope to goodness the house won\'t be burgled during', 'asked arthur. "\'in my own bureau.\' "\'well, i hope to goodness the house won\'t be burgled during the ', ' arthur. "\'in my own bureau.\' "\'well, i hope to goodness the house won\'t be burgled during the night', 'ur. "\'in my own bureau.\' "\'well, i hope to goodness the house won\'t be burgled during the night.\' sa', '\'in my own bureau.\' "\'well, i hope to goodness the house won\'t be burgled during the night.\' said he', 'y own bureau.\' "\'well, i hope to goodness the house won\'t be burgled during the night.\' said he. "\'i', ' bureau.\' "\'well, i hope to goodness the house won\'t be burgled during the night.\' said he. "\'it is ', 'au.\' "\'well, i hope to goodness the house won\'t be burgled during the night.\' said he. "\'it is locke', '"\'well, i hope to goodness the house won\'t be burgled during the night.\' said he. "\'it is locked up,', 'l, i hope to goodness the house won\'t be burgled during the night.\' said he. "\'it is locked up,\' i a', 'hope to goodness the house won\'t be burgled during the night.\' said he. "\'it is locked up,\' i answer', 'to goodness the house won\'t be burgled during the night.\' said he. "\'it is locked up,\' i answered. "', 'odness the house won\'t be burgled during the night.\' said he. "\'it is locked up,\' i answered. "\'oh, ', 's the house won\'t be burgled during the night.\' said he. "\'it is locked up,\' i answered. "\'oh, any o', ' house won\'t be burgled during the night.\' said he. "\'it is locked up,\' i answered. "\'oh, any old ke', 'e won\'t be burgled during the night.\' said he. "\'it is locked up,\' i answered. "\'oh, any old key wil', '\'t be burgled during the night.\' said he. "\'it is locked up,\' i answered. "\'oh, any old key will fit', ' burgled during the night.\' said he. "\'it is locked up,\' i answered. "\'oh, any old key will fit that', 'led during the night.\' said he. "\'it is locked up,\' i answered. "\'oh, any old key will fit that bure', 'uring the night.\' said he. "\'it is locked up,\' i answered. "\'oh, any old key will fit that bureau. w', ' the night.\' said he. "\'it is locked up,\' i answered. "\'oh, any old key will fit that bureau. when i', 'night.\' said he. "\'it is locked up,\' i answered. "\'oh, any old key will fit that bureau. when i was ', '.\' said he. "\'it is locked up,\' i answered. "\'oh, any old key will fit that bureau. when i was a you', 'id he. "\'it is locked up,\' i answered. "\'oh, any old key will fit that bureau. when i was a youngste', '. "\'it is locked up,\' i answered. "\'oh, any old key will fit that bureau. when i was a youngster i h', 't is locked up,\' i answered. "\'oh, any old key will fit that bureau. when i was a youngster i have o', 'locked up,\' i answered. "\'oh, any old key will fit that bureau. when i was a youngster i have opened', 'd up,\' i answered. "\'oh, any old key will fit that bureau. when i was a youngster i have opened it m', '\' i answered. "\'oh, any old key will fit that bureau. when i was a youngster i have opened it myself', 'nswered. "\'oh, any old key will fit that bureau. when i was a youngster i have opened it myself with', 'ed. "\'oh, any old key will fit that bureau. when i was a youngster i have opened it myself with the ', "'oh, any old key will fit that bureau. when i was a youngster i have opened it myself with the key o", 'any old key will fit that bureau. when i was a youngster i have opened it myself with the key of the', 'ld key will fit that bureau. when i was a youngster i have opened it myself with the key of the box-', 'y will fit that bureau. when i was a youngster i have opened it myself with the key of the box-room ', 'l fit that bureau. when i was a youngster i have opened it myself with the key of the box-room cupbo', " that bureau. when i was a youngster i have opened it myself with the key of the box-room cupboard.'", ' bureau. when i was a youngster i have opened it myself with the key of the box-room cupboard.\' "he ', 'au. when i was a youngster i have opened it myself with the key of the box-room cupboard.\' "he often', 'hen i was a youngster i have opened it myself with the key of the box-room cupboard.\' "he often had ', ' was a youngster i have opened it myself with the key of the box-room cupboard.\' "he often had a wil', 'a youngster i have opened it myself with the key of the box-room cupboard.\' "he often had a wild way', 'ngster i have opened it myself with the key of the box-room cupboard.\' "he often had a wild way of t', 'r i have opened it myself with the key of the box-room cupboard.\' "he often had a wild way of talkin', 'ave opened it myself with the key of the box-room cupboard.\' "he often had a wild way of talking, so', 'pened it myself with the key of the box-room cupboard.\' "he often had a wild way of talking, so that', ' it myself with the key of the box-room cupboard.\' "he often had a wild way of talking, so that i th', 'yself with the key of the box-room cupboard.\' "he often had a wild way of talking, so that i thought', ' with the key of the box-room cupboard.\' "he often had a wild way of talking, so that i thought litt', ' the key of the box-room cupboard.\' "he often had a wild way of talking, so that i thought little of', 'key of the box-room cupboard.\' "he often had a wild way of talking, so that i thought little of what', 'f the box-room cupboard.\' "he often had a wild way of talking, so that i thought little of what he s', ' box-room cupboard.\' "he often had a wild way of talking, so that i thought little of what he said. ', 'room cupboard.\' "he often had a wild way of talking, so that i thought little of what he said. he fo', 'cupboard.\' "he often had a wild way of talking, so that i thought little of what he said. he followe', 'ard.\' "he often had a wild way of talking, so that i thought little of what he said. he followed me ', ' "he often had a wild way of talking, so that i thought little of what he said. he followed me to my', 'often had a wild way of talking, so that i thought little of what he said. he followed me to my room', ' had a wild way of talking, so that i thought little of what he said. he followed me to my room, how', 'a wild way of talking, so that i thought little of what he said. he followed me to my room, however,', 'd way of talking, so that i thought little of what he said. he followed me to my room, however, that', ' of talking, so that i thought little of what he said. he followed me to my room, however, that nigh', 'alking, so that i thought little of what he said. he followed me to my room, however, that night wit', 'g, so that i thought little of what he said. he followed me to my room, however, that night with a v', ' that i thought little of what he said. he followed me to my room, however, that night with a very g', ' i thought little of what he said. he followed me to my room, however, that night with a very grave ', 'ought little of what he said. he followed me to my room, however, that night with a very grave face.', ' little of what he said. he followed me to my room, however, that night with a very grave face. "\'lo', 'le of what he said. he followed me to my room, however, that night with a very grave face. "\'look he', ' what he said. he followed me to my room, however, that night with a very grave face. "\'look here, d', ' he said. he followed me to my room, however, that night with a very grave face. "\'look here, dad,\' ', 'aid. he followed me to my room, however, that night with a very grave face. "\'look here, dad,\' said ', 'he followed me to my room, however, that night with a very grave face. "\'look here, dad,\' said he wi', 'llowed me to my room, however, that night with a very grave face. "\'look here, dad,\' said he with hi', 'd me to my room, however, that night with a very grave face. "\'look here, dad,\' said he with his eye', 'to my room, however, that night with a very grave face. "\'look here, dad,\' said he with his eyes cas', ' room, however, that night with a very grave face. "\'look here, dad,\' said he with his eyes cast dow', ', however, that night with a very grave face. "\'look here, dad,\' said he with his eyes cast down, \'c', 'ever, that night with a very grave face. "\'look here, dad,\' said he with his eyes cast down, \'can yo', ' that night with a very grave face. "\'look here, dad,\' said he with his eyes cast down, \'can you let', ' night with a very grave face. "\'look here, dad,\' said he with his eyes cast down, \'can you let me h', 't with a very grave face. "\'look here, dad,\' said he with his eyes cast down, \'can you let me have ', 'h a very grave face. "\'look here, dad,\' said he with his eyes cast down, \'can you let me have poun', 'ery grave face. "\'look here, dad,\' said he with his eyes cast down, \'can you let me have pounds?\' ', 'rave face. "\'look here, dad,\' said he with his eyes cast down, \'can you let me have pounds?\' "\'no,', 'face. "\'look here, dad,\' said he with his eyes cast down, \'can you let me have pounds?\' "\'no, i ca', ' "\'look here, dad,\' said he with his eyes cast down, \'can you let me have pounds?\' "\'no, i cannot ', 'ok here, dad,\' said he with his eyes cast down, \'can you let me have pounds?\' "\'no, i cannot i ans', 're, dad,\' said he with his eyes cast down, \'can you let me have pounds?\' "\'no, i cannot i answered', 'ad,\' said he with his eyes cast down, \'can you let me have pounds?\' "\'no, i cannot i answered shar', 'said he with his eyes cast down, \'can you let me have pounds?\' "\'no, i cannot i answered sharply. ', 'he with his eyes cast down, \'can you let me have pounds?\' "\'no, i cannot i answered sharply. \'i ha', 'th his eyes cast down, \'can you let me have pounds?\' "\'no, i cannot i answered sharply. \'i have be', 's eyes cast down, \'can you let me have pounds?\' "\'no, i cannot i answered sharply. \'i have been fa', 's cast down, \'can you let me have pounds?\' "\'no, i cannot i answered sharply. \'i have been far too', 't down, \'can you let me have pounds?\' "\'no, i cannot i answered sharply. \'i have been far too gene', 'n, \'can you let me have pounds?\' "\'no, i cannot i answered sharply. \'i have been far too generous ', 'an you let me have pounds?\' "\'no, i cannot i answered sharply. \'i have been far too generous with ', 'u let me have pounds?\' "\'no, i cannot i answered sharply. \'i have been far too generous with you i', ' me have pounds?\' "\'no, i cannot i answered sharply. \'i have been far too generous with you in mon', 'ave pounds?\' "\'no, i cannot i answered sharply. \'i have been far too generous with you in money ma', ' pounds?\' "\'no, i cannot i answered sharply. \'i have been far too generous with you in money matters', 'ds?\' "\'no, i cannot i answered sharply. \'i have been far too generous with you in money matters.\' "\'', '"\'no, i cannot i answered sharply. \'i have been far too generous with you in money matters.\' "\'you h', ' i cannot i answered sharply. \'i have been far too generous with you in money matters.\' "\'you have b', 'nnot i answered sharply. \'i have been far too generous with you in money matters.\' "\'you have been v', 'i answered sharply. \'i have been far too generous with you in money matters.\' "\'you have been very k', 'wered sharply. \'i have been far too generous with you in money matters.\' "\'you have been very kind,\'', ' sharply. \'i have been far too generous with you in money matters.\' "\'you have been very kind,\' said', 'ply. \'i have been far too generous with you in money matters.\' "\'you have been very kind,\' said he, ', '\'i have been far too generous with you in money matters.\' "\'you have been very kind,\' said he, \'but ', 've been far too generous with you in money matters.\' "\'you have been very kind,\' said he, \'but i mus', 'en far too generous with you in money matters.\' "\'you have been very kind,\' said he, \'but i must hav', 'r too generous with you in money matters.\' "\'you have been very kind,\' said he, \'but i must have thi', ' generous with you in money matters.\' "\'you have been very kind,\' said he, \'but i must have this mon', 'rous with you in money matters.\' "\'you have been very kind,\' said he, \'but i must have this money, o', 'with you in money matters.\' "\'you have been very kind,\' said he, \'but i must have this money, or els', 'you in money matters.\' "\'you have been very kind,\' said he, \'but i must have this money, or else i c', 'n money matters.\' "\'you have been very kind,\' said he, \'but i must have this money, or else i can ne', 'ey matters.\' "\'you have been very kind,\' said he, \'but i must have this money, or else i can never s', 'tters.\' "\'you have been very kind,\' said he, \'but i must have this money, or else i can never show m', '.\' "\'you have been very kind,\' said he, \'but i must have this money, or else i can never show my fac', "you have been very kind,' said he, 'but i must have this money, or else i can never show my face ins", "ave been very kind,' said he, 'but i must have this money, or else i can never show my face inside t", "een very kind,' said he, 'but i must have this money, or else i can never show my face inside the cl", "ery kind,' said he, 'but i must have this money, or else i can never show my face inside the club ag", "ind,' said he, 'but i must have this money, or else i can never show my face inside the club again.'", ' said he, \'but i must have this money, or else i can never show my face inside the club again.\' "\'an', ' he, \'but i must have this money, or else i can never show my face inside the club again.\' "\'and a v', '\'but i must have this money, or else i can never show my face inside the club again.\' "\'and a very g', 'i must have this money, or else i can never show my face inside the club again.\' "\'and a very good t', 't have this money, or else i can never show my face inside the club again.\' "\'and a very good thing,', 'e this money, or else i can never show my face inside the club again.\' "\'and a very good thing, too ', 's money, or else i can never show my face inside the club again.\' "\'and a very good thing, too i cri', 'ey, or else i can never show my face inside the club again.\' "\'and a very good thing, too i cried. "', 'r else i can never show my face inside the club again.\' "\'and a very good thing, too i cried. "\'yes,', 'e i can never show my face inside the club again.\' "\'and a very good thing, too i cried. "\'yes, but ', 'an never show my face inside the club again.\' "\'and a very good thing, too i cried. "\'yes, but you w', 'ver show my face inside the club again.\' "\'and a very good thing, too i cried. "\'yes, but you would ', 'how my face inside the club again.\' "\'and a very good thing, too i cried. "\'yes, but you would not h', 'y face inside the club again.\' "\'and a very good thing, too i cried. "\'yes, but you would not have m', 'e inside the club again.\' "\'and a very good thing, too i cried. "\'yes, but you would not have me lea', 'ide the club again.\' "\'and a very good thing, too i cried. "\'yes, but you would not have me leave it', 'he club again.\' "\'and a very good thing, too i cried. "\'yes, but you would not have me leave it a di', 'ub again.\' "\'and a very good thing, too i cried. "\'yes, but you would not have me leave it a dishono', 'ain.\' "\'and a very good thing, too i cried. "\'yes, but you would not have me leave it a dishonoured ', ' "\'and a very good thing, too i cried. "\'yes, but you would not have me leave it a dishonoured man,\'', 'd a very good thing, too i cried. "\'yes, but you would not have me leave it a dishonoured man,\' said', 'ery good thing, too i cried. "\'yes, but you would not have me leave it a dishonoured man,\' said he. ', 'ood thing, too i cried. "\'yes, but you would not have me leave it a dishonoured man,\' said he. \'i co', 'hing, too i cried. "\'yes, but you would not have me leave it a dishonoured man,\' said he. \'i could n', ' too i cried. "\'yes, but you would not have me leave it a dishonoured man,\' said he. \'i could not be', 'i cried. "\'yes, but you would not have me leave it a dishonoured man,\' said he. \'i could not bear th', 'ed. "\'yes, but you would not have me leave it a dishonoured man,\' said he. \'i could not bear the dis', "'yes, but you would not have me leave it a dishonoured man,' said he. 'i could not bear the disgrace", " but you would not have me leave it a dishonoured man,' said he. 'i could not bear the disgrace. i m", "you would not have me leave it a dishonoured man,' said he. 'i could not bear the disgrace. i must r", "ould not have me leave it a dishonoured man,' said he. 'i could not bear the disgrace. i must raise ", "not have me leave it a dishonoured man,' said he. 'i could not bear the disgrace. i must raise the m", "ave me leave it a dishonoured man,' said he. 'i could not bear the disgrace. i must raise the money ", "e leave it a dishonoured man,' said he. 'i could not bear the disgrace. i must raise the money in so", "ve it a dishonoured man,' said he. 'i could not bear the disgrace. i must raise the money in some wa", " a dishonoured man,' said he. 'i could not bear the disgrace. i must raise the money in some way, an", "shonoured man,' said he. 'i could not bear the disgrace. i must raise the money in some way, and if ", "ured man,' said he. 'i could not bear the disgrace. i must raise the money in some way, and if you w", "man,' said he. 'i could not bear the disgrace. i must raise the money in some way, and if you will n", " said he. 'i could not bear the disgrace. i must raise the money in some way, and if you will not le", " he. 'i could not bear the disgrace. i must raise the money in some way, and if you will not let me ", "'i could not bear the disgrace. i must raise the money in some way, and if you will not let me have ", 'uld not bear the disgrace. i must raise the money in some way, and if you will not let me have it, t', 'ot bear the disgrace. i must raise the money in some way, and if you will not let me have it, then i', 'ar the disgrace. i must raise the money in some way, and if you will not let me have it, then i must', 'e disgrace. i must raise the money in some way, and if you will not let me have it, then i must try ', 'grace. i must raise the money in some way, and if you will not let me have it, then i must try other', '. i must raise the money in some way, and if you will not let me have it, then i must try other mean', 'ust raise the money in some way, and if you will not let me have it, then i must try other means.\' "', 'aise the money in some way, and if you will not let me have it, then i must try other means.\' "i was', 'the money in some way, and if you will not let me have it, then i must try other means.\' "i was very', 'oney in some way, and if you will not let me have it, then i must try other means.\' "i was very angr', 'in some way, and if you will not let me have it, then i must try other means.\' "i was very angry, fo', 'me way, and if you will not let me have it, then i must try other means.\' "i was very angry, for thi', 'y, and if you will not let me have it, then i must try other means.\' "i was very angry, for this was', 'd if you will not let me have it, then i must try other means.\' "i was very angry, for this was the ', 'you will not let me have it, then i must try other means.\' "i was very angry, for this was the third', 'ill not let me have it, then i must try other means.\' "i was very angry, for this was the third dema', 'ot let me have it, then i must try other means.\' "i was very angry, for this was the third demand du', 't me have it, then i must try other means.\' "i was very angry, for this was the third demand during ', 'have it, then i must try other means.\' "i was very angry, for this was the third demand during the m', 'it, then i must try other means.\' "i was very angry, for this was the third demand during the month.', 'hen i must try other means.\' "i was very angry, for this was the third demand during the month. \'you', ' must try other means.\' "i was very angry, for this was the third demand during the month. \'you shal', ' try other means.\' "i was very angry, for this was the third demand during the month. \'you shall not', 'other means.\' "i was very angry, for this was the third demand during the month. \'you shall not have', ' means.\' "i was very angry, for this was the third demand during the month. \'you shall not have a fa', 's.\' "i was very angry, for this was the third demand during the month. \'you shall not have a farthin', "i was very angry, for this was the third demand during the month. 'you shall not have a farthing fro", " very angry, for this was the third demand during the month. 'you shall not have a farthing from me,", " angry, for this was the third demand during the month. 'you shall not have a farthing from me,' i c", "y, for this was the third demand during the month. 'you shall not have a farthing from me,' i cried,", "r this was the third demand during the month. 'you shall not have a farthing from me,' i cried, on w", "s was the third demand during the month. 'you shall not have a farthing from me,' i cried, on which ", " the third demand during the month. 'you shall not have a farthing from me,' i cried, on which he bo", "third demand during the month. 'you shall not have a farthing from me,' i cried, on which he bowed a", " demand during the month. 'you shall not have a farthing from me,' i cried, on which he bowed and le", "nd during the month. 'you shall not have a farthing from me,' i cried, on which he bowed and left th", "ring the month. 'you shall not have a farthing from me,' i cried, on which he bowed and left the roo", "the month. 'you shall not have a farthing from me,' i cried, on which he bowed and left the room wit", "onth. 'you shall not have a farthing from me,' i cried, on which he bowed and left the room without ", " 'you shall not have a farthing from me,' i cried, on which he bowed and left the room without anoth", " shall not have a farthing from me,' i cried, on which he bowed and left the room without another wo", 'l not have a farthing from me,\' i cried, on which he bowed and left the room without another word. "', ' have a farthing from me,\' i cried, on which he bowed and left the room without another word. "when ', ' a farthing from me,\' i cried, on which he bowed and left the room without another word. "when he wa', 'rthing from me,\' i cried, on which he bowed and left the room without another word. "when he was gon', 'g from me,\' i cried, on which he bowed and left the room without another word. "when he was gone i u', 'm me,\' i cried, on which he bowed and left the room without another word. "when he was gone i unlock', '\' i cried, on which he bowed and left the room without another word. "when he was gone i unlocked my', 'ried, on which he bowed and left the room without another word. "when he was gone i unlocked my bure', ' on which he bowed and left the room without another word. "when he was gone i unlocked my bureau, m', 'hich he bowed and left the room without another word. "when he was gone i unlocked my bureau, made s', 'he bowed and left the room without another word. "when he was gone i unlocked my bureau, made sure t', 'wed and left the room without another word. "when he was gone i unlocked my bureau, made sure that m', 'nd left the room without another word. "when he was gone i unlocked my bureau, made sure that my tre', 'ft the room without another word. "when he was gone i unlocked my bureau, made sure that my treasure', 'e room without another word. "when he was gone i unlocked my bureau, made sure that my treasure was ', 'm without another word. "when he was gone i unlocked my bureau, made sure that my treasure was safe,', 'hout another word. "when he was gone i unlocked my bureau, made sure that my treasure was safe, and ', 'another word. "when he was gone i unlocked my bureau, made sure that my treasure was safe, and locke', 'er word. "when he was gone i unlocked my bureau, made sure that my treasure was safe, and locked it ', 'rd. "when he was gone i unlocked my bureau, made sure that my treasure was safe, and locked it again', 'when he was gone i unlocked my bureau, made sure that my treasure was safe, and locked it again. the', 'he was gone i unlocked my bureau, made sure that my treasure was safe, and locked it again. then i s', 's gone i unlocked my bureau, made sure that my treasure was safe, and locked it again. then i starte', 'e i unlocked my bureau, made sure that my treasure was safe, and locked it again. then i started to ', 'nlocked my bureau, made sure that my treasure was safe, and locked it again. then i started to go ro', 'ed my bureau, made sure that my treasure was safe, and locked it again. then i started to go round t', ' bureau, made sure that my treasure was safe, and locked it again. then i started to go round the ho', 'au, made sure that my treasure was safe, and locked it again. then i started to go round the house t', 'ade sure that my treasure was safe, and locked it again. then i started to go round the house to see', 'ure that my treasure was safe, and locked it again. then i started to go round the house to see that', 'hat my treasure was safe, and locked it again. then i started to go round the house to see that all ', 'y treasure was safe, and locked it again. then i started to go round the house to see that all was s', 'asure was safe, and locked it again. then i started to go round the house to see that all was secure', ' was safe, and locked it again. then i started to go round the house to see that all was securea dut', 'safe, and locked it again. then i started to go round the house to see that all was securea duty whi', ' and locked it again. then i started to go round the house to see that all was securea duty which i ', 'locked it again. then i started to go round the house to see that all was securea duty which i usual', 'd it again. then i started to go round the house to see that all was securea duty which i usually le', 'again. then i started to go round the house to see that all was securea duty which i usually leave t', '. then i started to go round the house to see that all was securea duty which i usually leave to mar', 'n i started to go round the house to see that all was securea duty which i usually leave to mary but', 'tarted to go round the house to see that all was securea duty which i usually leave to mary but whic', 'd to go round the house to see that all was securea duty which i usually leave to mary but which i t', 'go round the house to see that all was securea duty which i usually leave to mary but which i though', 'und the house to see that all was securea duty which i usually leave to mary but which i thought it ', 'he house to see that all was securea duty which i usually leave to mary but which i thought it well ', 'use to see that all was securea duty which i usually leave to mary but which i thought it well to pe', 'o see that all was securea duty which i usually leave to mary but which i thought it well to perform', ' that all was securea duty which i usually leave to mary but which i thought it well to perform myse', ' all was securea duty which i usually leave to mary but which i thought it well to perform myself th', 'was securea duty which i usually leave to mary but which i thought it well to perform myself that ni', 'ecurea duty which i usually leave to mary but which i thought it well to perform myself that night. ', 'a duty which i usually leave to mary but which i thought it well to perform myself that night. as i ', 'y which i usually leave to mary but which i thought it well to perform myself that night. as i came ', 'ch i usually leave to mary but which i thought it well to perform myself that night. as i came down ', 'usually leave to mary but which i thought it well to perform myself that night. as i came down the s', 'ly leave to mary but which i thought it well to perform myself that night. as i came down the stairs', 'ave to mary but which i thought it well to perform myself that night. as i came down the stairs i sa', 'o mary but which i thought it well to perform myself that night. as i came down the stairs i saw mar', 'y but which i thought it well to perform myself that night. as i came down the stairs i saw mary her', ' which i thought it well to perform myself that night. as i came down the stairs i saw mary herself ', 'h i thought it well to perform myself that night. as i came down the stairs i saw mary herself at th', 'hought it well to perform myself that night. as i came down the stairs i saw mary herself at the sid', 't it well to perform myself that night. as i came down the stairs i saw mary herself at the side win', 'well to perform myself that night. as i came down the stairs i saw mary herself at the side window o', 'to perform myself that night. as i came down the stairs i saw mary herself at the side window of the', 'rform myself that night. as i came down the stairs i saw mary herself at the side window of the hall', ' myself that night. as i came down the stairs i saw mary herself at the side window of the hall, whi', 'lf that night. as i came down the stairs i saw mary herself at the side window of the hall, which sh', 'at night. as i came down the stairs i saw mary herself at the side window of the hall, which she clo', 'ght. as i came down the stairs i saw mary herself at the side window of the hall, which she closed a', 'as i came down the stairs i saw mary herself at the side window of the hall, which she closed and fa', 'came down the stairs i saw mary herself at the side window of the hall, which she closed and fastene', 'down the stairs i saw mary herself at the side window of the hall, which she closed and fastened as ', 'the stairs i saw mary herself at the side window of the hall, which she closed and fastened as i app', 'tairs i saw mary herself at the side window of the hall, which she closed and fastened as i approach', ' i saw mary herself at the side window of the hall, which she closed and fastened as i approached. "', 'w mary herself at the side window of the hall, which she closed and fastened as i approached. "\'tell', 'y herself at the side window of the hall, which she closed and fastened as i approached. "\'tell me, ', 'self at the side window of the hall, which she closed and fastened as i approached. "\'tell me, dad,\'', 'at the side window of the hall, which she closed and fastened as i approached. "\'tell me, dad,\' said', 'e side window of the hall, which she closed and fastened as i approached. "\'tell me, dad,\' said she,', 'e window of the hall, which she closed and fastened as i approached. "\'tell me, dad,\' said she, look', 'dow of the hall, which she closed and fastened as i approached. "\'tell me, dad,\' said she, looking, ', 'f the hall, which she closed and fastened as i approached. "\'tell me, dad,\' said she, looking, i tho', ' hall, which she closed and fastened as i approached. "\'tell me, dad,\' said she, looking, i thought,', ', which she closed and fastened as i approached. "\'tell me, dad,\' said she, looking, i thought, a li', 'ch she closed and fastened as i approached. "\'tell me, dad,\' said she, looking, i thought, a little ', 'e closed and fastened as i approached. "\'tell me, dad,\' said she, looking, i thought, a little distu', 'sed and fastened as i approached. "\'tell me, dad,\' said she, looking, i thought, a little disturbed,', 'nd fastened as i approached. "\'tell me, dad,\' said she, looking, i thought, a little disturbed, \'did', 'stened as i approached. "\'tell me, dad,\' said she, looking, i thought, a little disturbed, \'did you ', 'd as i approached. "\'tell me, dad,\' said she, looking, i thought, a little disturbed, \'did you give ', 'i approached. "\'tell me, dad,\' said she, looking, i thought, a little disturbed, \'did you give lucy,', 'roached. "\'tell me, dad,\' said she, looking, i thought, a little disturbed, \'did you give lucy, the ', 'ed. "\'tell me, dad,\' said she, looking, i thought, a little disturbed, \'did you give lucy, the maid,', "'tell me, dad,' said she, looking, i thought, a little disturbed, 'did you give lucy, the maid, leav", " me, dad,' said she, looking, i thought, a little disturbed, 'did you give lucy, the maid, leave to ", "dad,' said she, looking, i thought, a little disturbed, 'did you give lucy, the maid, leave to go ou", " said she, looking, i thought, a little disturbed, 'did you give lucy, the maid, leave to go out to-", " she, looking, i thought, a little disturbed, 'did you give lucy, the maid, leave to go out to-night", ' looking, i thought, a little disturbed, \'did you give lucy, the maid, leave to go out to-night?\' "\'', 'ing, i thought, a little disturbed, \'did you give lucy, the maid, leave to go out to-night?\' "\'certa', 'i thought, a little disturbed, \'did you give lucy, the maid, leave to go out to-night?\' "\'certainly ', 'ught, a little disturbed, \'did you give lucy, the maid, leave to go out to-night?\' "\'certainly not.\'', ' a little disturbed, \'did you give lucy, the maid, leave to go out to-night?\' "\'certainly not.\' "\'sh', 'ttle disturbed, \'did you give lucy, the maid, leave to go out to-night?\' "\'certainly not.\' "\'she cam', 'disturbed, \'did you give lucy, the maid, leave to go out to-night?\' "\'certainly not.\' "\'she came in ', 'rbed, \'did you give lucy, the maid, leave to go out to-night?\' "\'certainly not.\' "\'she came in just ', ' \'did you give lucy, the maid, leave to go out to-night?\' "\'certainly not.\' "\'she came in just now b', ' you give lucy, the maid, leave to go out to-night?\' "\'certainly not.\' "\'she came in just now by the', 'give lucy, the maid, leave to go out to-night?\' "\'certainly not.\' "\'she came in just now by the back', 'lucy, the maid, leave to go out to-night?\' "\'certainly not.\' "\'she came in just now by the back door', ' the maid, leave to go out to-night?\' "\'certainly not.\' "\'she came in just now by the back door. i h', 'maid, leave to go out to-night?\' "\'certainly not.\' "\'she came in just now by the back door. i have n', ' leave to go out to-night?\' "\'certainly not.\' "\'she came in just now by the back door. i have no dou', 'e to go out to-night?\' "\'certainly not.\' "\'she came in just now by the back door. i have no doubt th', 'go out to-night?\' "\'certainly not.\' "\'she came in just now by the back door. i have no doubt that sh', 't to-night?\' "\'certainly not.\' "\'she came in just now by the back door. i have no doubt that she has', 'night?\' "\'certainly not.\' "\'she came in just now by the back door. i have no doubt that she has only', '?\' "\'certainly not.\' "\'she came in just now by the back door. i have no doubt that she has only been', 'certainly not.\' "\'she came in just now by the back door. i have no doubt that she has only been to t', 'inly not.\' "\'she came in just now by the back door. i have no doubt that she has only been to the si', 'not.\' "\'she came in just now by the back door. i have no doubt that she has only been to the side ga', ' "\'she came in just now by the back door. i have no doubt that she has only been to the side gate to', 'e came in just now by the back door. i have no doubt that she has only been to the side gate to see ', 'e in just now by the back door. i have no doubt that she has only been to the side gate to see someo', 'just now by the back door. i have no doubt that she has only been to the side gate to see someone, b', 'now by the back door. i have no doubt that she has only been to the side gate to see someone, but i ', 'y the back door. i have no doubt that she has only been to the side gate to see someone, but i think', ' back door. i have no doubt that she has only been to the side gate to see someone, but i think that', ' door. i have no doubt that she has only been to the side gate to see someone, but i think that it i', '. i have no doubt that she has only been to the side gate to see someone, but i think that it is har', 'ave no doubt that she has only been to the side gate to see someone, but i think that it is hardly s', 'o doubt that she has only been to the side gate to see someone, but i think that it is hardly safe a', 'bt that she has only been to the side gate to see someone, but i think that it is hardly safe and sh', 'at she has only been to the side gate to see someone, but i think that it is hardly safe and should ', 'e has only been to the side gate to see someone, but i think that it is hardly safe and should be st', ' only been to the side gate to see someone, but i think that it is hardly safe and should be stopped', ' been to the side gate to see someone, but i think that it is hardly safe and should be stopped.\' "\'', ' to the side gate to see someone, but i think that it is hardly safe and should be stopped.\' "\'you m', 'he side gate to see someone, but i think that it is hardly safe and should be stopped.\' "\'you must s', 'de gate to see someone, but i think that it is hardly safe and should be stopped.\' "\'you must speak ', 'te to see someone, but i think that it is hardly safe and should be stopped.\' "\'you must speak to he', ' see someone, but i think that it is hardly safe and should be stopped.\' "\'you must speak to her in ', 'someone, but i think that it is hardly safe and should be stopped.\' "\'you must speak to her in the m', 'ne, but i think that it is hardly safe and should be stopped.\' "\'you must speak to her in the mornin', 'ut i think that it is hardly safe and should be stopped.\' "\'you must speak to her in the morning, or', 'think that it is hardly safe and should be stopped.\' "\'you must speak to her in the morning, or i wi', ' that it is hardly safe and should be stopped.\' "\'you must speak to her in the morning, or i will if', ' it is hardly safe and should be stopped.\' "\'you must speak to her in the morning, or i will if you ', 's hardly safe and should be stopped.\' "\'you must speak to her in the morning, or i will if you prefe', 'dly safe and should be stopped.\' "\'you must speak to her in the morning, or i will if you prefer it.', 'afe and should be stopped.\' "\'you must speak to her in the morning, or i will if you prefer it. are ', 'nd should be stopped.\' "\'you must speak to her in the morning, or i will if you prefer it. are you s', 'ould be stopped.\' "\'you must speak to her in the morning, or i will if you prefer it. are you sure t', 'be stopped.\' "\'you must speak to her in the morning, or i will if you prefer it. are you sure that e', 'opped.\' "\'you must speak to her in the morning, or i will if you prefer it. are you sure that everyt', '.\' "\'you must speak to her in the morning, or i will if you prefer it. are you sure that everything ', 'you must speak to her in the morning, or i will if you prefer it. are you sure that everything is fa', 'ust speak to her in the morning, or i will if you prefer it. are you sure that everything is fastene', 'peak to her in the morning, or i will if you prefer it. are you sure that everything is fastened?\' "', 'to her in the morning, or i will if you prefer it. are you sure that everything is fastened?\' "\'quit', 'r in the morning, or i will if you prefer it. are you sure that everything is fastened?\' "\'quite sur', 'the morning, or i will if you prefer it. are you sure that everything is fastened?\' "\'quite sure, da', 'orning, or i will if you prefer it. are you sure that everything is fastened?\' "\'quite sure, dad.\' "', 'g, or i will if you prefer it. are you sure that everything is fastened?\' "\'quite sure, dad.\' "\'then', ' i will if you prefer it. are you sure that everything is fastened?\' "\'quite sure, dad.\' "\'then, goo', 'll if you prefer it. are you sure that everything is fastened?\' "\'quite sure, dad.\' "\'then, good-nig', ' you prefer it. are you sure that everything is fastened?\' "\'quite sure, dad.\' "\'then, good-night.\' ', 'prefer it. are you sure that everything is fastened?\' "\'quite sure, dad.\' "\'then, good-night.\' i kis', 'r it. are you sure that everything is fastened?\' "\'quite sure, dad.\' "\'then, good-night.\' i kissed h', ' are you sure that everything is fastened?\' "\'quite sure, dad.\' "\'then, good-night.\' i kissed her an', 'you sure that everything is fastened?\' "\'quite sure, dad.\' "\'then, good-night.\' i kissed her and wen', 'ure that everything is fastened?\' "\'quite sure, dad.\' "\'then, good-night.\' i kissed her and went up ', 'hat everything is fastened?\' "\'quite sure, dad.\' "\'then, good-night.\' i kissed her and went up to my', 'verything is fastened?\' "\'quite sure, dad.\' "\'then, good-night.\' i kissed her and went up to my bedr', 'hing is fastened?\' "\'quite sure, dad.\' "\'then, good-night.\' i kissed her and went up to my bedroom a', 'is fastened?\' "\'quite sure, dad.\' "\'then, good-night.\' i kissed her and went up to my bedroom again,', 'stened?\' "\'quite sure, dad.\' "\'then, good-night.\' i kissed her and went up to my bedroom again, wher', 'd?\' "\'quite sure, dad.\' "\'then, good-night.\' i kissed her and went up to my bedroom again, where i w', '\'quite sure, dad.\' "\'then, good-night.\' i kissed her and went up to my bedroom again, where i was so', 'e sure, dad.\' "\'then, good-night.\' i kissed her and went up to my bedroom again, where i was soon as', 'e, dad.\' "\'then, good-night.\' i kissed her and went up to my bedroom again, where i was soon asleep.', 'd.\' "\'then, good-night.\' i kissed her and went up to my bedroom again, where i was soon asleep. "i a', '\'then, good-night.\' i kissed her and went up to my bedroom again, where i was soon asleep. "i am end', ', good-night.\' i kissed her and went up to my bedroom again, where i was soon asleep. "i am endeavou', 'd-night.\' i kissed her and went up to my bedroom again, where i was soon asleep. "i am endeavouring ', 'ht.\' i kissed her and went up to my bedroom again, where i was soon asleep. "i am endeavouring to te', 'i kissed her and went up to my bedroom again, where i was soon asleep. "i am endeavouring to tell yo', 'sed her and went up to my bedroom again, where i was soon asleep. "i am endeavouring to tell you eve', 'er and went up to my bedroom again, where i was soon asleep. "i am endeavouring to tell you everythi', 'd went up to my bedroom again, where i was soon asleep. "i am endeavouring to tell you everything, m', 't up to my bedroom again, where i was soon asleep. "i am endeavouring to tell you everything, mr. ho', 'to my bedroom again, where i was soon asleep. "i am endeavouring to tell you everything, mr. holmes,', ' bedroom again, where i was soon asleep. "i am endeavouring to tell you everything, mr. holmes, whic', 'oom again, where i was soon asleep. "i am endeavouring to tell you everything, mr. holmes, which may', 'gain, where i was soon asleep. "i am endeavouring to tell you everything, mr. holmes, which may have', ' where i was soon asleep. "i am endeavouring to tell you everything, mr. holmes, which may have any ', 'e i was soon asleep. "i am endeavouring to tell you everything, mr. holmes, which may have any beari', 'as soon asleep. "i am endeavouring to tell you everything, mr. holmes, which may have any bearing up', 'on asleep. "i am endeavouring to tell you everything, mr. holmes, which may have any bearing upon th', 'leep. "i am endeavouring to tell you everything, mr. holmes, which may have any bearing upon the cas', ' "i am endeavouring to tell you everything, mr. holmes, which may have any bearing upon the case, bu', 'm endeavouring to tell you everything, mr. holmes, which may have any bearing upon the case, but i b', 'eavouring to tell you everything, mr. holmes, which may have any bearing upon the case, but i beg th', 'ring to tell you everything, mr. holmes, which may have any bearing upon the case, but i beg that yo', 'to tell you everything, mr. holmes, which may have any bearing upon the case, but i beg that you wil', 'll you everything, mr. holmes, which may have any bearing upon the case, but i beg that you will que', 'u everything, mr. holmes, which may have any bearing upon the case, but i beg that you will question', 'rything, mr. holmes, which may have any bearing upon the case, but i beg that you will question me u', 'ng, mr. holmes, which may have any bearing upon the case, but i beg that you will question me upon a', 'r. holmes, which may have any bearing upon the case, but i beg that you will question me upon any po', 'lmes, which may have any bearing upon the case, but i beg that you will question me upon any point w', ' which may have any bearing upon the case, but i beg that you will question me upon any point which ', 'h may have any bearing upon the case, but i beg that you will question me upon any point which i do ', ' have any bearing upon the case, but i beg that you will question me upon any point which i do not m', ' any bearing upon the case, but i beg that you will question me upon any point which i do not make c', 'bearing upon the case, but i beg that you will question me upon any point which i do not make clear.', 'ng upon the case, but i beg that you will question me upon any point which i do not make clear." "on', 'on the case, but i beg that you will question me upon any point which i do not make clear." "on the ', 'e case, but i beg that you will question me upon any point which i do not make clear." "on the contr', 'e, but i beg that you will question me upon any point which i do not make clear." "on the contrary, ', 't i beg that you will question me upon any point which i do not make clear." "on the contrary, your ', 'eg that you will question me upon any point which i do not make clear." "on the contrary, your state', 'at you will question me upon any point which i do not make clear." "on the contrary, your statement ', 'u will question me upon any point which i do not make clear." "on the contrary, your statement is si', 'l question me upon any point which i do not make clear." "on the contrary, your statement is singula', 'stion me upon any point which i do not make clear." "on the contrary, your statement is singularly l', ' me upon any point which i do not make clear." "on the contrary, your statement is singularly lucid.', 'pon any point which i do not make clear." "on the contrary, your statement is singularly lucid." "i ', 'ny point which i do not make clear." "on the contrary, your statement is singularly lucid." "i come ', 'int which i do not make clear." "on the contrary, your statement is singularly lucid." "i come to a ', 'hich i do not make clear." "on the contrary, your statement is singularly lucid." "i come to a part ', 'i do not make clear." "on the contrary, your statement is singularly lucid." "i come to a part of my', 'not make clear." "on the contrary, your statement is singularly lucid." "i come to a part of my stor', 'ake clear." "on the contrary, your statement is singularly lucid." "i come to a part of my story now', 'lear." "on the contrary, your statement is singularly lucid." "i come to a part of my story now in w', '" "on the contrary, your statement is singularly lucid." "i come to a part of my story now in which ', ' the contrary, your statement is singularly lucid." "i come to a part of my story now in which i sho', 'contrary, your statement is singularly lucid." "i come to a part of my story now in which i should w', 'ary, your statement is singularly lucid." "i come to a part of my story now in which i should wish t', 'your statement is singularly lucid." "i come to a part of my story now in which i should wish to be ', 'statement is singularly lucid." "i come to a part of my story now in which i should wish to be parti', 'ment is singularly lucid." "i come to a part of my story now in which i should wish to be particular', 'is singularly lucid." "i come to a part of my story now in which i should wish to be particularly so', 'ngularly lucid." "i come to a part of my story now in which i should wish to be particularly so. i a', 'rly lucid." "i come to a part of my story now in which i should wish to be particularly so. i am not', 'ucid." "i come to a part of my story now in which i should wish to be particularly so. i am not a ve', '" "i come to a part of my story now in which i should wish to be particularly so. i am not a very he', 'come to a part of my story now in which i should wish to be particularly so. i am not a very heavy s', 'to a part of my story now in which i should wish to be particularly so. i am not a very heavy sleepe', 'part of my story now in which i should wish to be particularly so. i am not a very heavy sleeper, an', 'of my story now in which i should wish to be particularly so. i am not a very heavy sleeper, and the', ' story now in which i should wish to be particularly so. i am not a very heavy sleeper, and the anxi', 'y now in which i should wish to be particularly so. i am not a very heavy sleeper, and the anxiety i', ' in which i should wish to be particularly so. i am not a very heavy sleeper, and the anxiety in my ', 'hich i should wish to be particularly so. i am not a very heavy sleeper, and the anxiety in my mind ', 'i should wish to be particularly so. i am not a very heavy sleeper, and the anxiety in my mind tende', 'uld wish to be particularly so. i am not a very heavy sleeper, and the anxiety in my mind tended, no', 'ish to be particularly so. i am not a very heavy sleeper, and the anxiety in my mind tended, no doub', 'o be particularly so. i am not a very heavy sleeper, and the anxiety in my mind tended, no doubt, to', 'particularly so. i am not a very heavy sleeper, and the anxiety in my mind tended, no doubt, to make', 'cularly so. i am not a very heavy sleeper, and the anxiety in my mind tended, no doubt, to make me e', 'ly so. i am not a very heavy sleeper, and the anxiety in my mind tended, no doubt, to make me even l', '. i am not a very heavy sleeper, and the anxiety in my mind tended, no doubt, to make me even less s', 'm not a very heavy sleeper, and the anxiety in my mind tended, no doubt, to make me even less so tha', ' a very heavy sleeper, and the anxiety in my mind tended, no doubt, to make me even less so than usu', 'ry heavy sleeper, and the anxiety in my mind tended, no doubt, to make me even less so than usual. a', 'avy sleeper, and the anxiety in my mind tended, no doubt, to make me even less so than usual. about ', 'leeper, and the anxiety in my mind tended, no doubt, to make me even less so than usual. about two i', 'r, and the anxiety in my mind tended, no doubt, to make me even less so than usual. about two in the', 'd the anxiety in my mind tended, no doubt, to make me even less so than usual. about two in the morn', ' anxiety in my mind tended, no doubt, to make me even less so than usual. about two in the morning, ', 'ety in my mind tended, no doubt, to make me even less so than usual. about two in the morning, then,', 'n my mind tended, no doubt, to make me even less so than usual. about two in the morning, then, i wa', 'mind tended, no doubt, to make me even less so than usual. about two in the morning, then, i was awa', 'tended, no doubt, to make me even less so than usual. about two in the morning, then, i was awakened', 'd, no doubt, to make me even less so than usual. about two in the morning, then, i was awakened by s', ' doubt, to make me even less so than usual. about two in the morning, then, i was awakened by some s', 't, to make me even less so than usual. about two in the morning, then, i was awakened by some sound ', ' make me even less so than usual. about two in the morning, then, i was awakened by some sound in th', ' me even less so than usual. about two in the morning, then, i was awakened by some sound in the hou', 'ven less so than usual. about two in the morning, then, i was awakened by some sound in the house. i', 'ess so than usual. about two in the morning, then, i was awakened by some sound in the house. it had', 'o than usual. about two in the morning, then, i was awakened by some sound in the house. it had ceas', 'n usual. about two in the morning, then, i was awakened by some sound in the house. it had ceased er', 'al. about two in the morning, then, i was awakened by some sound in the house. it had ceased ere i w', 'bout two in the morning, then, i was awakened by some sound in the house. it had ceased ere i was wi', 'two in the morning, then, i was awakened by some sound in the house. it had ceased ere i was wide aw', 'n the morning, then, i was awakened by some sound in the house. it had ceased ere i was wide awake, ', ' morning, then, i was awakened by some sound in the house. it had ceased ere i was wide awake, but i', 'ing, then, i was awakened by some sound in the house. it had ceased ere i was wide awake, but it had', 'then, i was awakened by some sound in the house. it had ceased ere i was wide awake, but it had left', ' i was awakened by some sound in the house. it had ceased ere i was wide awake, but it had left an i', 's awakened by some sound in the house. it had ceased ere i was wide awake, but it had left an impres', 'kened by some sound in the house. it had ceased ere i was wide awake, but it had left an impression ', ' by some sound in the house. it had ceased ere i was wide awake, but it had left an impression behin', 'ome sound in the house. it had ceased ere i was wide awake, but it had left an impression behind it ', 'ound in the house. it had ceased ere i was wide awake, but it had left an impression behind it as th', 'in the house. it had ceased ere i was wide awake, but it had left an impression behind it as though ', 'e house. it had ceased ere i was wide awake, but it had left an impression behind it as though a win', 'se. it had ceased ere i was wide awake, but it had left an impression behind it as though a window h', 't had ceased ere i was wide awake, but it had left an impression behind it as though a window had ge', ' ceased ere i was wide awake, but it had left an impression behind it as though a window had gently ', 'ed ere i was wide awake, but it had left an impression behind it as though a window had gently close', 'e i was wide awake, but it had left an impression behind it as though a window had gently closed som', 'as wide awake, but it had left an impression behind it as though a window had gently closed somewher', 'de awake, but it had left an impression behind it as though a window had gently closed somewhere. i ', 'ake, but it had left an impression behind it as though a window had gently closed somewhere. i lay l', 'but it had left an impression behind it as though a window had gently closed somewhere. i lay listen', 't had left an impression behind it as though a window had gently closed somewhere. i lay listening w', ' left an impression behind it as though a window had gently closed somewhere. i lay listening with a', ' an impression behind it as though a window had gently closed somewhere. i lay listening with all my', 'mpression behind it as though a window had gently closed somewhere. i lay listening with all my ears', 'sion behind it as though a window had gently closed somewhere. i lay listening with all my ears. sud', 'behind it as though a window had gently closed somewhere. i lay listening with all my ears. suddenly', 'd it as though a window had gently closed somewhere. i lay listening with all my ears. suddenly, to ', 'as though a window had gently closed somewhere. i lay listening with all my ears. suddenly, to my ho', 'ough a window had gently closed somewhere. i lay listening with all my ears. suddenly, to my horror,', 'a window had gently closed somewhere. i lay listening with all my ears. suddenly, to my horror, ther', 'dow had gently closed somewhere. i lay listening with all my ears. suddenly, to my horror, there was', 'ad gently closed somewhere. i lay listening with all my ears. suddenly, to my horror, there was a di', 'ntly closed somewhere. i lay listening with all my ears. suddenly, to my horror, there was a distinc', 'closed somewhere. i lay listening with all my ears. suddenly, to my horror, there was a distinct sou', 'd somewhere. i lay listening with all my ears. suddenly, to my horror, there was a distinct sound of', 'ewhere. i lay listening with all my ears. suddenly, to my horror, there was a distinct sound of foot', 'e. i lay listening with all my ears. suddenly, to my horror, there was a distinct sound of footsteps', 'lay listening with all my ears. suddenly, to my horror, there was a distinct sound of footsteps movi', 'istening with all my ears. suddenly, to my horror, there was a distinct sound of footsteps moving so', 'ing with all my ears. suddenly, to my horror, there was a distinct sound of footsteps moving softly ', 'ith all my ears. suddenly, to my horror, there was a distinct sound of footsteps moving softly in th', 'll my ears. suddenly, to my horror, there was a distinct sound of footsteps moving softly in the nex', ' ears. suddenly, to my horror, there was a distinct sound of footsteps moving softly in the next roo', '. suddenly, to my horror, there was a distinct sound of footsteps moving softly in the next room. i ', 'denly, to my horror, there was a distinct sound of footsteps moving softly in the next room. i slipp', ', to my horror, there was a distinct sound of footsteps moving softly in the next room. i slipped ou', 'my horror, there was a distinct sound of footsteps moving softly in the next room. i slipped out of ', 'rror, there was a distinct sound of footsteps moving softly in the next room. i slipped out of bed, ', ' there was a distinct sound of footsteps moving softly in the next room. i slipped out of bed, all p', 'e was a distinct sound of footsteps moving softly in the next room. i slipped out of bed, all palpit', ' a distinct sound of footsteps moving softly in the next room. i slipped out of bed, all palpitating', 'stinct sound of footsteps moving softly in the next room. i slipped out of bed, all palpitating with', 't sound of footsteps moving softly in the next room. i slipped out of bed, all palpitating with fear', 'nd of footsteps moving softly in the next room. i slipped out of bed, all palpitating with fear, and', ' footsteps moving softly in the next room. i slipped out of bed, all palpitating with fear, and peep', 'steps moving softly in the next room. i slipped out of bed, all palpitating with fear, and peeped ro', ' moving softly in the next room. i slipped out of bed, all palpitating with fear, and peeped round t', 'ng softly in the next room. i slipped out of bed, all palpitating with fear, and peeped round the co', 'ftly in the next room. i slipped out of bed, all palpitating with fear, and peeped round the corner ', 'in the next room. i slipped out of bed, all palpitating with fear, and peeped round the corner of my', 'e next room. i slipped out of bed, all palpitating with fear, and peeped round the corner of my dres', 't room. i slipped out of bed, all palpitating with fear, and peeped round the corner of my dressing-', 'm. i slipped out of bed, all palpitating with fear, and peeped round the corner of my dressing-room ', 'slipped out of bed, all palpitating with fear, and peeped round the corner of my dressing-room door.', 'ed out of bed, all palpitating with fear, and peeped round the corner of my dressing-room door. "\'ar', 't of bed, all palpitating with fear, and peeped round the corner of my dressing-room door. "\'arthur ', 'bed, all palpitating with fear, and peeped round the corner of my dressing-room door. "\'arthur i scr', 'all palpitating with fear, and peeped round the corner of my dressing-room door. "\'arthur i screamed', 'alpitating with fear, and peeped round the corner of my dressing-room door. "\'arthur i screamed, \'yo', 'ating with fear, and peeped round the corner of my dressing-room door. "\'arthur i screamed, \'you vil', ' with fear, and peeped round the corner of my dressing-room door. "\'arthur i screamed, \'you villain!', ' fear, and peeped round the corner of my dressing-room door. "\'arthur i screamed, \'you villain! you ', ', and peeped round the corner of my dressing-room door. "\'arthur i screamed, \'you villain! you thief', ' peeped round the corner of my dressing-room door. "\'arthur i screamed, \'you villain! you thief! how', 'ed round the corner of my dressing-room door. "\'arthur i screamed, \'you villain! you thief! how dare', 'und the corner of my dressing-room door. "\'arthur i screamed, \'you villain! you thief! how dare you ', 'he corner of my dressing-room door. "\'arthur i screamed, \'you villain! you thief! how dare you touch', 'rner of my dressing-room door. "\'arthur i screamed, \'you villain! you thief! how dare you touch that', 'of my dressing-room door. "\'arthur i screamed, \'you villain! you thief! how dare you touch that coro', ' dressing-room door. "\'arthur i screamed, \'you villain! you thief! how dare you touch that coronet?\'', 'sing-room door. "\'arthur i screamed, \'you villain! you thief! how dare you touch that coronet?\' "the', 'room door. "\'arthur i screamed, \'you villain! you thief! how dare you touch that coronet?\' "the gas ', 'door. "\'arthur i screamed, \'you villain! you thief! how dare you touch that coronet?\' "the gas was h', ' "\'arthur i screamed, \'you villain! you thief! how dare you touch that coronet?\' "the gas was half u', 'thur i screamed, \'you villain! you thief! how dare you touch that coronet?\' "the gas was half up, as', 'i screamed, \'you villain! you thief! how dare you touch that coronet?\' "the gas was half up, as i ha', 'eamed, \'you villain! you thief! how dare you touch that coronet?\' "the gas was half up, as i had lef', ', \'you villain! you thief! how dare you touch that coronet?\' "the gas was half up, as i had left it,', 'u villain! you thief! how dare you touch that coronet?\' "the gas was half up, as i had left it, and ', 'lain! you thief! how dare you touch that coronet?\' "the gas was half up, as i had left it, and my un', ' you thief! how dare you touch that coronet?\' "the gas was half up, as i had left it, and my unhappy', 'thief! how dare you touch that coronet?\' "the gas was half up, as i had left it, and my unhappy boy,', '! how dare you touch that coronet?\' "the gas was half up, as i had left it, and my unhappy boy, dres', ' dare you touch that coronet?\' "the gas was half up, as i had left it, and my unhappy boy, dressed o', ' you touch that coronet?\' "the gas was half up, as i had left it, and my unhappy boy, dressed only i', 'touch that coronet?\' "the gas was half up, as i had left it, and my unhappy boy, dressed only in his', ' that coronet?\' "the gas was half up, as i had left it, and my unhappy boy, dressed only in his shir', ' coronet?\' "the gas was half up, as i had left it, and my unhappy boy, dressed only in his shirt and', 'net?\' "the gas was half up, as i had left it, and my unhappy boy, dressed only in his shirt and trou', ' "the gas was half up, as i had left it, and my unhappy boy, dressed only in his shirt and trousers,', ' gas was half up, as i had left it, and my unhappy boy, dressed only in his shirt and trousers, was ', 'was half up, as i had left it, and my unhappy boy, dressed only in his shirt and trousers, was stand', 'alf up, as i had left it, and my unhappy boy, dressed only in his shirt and trousers, was standing b', 'p, as i had left it, and my unhappy boy, dressed only in his shirt and trousers, was standing beside', ' i had left it, and my unhappy boy, dressed only in his shirt and trousers, was standing beside the ', 'd left it, and my unhappy boy, dressed only in his shirt and trousers, was standing beside the light', 't it, and my unhappy boy, dressed only in his shirt and trousers, was standing beside the light, hol', ' and my unhappy boy, dressed only in his shirt and trousers, was standing beside the light, holding ', 'my unhappy boy, dressed only in his shirt and trousers, was standing beside the light, holding the c', 'happy boy, dressed only in his shirt and trousers, was standing beside the light, holding the corone', ' boy, dressed only in his shirt and trousers, was standing beside the light, holding the coronet in ', ' dressed only in his shirt and trousers, was standing beside the light, holding the coronet in his h', 'sed only in his shirt and trousers, was standing beside the light, holding the coronet in his hands.', 'nly in his shirt and trousers, was standing beside the light, holding the coronet in his hands. he a', 'n his shirt and trousers, was standing beside the light, holding the coronet in his hands. he appear', ' shirt and trousers, was standing beside the light, holding the coronet in his hands. he appeared to', 't and trousers, was standing beside the light, holding the coronet in his hands. he appeared to be w', ' trousers, was standing beside the light, holding the coronet in his hands. he appeared to be wrench', 'sers, was standing beside the light, holding the coronet in his hands. he appeared to be wrenching a', ' was standing beside the light, holding the coronet in his hands. he appeared to be wrenching at it,', 'standing beside the light, holding the coronet in his hands. he appeared to be wrenching at it, or b', 'ing beside the light, holding the coronet in his hands. he appeared to be wrenching at it, or bendin', 'eside the light, holding the coronet in his hands. he appeared to be wrenching at it, or bending it ', ' the light, holding the coronet in his hands. he appeared to be wrenching at it, or bending it with ', 'light, holding the coronet in his hands. he appeared to be wrenching at it, or bending it with all h', ', holding the coronet in his hands. he appeared to be wrenching at it, or bending it with all his st', 'ding the coronet in his hands. he appeared to be wrenching at it, or bending it with all his strengt', 'the coronet in his hands. he appeared to be wrenching at it, or bending it with all his strength. at', 'oronet in his hands. he appeared to be wrenching at it, or bending it with all his strength. at my c', 't in his hands. he appeared to be wrenching at it, or bending it with all his strength. at my cry he', 'his hands. he appeared to be wrenching at it, or bending it with all his strength. at my cry he drop', 'ands. he appeared to be wrenching at it, or bending it with all his strength. at my cry he dropped i', ' he appeared to be wrenching at it, or bending it with all his strength. at my cry he dropped it fro', 'ppeared to be wrenching at it, or bending it with all his strength. at my cry he dropped it from his', 'ed to be wrenching at it, or bending it with all his strength. at my cry he dropped it from his gras', ' be wrenching at it, or bending it with all his strength. at my cry he dropped it from his grasp and', 'renching at it, or bending it with all his strength. at my cry he dropped it from his grasp and turn', 'ing at it, or bending it with all his strength. at my cry he dropped it from his grasp and turned as', 't it, or bending it with all his strength. at my cry he dropped it from his grasp and turned as pale', ' or bending it with all his strength. at my cry he dropped it from his grasp and turned as pale as d', 'ending it with all his strength. at my cry he dropped it from his grasp and turned as pale as death.', 'g it with all his strength. at my cry he dropped it from his grasp and turned as pale as death. i sn', 'with all his strength. at my cry he dropped it from his grasp and turned as pale as death. i snatche', 'all his strength. at my cry he dropped it from his grasp and turned as pale as death. i snatched it ', 'is strength. at my cry he dropped it from his grasp and turned as pale as death. i snatched it up an', 'rength. at my cry he dropped it from his grasp and turned as pale as death. i snatched it up and exa', 'h. at my cry he dropped it from his grasp and turned as pale as death. i snatched it up and examined', ' my cry he dropped it from his grasp and turned as pale as death. i snatched it up and examined it. ', 'ry he dropped it from his grasp and turned as pale as death. i snatched it up and examined it. one o', ' dropped it from his grasp and turned as pale as death. i snatched it up and examined it. one of the', 'ped it from his grasp and turned as pale as death. i snatched it up and examined it. one of the gold', 't from his grasp and turned as pale as death. i snatched it up and examined it. one of the gold corn', 'm his grasp and turned as pale as death. i snatched it up and examined it. one of the gold corners, ', ' grasp and turned as pale as death. i snatched it up and examined it. one of the gold corners, with ', 'p and turned as pale as death. i snatched it up and examined it. one of the gold corners, with three', ' turned as pale as death. i snatched it up and examined it. one of the gold corners, with three of t', 'ed as pale as death. i snatched it up and examined it. one of the gold corners, with three of the be', ' pale as death. i snatched it up and examined it. one of the gold corners, with three of the beryls ', ' as death. i snatched it up and examined it. one of the gold corners, with three of the beryls in it', 'eath. i snatched it up and examined it. one of the gold corners, with three of the beryls in it, was', ' i snatched it up and examined it. one of the gold corners, with three of the beryls in it, was miss', 'atched it up and examined it. one of the gold corners, with three of the beryls in it, was missing. ', 'd it up and examined it. one of the gold corners, with three of the beryls in it, was missing. "\'you', 'up and examined it. one of the gold corners, with three of the beryls in it, was missing. "\'you blac', 'd examined it. one of the gold corners, with three of the beryls in it, was missing. "\'you blackguar', 'mined it. one of the gold corners, with three of the beryls in it, was missing. "\'you blackguard i s', ' it. one of the gold corners, with three of the beryls in it, was missing. "\'you blackguard i shoute', 'one of the gold corners, with three of the beryls in it, was missing. "\'you blackguard i shouted, be', 'f the gold corners, with three of the beryls in it, was missing. "\'you blackguard i shouted, beside ', ' gold corners, with three of the beryls in it, was missing. "\'you blackguard i shouted, beside mysel', ' corners, with three of the beryls in it, was missing. "\'you blackguard i shouted, beside myself wit', 'ers, with three of the beryls in it, was missing. "\'you blackguard i shouted, beside myself with rag', 'with three of the beryls in it, was missing. "\'you blackguard i shouted, beside myself with rage. \'y', 'three of the beryls in it, was missing. "\'you blackguard i shouted, beside myself with rage. \'you ha', ' of the beryls in it, was missing. "\'you blackguard i shouted, beside myself with rage. \'you have de', 'he beryls in it, was missing. "\'you blackguard i shouted, beside myself with rage. \'you have destroy', 'ryls in it, was missing. "\'you blackguard i shouted, beside myself with rage. \'you have destroyed it', 'in it, was missing. "\'you blackguard i shouted, beside myself with rage. \'you have destroyed it! you', ', was missing. "\'you blackguard i shouted, beside myself with rage. \'you have destroyed it! you have', ' missing. "\'you blackguard i shouted, beside myself with rage. \'you have destroyed it! you have dish', 'ing. "\'you blackguard i shouted, beside myself with rage. \'you have destroyed it! you have dishonour', '"\'you blackguard i shouted, beside myself with rage. \'you have destroyed it! you have dishonoured me', " blackguard i shouted, beside myself with rage. 'you have destroyed it! you have dishonoured me fore", "kguard i shouted, beside myself with rage. 'you have destroyed it! you have dishonoured me forever! ", "d i shouted, beside myself with rage. 'you have destroyed it! you have dishonoured me forever! where", "houted, beside myself with rage. 'you have destroyed it! you have dishonoured me forever! where are ", "d, beside myself with rage. 'you have destroyed it! you have dishonoured me forever! where are the j", "side myself with rage. 'you have destroyed it! you have dishonoured me forever! where are the jewels", "myself with rage. 'you have destroyed it! you have dishonoured me forever! where are the jewels whic", "f with rage. 'you have destroyed it! you have dishonoured me forever! where are the jewels which you", "h rage. 'you have destroyed it! you have dishonoured me forever! where are the jewels which you have", "e. 'you have destroyed it! you have dishonoured me forever! where are the jewels which you have stol", "ou have destroyed it! you have dishonoured me forever! where are the jewels which you have stolen?' ", 've destroyed it! you have dishonoured me forever! where are the jewels which you have stolen?\' "\'sto', 'stroyed it! you have dishonoured me forever! where are the jewels which you have stolen?\' "\'stolen h', 'ed it! you have dishonoured me forever! where are the jewels which you have stolen?\' "\'stolen he cri', '! you have dishonoured me forever! where are the jewels which you have stolen?\' "\'stolen he cried. "', ' have dishonoured me forever! where are the jewels which you have stolen?\' "\'stolen he cried. "\'yes,', ' dishonoured me forever! where are the jewels which you have stolen?\' "\'stolen he cried. "\'yes, thie', 'onoured me forever! where are the jewels which you have stolen?\' "\'stolen he cried. "\'yes, thief i r', 'ed me forever! where are the jewels which you have stolen?\' "\'stolen he cried. "\'yes, thief i roared', ' forever! where are the jewels which you have stolen?\' "\'stolen he cried. "\'yes, thief i roared, sha', 'ver! where are the jewels which you have stolen?\' "\'stolen he cried. "\'yes, thief i roared, shaking ', 'where are the jewels which you have stolen?\' "\'stolen he cried. "\'yes, thief i roared, shaking him b', ' are the jewels which you have stolen?\' "\'stolen he cried. "\'yes, thief i roared, shaking him by the', 'the jewels which you have stolen?\' "\'stolen he cried. "\'yes, thief i roared, shaking him by the shou', 'ewels which you have stolen?\' "\'stolen he cried. "\'yes, thief i roared, shaking him by the shoulder.', ' which you have stolen?\' "\'stolen he cried. "\'yes, thief i roared, shaking him by the shoulder. "\'th', 'h you have stolen?\' "\'stolen he cried. "\'yes, thief i roared, shaking him by the shoulder. "\'there a', ' have stolen?\' "\'stolen he cried. "\'yes, thief i roared, shaking him by the shoulder. "\'there are no', ' stolen?\' "\'stolen he cried. "\'yes, thief i roared, shaking him by the shoulder. "\'there are none mi', 'en?\' "\'stolen he cried. "\'yes, thief i roared, shaking him by the shoulder. "\'there are none missing', '"\'stolen he cried. "\'yes, thief i roared, shaking him by the shoulder. "\'there are none missing. the', 'len he cried. "\'yes, thief i roared, shaking him by the shoulder. "\'there are none missing. there ca', 'e cried. "\'yes, thief i roared, shaking him by the shoulder. "\'there are none missing. there cannot ', 'ed. "\'yes, thief i roared, shaking him by the shoulder. "\'there are none missing. there cannot be an', '\'yes, thief i roared, shaking him by the shoulder. "\'there are none missing. there cannot be any mis', ' thief i roared, shaking him by the shoulder. "\'there are none missing. there cannot be any missing,', 'f i roared, shaking him by the shoulder. "\'there are none missing. there cannot be any missing,\' sai', 'oared, shaking him by the shoulder. "\'there are none missing. there cannot be any missing,\' said he.', ', shaking him by the shoulder. "\'there are none missing. there cannot be any missing,\' said he. "\'th', 'king him by the shoulder. "\'there are none missing. there cannot be any missing,\' said he. "\'there a', 'him by the shoulder. "\'there are none missing. there cannot be any missing,\' said he. "\'there are th', 'y the shoulder. "\'there are none missing. there cannot be any missing,\' said he. "\'there are three m', ' shoulder. "\'there are none missing. there cannot be any missing,\' said he. "\'there are three missin', 'lder. "\'there are none missing. there cannot be any missing,\' said he. "\'there are three missing. an', ' "\'there are none missing. there cannot be any missing,\' said he. "\'there are three missing. and you', 'ere are none missing. there cannot be any missing,\' said he. "\'there are three missing. and you know', 're none missing. there cannot be any missing,\' said he. "\'there are three missing. and you know wher', 'ne missing. there cannot be any missing,\' said he. "\'there are three missing. and you know where the', 'ssing. there cannot be any missing,\' said he. "\'there are three missing. and you know where they are', '. there cannot be any missing,\' said he. "\'there are three missing. and you know where they are. mus', 're cannot be any missing,\' said he. "\'there are three missing. and you know where they are. must i c', 'nnot be any missing,\' said he. "\'there are three missing. and you know where they are. must i call y', 'be any missing,\' said he. "\'there are three missing. and you know where they are. must i call you a ', 'y missing,\' said he. "\'there are three missing. and you know where they are. must i call you a liar ', 'sing,\' said he. "\'there are three missing. and you know where they are. must i call you a liar as we', '\' said he. "\'there are three missing. and you know where they are. must i call you a liar as well as', 'd he. "\'there are three missing. and you know where they are. must i call you a liar as well as a th', ' "\'there are three missing. and you know where they are. must i call you a liar as well as a thief? ', 'ere are three missing. and you know where they are. must i call you a liar as well as a thief? did i', 're three missing. and you know where they are. must i call you a liar as well as a thief? did i not ', 'ree missing. and you know where they are. must i call you a liar as well as a thief? did i not see y', 'issing. and you know where they are. must i call you a liar as well as a thief? did i not see you tr', 'g. and you know where they are. must i call you a liar as well as a thief? did i not see you trying ', 'd you know where they are. must i call you a liar as well as a thief? did i not see you trying to te', ' know where they are. must i call you a liar as well as a thief? did i not see you trying to tear of', ' where they are. must i call you a liar as well as a thief? did i not see you trying to tear off ano', 'e they are. must i call you a liar as well as a thief? did i not see you trying to tear off another ', 'y are. must i call you a liar as well as a thief? did i not see you trying to tear off another piece', '. must i call you a liar as well as a thief? did i not see you trying to tear off another piece?\' "\'', 't i call you a liar as well as a thief? did i not see you trying to tear off another piece?\' "\'you h', 'all you a liar as well as a thief? did i not see you trying to tear off another piece?\' "\'you have c', 'ou a liar as well as a thief? did i not see you trying to tear off another piece?\' "\'you have called', 'liar as well as a thief? did i not see you trying to tear off another piece?\' "\'you have called me n', 'as well as a thief? did i not see you trying to tear off another piece?\' "\'you have called me names ', 'll as a thief? did i not see you trying to tear off another piece?\' "\'you have called me names enoug', ' a thief? did i not see you trying to tear off another piece?\' "\'you have called me names enough,\' s', 'ief? did i not see you trying to tear off another piece?\' "\'you have called me names enough,\' said h', 'did i not see you trying to tear off another piece?\' "\'you have called me names enough,\' said he, \'i', ' not see you trying to tear off another piece?\' "\'you have called me names enough,\' said he, \'i will', 'see you trying to tear off another piece?\' "\'you have called me names enough,\' said he, \'i will not ', 'ou trying to tear off another piece?\' "\'you have called me names enough,\' said he, \'i will not stand', 'ying to tear off another piece?\' "\'you have called me names enough,\' said he, \'i will not stand it a', 'to tear off another piece?\' "\'you have called me names enough,\' said he, \'i will not stand it any lo', 'ar off another piece?\' "\'you have called me names enough,\' said he, \'i will not stand it any longer.', 'f another piece?\' "\'you have called me names enough,\' said he, \'i will not stand it any longer. i sh', 'ther piece?\' "\'you have called me names enough,\' said he, \'i will not stand it any longer. i shall n', 'piece?\' "\'you have called me names enough,\' said he, \'i will not stand it any longer. i shall not sa', '?\' "\'you have called me names enough,\' said he, \'i will not stand it any longer. i shall not say ano', "you have called me names enough,' said he, 'i will not stand it any longer. i shall not say another ", "ave called me names enough,' said he, 'i will not stand it any longer. i shall not say another word ", "alled me names enough,' said he, 'i will not stand it any longer. i shall not say another word about", " me names enough,' said he, 'i will not stand it any longer. i shall not say another word about this", "ames enough,' said he, 'i will not stand it any longer. i shall not say another word about this busi", "enough,' said he, 'i will not stand it any longer. i shall not say another word about this business,", "h,' said he, 'i will not stand it any longer. i shall not say another word about this business, sinc", "aid he, 'i will not stand it any longer. i shall not say another word about this business, since you", "e, 'i will not stand it any longer. i shall not say another word about this business, since you have", ' will not stand it any longer. i shall not say another word about this business, since you have chos', ' not stand it any longer. i shall not say another word about this business, since you have chosen to', 'stand it any longer. i shall not say another word about this business, since you have chosen to insu', ' it any longer. i shall not say another word about this business, since you have chosen to insult me', 'ny longer. i shall not say another word about this business, since you have chosen to insult me. i w', 'nger. i shall not say another word about this business, since you have chosen to insult me. i will l', ' i shall not say another word about this business, since you have chosen to insult me. i will leave ', 'all not say another word about this business, since you have chosen to insult me. i will leave your ', 'ot say another word about this business, since you have chosen to insult me. i will leave your house', 'y another word about this business, since you have chosen to insult me. i will leave your house in t', 'ther word about this business, since you have chosen to insult me. i will leave your house in the mo', 'word about this business, since you have chosen to insult me. i will leave your house in the morning', 'about this business, since you have chosen to insult me. i will leave your house in the morning and ', ' this business, since you have chosen to insult me. i will leave your house in the morning and make ', ' business, since you have chosen to insult me. i will leave your house in the morning and make my ow', 'ness, since you have chosen to insult me. i will leave your house in the morning and make my own way', ' since you have chosen to insult me. i will leave your house in the morning and make my own way in t', 'e you have chosen to insult me. i will leave your house in the morning and make my own way in the wo', " have chosen to insult me. i will leave your house in the morning and make my own way in the world.'", ' chosen to insult me. i will leave your house in the morning and make my own way in the world.\' "\'yo', 'en to insult me. i will leave your house in the morning and make my own way in the world.\' "\'you sha', ' insult me. i will leave your house in the morning and make my own way in the world.\' "\'you shall le', 'lt me. i will leave your house in the morning and make my own way in the world.\' "\'you shall leave i', '. i will leave your house in the morning and make my own way in the world.\' "\'you shall leave it in ', 'ill leave your house in the morning and make my own way in the world.\' "\'you shall leave it in the h', 'eave your house in the morning and make my own way in the world.\' "\'you shall leave it in the hands ', 'your house in the morning and make my own way in the world.\' "\'you shall leave it in the hands of th', 'house in the morning and make my own way in the world.\' "\'you shall leave it in the hands of the pol', ' in the morning and make my own way in the world.\' "\'you shall leave it in the hands of the police i', 'he morning and make my own way in the world.\' "\'you shall leave it in the hands of the police i crie', 'rning and make my own way in the world.\' "\'you shall leave it in the hands of the police i cried hal', ' and make my own way in the world.\' "\'you shall leave it in the hands of the police i cried half-mad', 'make my own way in the world.\' "\'you shall leave it in the hands of the police i cried half-mad with', 'my own way in the world.\' "\'you shall leave it in the hands of the police i cried half-mad with grie', 'n way in the world.\' "\'you shall leave it in the hands of the police i cried half-mad with grief and', ' in the world.\' "\'you shall leave it in the hands of the police i cried half-mad with grief and rage', 'he world.\' "\'you shall leave it in the hands of the police i cried half-mad with grief and rage. \'i ', 'rld.\' "\'you shall leave it in the hands of the police i cried half-mad with grief and rage. \'i shall', ' "\'you shall leave it in the hands of the police i cried half-mad with grief and rage. \'i shall have', "u shall leave it in the hands of the police i cried half-mad with grief and rage. 'i shall have this", "ll leave it in the hands of the police i cried half-mad with grief and rage. 'i shall have this matt", "ave it in the hands of the police i cried half-mad with grief and rage. 'i shall have this matter pr", "t in the hands of the police i cried half-mad with grief and rage. 'i shall have this matter probed ", "the hands of the police i cried half-mad with grief and rage. 'i shall have this matter probed to th", "ands of the police i cried half-mad with grief and rage. 'i shall have this matter probed to the bot", "of the police i cried half-mad with grief and rage. 'i shall have this matter probed to the bottom.'", 'e police i cried half-mad with grief and rage. \'i shall have this matter probed to the bottom.\' "\'yo', 'ice i cried half-mad with grief and rage. \'i shall have this matter probed to the bottom.\' "\'you sha', ' cried half-mad with grief and rage. \'i shall have this matter probed to the bottom.\' "\'you shall le', 'd half-mad with grief and rage. \'i shall have this matter probed to the bottom.\' "\'you shall learn n', 'f-mad with grief and rage. \'i shall have this matter probed to the bottom.\' "\'you shall learn nothin', ' with grief and rage. \'i shall have this matter probed to the bottom.\' "\'you shall learn nothing fro', ' grief and rage. \'i shall have this matter probed to the bottom.\' "\'you shall learn nothing from me,', 'f and rage. \'i shall have this matter probed to the bottom.\' "\'you shall learn nothing from me,\' sai', ' rage. \'i shall have this matter probed to the bottom.\' "\'you shall learn nothing from me,\' said he ', '. \'i shall have this matter probed to the bottom.\' "\'you shall learn nothing from me,\' said he with ', 'shall have this matter probed to the bottom.\' "\'you shall learn nothing from me,\' said he with a pas', ' have this matter probed to the bottom.\' "\'you shall learn nothing from me,\' said he with a passion ', ' this matter probed to the bottom.\' "\'you shall learn nothing from me,\' said he with a passion such ', ' matter probed to the bottom.\' "\'you shall learn nothing from me,\' said he with a passion such as i ', 'er probed to the bottom.\' "\'you shall learn nothing from me,\' said he with a passion such as i shoul', 'obed to the bottom.\' "\'you shall learn nothing from me,\' said he with a passion such as i should not', 'to the bottom.\' "\'you shall learn nothing from me,\' said he with a passion such as i should not have', 'e bottom.\' "\'you shall learn nothing from me,\' said he with a passion such as i should not have thou', 'tom.\' "\'you shall learn nothing from me,\' said he with a passion such as i should not have thought w', ' "\'you shall learn nothing from me,\' said he with a passion such as i should not have thought was in', "u shall learn nothing from me,' said he with a passion such as i should not have thought was in his ", "ll learn nothing from me,' said he with a passion such as i should not have thought was in his natur", "arn nothing from me,' said he with a passion such as i should not have thought was in his nature. 'i", "othing from me,' said he with a passion such as i should not have thought was in his nature. 'if you", "g from me,' said he with a passion such as i should not have thought was in his nature. 'if you choo", "m me,' said he with a passion such as i should not have thought was in his nature. 'if you choose to", "' said he with a passion such as i should not have thought was in his nature. 'if you choose to call", "d he with a passion such as i should not have thought was in his nature. 'if you choose to call the ", "with a passion such as i should not have thought was in his nature. 'if you choose to call the polic", "a passion such as i should not have thought was in his nature. 'if you choose to call the police, le", "sion such as i should not have thought was in his nature. 'if you choose to call the police, let the", "such as i should not have thought was in his nature. 'if you choose to call the police, let the poli", "as i should not have thought was in his nature. 'if you choose to call the police, let the police fi", "should not have thought was in his nature. 'if you choose to call the police, let the police find wh", "d not have thought was in his nature. 'if you choose to call the police, let the police find what th", " have thought was in his nature. 'if you choose to call the police, let the police find what they ca", ' thought was in his nature. \'if you choose to call the police, let the police find what they can.\' "', 'ght was in his nature. \'if you choose to call the police, let the police find what they can.\' "by th', 'as in his nature. \'if you choose to call the police, let the police find what they can.\' "by this ti', ' his nature. \'if you choose to call the police, let the police find what they can.\' "by this time th', 'nature. \'if you choose to call the police, let the police find what they can.\' "by this time the who', 'e. \'if you choose to call the police, let the police find what they can.\' "by this time the whole ho', 'f you choose to call the police, let the police find what they can.\' "by this time the whole house w', ' choose to call the police, let the police find what they can.\' "by this time the whole house was as', 'se to call the police, let the police find what they can.\' "by this time the whole house was astir, ', ' call the police, let the police find what they can.\' "by this time the whole house was astir, for i', ' the police, let the police find what they can.\' "by this time the whole house was astir, for i had ', 'police, let the police find what they can.\' "by this time the whole house was astir, for i had raise', 'e, let the police find what they can.\' "by this time the whole house was astir, for i had raised my ', 't the police find what they can.\' "by this time the whole house was astir, for i had raised my voice', ' police find what they can.\' "by this time the whole house was astir, for i had raised my voice in m', 'ce find what they can.\' "by this time the whole house was astir, for i had raised my voice in my ang', 'nd what they can.\' "by this time the whole house was astir, for i had raised my voice in my anger. m', 'at they can.\' "by this time the whole house was astir, for i had raised my voice in my anger. mary w', 'ey can.\' "by this time the whole house was astir, for i had raised my voice in my anger. mary was th', 'n.\' "by this time the whole house was astir, for i had raised my voice in my anger. mary was the fir', 'by this time the whole house was astir, for i had raised my voice in my anger. mary was the first to', 'is time the whole house was astir, for i had raised my voice in my anger. mary was the first to rush', 'me the whole house was astir, for i had raised my voice in my anger. mary was the first to rush into', 'e whole house was astir, for i had raised my voice in my anger. mary was the first to rush into my r', 'le house was astir, for i had raised my voice in my anger. mary was the first to rush into my room, ', 'use was astir, for i had raised my voice in my anger. mary was the first to rush into my room, and, ', 'as astir, for i had raised my voice in my anger. mary was the first to rush into my room, and, at th', 'tir, for i had raised my voice in my anger. mary was the first to rush into my room, and, at the sig', 'for i had raised my voice in my anger. mary was the first to rush into my room, and, at the sight of', ' had raised my voice in my anger. mary was the first to rush into my room, and, at the sight of the ', 'raised my voice in my anger. mary was the first to rush into my room, and, at the sight of the coron', 'd my voice in my anger. mary was the first to rush into my room, and, at the sight of the coronet an', 'voice in my anger. mary was the first to rush into my room, and, at the sight of the coronet and of ', ' in my anger. mary was the first to rush into my room, and, at the sight of the coronet and of arthu', "y anger. mary was the first to rush into my room, and, at the sight of the coronet and of arthur's f", "er. mary was the first to rush into my room, and, at the sight of the coronet and of arthur's face, ", "ary was the first to rush into my room, and, at the sight of the coronet and of arthur's face, she r", "as the first to rush into my room, and, at the sight of the coronet and of arthur's face, she read t", "e first to rush into my room, and, at the sight of the coronet and of arthur's face, she read the wh", "st to rush into my room, and, at the sight of the coronet and of arthur's face, she read the whole s", " rush into my room, and, at the sight of the coronet and of arthur's face, she read the whole story ", " into my room, and, at the sight of the coronet and of arthur's face, she read the whole story and, ", " my room, and, at the sight of the coronet and of arthur's face, she read the whole story and, with ", "oom, and, at the sight of the coronet and of arthur's face, she read the whole story and, with a scr", "and, at the sight of the coronet and of arthur's face, she read the whole story and, with a scream, ", "at the sight of the coronet and of arthur's face, she read the whole story and, with a scream, fell ", "e sight of the coronet and of arthur's face, she read the whole story and, with a scream, fell down ", "ht of the coronet and of arthur's face, she read the whole story and, with a scream, fell down sense", " the coronet and of arthur's face, she read the whole story and, with a scream, fell down senseless ", "coronet and of arthur's face, she read the whole story and, with a scream, fell down senseless on th", "et and of arthur's face, she read the whole story and, with a scream, fell down senseless on the gro", "d of arthur's face, she read the whole story and, with a scream, fell down senseless on the ground. ", "arthur's face, she read the whole story and, with a scream, fell down senseless on the ground. i sen", "r's face, she read the whole story and, with a scream, fell down senseless on the ground. i sent the", 'ace, she read the whole story and, with a scream, fell down senseless on the ground. i sent the hous', 'she read the whole story and, with a scream, fell down senseless on the ground. i sent the house-mai', 'ead the whole story and, with a scream, fell down senseless on the ground. i sent the house-maid for', 'he whole story and, with a scream, fell down senseless on the ground. i sent the house-maid for the ', 'ole story and, with a scream, fell down senseless on the ground. i sent the house-maid for the polic', 'tory and, with a scream, fell down senseless on the ground. i sent the house-maid for the police and', 'and, with a scream, fell down senseless on the ground. i sent the house-maid for the police and put ', 'with a scream, fell down senseless on the ground. i sent the house-maid for the police and put the i', 'a scream, fell down senseless on the ground. i sent the house-maid for the police and put the invest', 'eam, fell down senseless on the ground. i sent the house-maid for the police and put the investigati', 'fell down senseless on the ground. i sent the house-maid for the police and put the investigation in', 'down senseless on the ground. i sent the house-maid for the police and put the investigation into th', 'senseless on the ground. i sent the house-maid for the police and put the investigation into their h', 'less on the ground. i sent the house-maid for the police and put the investigation into their hands ', 'on the ground. i sent the house-maid for the police and put the investigation into their hands at on', 'e ground. i sent the house-maid for the police and put the investigation into their hands at once. w', 'und. i sent the house-maid for the police and put the investigation into their hands at once. when t', 'i sent the house-maid for the police and put the investigation into their hands at once. when the in', 't the house-maid for the police and put the investigation into their hands at once. when the inspect', ' house-maid for the police and put the investigation into their hands at once. when the inspector an', 'e-maid for the police and put the investigation into their hands at once. when the inspector and a c', 'd for the police and put the investigation into their hands at once. when the inspector and a consta', ' the police and put the investigation into their hands at once. when the inspector and a constable e', 'police and put the investigation into their hands at once. when the inspector and a constable entere', 'e and put the investigation into their hands at once. when the inspector and a constable entered the', ' put the investigation into their hands at once. when the inspector and a constable entered the hous', 'the investigation into their hands at once. when the inspector and a constable entered the house, ar', 'nvestigation into their hands at once. when the inspector and a constable entered the house, arthur,', 'igation into their hands at once. when the inspector and a constable entered the house, arthur, who ', 'on into their hands at once. when the inspector and a constable entered the house, arthur, who had s', 'to their hands at once. when the inspector and a constable entered the house, arthur, who had stood ', 'eir hands at once. when the inspector and a constable entered the house, arthur, who had stood sulle', 'ands at once. when the inspector and a constable entered the house, arthur, who had stood sullenly w', 'at once. when the inspector and a constable entered the house, arthur, who had stood sullenly with h', 'ce. when the inspector and a constable entered the house, arthur, who had stood sullenly with his ar', 'hen the inspector and a constable entered the house, arthur, who had stood sullenly with his arms fo', 'he inspector and a constable entered the house, arthur, who had stood sullenly with his arms folded,', 'spector and a constable entered the house, arthur, who had stood sullenly with his arms folded, aske', 'or and a constable entered the house, arthur, who had stood sullenly with his arms folded, asked me ', 'd a constable entered the house, arthur, who had stood sullenly with his arms folded, asked me wheth', 'onstable entered the house, arthur, who had stood sullenly with his arms folded, asked me whether it', 'ble entered the house, arthur, who had stood sullenly with his arms folded, asked me whether it was ', 'ntered the house, arthur, who had stood sullenly with his arms folded, asked me whether it was my in', 'd the house, arthur, who had stood sullenly with his arms folded, asked me whether it was my intenti', ' house, arthur, who had stood sullenly with his arms folded, asked me whether it was my intention to', 'e, arthur, who had stood sullenly with his arms folded, asked me whether it was my intention to char', 'thur, who had stood sullenly with his arms folded, asked me whether it was my intention to charge hi', ' who had stood sullenly with his arms folded, asked me whether it was my intention to charge him wit', 'had stood sullenly with his arms folded, asked me whether it was my intention to charge him with the', 'tood sullenly with his arms folded, asked me whether it was my intention to charge him with theft. i', 'sullenly with his arms folded, asked me whether it was my intention to charge him with theft. i answ', 'nly with his arms folded, asked me whether it was my intention to charge him with theft. i answered ', 'ith his arms folded, asked me whether it was my intention to charge him with theft. i answered that ', 'is arms folded, asked me whether it was my intention to charge him with theft. i answered that it ha', 'ms folded, asked me whether it was my intention to charge him with theft. i answered that it had cea', 'lded, asked me whether it was my intention to charge him with theft. i answered that it had ceased t', ' asked me whether it was my intention to charge him with theft. i answered that it had ceased to be ', 'd me whether it was my intention to charge him with theft. i answered that it had ceased to be a pri', 'whether it was my intention to charge him with theft. i answered that it had ceased to be a private ', 'er it was my intention to charge him with theft. i answered that it had ceased to be a private matte', ' was my intention to charge him with theft. i answered that it had ceased to be a private matter, bu', 'my intention to charge him with theft. i answered that it had ceased to be a private matter, but had', 'tention to charge him with theft. i answered that it had ceased to be a private matter, but had beco', 'on to charge him with theft. i answered that it had ceased to be a private matter, but had become a ', ' charge him with theft. i answered that it had ceased to be a private matter, but had become a publi', 'ge him with theft. i answered that it had ceased to be a private matter, but had become a public one', 'm with theft. i answered that it had ceased to be a private matter, but had become a public one, sin', 'h theft. i answered that it had ceased to be a private matter, but had become a public one, since th', 'ft. i answered that it had ceased to be a private matter, but had become a public one, since the rui', ' answered that it had ceased to be a private matter, but had become a public one, since the ruined c', 'ered that it had ceased to be a private matter, but had become a public one, since the ruined corone', 'that it had ceased to be a private matter, but had become a public one, since the ruined coronet was', 'it had ceased to be a private matter, but had become a public one, since the ruined coronet was nati', 'd ceased to be a private matter, but had become a public one, since the ruined coronet was national ', 'sed to be a private matter, but had become a public one, since the ruined coronet was national prope', 'o be a private matter, but had become a public one, since the ruined coronet was national property. ', 'a private matter, but had become a public one, since the ruined coronet was national property. i was', 'vate matter, but had become a public one, since the ruined coronet was national property. i was dete', 'matter, but had become a public one, since the ruined coronet was national property. i was determine', 'r, but had become a public one, since the ruined coronet was national property. i was determined tha', 't had become a public one, since the ruined coronet was national property. i was determined that the', ' become a public one, since the ruined coronet was national property. i was determined that the law ', 'me a public one, since the ruined coronet was national property. i was determined that the law shoul', 'public one, since the ruined coronet was national property. i was determined that the law should hav', 'c one, since the ruined coronet was national property. i was determined that the law should have its', ', since the ruined coronet was national property. i was determined that the law should have its way ', 'ce the ruined coronet was national property. i was determined that the law should have its way in ev', 'e ruined coronet was national property. i was determined that the law should have its way in everyth', 'ned coronet was national property. i was determined that the law should have its way in everything. ', 'oronet was national property. i was determined that the law should have its way in everything. "\'at ', 't was national property. i was determined that the law should have its way in everything. "\'at least', ' national property. i was determined that the law should have its way in everything. "\'at least,\' sa', 'onal property. i was determined that the law should have its way in everything. "\'at least,\' said he', 'property. i was determined that the law should have its way in everything. "\'at least,\' said he, \'yo', 'rty. i was determined that the law should have its way in everything. "\'at least,\' said he, \'you wil', 'i was determined that the law should have its way in everything. "\'at least,\' said he, \'you will not', ' determined that the law should have its way in everything. "\'at least,\' said he, \'you will not have', 'rmined that the law should have its way in everything. "\'at least,\' said he, \'you will not have me a', 'd that the law should have its way in everything. "\'at least,\' said he, \'you will not have me arrest', 't the law should have its way in everything. "\'at least,\' said he, \'you will not have me arrested at', ' law should have its way in everything. "\'at least,\' said he, \'you will not have me arrested at once', 'should have its way in everything. "\'at least,\' said he, \'you will not have me arrested at once. it ', 'd have its way in everything. "\'at least,\' said he, \'you will not have me arrested at once. it would', 'e its way in everything. "\'at least,\' said he, \'you will not have me arrested at once. it would be t', ' way in everything. "\'at least,\' said he, \'you will not have me arrested at once. it would be to you', 'in everything. "\'at least,\' said he, \'you will not have me arrested at once. it would be to your adv', 'erything. "\'at least,\' said he, \'you will not have me arrested at once. it would be to your advantag', 'ing. "\'at least,\' said he, \'you will not have me arrested at once. it would be to your advantage as ', '"\'at least,\' said he, \'you will not have me arrested at once. it would be to your advantage as well ', "least,' said he, 'you will not have me arrested at once. it would be to your advantage as well as mi", ",' said he, 'you will not have me arrested at once. it would be to your advantage as well as mine if", "id he, 'you will not have me arrested at once. it would be to your advantage as well as mine if i mi", ", 'you will not have me arrested at once. it would be to your advantage as well as mine if i might l", 'u will not have me arrested at once. it would be to your advantage as well as mine if i might leave ', 'l not have me arrested at once. it would be to your advantage as well as mine if i might leave the h', ' have me arrested at once. it would be to your advantage as well as mine if i might leave the house ', ' me arrested at once. it would be to your advantage as well as mine if i might leave the house for f', 'rrested at once. it would be to your advantage as well as mine if i might leave the house for five m', 'ed at once. it would be to your advantage as well as mine if i might leave the house for five minute', ' once. it would be to your advantage as well as mine if i might leave the house for five minutes.\' "', '. it would be to your advantage as well as mine if i might leave the house for five minutes.\' "\'that', 'would be to your advantage as well as mine if i might leave the house for five minutes.\' "\'that you ', ' be to your advantage as well as mine if i might leave the house for five minutes.\' "\'that you may g', 'o your advantage as well as mine if i might leave the house for five minutes.\' "\'that you may get aw', 'r advantage as well as mine if i might leave the house for five minutes.\' "\'that you may get away, o', 'antage as well as mine if i might leave the house for five minutes.\' "\'that you may get away, or per', 'e as well as mine if i might leave the house for five minutes.\' "\'that you may get away, or perhaps ', 'well as mine if i might leave the house for five minutes.\' "\'that you may get away, or perhaps that ', 'as mine if i might leave the house for five minutes.\' "\'that you may get away, or perhaps that you m', 'ne if i might leave the house for five minutes.\' "\'that you may get away, or perhaps that you may co', ' i might leave the house for five minutes.\' "\'that you may get away, or perhaps that you may conceal', 'ght leave the house for five minutes.\' "\'that you may get away, or perhaps that you may conceal what', 'eave the house for five minutes.\' "\'that you may get away, or perhaps that you may conceal what you ', 'the house for five minutes.\' "\'that you may get away, or perhaps that you may conceal what you have ', 'ouse for five minutes.\' "\'that you may get away, or perhaps that you may conceal what you have stole', 'for five minutes.\' "\'that you may get away, or perhaps that you may conceal what you have stolen,\' s', 'ive minutes.\' "\'that you may get away, or perhaps that you may conceal what you have stolen,\' said i', 'inutes.\' "\'that you may get away, or perhaps that you may conceal what you have stolen,\' said i. and', 's.\' "\'that you may get away, or perhaps that you may conceal what you have stolen,\' said i. and then', "'that you may get away, or perhaps that you may conceal what you have stolen,' said i. and then, rea", " you may get away, or perhaps that you may conceal what you have stolen,' said i. and then, realisin", "may get away, or perhaps that you may conceal what you have stolen,' said i. and then, realising the", "et away, or perhaps that you may conceal what you have stolen,' said i. and then, realising the drea", "ay, or perhaps that you may conceal what you have stolen,' said i. and then, realising the dreadful ", "r perhaps that you may conceal what you have stolen,' said i. and then, realising the dreadful posit", "haps that you may conceal what you have stolen,' said i. and then, realising the dreadful position i", "that you may conceal what you have stolen,' said i. and then, realising the dreadful position in whi", "you may conceal what you have stolen,' said i. and then, realising the dreadful position in which i ", "ay conceal what you have stolen,' said i. and then, realising the dreadful position in which i was p", "nceal what you have stolen,' said i. and then, realising the dreadful position in which i was placed", " what you have stolen,' said i. and then, realising the dreadful position in which i was placed, i i", " you have stolen,' said i. and then, realising the dreadful position in which i was placed, i implor", "have stolen,' said i. and then, realising the dreadful position in which i was placed, i implored hi", "stolen,' said i. and then, realising the dreadful position in which i was placed, i implored him to ", "n,' said i. and then, realising the dreadful position in which i was placed, i implored him to remem", 'aid i. and then, realising the dreadful position in which i was placed, i implored him to remember t', '. and then, realising the dreadful position in which i was placed, i implored him to remember that n', ' then, realising the dreadful position in which i was placed, i implored him to remember that not on', ', realising the dreadful position in which i was placed, i implored him to remember that not only my', 'lising the dreadful position in which i was placed, i implored him to remember that not only my hono', 'g the dreadful position in which i was placed, i implored him to remember that not only my honour bu', ' dreadful position in which i was placed, i implored him to remember that not only my honour but tha', 'dful position in which i was placed, i implored him to remember that not only my honour but that of ', 'position in which i was placed, i implored him to remember that not only my honour but that of one w', 'ion in which i was placed, i implored him to remember that not only my honour but that of one who wa', 'n which i was placed, i implored him to remember that not only my honour but that of one who was far', 'ch i was placed, i implored him to remember that not only my honour but that of one who was far grea', 'was placed, i implored him to remember that not only my honour but that of one who was far greater t', 'laced, i implored him to remember that not only my honour but that of one who was far greater than i', ', i implored him to remember that not only my honour but that of one who was far greater than i was ', 'mplored him to remember that not only my honour but that of one who was far greater than i was at st', 'ed him to remember that not only my honour but that of one who was far greater than i was at stake; ', 'm to remember that not only my honour but that of one who was far greater than i was at stake; and t', 'remember that not only my honour but that of one who was far greater than i was at stake; and that h', 'ber that not only my honour but that of one who was far greater than i was at stake; and that he thr', 'hat not only my honour but that of one who was far greater than i was at stake; and that he threaten', 'ot only my honour but that of one who was far greater than i was at stake; and that he threatened to', 'ly my honour but that of one who was far greater than i was at stake; and that he threatened to rais', ' honour but that of one who was far greater than i was at stake; and that he threatened to raise a s', 'ur but that of one who was far greater than i was at stake; and that he threatened to raise a scanda', 't that of one who was far greater than i was at stake; and that he threatened to raise a scandal whi', 't of one who was far greater than i was at stake; and that he threatened to raise a scandal which wo', 'one who was far greater than i was at stake; and that he threatened to raise a scandal which would c', 'ho was far greater than i was at stake; and that he threatened to raise a scandal which would convul', 's far greater than i was at stake; and that he threatened to raise a scandal which would convulse th', ' greater than i was at stake; and that he threatened to raise a scandal which would convulse the nat', 'ter than i was at stake; and that he threatened to raise a scandal which would convulse the nation. ', 'han i was at stake; and that he threatened to raise a scandal which would convulse the nation. he mi', ' was at stake; and that he threatened to raise a scandal which would convulse the nation. he might a', 'at stake; and that he threatened to raise a scandal which would convulse the nation. he might avert ', 'ake; and that he threatened to raise a scandal which would convulse the nation. he might avert it al', 'and that he threatened to raise a scandal which would convulse the nation. he might avert it all if ', 'hat he threatened to raise a scandal which would convulse the nation. he might avert it all if he wo', 'e threatened to raise a scandal which would convulse the nation. he might avert it all if he would b', 'eatened to raise a scandal which would convulse the nation. he might avert it all if he would but te', 'ed to raise a scandal which would convulse the nation. he might avert it all if he would but tell me', ' raise a scandal which would convulse the nation. he might avert it all if he would but tell me what', 'e a scandal which would convulse the nation. he might avert it all if he would but tell me what he h', 'candal which would convulse the nation. he might avert it all if he would but tell me what he had do', 'l which would convulse the nation. he might avert it all if he would but tell me what he had done wi', 'ch would convulse the nation. he might avert it all if he would but tell me what he had done with th', 'uld convulse the nation. he might avert it all if he would but tell me what he had done with the thr', 'onvulse the nation. he might avert it all if he would but tell me what he had done with the three mi', 'se the nation. he might avert it all if he would but tell me what he had done with the three missing', 'e nation. he might avert it all if he would but tell me what he had done with the three missing ston', 'ion. he might avert it all if he would but tell me what he had done with the three missing stones. "', 'he might avert it all if he would but tell me what he had done with the three missing stones. "\'you ', 'ght avert it all if he would but tell me what he had done with the three missing stones. "\'you may a', 'vert it all if he would but tell me what he had done with the three missing stones. "\'you may as wel', 'it all if he would but tell me what he had done with the three missing stones. "\'you may as well fac', 'l if he would but tell me what he had done with the three missing stones. "\'you may as well face the', 'he would but tell me what he had done with the three missing stones. "\'you may as well face the matt', 'uld but tell me what he had done with the three missing stones. "\'you may as well face the matter,\' ', 'ut tell me what he had done with the three missing stones. "\'you may as well face the matter,\' said ', 'll me what he had done with the three missing stones. "\'you may as well face the matter,\' said i; \'y', ' what he had done with the three missing stones. "\'you may as well face the matter,\' said i; \'you ha', ' he had done with the three missing stones. "\'you may as well face the matter,\' said i; \'you have be', 'ad done with the three missing stones. "\'you may as well face the matter,\' said i; \'you have been ca', 'ne with the three missing stones. "\'you may as well face the matter,\' said i; \'you have been caught ', 'th the three missing stones. "\'you may as well face the matter,\' said i; \'you have been caught in th', 'e three missing stones. "\'you may as well face the matter,\' said i; \'you have been caught in the act', 'ee missing stones. "\'you may as well face the matter,\' said i; \'you have been caught in the act, and', 'ssing stones. "\'you may as well face the matter,\' said i; \'you have been caught in the act, and no c', ' stones. "\'you may as well face the matter,\' said i; \'you have been caught in the act, and no confes', 'es. "\'you may as well face the matter,\' said i; \'you have been caught in the act, and no confession ', "'you may as well face the matter,' said i; 'you have been caught in the act, and no confession could", "may as well face the matter,' said i; 'you have been caught in the act, and no confession could make", "s well face the matter,' said i; 'you have been caught in the act, and no confession could make your", "l face the matter,' said i; 'you have been caught in the act, and no confession could make your guil", "e the matter,' said i; 'you have been caught in the act, and no confession could make your guilt mor", " matter,' said i; 'you have been caught in the act, and no confession could make your guilt more hei", "er,' said i; 'you have been caught in the act, and no confession could make your guilt more heinous.", "said i; 'you have been caught in the act, and no confession could make your guilt more heinous. if y", "i; 'you have been caught in the act, and no confession could make your guilt more heinous. if you bu", 'ou have been caught in the act, and no confession could make your guilt more heinous. if you but mak', 've been caught in the act, and no confession could make your guilt more heinous. if you but make suc', 'en caught in the act, and no confession could make your guilt more heinous. if you but make such rep', 'ught in the act, and no confession could make your guilt more heinous. if you but make such reparati', 'in the act, and no confession could make your guilt more heinous. if you but make such reparation as', 'e act, and no confession could make your guilt more heinous. if you but make such reparation as is i', ', and no confession could make your guilt more heinous. if you but make such reparation as is in you', ' no confession could make your guilt more heinous. if you but make such reparation as is in your pow', 'onfession could make your guilt more heinous. if you but make such reparation as is in your power, b', 'sion could make your guilt more heinous. if you but make such reparation as is in your power, by tel', 'could make your guilt more heinous. if you but make such reparation as is in your power, by telling ', ' make your guilt more heinous. if you but make such reparation as is in your power, by telling us wh', ' your guilt more heinous. if you but make such reparation as is in your power, by telling us where t', ' guilt more heinous. if you but make such reparation as is in your power, by telling us where the be', 't more heinous. if you but make such reparation as is in your power, by telling us where the beryls ', 'e heinous. if you but make such reparation as is in your power, by telling us where the beryls are, ', 'nous. if you but make such reparation as is in your power, by telling us where the beryls are, all s', ' if you but make such reparation as is in your power, by telling us where the beryls are, all shall ', 'ou but make such reparation as is in your power, by telling us where the beryls are, all shall be fo', 't make such reparation as is in your power, by telling us where the beryls are, all shall be forgive', 'e such reparation as is in your power, by telling us where the beryls are, all shall be forgiven and', 'h reparation as is in your power, by telling us where the beryls are, all shall be forgiven and forg', 'aration as is in your power, by telling us where the beryls are, all shall be forgiven and forgotten', 'on as is in your power, by telling us where the beryls are, all shall be forgiven and forgotten.\' "\'', ' is in your power, by telling us where the beryls are, all shall be forgiven and forgotten.\' "\'keep ', 'n your power, by telling us where the beryls are, all shall be forgiven and forgotten.\' "\'keep your ', 'r power, by telling us where the beryls are, all shall be forgiven and forgotten.\' "\'keep your forgi', 'er, by telling us where the beryls are, all shall be forgiven and forgotten.\' "\'keep your forgivenes', 'y telling us where the beryls are, all shall be forgiven and forgotten.\' "\'keep your forgiveness for', 'ling us where the beryls are, all shall be forgiven and forgotten.\' "\'keep your forgiveness for thos', 'us where the beryls are, all shall be forgiven and forgotten.\' "\'keep your forgiveness for those who', 'ere the beryls are, all shall be forgiven and forgotten.\' "\'keep your forgiveness for those who ask ', 'he beryls are, all shall be forgiven and forgotten.\' "\'keep your forgiveness for those who ask for i', 'ryls are, all shall be forgiven and forgotten.\' "\'keep your forgiveness for those who ask for it,\' h', 'are, all shall be forgiven and forgotten.\' "\'keep your forgiveness for those who ask for it,\' he ans', 'all shall be forgiven and forgotten.\' "\'keep your forgiveness for those who ask for it,\' he answered', 'hall be forgiven and forgotten.\' "\'keep your forgiveness for those who ask for it,\' he answered, tur', 'be forgiven and forgotten.\' "\'keep your forgiveness for those who ask for it,\' he answered, turning ', 'rgiven and forgotten.\' "\'keep your forgiveness for those who ask for it,\' he answered, turning away ', 'n and forgotten.\' "\'keep your forgiveness for those who ask for it,\' he answered, turning away from ', ' forgotten.\' "\'keep your forgiveness for those who ask for it,\' he answered, turning away from me wi', 'otten.\' "\'keep your forgiveness for those who ask for it,\' he answered, turning away from me with a ', '.\' "\'keep your forgiveness for those who ask for it,\' he answered, turning away from me with a sneer', "keep your forgiveness for those who ask for it,' he answered, turning away from me with a sneer. i s", "your forgiveness for those who ask for it,' he answered, turning away from me with a sneer. i saw th", "forgiveness for those who ask for it,' he answered, turning away from me with a sneer. i saw that he", "veness for those who ask for it,' he answered, turning away from me with a sneer. i saw that he was ", "s for those who ask for it,' he answered, turning away from me with a sneer. i saw that he was too h", " those who ask for it,' he answered, turning away from me with a sneer. i saw that he was too harden", "e who ask for it,' he answered, turning away from me with a sneer. i saw that he was too hardened fo", " ask for it,' he answered, turning away from me with a sneer. i saw that he was too hardened for any", "for it,' he answered, turning away from me with a sneer. i saw that he was too hardened for any word", "t,' he answered, turning away from me with a sneer. i saw that he was too hardened for any words of ", 'e answered, turning away from me with a sneer. i saw that he was too hardened for any words of mine ', 'wered, turning away from me with a sneer. i saw that he was too hardened for any words of mine to in', ', turning away from me with a sneer. i saw that he was too hardened for any words of mine to influen', 'ning away from me with a sneer. i saw that he was too hardened for any words of mine to influence hi', 'away from me with a sneer. i saw that he was too hardened for any words of mine to influence him. th', 'from me with a sneer. i saw that he was too hardened for any words of mine to influence him. there w', 'me with a sneer. i saw that he was too hardened for any words of mine to influence him. there was bu', 'th a sneer. i saw that he was too hardened for any words of mine to influence him. there was but one', 'sneer. i saw that he was too hardened for any words of mine to influence him. there was but one way ', '. i saw that he was too hardened for any words of mine to influence him. there was but one way for i', 'aw that he was too hardened for any words of mine to influence him. there was but one way for it. i ', 'at he was too hardened for any words of mine to influence him. there was but one way for it. i calle', ' was too hardened for any words of mine to influence him. there was but one way for it. i called in ', 'too hardened for any words of mine to influence him. there was but one way for it. i called in the i', 'ardened for any words of mine to influence him. there was but one way for it. i called in the inspec', 'ed for any words of mine to influence him. there was but one way for it. i called in the inspector a', 'r any words of mine to influence him. there was but one way for it. i called in the inspector and ga', ' words of mine to influence him. there was but one way for it. i called in the inspector and gave hi', 's of mine to influence him. there was but one way for it. i called in the inspector and gave him int', 'mine to influence him. there was but one way for it. i called in the inspector and gave him into cus', 'to influence him. there was but one way for it. i called in the inspector and gave him into custody.', 'fluence him. there was but one way for it. i called in the inspector and gave him into custody. a se', 'ce him. there was but one way for it. i called in the inspector and gave him into custody. a search ', 'm. there was but one way for it. i called in the inspector and gave him into custody. a search was m', 'ere was but one way for it. i called in the inspector and gave him into custody. a search was made a', 'as but one way for it. i called in the inspector and gave him into custody. a search was made at onc', 't one way for it. i called in the inspector and gave him into custody. a search was made at once not', ' way for it. i called in the inspector and gave him into custody. a search was made at once not only', 'for it. i called in the inspector and gave him into custody. a search was made at once not only of h', 't. i called in the inspector and gave him into custody. a search was made at once not only of his pe', 'called in the inspector and gave him into custody. a search was made at once not only of his person ', 'd in the inspector and gave him into custody. a search was made at once not only of his person but o', 'the inspector and gave him into custody. a search was made at once not only of his person but of his', 'nspector and gave him into custody. a search was made at once not only of his person but of his room', 'tor and gave him into custody. a search was made at once not only of his person but of his room and ', 'nd gave him into custody. a search was made at once not only of his person but of his room and of ev', 've him into custody. a search was made at once not only of his person but of his room and of every p', 'm into custody. a search was made at once not only of his person but of his room and of every portio', 'o custody. a search was made at once not only of his person but of his room and of every portion of ', 'tody. a search was made at once not only of his person but of his room and of every portion of the h', ' a search was made at once not only of his person but of his room and of every portion of the house ', 'arch was made at once not only of his person but of his room and of every portion of the house where', 'was made at once not only of his person but of his room and of every portion of the house where he c', 'ade at once not only of his person but of his room and of every portion of the house where he could ', 't once not only of his person but of his room and of every portion of the house where he could possi', 'e not only of his person but of his room and of every portion of the house where he could possibly h', ' only of his person but of his room and of every portion of the house where he could possibly have c', ' of his person but of his room and of every portion of the house where he could possibly have concea', 'is person but of his room and of every portion of the house where he could possibly have concealed t', 'rson but of his room and of every portion of the house where he could possibly have concealed the ge', 'but of his room and of every portion of the house where he could possibly have concealed the gems; b', 'f his room and of every portion of the house where he could possibly have concealed the gems; but no', ' room and of every portion of the house where he could possibly have concealed the gems; but no trac', ' and of every portion of the house where he could possibly have concealed the gems; but no trace of ', 'of every portion of the house where he could possibly have concealed the gems; but no trace of them ', 'ery portion of the house where he could possibly have concealed the gems; but no trace of them could', 'ortion of the house where he could possibly have concealed the gems; but no trace of them could be f', 'n of the house where he could possibly have concealed the gems; but no trace of them could be found,', 'the house where he could possibly have concealed the gems; but no trace of them could be found, nor ', 'ouse where he could possibly have concealed the gems; but no trace of them could be found, nor would', 'where he could possibly have concealed the gems; but no trace of them could be found, nor would the ', ' he could possibly have concealed the gems; but no trace of them could be found, nor would the wretc', 'ould possibly have concealed the gems; but no trace of them could be found, nor would the wretched b', 'possibly have concealed the gems; but no trace of them could be found, nor would the wretched boy op', 'bly have concealed the gems; but no trace of them could be found, nor would the wretched boy open hi', 'ave concealed the gems; but no trace of them could be found, nor would the wretched boy open his mou', 'oncealed the gems; but no trace of them could be found, nor would the wretched boy open his mouth fo', 'led the gems; but no trace of them could be found, nor would the wretched boy open his mouth for all', 'he gems; but no trace of them could be found, nor would the wretched boy open his mouth for all our ', 'ms; but no trace of them could be found, nor would the wretched boy open his mouth for all our persu', 'ut no trace of them could be found, nor would the wretched boy open his mouth for all our persuasion', ' trace of them could be found, nor would the wretched boy open his mouth for all our persuasions and', 'e of them could be found, nor would the wretched boy open his mouth for all our persuasions and our ', 'them could be found, nor would the wretched boy open his mouth for all our persuasions and our threa', 'could be found, nor would the wretched boy open his mouth for all our persuasions and our threats. t', ' be found, nor would the wretched boy open his mouth for all our persuasions and our threats. this m', 'ound, nor would the wretched boy open his mouth for all our persuasions and our threats. this mornin', ' nor would the wretched boy open his mouth for all our persuasions and our threats. this morning he ', 'would the wretched boy open his mouth for all our persuasions and our threats. this morning he was r', ' the wretched boy open his mouth for all our persuasions and our threats. this morning he was remove', 'wretched boy open his mouth for all our persuasions and our threats. this morning he was removed to ', 'hed boy open his mouth for all our persuasions and our threats. this morning he was removed to a cel', 'oy open his mouth for all our persuasions and our threats. this morning he was removed to a cell, an', 'en his mouth for all our persuasions and our threats. this morning he was removed to a cell, and i, ', 's mouth for all our persuasions and our threats. this morning he was removed to a cell, and i, after', 'th for all our persuasions and our threats. this morning he was removed to a cell, and i, after goin', 'r all our persuasions and our threats. this morning he was removed to a cell, and i, after going thr', ' our persuasions and our threats. this morning he was removed to a cell, and i, after going through ', 'persuasions and our threats. this morning he was removed to a cell, and i, after going through all t', 'asions and our threats. this morning he was removed to a cell, and i, after going through all the po', 's and our threats. this morning he was removed to a cell, and i, after going through all the police ', ' our threats. this morning he was removed to a cell, and i, after going through all the police forma', 'threats. this morning he was removed to a cell, and i, after going through all the police formalitie', 'ts. this morning he was removed to a cell, and i, after going through all the police formalities, ha', 'his morning he was removed to a cell, and i, after going through all the police formalities, have hu', 'orning he was removed to a cell, and i, after going through all the police formalities, have hurried', 'g he was removed to a cell, and i, after going through all the police formalities, have hurried roun', 'was removed to a cell, and i, after going through all the police formalities, have hurried round to ', 'emoved to a cell, and i, after going through all the police formalities, have hurried round to you t', 'd to a cell, and i, after going through all the police formalities, have hurried round to you to imp', 'a cell, and i, after going through all the police formalities, have hurried round to you to implore ', 'l, and i, after going through all the police formalities, have hurried round to you to implore you t', 'd i, after going through all the police formalities, have hurried round to you to implore you to use', 'after going through all the police formalities, have hurried round to you to implore you to use your', ' going through all the police formalities, have hurried round to you to implore you to use your skil', 'g through all the police formalities, have hurried round to you to implore you to use your skill in ', 'ough all the police formalities, have hurried round to you to implore you to use your skill in unrav', 'all the police formalities, have hurried round to you to implore you to use your skill in unravellin', 'he police formalities, have hurried round to you to implore you to use your skill in unravelling the', 'lice formalities, have hurried round to you to implore you to use your skill in unravelling the matt', 'formalities, have hurried round to you to implore you to use your skill in unravelling the matter. t', 'lities, have hurried round to you to implore you to use your skill in unravelling the matter. the po', 's, have hurried round to you to implore you to use your skill in unravelling the matter. the police ', 've hurried round to you to implore you to use your skill in unravelling the matter. the police have ', 'rried round to you to implore you to use your skill in unravelling the matter. the police have openl', ' round to you to implore you to use your skill in unravelling the matter. the police have openly con', 'd to you to implore you to use your skill in unravelling the matter. the police have openly confesse', 'you to implore you to use your skill in unravelling the matter. the police have openly confessed tha', 'o implore you to use your skill in unravelling the matter. the police have openly confessed that the', 'lore you to use your skill in unravelling the matter. the police have openly confessed that they can', 'you to use your skill in unravelling the matter. the police have openly confessed that they can at p', 'o use your skill in unravelling the matter. the police have openly confessed that they can at presen', ' your skill in unravelling the matter. the police have openly confessed that they can at present mak', ' skill in unravelling the matter. the police have openly confessed that they can at present make not', 'l in unravelling the matter. the police have openly confessed that they can at present make nothing ', 'unravelling the matter. the police have openly confessed that they can at present make nothing of it', 'elling the matter. the police have openly confessed that they can at present make nothing of it. you', 'g the matter. the police have openly confessed that they can at present make nothing of it. you may ', ' matter. the police have openly confessed that they can at present make nothing of it. you may go to', 'er. the police have openly confessed that they can at present make nothing of it. you may go to any ', 'he police have openly confessed that they can at present make nothing of it. you may go to any expen', 'lice have openly confessed that they can at present make nothing of it. you may go to any expense wh', 'have openly confessed that they can at present make nothing of it. you may go to any expense which y', 'openly confessed that they can at present make nothing of it. you may go to any expense which you th', 'y confessed that they can at present make nothing of it. you may go to any expense which you think n', 'fessed that they can at present make nothing of it. you may go to any expense which you think necess', 'd that they can at present make nothing of it. you may go to any expense which you think necessary. ', 't they can at present make nothing of it. you may go to any expense which you think necessary. i hav', 'y can at present make nothing of it. you may go to any expense which you think necessary. i have alr', ' at present make nothing of it. you may go to any expense which you think necessary. i have already ', 'resent make nothing of it. you may go to any expense which you think necessary. i have already offer', 't make nothing of it. you may go to any expense which you think necessary. i have already offered a ', 'e nothing of it. you may go to any expense which you think necessary. i have already offered a rewar', 'hing of it. you may go to any expense which you think necessary. i have already offered a reward of ', 'of it. you may go to any expense which you think necessary. i have already offered a reward of pou', '. you may go to any expense which you think necessary. i have already offered a reward of pounds. ', ' may go to any expense which you think necessary. i have already offered a reward of pounds. my go', 'go to any expense which you think necessary. i have already offered a reward of pounds. my god, wh', ' any expense which you think necessary. i have already offered a reward of pounds. my god, what sh', 'expense which you think necessary. i have already offered a reward of pounds. my god, what shall i', 'se which you think necessary. i have already offered a reward of pounds. my god, what shall i do! ', 'ich you think necessary. i have already offered a reward of pounds. my god, what shall i do! i hav', 'ou think necessary. i have already offered a reward of pounds. my god, what shall i do! i have los', 'ink necessary. i have already offered a reward of pounds. my god, what shall i do! i have lost my ', 'ecessary. i have already offered a reward of pounds. my god, what shall i do! i have lost my honou', 'ary. i have already offered a reward of pounds. my god, what shall i do! i have lost my honour, my', 'i have already offered a reward of pounds. my god, what shall i do! i have lost my honour, my gems', 'e already offered a reward of pounds. my god, what shall i do! i have lost my honour, my gems, and', 'eady offered a reward of pounds. my god, what shall i do! i have lost my honour, my gems, and my s', 'offered a reward of pounds. my god, what shall i do! i have lost my honour, my gems, and my son in', 'ed a reward of pounds. my god, what shall i do! i have lost my honour, my gems, and my son in one ', 'reward of pounds. my god, what shall i do! i have lost my honour, my gems, and my son in one night', 'd of pounds. my god, what shall i do! i have lost my honour, my gems, and my son in one night. oh,', ' pounds. my god, what shall i do! i have lost my honour, my gems, and my son in one night. oh, what', 'nds. my god, what shall i do! i have lost my honour, my gems, and my son in one night. oh, what shal', 'my god, what shall i do! i have lost my honour, my gems, and my son in one night. oh, what shall i d', 'd, what shall i do! i have lost my honour, my gems, and my son in one night. oh, what shall i do he', 'at shall i do! i have lost my honour, my gems, and my son in one night. oh, what shall i do he put ', 'all i do! i have lost my honour, my gems, and my son in one night. oh, what shall i do he put a han', ' do! i have lost my honour, my gems, and my son in one night. oh, what shall i do he put a hand on ', 'i have lost my honour, my gems, and my son in one night. oh, what shall i do he put a hand on eithe', 'e lost my honour, my gems, and my son in one night. oh, what shall i do he put a hand on either sid', 't my honour, my gems, and my son in one night. oh, what shall i do he put a hand on either side of ', 'honour, my gems, and my son in one night. oh, what shall i do he put a hand on either side of his h', 'r, my gems, and my son in one night. oh, what shall i do he put a hand on either side of his head a', ' gems, and my son in one night. oh, what shall i do he put a hand on either side of his head and ro', ', and my son in one night. oh, what shall i do he put a hand on either side of his head and rocked ', ' my son in one night. oh, what shall i do he put a hand on either side of his head and rocked himse', 'on in one night. oh, what shall i do he put a hand on either side of his head and rocked himself to', ' one night. oh, what shall i do he put a hand on either side of his head and rocked himself to and ', 'night. oh, what shall i do he put a hand on either side of his head and rocked himself to and fro, ', '. oh, what shall i do he put a hand on either side of his head and rocked himself to and fro, droni', ' what shall i do he put a hand on either side of his head and rocked himself to and fro, droning to', ' shall i do he put a hand on either side of his head and rocked himself to and fro, droning to hims', 'l i do he put a hand on either side of his head and rocked himself to and fro, droning to himself l', 'o he put a hand on either side of his head and rocked himself to and fro, droning to himself like a', ' put a hand on either side of his head and rocked himself to and fro, droning to himself like a chil', 'a hand on either side of his head and rocked himself to and fro, droning to himself like a child who', 'd on either side of his head and rocked himself to and fro, droning to himself like a child whose gr', 'either side of his head and rocked himself to and fro, droning to himself like a child whose grief h', 'r side of his head and rocked himself to and fro, droning to himself like a child whose grief has go', 'e of his head and rocked himself to and fro, droning to himself like a child whose grief has got bey', 'his head and rocked himself to and fro, droning to himself like a child whose grief has got beyond w', 'ead and rocked himself to and fro, droning to himself like a child whose grief has got beyond words.', 'nd rocked himself to and fro, droning to himself like a child whose grief has got beyond words. sher', 'cked himself to and fro, droning to himself like a child whose grief has got beyond words. sherlock ', 'himself to and fro, droning to himself like a child whose grief has got beyond words. sherlock holme', 'lf to and fro, droning to himself like a child whose grief has got beyond words. sherlock holmes sat', ' and fro, droning to himself like a child whose grief has got beyond words. sherlock holmes sat sile', 'fro, droning to himself like a child whose grief has got beyond words. sherlock holmes sat silent fo', 'droning to himself like a child whose grief has got beyond words. sherlock holmes sat silent for som', 'ng to himself like a child whose grief has got beyond words. sherlock holmes sat silent for some few', ' himself like a child whose grief has got beyond words. sherlock holmes sat silent for some few minu', 'elf like a child whose grief has got beyond words. sherlock holmes sat silent for some few minutes, ', 'ike a child whose grief has got beyond words. sherlock holmes sat silent for some few minutes, with ', ' child whose grief has got beyond words. sherlock holmes sat silent for some few minutes, with his b', 'd whose grief has got beyond words. sherlock holmes sat silent for some few minutes, with his brows ', 'se grief has got beyond words. sherlock holmes sat silent for some few minutes, with his brows knitt', 'ief has got beyond words. sherlock holmes sat silent for some few minutes, with his brows knitted an', 'as got beyond words. sherlock holmes sat silent for some few minutes, with his brows knitted and his', 't beyond words. sherlock holmes sat silent for some few minutes, with his brows knitted and his eyes', 'ond words. sherlock holmes sat silent for some few minutes, with his brows knitted and his eyes fixe', 'ords. sherlock holmes sat silent for some few minutes, with his brows knitted and his eyes fixed upo', ' sherlock holmes sat silent for some few minutes, with his brows knitted and his eyes fixed upon the', 'lock holmes sat silent for some few minutes, with his brows knitted and his eyes fixed upon the fire', 'holmes sat silent for some few minutes, with his brows knitted and his eyes fixed upon the fire. "do', 's sat silent for some few minutes, with his brows knitted and his eyes fixed upon the fire. "do you ', ' silent for some few minutes, with his brows knitted and his eyes fixed upon the fire. "do you recei', 'nt for some few minutes, with his brows knitted and his eyes fixed upon the fire. "do you receive mu', 'r some few minutes, with his brows knitted and his eyes fixed upon the fire. "do you receive much co', 'e few minutes, with his brows knitted and his eyes fixed upon the fire. "do you receive much company', ' minutes, with his brows knitted and his eyes fixed upon the fire. "do you receive much company?" he', 'tes, with his brows knitted and his eyes fixed upon the fire. "do you receive much company?" he aske', 'with his brows knitted and his eyes fixed upon the fire. "do you receive much company?" he asked. "n', 'his brows knitted and his eyes fixed upon the fire. "do you receive much company?" he asked. "none s', 'rows knitted and his eyes fixed upon the fire. "do you receive much company?" he asked. "none save m', 'knitted and his eyes fixed upon the fire. "do you receive much company?" he asked. "none save my par', 'ed and his eyes fixed upon the fire. "do you receive much company?" he asked. "none save my partner ', 'd his eyes fixed upon the fire. "do you receive much company?" he asked. "none save my partner with ', ' eyes fixed upon the fire. "do you receive much company?" he asked. "none save my partner with his f', ' fixed upon the fire. "do you receive much company?" he asked. "none save my partner with his family', 'd upon the fire. "do you receive much company?" he asked. "none save my partner with his family and ', 'n the fire. "do you receive much company?" he asked. "none save my partner with his family and an oc', ' fire. "do you receive much company?" he asked. "none save my partner with his family and an occasio', '. "do you receive much company?" he asked. "none save my partner with his family and an occasional f', ' you receive much company?" he asked. "none save my partner with his family and an occasional friend', 'receive much company?" he asked. "none save my partner with his family and an occasional friend of a', 've much company?" he asked. "none save my partner with his family and an occasional friend of arthur', 'ch company?" he asked. "none save my partner with his family and an occasional friend of arthur\'s. s', 'mpany?" he asked. "none save my partner with his family and an occasional friend of arthur\'s. sir ge', '?" he asked. "none save my partner with his family and an occasional friend of arthur\'s. sir george ', ' asked. "none save my partner with his family and an occasional friend of arthur\'s. sir george burnw', 'd. "none save my partner with his family and an occasional friend of arthur\'s. sir george burnwell h', "one save my partner with his family and an occasional friend of arthur's. sir george burnwell has be", "ave my partner with his family and an occasional friend of arthur's. sir george burnwell has been se", "y partner with his family and an occasional friend of arthur's. sir george burnwell has been several", "tner with his family and an occasional friend of arthur's. sir george burnwell has been several time", "with his family and an occasional friend of arthur's. sir george burnwell has been several times lat", "his family and an occasional friend of arthur's. sir george burnwell has been several times lately. ", "amily and an occasional friend of arthur's. sir george burnwell has been several times lately. no on", " and an occasional friend of arthur's. sir george burnwell has been several times lately. no one els", "an occasional friend of arthur's. sir george burnwell has been several times lately. no one else, i ", "casional friend of arthur's. sir george burnwell has been several times lately. no one else, i think", 'nal friend of arthur\'s. sir george burnwell has been several times lately. no one else, i think." "d', 'riend of arthur\'s. sir george burnwell has been several times lately. no one else, i think." "do you', ' of arthur\'s. sir george burnwell has been several times lately. no one else, i think." "do you go o', 'rthur\'s. sir george burnwell has been several times lately. no one else, i think." "do you go out mu', '\'s. sir george burnwell has been several times lately. no one else, i think." "do you go out much in', 'ir george burnwell has been several times lately. no one else, i think." "do you go out much in soci', 'orge burnwell has been several times lately. no one else, i think." "do you go out much in society?"', 'burnwell has been several times lately. no one else, i think." "do you go out much in society?" "art', 'ell has been several times lately. no one else, i think." "do you go out much in society?" "arthur d', 'as been several times lately. no one else, i think." "do you go out much in society?" "arthur does. ', 'en several times lately. no one else, i think." "do you go out much in society?" "arthur does. mary ', 'veral times lately. no one else, i think." "do you go out much in society?" "arthur does. mary and i', ' times lately. no one else, i think." "do you go out much in society?" "arthur does. mary and i stay', 's lately. no one else, i think." "do you go out much in society?" "arthur does. mary and i stay at h', 'ely. no one else, i think." "do you go out much in society?" "arthur does. mary and i stay at home. ', 'no one else, i think." "do you go out much in society?" "arthur does. mary and i stay at home. we ne', 'e else, i think." "do you go out much in society?" "arthur does. mary and i stay at home. we neither', 'e, i think." "do you go out much in society?" "arthur does. mary and i stay at home. we neither of u', 'think." "do you go out much in society?" "arthur does. mary and i stay at home. we neither of us car', '." "do you go out much in society?" "arthur does. mary and i stay at home. we neither of us care for', 'o you go out much in society?" "arthur does. mary and i stay at home. we neither of us care for it."', ' go out much in society?" "arthur does. mary and i stay at home. we neither of us care for it." "tha', 'ut much in society?" "arthur does. mary and i stay at home. we neither of us care for it." "that is ', 'ch in society?" "arthur does. mary and i stay at home. we neither of us care for it." "that is unusu', ' society?" "arthur does. mary and i stay at home. we neither of us care for it." "that is unusual in', 'ety?" "arthur does. mary and i stay at home. we neither of us care for it." "that is unusual in a yo', ' "arthur does. mary and i stay at home. we neither of us care for it." "that is unusual in a young g', 'hur does. mary and i stay at home. we neither of us care for it." "that is unusual in a young girl."', 'oes. mary and i stay at home. we neither of us care for it." "that is unusual in a young girl." "she', 'mary and i stay at home. we neither of us care for it." "that is unusual in a young girl." "she is o', 'and i stay at home. we neither of us care for it." "that is unusual in a young girl." "she is of a q', ' stay at home. we neither of us care for it." "that is unusual in a young girl." "she is of a quiet ', ' at home. we neither of us care for it." "that is unusual in a young girl." "she is of a quiet natur', 'ome. we neither of us care for it." "that is unusual in a young girl." "she is of a quiet nature. be', 'we neither of us care for it." "that is unusual in a young girl." "she is of a quiet nature. besides', 'ither of us care for it." "that is unusual in a young girl." "she is of a quiet nature. besides, she', ' of us care for it." "that is unusual in a young girl." "she is of a quiet nature. besides, she is n', 's care for it." "that is unusual in a young girl." "she is of a quiet nature. besides, she is not so', 'e for it." "that is unusual in a young girl." "she is of a quiet nature. besides, she is not so very', ' it." "that is unusual in a young girl." "she is of a quiet nature. besides, she is not so very youn', ' "that is unusual in a young girl." "she is of a quiet nature. besides, she is not so very young. sh', 't is unusual in a young girl." "she is of a quiet nature. besides, she is not so very young. she is ', 'unusual in a young girl." "she is of a quiet nature. besides, she is not so very young. she is four-', 'al in a young girl." "she is of a quiet nature. besides, she is not so very young. she is four-and-t', ' a young girl." "she is of a quiet nature. besides, she is not so very young. she is four-and-twenty', 'ung girl." "she is of a quiet nature. besides, she is not so very young. she is four-and-twenty." "t', 'irl." "she is of a quiet nature. besides, she is not so very young. she is four-and-twenty." "this m', ' "she is of a quiet nature. besides, she is not so very young. she is four-and-twenty." "this matter', ' is of a quiet nature. besides, she is not so very young. she is four-and-twenty." "this matter, fro', 'f a quiet nature. besides, she is not so very young. she is four-and-twenty." "this matter, from wha', 'uiet nature. besides, she is not so very young. she is four-and-twenty." "this matter, from what you', 'nature. besides, she is not so very young. she is four-and-twenty." "this matter, from what you say,', 'e. besides, she is not so very young. she is four-and-twenty." "this matter, from what you say, seem', 'sides, she is not so very young. she is four-and-twenty." "this matter, from what you say, seems to ', ', she is not so very young. she is four-and-twenty." "this matter, from what you say, seems to have ', ' is not so very young. she is four-and-twenty." "this matter, from what you say, seems to have been ', 'ot so very young. she is four-and-twenty." "this matter, from what you say, seems to have been a sho', ' very young. she is four-and-twenty." "this matter, from what you say, seems to have been a shock to', ' young. she is four-and-twenty." "this matter, from what you say, seems to have been a shock to her ', 'g. she is four-and-twenty." "this matter, from what you say, seems to have been a shock to her also.', 'e is four-and-twenty." "this matter, from what you say, seems to have been a shock to her also." "te', 'four-and-twenty." "this matter, from what you say, seems to have been a shock to her also." "terribl', 'and-twenty." "this matter, from what you say, seems to have been a shock to her also." "terrible! sh', 'wenty." "this matter, from what you say, seems to have been a shock to her also." "terrible! she is ', '." "this matter, from what you say, seems to have been a shock to her also." "terrible! she is even ', 'his matter, from what you say, seems to have been a shock to her also." "terrible! she is even more ', 'atter, from what you say, seems to have been a shock to her also." "terrible! she is even more affec', ', from what you say, seems to have been a shock to her also." "terrible! she is even more affected t', 'm what you say, seems to have been a shock to her also." "terrible! she is even more affected than i', 't you say, seems to have been a shock to her also." "terrible! she is even more affected than i." "y', ' say, seems to have been a shock to her also." "terrible! she is even more affected than i." "you ha', ' seems to have been a shock to her also." "terrible! she is even more affected than i." "you have ne', 's to have been a shock to her also." "terrible! she is even more affected than i." "you have neither', 'have been a shock to her also." "terrible! she is even more affected than i." "you have neither of y', 'been a shock to her also." "terrible! she is even more affected than i." "you have neither of you an', 'a shock to her also." "terrible! she is even more affected than i." "you have neither of you any dou', 'ck to her also." "terrible! she is even more affected than i." "you have neither of you any doubt as', ' her also." "terrible! she is even more affected than i." "you have neither of you any doubt as to y', 'also." "terrible! she is even more affected than i." "you have neither of you any doubt as to your s', '" "terrible! she is even more affected than i." "you have neither of you any doubt as to your son\'s ', 'rrible! she is even more affected than i." "you have neither of you any doubt as to your son\'s guilt', 'e! she is even more affected than i." "you have neither of you any doubt as to your son\'s guilt?" "h', 'e is even more affected than i." "you have neither of you any doubt as to your son\'s guilt?" "how ca', 'even more affected than i." "you have neither of you any doubt as to your son\'s guilt?" "how can we ', 'more affected than i." "you have neither of you any doubt as to your son\'s guilt?" "how can we have ', 'affected than i." "you have neither of you any doubt as to your son\'s guilt?" "how can we have when ', 'ted than i." "you have neither of you any doubt as to your son\'s guilt?" "how can we have when i saw', 'han i." "you have neither of you any doubt as to your son\'s guilt?" "how can we have when i saw him ', '." "you have neither of you any doubt as to your son\'s guilt?" "how can we have when i saw him with ', 'ou have neither of you any doubt as to your son\'s guilt?" "how can we have when i saw him with my ow', 've neither of you any doubt as to your son\'s guilt?" "how can we have when i saw him with my own eye', 'ither of you any doubt as to your son\'s guilt?" "how can we have when i saw him with my own eyes wit', ' of you any doubt as to your son\'s guilt?" "how can we have when i saw him with my own eyes with the', 'ou any doubt as to your son\'s guilt?" "how can we have when i saw him with my own eyes with the coro', 'y doubt as to your son\'s guilt?" "how can we have when i saw him with my own eyes with the coronet i', 'bt as to your son\'s guilt?" "how can we have when i saw him with my own eyes with the coronet in his', ' to your son\'s guilt?" "how can we have when i saw him with my own eyes with the coronet in his hand', 'our son\'s guilt?" "how can we have when i saw him with my own eyes with the coronet in his hands." "', 'on\'s guilt?" "how can we have when i saw him with my own eyes with the coronet in his hands." "i har', 'guilt?" "how can we have when i saw him with my own eyes with the coronet in his hands." "i hardly c', '?" "how can we have when i saw him with my own eyes with the coronet in his hands." "i hardly consid', 'ow can we have when i saw him with my own eyes with the coronet in his hands." "i hardly consider th', 'n we have when i saw him with my own eyes with the coronet in his hands." "i hardly consider that a ', 'have when i saw him with my own eyes with the coronet in his hands." "i hardly consider that a concl', 'when i saw him with my own eyes with the coronet in his hands." "i hardly consider that a conclusive', 'i saw him with my own eyes with the coronet in his hands." "i hardly consider that a conclusive proo', ' him with my own eyes with the coronet in his hands." "i hardly consider that a conclusive proof. wa', 'with my own eyes with the coronet in his hands." "i hardly consider that a conclusive proof. was the', 'my own eyes with the coronet in his hands." "i hardly consider that a conclusive proof. was the rema', 'n eyes with the coronet in his hands." "i hardly consider that a conclusive proof. was the remainder', 's with the coronet in his hands." "i hardly consider that a conclusive proof. was the remainder of t', 'h the coronet in his hands." "i hardly consider that a conclusive proof. was the remainder of the co', ' coronet in his hands." "i hardly consider that a conclusive proof. was the remainder of the coronet', 'net in his hands." "i hardly consider that a conclusive proof. was the remainder of the coronet at a', 'n his hands." "i hardly consider that a conclusive proof. was the remainder of the coronet at all in', ' hands." "i hardly consider that a conclusive proof. was the remainder of the coronet at all injured', 's." "i hardly consider that a conclusive proof. was the remainder of the coronet at all injured?" "y', 'i hardly consider that a conclusive proof. was the remainder of the coronet at all injured?" "yes, i', 'dly consider that a conclusive proof. was the remainder of the coronet at all injured?" "yes, it was', 'onsider that a conclusive proof. was the remainder of the coronet at all injured?" "yes, it was twis', 'er that a conclusive proof. was the remainder of the coronet at all injured?" "yes, it was twisted."', 'at a conclusive proof. was the remainder of the coronet at all injured?" "yes, it was twisted." "do ', 'conclusive proof. was the remainder of the coronet at all injured?" "yes, it was twisted." "do you n', 'usive proof. was the remainder of the coronet at all injured?" "yes, it was twisted." "do you not th', ' proof. was the remainder of the coronet at all injured?" "yes, it was twisted." "do you not think, ', 'f. was the remainder of the coronet at all injured?" "yes, it was twisted." "do you not think, then,', 's the remainder of the coronet at all injured?" "yes, it was twisted." "do you not think, then, that', ' remainder of the coronet at all injured?" "yes, it was twisted." "do you not think, then, that he m', 'inder of the coronet at all injured?" "yes, it was twisted." "do you not think, then, that he might ', ' of the coronet at all injured?" "yes, it was twisted." "do you not think, then, that he might have ', 'he coronet at all injured?" "yes, it was twisted." "do you not think, then, that he might have been ', 'ronet at all injured?" "yes, it was twisted." "do you not think, then, that he might have been tryin', ' at all injured?" "yes, it was twisted." "do you not think, then, that he might have been trying to ', 'll injured?" "yes, it was twisted." "do you not think, then, that he might have been trying to strai', 'jured?" "yes, it was twisted." "do you not think, then, that he might have been trying to straighten', '?" "yes, it was twisted." "do you not think, then, that he might have been trying to straighten it?"', 'es, it was twisted." "do you not think, then, that he might have been trying to straighten it?" "god', 't was twisted." "do you not think, then, that he might have been trying to straighten it?" "god bles', ' twisted." "do you not think, then, that he might have been trying to straighten it?" "god bless you', 'ted." "do you not think, then, that he might have been trying to straighten it?" "god bless you! you', ' "do you not think, then, that he might have been trying to straighten it?" "god bless you! you are ', 'you not think, then, that he might have been trying to straighten it?" "god bless you! you are doing', 'ot think, then, that he might have been trying to straighten it?" "god bless you! you are doing what', 'ink, then, that he might have been trying to straighten it?" "god bless you! you are doing what you ', 'then, that he might have been trying to straighten it?" "god bless you! you are doing what you can f', ' that he might have been trying to straighten it?" "god bless you! you are doing what you can for hi', ' he might have been trying to straighten it?" "god bless you! you are doing what you can for him and', 'ight have been trying to straighten it?" "god bless you! you are doing what you can for him and for ', 'have been trying to straighten it?" "god bless you! you are doing what you can for him and for me. b', 'been trying to straighten it?" "god bless you! you are doing what you can for him and for me. but it', 'trying to straighten it?" "god bless you! you are doing what you can for him and for me. but it is t', 'g to straighten it?" "god bless you! you are doing what you can for him and for me. but it is too he', 'straighten it?" "god bless you! you are doing what you can for him and for me. but it is too heavy a', 'ghten it?" "god bless you! you are doing what you can for him and for me. but it is too heavy a task', ' it?" "god bless you! you are doing what you can for him and for me. but it is too heavy a task. wha', ' "god bless you! you are doing what you can for him and for me. but it is too heavy a task. what was', ' bless you! you are doing what you can for him and for me. but it is too heavy a task. what was he d', 's you! you are doing what you can for him and for me. but it is too heavy a task. what was he doing ', '! you are doing what you can for him and for me. but it is too heavy a task. what was he doing there', ' are doing what you can for him and for me. but it is too heavy a task. what was he doing there at a', 'doing what you can for him and for me. but it is too heavy a task. what was he doing there at all? i', ' what you can for him and for me. but it is too heavy a task. what was he doing there at all? if his', ' you can for him and for me. but it is too heavy a task. what was he doing there at all? if his purp', 'can for him and for me. but it is too heavy a task. what was he doing there at all? if his purpose w', 'or him and for me. but it is too heavy a task. what was he doing there at all? if his purpose were i', 'm and for me. but it is too heavy a task. what was he doing there at all? if his purpose were innoce', ' for me. but it is too heavy a task. what was he doing there at all? if his purpose were innocent, w', 'me. but it is too heavy a task. what was he doing there at all? if his purpose were innocent, why di', 'ut it is too heavy a task. what was he doing there at all? if his purpose were innocent, why did he ', ' is too heavy a task. what was he doing there at all? if his purpose were innocent, why did he not s', 'oo heavy a task. what was he doing there at all? if his purpose were innocent, why did he not say so', 'avy a task. what was he doing there at all? if his purpose were innocent, why did he not say so?" "p', ' task. what was he doing there at all? if his purpose were innocent, why did he not say so?" "precis', '. what was he doing there at all? if his purpose were innocent, why did he not say so?" "precisely. ', 't was he doing there at all? if his purpose were innocent, why did he not say so?" "precisely. and i', ' he doing there at all? if his purpose were innocent, why did he not say so?" "precisely. and if it ', 'oing there at all? if his purpose were innocent, why did he not say so?" "precisely. and if it were ', 'there at all? if his purpose were innocent, why did he not say so?" "precisely. and if it were guilt', ' at all? if his purpose were innocent, why did he not say so?" "precisely. and if it were guilty, wh', 'll? if his purpose were innocent, why did he not say so?" "precisely. and if it were guilty, why did', 'f his purpose were innocent, why did he not say so?" "precisely. and if it were guilty, why did he n', ' purpose were innocent, why did he not say so?" "precisely. and if it were guilty, why did he not in', 'ose were innocent, why did he not say so?" "precisely. and if it were guilty, why did he not invent ', 'ere innocent, why did he not say so?" "precisely. and if it were guilty, why did he not invent a lie', 'nnocent, why did he not say so?" "precisely. and if it were guilty, why did he not invent a lie? his', 'nt, why did he not say so?" "precisely. and if it were guilty, why did he not invent a lie? his sile', 'hy did he not say so?" "precisely. and if it were guilty, why did he not invent a lie? his silence a', 'd he not say so?" "precisely. and if it were guilty, why did he not invent a lie? his silence appear', 'not say so?" "precisely. and if it were guilty, why did he not invent a lie? his silence appears to ', 'ay so?" "precisely. and if it were guilty, why did he not invent a lie? his silence appears to me to', '?" "precisely. and if it were guilty, why did he not invent a lie? his silence appears to me to cut ', 'recisely. and if it were guilty, why did he not invent a lie? his silence appears to me to cut both ', 'ely. and if it were guilty, why did he not invent a lie? his silence appears to me to cut both ways.', 'and if it were guilty, why did he not invent a lie? his silence appears to me to cut both ways. ther', 'f it were guilty, why did he not invent a lie? his silence appears to me to cut both ways. there are', 'were guilty, why did he not invent a lie? his silence appears to me to cut both ways. there are seve', 'guilty, why did he not invent a lie? his silence appears to me to cut both ways. there are several s', 'y, why did he not invent a lie? his silence appears to me to cut both ways. there are several singul', 'y did he not invent a lie? his silence appears to me to cut both ways. there are several singular po', ' he not invent a lie? his silence appears to me to cut both ways. there are several singular points ', 'ot invent a lie? his silence appears to me to cut both ways. there are several singular points about', 'vent a lie? his silence appears to me to cut both ways. there are several singular points about the ', 'a lie? his silence appears to me to cut both ways. there are several singular points about the case.', '? his silence appears to me to cut both ways. there are several singular points about the case. what', ' silence appears to me to cut both ways. there are several singular points about the case. what did ', 'nce appears to me to cut both ways. there are several singular points about the case. what did the p', 'ppears to me to cut both ways. there are several singular points about the case. what did the police', 's to me to cut both ways. there are several singular points about the case. what did the police thin', 'me to cut both ways. there are several singular points about the case. what did the police think of ', ' cut both ways. there are several singular points about the case. what did the police think of the n', 'both ways. there are several singular points about the case. what did the police think of the noise ', 'ways. there are several singular points about the case. what did the police think of the noise which', ' there are several singular points about the case. what did the police think of the noise which awok', 'e are several singular points about the case. what did the police think of the noise which awoke you', ' several singular points about the case. what did the police think of the noise which awoke you from', 'ral singular points about the case. what did the police think of the noise which awoke you from your', 'ingular points about the case. what did the police think of the noise which awoke you from your slee', 'ar points about the case. what did the police think of the noise which awoke you from your sleep?" "', 'ints about the case. what did the police think of the noise which awoke you from your sleep?" "they ', 'about the case. what did the police think of the noise which awoke you from your sleep?" "they consi', ' the case. what did the police think of the noise which awoke you from your sleep?" "they considered', 'case. what did the police think of the noise which awoke you from your sleep?" "they considered that', ' what did the police think of the noise which awoke you from your sleep?" "they considered that it m', ' did the police think of the noise which awoke you from your sleep?" "they considered that it might ', 'the police think of the noise which awoke you from your sleep?" "they considered that it might be ca', 'olice think of the noise which awoke you from your sleep?" "they considered that it might be caused ', ' think of the noise which awoke you from your sleep?" "they considered that it might be caused by ar', 'k of the noise which awoke you from your sleep?" "they considered that it might be caused by arthur\'', 'the noise which awoke you from your sleep?" "they considered that it might be caused by arthur\'s clo', 'oise which awoke you from your sleep?" "they considered that it might be caused by arthur\'s closing ', 'which awoke you from your sleep?" "they considered that it might be caused by arthur\'s closing his b', ' awoke you from your sleep?" "they considered that it might be caused by arthur\'s closing his bedroo', 'e you from your sleep?" "they considered that it might be caused by arthur\'s closing his bedroom doo', ' from your sleep?" "they considered that it might be caused by arthur\'s closing his bedroom door." "', ' your sleep?" "they considered that it might be caused by arthur\'s closing his bedroom door." "a lik', ' sleep?" "they considered that it might be caused by arthur\'s closing his bedroom door." "a likely s', 'p?" "they considered that it might be caused by arthur\'s closing his bedroom door." "a likely story!', 'they considered that it might be caused by arthur\'s closing his bedroom door." "a likely story! as i', 'considered that it might be caused by arthur\'s closing his bedroom door." "a likely story! as if a m', 'dered that it might be caused by arthur\'s closing his bedroom door." "a likely story! as if a man be', ' that it might be caused by arthur\'s closing his bedroom door." "a likely story! as if a man bent on', ' it might be caused by arthur\'s closing his bedroom door." "a likely story! as if a man bent on felo', 'ight be caused by arthur\'s closing his bedroom door." "a likely story! as if a man bent on felony wo', 'be caused by arthur\'s closing his bedroom door." "a likely story! as if a man bent on felony would s', 'used by arthur\'s closing his bedroom door." "a likely story! as if a man bent on felony would slam h', 'by arthur\'s closing his bedroom door." "a likely story! as if a man bent on felony would slam his do', 'thur\'s closing his bedroom door." "a likely story! as if a man bent on felony would slam his door so', 's closing his bedroom door." "a likely story! as if a man bent on felony would slam his door so as t', 'sing his bedroom door." "a likely story! as if a man bent on felony would slam his door so as to wak', 'his bedroom door." "a likely story! as if a man bent on felony would slam his door so as to wake a h', 'edroom door." "a likely story! as if a man bent on felony would slam his door so as to wake a househ', 'm door." "a likely story! as if a man bent on felony would slam his door so as to wake a household. ', 'r." "a likely story! as if a man bent on felony would slam his door so as to wake a household. what ', 'a likely story! as if a man bent on felony would slam his door so as to wake a household. what did t', 'ely story! as if a man bent on felony would slam his door so as to wake a household. what did they s', 'tory! as if a man bent on felony would slam his door so as to wake a household. what did they say, t', ' as if a man bent on felony would slam his door so as to wake a household. what did they say, then, ', 'f a man bent on felony would slam his door so as to wake a household. what did they say, then, of th', 'an bent on felony would slam his door so as to wake a household. what did they say, then, of the dis', 'nt on felony would slam his door so as to wake a household. what did they say, then, of the disappea', ' felony would slam his door so as to wake a household. what did they say, then, of the disappearance', 'ny would slam his door so as to wake a household. what did they say, then, of the disappearance of t', 'uld slam his door so as to wake a household. what did they say, then, of the disappearance of these ', 'lam his door so as to wake a household. what did they say, then, of the disappearance of these gems?', 'is door so as to wake a household. what did they say, then, of the disappearance of these gems?" "th', 'or so as to wake a household. what did they say, then, of the disappearance of these gems?" "they ar', ' as to wake a household. what did they say, then, of the disappearance of these gems?" "they are sti', 'o wake a household. what did they say, then, of the disappearance of these gems?" "they are still so', 'e a household. what did they say, then, of the disappearance of these gems?" "they are still soundin', 'ousehold. what did they say, then, of the disappearance of these gems?" "they are still sounding the', 'old. what did they say, then, of the disappearance of these gems?" "they are still sounding the plan', 'what did they say, then, of the disappearance of these gems?" "they are still sounding the planking ', 'did they say, then, of the disappearance of these gems?" "they are still sounding the planking and p', 'hey say, then, of the disappearance of these gems?" "they are still sounding the planking and probin', 'ay, then, of the disappearance of these gems?" "they are still sounding the planking and probing the', 'hen, of the disappearance of these gems?" "they are still sounding the planking and probing the furn', 'of the disappearance of these gems?" "they are still sounding the planking and probing the furniture', 'e disappearance of these gems?" "they are still sounding the planking and probing the furniture in t', 'appearance of these gems?" "they are still sounding the planking and probing the furniture in the ho', 'rance of these gems?" "they are still sounding the planking and probing the furniture in the hope of', ' of these gems?" "they are still sounding the planking and probing the furniture in the hope of find', 'hese gems?" "they are still sounding the planking and probing the furniture in the hope of finding t', 'gems?" "they are still sounding the planking and probing the furniture in the hope of finding them."', '" "they are still sounding the planking and probing the furniture in the hope of finding them." "hav', 'ey are still sounding the planking and probing the furniture in the hope of finding them." "have the', 'e still sounding the planking and probing the furniture in the hope of finding them." "have they tho', 'll sounding the planking and probing the furniture in the hope of finding them." "have they thought ', 'unding the planking and probing the furniture in the hope of finding them." "have they thought of lo', 'g the planking and probing the furniture in the hope of finding them." "have they thought of looking', ' planking and probing the furniture in the hope of finding them." "have they thought of looking outs', 'king and probing the furniture in the hope of finding them." "have they thought of looking outside t', 'and probing the furniture in the hope of finding them." "have they thought of looking outside the ho', 'robing the furniture in the hope of finding them." "have they thought of looking outside the house?"', 'g the furniture in the hope of finding them." "have they thought of looking outside the house?" "yes', ' furniture in the hope of finding them." "have they thought of looking outside the house?" "yes, the', 'iture in the hope of finding them." "have they thought of looking outside the house?" "yes, they hav', ' in the hope of finding them." "have they thought of looking outside the house?" "yes, they have sho', 'he hope of finding them." "have they thought of looking outside the house?" "yes, they have shown ex', 'pe of finding them." "have they thought of looking outside the house?" "yes, they have shown extraor', ' finding them." "have they thought of looking outside the house?" "yes, they have shown extraordinar', 'ing them." "have they thought of looking outside the house?" "yes, they have shown extraordinary ene', 'hem." "have they thought of looking outside the house?" "yes, they have shown extraordinary energy. ', ' "have they thought of looking outside the house?" "yes, they have shown extraordinary energy. the w', 'e they thought of looking outside the house?" "yes, they have shown extraordinary energy. the whole ', 'y thought of looking outside the house?" "yes, they have shown extraordinary energy. the whole garde', 'ught of looking outside the house?" "yes, they have shown extraordinary energy. the whole garden has', 'of looking outside the house?" "yes, they have shown extraordinary energy. the whole garden has alre', 'oking outside the house?" "yes, they have shown extraordinary energy. the whole garden has already b', ' outside the house?" "yes, they have shown extraordinary energy. the whole garden has already been m', 'ide the house?" "yes, they have shown extraordinary energy. the whole garden has already been minute', 'he house?" "yes, they have shown extraordinary energy. the whole garden has already been minutely ex', 'use?" "yes, they have shown extraordinary energy. the whole garden has already been minutely examine', ' "yes, they have shown extraordinary energy. the whole garden has already been minutely examined." "', ', they have shown extraordinary energy. the whole garden has already been minutely examined." "now, ', 'y have shown extraordinary energy. the whole garden has already been minutely examined." "now, my de', 'e shown extraordinary energy. the whole garden has already been minutely examined." "now, my dear si', 'wn extraordinary energy. the whole garden has already been minutely examined." "now, my dear sir," s', 'traordinary energy. the whole garden has already been minutely examined." "now, my dear sir," said h', 'dinary energy. the whole garden has already been minutely examined." "now, my dear sir," said holmes', 'y energy. the whole garden has already been minutely examined." "now, my dear sir," said holmes, "is', 'rgy. the whole garden has already been minutely examined." "now, my dear sir," said holmes, "is it n', 'the whole garden has already been minutely examined." "now, my dear sir," said holmes, "is it not ob', 'hole garden has already been minutely examined." "now, my dear sir," said holmes, "is it not obvious', 'garden has already been minutely examined." "now, my dear sir," said holmes, "is it not obvious to y', 'n has already been minutely examined." "now, my dear sir," said holmes, "is it not obvious to you no', ' already been minutely examined." "now, my dear sir," said holmes, "is it not obvious to you now tha', 'ady been minutely examined." "now, my dear sir," said holmes, "is it not obvious to you now that thi', 'een minutely examined." "now, my dear sir," said holmes, "is it not obvious to you now that this mat', 'inutely examined." "now, my dear sir," said holmes, "is it not obvious to you now that this matter r', 'ly examined." "now, my dear sir," said holmes, "is it not obvious to you now that this matter really', 'amined." "now, my dear sir," said holmes, "is it not obvious to you now that this matter really stri', 'd." "now, my dear sir," said holmes, "is it not obvious to you now that this matter really strikes v', 'now, my dear sir," said holmes, "is it not obvious to you now that this matter really strikes very m', 'my dear sir," said holmes, "is it not obvious to you now that this matter really strikes very much d', 'ar sir," said holmes, "is it not obvious to you now that this matter really strikes very much deeper', 'r," said holmes, "is it not obvious to you now that this matter really strikes very much deeper than', 'aid holmes, "is it not obvious to you now that this matter really strikes very much deeper than eith', 'olmes, "is it not obvious to you now that this matter really strikes very much deeper than either yo', ', "is it not obvious to you now that this matter really strikes very much deeper than either you or ', ' it not obvious to you now that this matter really strikes very much deeper than either you or the p', 'ot obvious to you now that this matter really strikes very much deeper than either you or the police', 'vious to you now that this matter really strikes very much deeper than either you or the police were', ' to you now that this matter really strikes very much deeper than either you or the police were at f', 'ou now that this matter really strikes very much deeper than either you or the police were at first ', 'w that this matter really strikes very much deeper than either you or the police were at first incli', 't this matter really strikes very much deeper than either you or the police were at first inclined t', 's matter really strikes very much deeper than either you or the police were at first inclined to thi', 'ter really strikes very much deeper than either you or the police were at first inclined to think? i', 'eally strikes very much deeper than either you or the police were at first inclined to think? it app', ' strikes very much deeper than either you or the police were at first inclined to think? it appeared', 'kes very much deeper than either you or the police were at first inclined to think? it appeared to y', 'ery much deeper than either you or the police were at first inclined to think? it appeared to you to', 'uch deeper than either you or the police were at first inclined to think? it appeared to you to be a', 'eeper than either you or the police were at first inclined to think? it appeared to you to be a simp', ' than either you or the police were at first inclined to think? it appeared to you to be a simple ca', ' either you or the police were at first inclined to think? it appeared to you to be a simple case; t', 'er you or the police were at first inclined to think? it appeared to you to be a simple case; to me ', 'u or the police were at first inclined to think? it appeared to you to be a simple case; to me it se', 'the police were at first inclined to think? it appeared to you to be a simple case; to me it seems e', 'olice were at first inclined to think? it appeared to you to be a simple case; to me it seems exceed', ' were at first inclined to think? it appeared to you to be a simple case; to me it seems exceedingly', ' at first inclined to think? it appeared to you to be a simple case; to me it seems exceedingly comp', 'irst inclined to think? it appeared to you to be a simple case; to me it seems exceedingly complex. ', 'inclined to think? it appeared to you to be a simple case; to me it seems exceedingly complex. consi', 'ned to think? it appeared to you to be a simple case; to me it seems exceedingly complex. consider w', 'o think? it appeared to you to be a simple case; to me it seems exceedingly complex. consider what i', 'nk? it appeared to you to be a simple case; to me it seems exceedingly complex. consider what is inv', 't appeared to you to be a simple case; to me it seems exceedingly complex. consider what is involved', 'eared to you to be a simple case; to me it seems exceedingly complex. consider what is involved by y', ' to you to be a simple case; to me it seems exceedingly complex. consider what is involved by your t', 'ou to be a simple case; to me it seems exceedingly complex. consider what is involved by your theory', ' be a simple case; to me it seems exceedingly complex. consider what is involved by your theory. you', ' simple case; to me it seems exceedingly complex. consider what is involved by your theory. you supp', 'le case; to me it seems exceedingly complex. consider what is involved by your theory. you suppose t', 'se; to me it seems exceedingly complex. consider what is involved by your theory. you suppose that y', 'o me it seems exceedingly complex. consider what is involved by your theory. you suppose that your s', 'it seems exceedingly complex. consider what is involved by your theory. you suppose that your son ca', 'ems exceedingly complex. consider what is involved by your theory. you suppose that your son came do', 'xceedingly complex. consider what is involved by your theory. you suppose that your son came down fr', 'ingly complex. consider what is involved by your theory. you suppose that your son came down from hi', ' complex. consider what is involved by your theory. you suppose that your son came down from his bed', 'lex. consider what is involved by your theory. you suppose that your son came down from his bed, wen', 'consider what is involved by your theory. you suppose that your son came down from his bed, went, at', 'der what is involved by your theory. you suppose that your son came down from his bed, went, at grea', 'hat is involved by your theory. you suppose that your son came down from his bed, went, at great ris', 's involved by your theory. you suppose that your son came down from his bed, went, at great risk, to', 'olved by your theory. you suppose that your son came down from his bed, went, at great risk, to your', ' by your theory. you suppose that your son came down from his bed, went, at great risk, to your dres', 'our theory. you suppose that your son came down from his bed, went, at great risk, to your dressing-', 'heory. you suppose that your son came down from his bed, went, at great risk, to your dressing-room,', '. you suppose that your son came down from his bed, went, at great risk, to your dressing-room, open', ' suppose that your son came down from his bed, went, at great risk, to your dressing-room, opened yo', 'ose that your son came down from his bed, went, at great risk, to your dressing-room, opened your bu', 'hat your son came down from his bed, went, at great risk, to your dressing-room, opened your bureau,', 'our son came down from his bed, went, at great risk, to your dressing-room, opened your bureau, took', 'on came down from his bed, went, at great risk, to your dressing-room, opened your bureau, took out ', 'me down from his bed, went, at great risk, to your dressing-room, opened your bureau, took out your ', 'wn from his bed, went, at great risk, to your dressing-room, opened your bureau, took out your coron', 'om his bed, went, at great risk, to your dressing-room, opened your bureau, took out your coronet, b', 's bed, went, at great risk, to your dressing-room, opened your bureau, took out your coronet, broke ', ', went, at great risk, to your dressing-room, opened your bureau, took out your coronet, broke off b', 't, at great risk, to your dressing-room, opened your bureau, took out your coronet, broke off by mai', ' great risk, to your dressing-room, opened your bureau, took out your coronet, broke off by main for', 't risk, to your dressing-room, opened your bureau, took out your coronet, broke off by main force a ', 'k, to your dressing-room, opened your bureau, took out your coronet, broke off by main force a small', ' your dressing-room, opened your bureau, took out your coronet, broke off by main force a small port', ' dressing-room, opened your bureau, took out your coronet, broke off by main force a small portion o', 'sing-room, opened your bureau, took out your coronet, broke off by main force a small portion of it,', 'room, opened your bureau, took out your coronet, broke off by main force a small portion of it, went', ' opened your bureau, took out your coronet, broke off by main force a small portion of it, went off ', 'ed your bureau, took out your coronet, broke off by main force a small portion of it, went off to so', 'ur bureau, took out your coronet, broke off by main force a small portion of it, went off to some ot', 'reau, took out your coronet, broke off by main force a small portion of it, went off to some other p', ' took out your coronet, broke off by main force a small portion of it, went off to some other place,', ' out your coronet, broke off by main force a small portion of it, went off to some other place, conc', 'your coronet, broke off by main force a small portion of it, went off to some other place, concealed', 'coronet, broke off by main force a small portion of it, went off to some other place, concealed thre', 'et, broke off by main force a small portion of it, went off to some other place, concealed three gem', 'roke off by main force a small portion of it, went off to some other place, concealed three gems out', 'off by main force a small portion of it, went off to some other place, concealed three gems out of t', 'y main force a small portion of it, went off to some other place, concealed three gems out of the th', 'n force a small portion of it, went off to some other place, concealed three gems out of the thirty-', 'ce a small portion of it, went off to some other place, concealed three gems out of the thirty-nine,', 'small portion of it, went off to some other place, concealed three gems out of the thirty-nine, with', ' portion of it, went off to some other place, concealed three gems out of the thirty-nine, with such', 'ion of it, went off to some other place, concealed three gems out of the thirty-nine, with such skil', 'f it, went off to some other place, concealed three gems out of the thirty-nine, with such skill tha', ' went off to some other place, concealed three gems out of the thirty-nine, with such skill that nob', ' off to some other place, concealed three gems out of the thirty-nine, with such skill that nobody c', 'to some other place, concealed three gems out of the thirty-nine, with such skill that nobody can fi', 'me other place, concealed three gems out of the thirty-nine, with such skill that nobody can find th', 'her place, concealed three gems out of the thirty-nine, with such skill that nobody can find them, a', 'lace, concealed three gems out of the thirty-nine, with such skill that nobody can find them, and th', ' concealed three gems out of the thirty-nine, with such skill that nobody can find them, and then re', 'ealed three gems out of the thirty-nine, with such skill that nobody can find them, and then returne', ' three gems out of the thirty-nine, with such skill that nobody can find them, and then returned wit', 'e gems out of the thirty-nine, with such skill that nobody can find them, and then returned with the', 's out of the thirty-nine, with such skill that nobody can find them, and then returned with the othe', ' of the thirty-nine, with such skill that nobody can find them, and then returned with the other thi', 'he thirty-nine, with such skill that nobody can find them, and then returned with the other thirty-s', 'irty-nine, with such skill that nobody can find them, and then returned with the other thirty-six in', 'nine, with such skill that nobody can find them, and then returned with the other thirty-six into th', ' with such skill that nobody can find them, and then returned with the other thirty-six into the roo', ' such skill that nobody can find them, and then returned with the other thirty-six into the room in ', ' skill that nobody can find them, and then returned with the other thirty-six into the room in which', 'l that nobody can find them, and then returned with the other thirty-six into the room in which he e', 't nobody can find them, and then returned with the other thirty-six into the room in which he expose', 'ody can find them, and then returned with the other thirty-six into the room in which he exposed him', 'an find them, and then returned with the other thirty-six into the room in which he exposed himself ', 'nd them, and then returned with the other thirty-six into the room in which he exposed himself to th', 'em, and then returned with the other thirty-six into the room in which he exposed himself to the gre', 'nd then returned with the other thirty-six into the room in which he exposed himself to the greatest', 'en returned with the other thirty-six into the room in which he exposed himself to the greatest dang', 'turned with the other thirty-six into the room in which he exposed himself to the greatest danger of', 'd with the other thirty-six into the room in which he exposed himself to the greatest danger of bein', 'h the other thirty-six into the room in which he exposed himself to the greatest danger of being dis', ' other thirty-six into the room in which he exposed himself to the greatest danger of being discover', 'r thirty-six into the room in which he exposed himself to the greatest danger of being discovered. i', 'rty-six into the room in which he exposed himself to the greatest danger of being discovered. i ask ', 'ix into the room in which he exposed himself to the greatest danger of being discovered. i ask you n', 'to the room in which he exposed himself to the greatest danger of being discovered. i ask you now, i', 'e room in which he exposed himself to the greatest danger of being discovered. i ask you now, is suc', 'm in which he exposed himself to the greatest danger of being discovered. i ask you now, is such a t', 'which he exposed himself to the greatest danger of being discovered. i ask you now, is such a theory', ' he exposed himself to the greatest danger of being discovered. i ask you now, is such a theory tena', 'xposed himself to the greatest danger of being discovered. i ask you now, is such a theory tenable?"', 'd himself to the greatest danger of being discovered. i ask you now, is such a theory tenable?" "but', 'self to the greatest danger of being discovered. i ask you now, is such a theory tenable?" "but what', 'to the greatest danger of being discovered. i ask you now, is such a theory tenable?" "but what othe', 'e greatest danger of being discovered. i ask you now, is such a theory tenable?" "but what other is ', 'atest danger of being discovered. i ask you now, is such a theory tenable?" "but what other is there', ' danger of being discovered. i ask you now, is such a theory tenable?" "but what other is there?" cr', 'er of being discovered. i ask you now, is such a theory tenable?" "but what other is there?" cried t', ' being discovered. i ask you now, is such a theory tenable?" "but what other is there?" cried the ba', 'g discovered. i ask you now, is such a theory tenable?" "but what other is there?" cried the banker ', 'covered. i ask you now, is such a theory tenable?" "but what other is there?" cried the banker with ', 'ed. i ask you now, is such a theory tenable?" "but what other is there?" cried the banker with a ges', ' ask you now, is such a theory tenable?" "but what other is there?" cried the banker with a gesture ', 'you now, is such a theory tenable?" "but what other is there?" cried the banker with a gesture of de', 'ow, is such a theory tenable?" "but what other is there?" cried the banker with a gesture of despair', 's such a theory tenable?" "but what other is there?" cried the banker with a gesture of despair. "if', 'h a theory tenable?" "but what other is there?" cried the banker with a gesture of despair. "if his ', 'heory tenable?" "but what other is there?" cried the banker with a gesture of despair. "if his motiv', ' tenable?" "but what other is there?" cried the banker with a gesture of despair. "if his motives we', 'ble?" "but what other is there?" cried the banker with a gesture of despair. "if his motives were in', ' "but what other is there?" cried the banker with a gesture of despair. "if his motives were innocen', ' what other is there?" cried the banker with a gesture of despair. "if his motives were innocent, wh', ' other is there?" cried the banker with a gesture of despair. "if his motives were innocent, why doe', 'r is there?" cried the banker with a gesture of despair. "if his motives were innocent, why does he ', 'there?" cried the banker with a gesture of despair. "if his motives were innocent, why does he not e', '?" cried the banker with a gesture of despair. "if his motives were innocent, why does he not explai', 'ied the banker with a gesture of despair. "if his motives were innocent, why does he not explain the', 'he banker with a gesture of despair. "if his motives were innocent, why does he not explain them?" "', 'nker with a gesture of despair. "if his motives were innocent, why does he not explain them?" "it is', 'with a gesture of despair. "if his motives were innocent, why does he not explain them?" "it is our ', 'a gesture of despair. "if his motives were innocent, why does he not explain them?" "it is our task ', 'ture of despair. "if his motives were innocent, why does he not explain them?" "it is our task to fi', 'of despair. "if his motives were innocent, why does he not explain them?" "it is our task to find th', 'spair. "if his motives were innocent, why does he not explain them?" "it is our task to find that ou', '. "if his motives were innocent, why does he not explain them?" "it is our task to find that out," r', ' his motives were innocent, why does he not explain them?" "it is our task to find that out," replie', 'motives were innocent, why does he not explain them?" "it is our task to find that out," replied hol', 'es were innocent, why does he not explain them?" "it is our task to find that out," replied holmes; ', 're innocent, why does he not explain them?" "it is our task to find that out," replied holmes; "so n', 'nocent, why does he not explain them?" "it is our task to find that out," replied holmes; "so now, i', 't, why does he not explain them?" "it is our task to find that out," replied holmes; "so now, if you', 'y does he not explain them?" "it is our task to find that out," replied holmes; "so now, if you plea', 's he not explain them?" "it is our task to find that out," replied holmes; "so now, if you please, m', 'not explain them?" "it is our task to find that out," replied holmes; "so now, if you please, mr. ho', 'xplain them?" "it is our task to find that out," replied holmes; "so now, if you please, mr. holder,', 'n them?" "it is our task to find that out," replied holmes; "so now, if you please, mr. holder, we w', 'm?" "it is our task to find that out," replied holmes; "so now, if you please, mr. holder, we will s', 'it is our task to find that out," replied holmes; "so now, if you please, mr. holder, we will set of', ' our task to find that out," replied holmes; "so now, if you please, mr. holder, we will set off for', 'task to find that out," replied holmes; "so now, if you please, mr. holder, we will set off for stre', 'to find that out," replied holmes; "so now, if you please, mr. holder, we will set off for streatham', 'nd that out," replied holmes; "so now, if you please, mr. holder, we will set off for streatham toge', 'at out," replied holmes; "so now, if you please, mr. holder, we will set off for streatham together,', 't," replied holmes; "so now, if you please, mr. holder, we will set off for streatham together, and ', 'eplied holmes; "so now, if you please, mr. holder, we will set off for streatham together, and devot', 'd holmes; "so now, if you please, mr. holder, we will set off for streatham together, and devote an ', 'mes; "so now, if you please, mr. holder, we will set off for streatham together, and devote an hour ', '"so now, if you please, mr. holder, we will set off for streatham together, and devote an hour to gl', 'ow, if you please, mr. holder, we will set off for streatham together, and devote an hour to glancin', 'f you please, mr. holder, we will set off for streatham together, and devote an hour to glancing a l', ' please, mr. holder, we will set off for streatham together, and devote an hour to glancing a little', 'se, mr. holder, we will set off for streatham together, and devote an hour to glancing a little more', 'r. holder, we will set off for streatham together, and devote an hour to glancing a little more clos', 'lder, we will set off for streatham together, and devote an hour to glancing a little more closely i', ' we will set off for streatham together, and devote an hour to glancing a little more closely into d', 'ill set off for streatham together, and devote an hour to glancing a little more closely into detail', 'et off for streatham together, and devote an hour to glancing a little more closely into details." m', 'f for streatham together, and devote an hour to glancing a little more closely into details." my fri', ' streatham together, and devote an hour to glancing a little more closely into details." my friend i', 'atham together, and devote an hour to glancing a little more closely into details." my friend insist', ' together, and devote an hour to glancing a little more closely into details." my friend insisted up', 'ther, and devote an hour to glancing a little more closely into details." my friend insisted upon my', ' and devote an hour to glancing a little more closely into details." my friend insisted upon my acco', 'devote an hour to glancing a little more closely into details." my friend insisted upon my accompany', 'e an hour to glancing a little more closely into details." my friend insisted upon my accompanying t', 'hour to glancing a little more closely into details." my friend insisted upon my accompanying them i', 'to glancing a little more closely into details." my friend insisted upon my accompanying them in the', 'ancing a little more closely into details." my friend insisted upon my accompanying them in their ex', 'g a little more closely into details." my friend insisted upon my accompanying them in their expedit', 'ittle more closely into details." my friend insisted upon my accompanying them in their expedition, ', ' more closely into details." my friend insisted upon my accompanying them in their expedition, which', ' closely into details." my friend insisted upon my accompanying them in their expedition, which i wa', 'ely into details." my friend insisted upon my accompanying them in their expedition, which i was eag', 'nto details." my friend insisted upon my accompanying them in their expedition, which i was eager en', 'etails." my friend insisted upon my accompanying them in their expedition, which i was eager enough ', 's." my friend insisted upon my accompanying them in their expedition, which i was eager enough to do', 'y friend insisted upon my accompanying them in their expedition, which i was eager enough to do, for', 'end insisted upon my accompanying them in their expedition, which i was eager enough to do, for my c', 'nsisted upon my accompanying them in their expedition, which i was eager enough to do, for my curios', 'ed upon my accompanying them in their expedition, which i was eager enough to do, for my curiosity a', 'on my accompanying them in their expedition, which i was eager enough to do, for my curiosity and sy', ' accompanying them in their expedition, which i was eager enough to do, for my curiosity and sympath', 'mpanying them in their expedition, which i was eager enough to do, for my curiosity and sympathy wer', 'ing them in their expedition, which i was eager enough to do, for my curiosity and sympathy were dee', 'hem in their expedition, which i was eager enough to do, for my curiosity and sympathy were deeply s', 'n their expedition, which i was eager enough to do, for my curiosity and sympathy were deeply stirre', 'ir expedition, which i was eager enough to do, for my curiosity and sympathy were deeply stirred by ', 'pedition, which i was eager enough to do, for my curiosity and sympathy were deeply stirred by the s', 'ion, which i was eager enough to do, for my curiosity and sympathy were deeply stirred by the story ', 'which i was eager enough to do, for my curiosity and sympathy were deeply stirred by the story to wh', ' i was eager enough to do, for my curiosity and sympathy were deeply stirred by the story to which w', 's eager enough to do, for my curiosity and sympathy were deeply stirred by the story to which we had', 'er enough to do, for my curiosity and sympathy were deeply stirred by the story to which we had list', 'ough to do, for my curiosity and sympathy were deeply stirred by the story to which we had listened.', 'to do, for my curiosity and sympathy were deeply stirred by the story to which we had listened. i co', ', for my curiosity and sympathy were deeply stirred by the story to which we had listened. i confess', ' my curiosity and sympathy were deeply stirred by the story to which we had listened. i confess that', 'uriosity and sympathy were deeply stirred by the story to which we had listened. i confess that the ', 'ity and sympathy were deeply stirred by the story to which we had listened. i confess that the guilt', 'nd sympathy were deeply stirred by the story to which we had listened. i confess that the guilt of t', 'mpathy were deeply stirred by the story to which we had listened. i confess that the guilt of the ba', "y were deeply stirred by the story to which we had listened. i confess that the guilt of the banker'", "e deeply stirred by the story to which we had listened. i confess that the guilt of the banker's son", "ply stirred by the story to which we had listened. i confess that the guilt of the banker's son appe", "tirred by the story to which we had listened. i confess that the guilt of the banker's son appeared ", "d by the story to which we had listened. i confess that the guilt of the banker's son appeared to me", "the story to which we had listened. i confess that the guilt of the banker's son appeared to me to b", "tory to which we had listened. i confess that the guilt of the banker's son appeared to me to be as ", "to which we had listened. i confess that the guilt of the banker's son appeared to me to be as obvio", "ich we had listened. i confess that the guilt of the banker's son appeared to me to be as obvious as", "e had listened. i confess that the guilt of the banker's son appeared to me to be as obvious as it d", " listened. i confess that the guilt of the banker's son appeared to me to be as obvious as it did to", "ened. i confess that the guilt of the banker's son appeared to me to be as obvious as it did to his ", " i confess that the guilt of the banker's son appeared to me to be as obvious as it did to his unhap", "nfess that the guilt of the banker's son appeared to me to be as obvious as it did to his unhappy fa", " that the guilt of the banker's son appeared to me to be as obvious as it did to his unhappy father,", " the guilt of the banker's son appeared to me to be as obvious as it did to his unhappy father, but ", "guilt of the banker's son appeared to me to be as obvious as it did to his unhappy father, but still", " of the banker's son appeared to me to be as obvious as it did to his unhappy father, but still i ha", "he banker's son appeared to me to be as obvious as it did to his unhappy father, but still i had suc", "nker's son appeared to me to be as obvious as it did to his unhappy father, but still i had such fai", 's son appeared to me to be as obvious as it did to his unhappy father, but still i had such faith in', ' appeared to me to be as obvious as it did to his unhappy father, but still i had such faith in holm', "ared to me to be as obvious as it did to his unhappy father, but still i had such faith in holmes' j", "to me to be as obvious as it did to his unhappy father, but still i had such faith in holmes' judgme", " to be as obvious as it did to his unhappy father, but still i had such faith in holmes' judgment th", "e as obvious as it did to his unhappy father, but still i had such faith in holmes' judgment that i ", "obvious as it did to his unhappy father, but still i had such faith in holmes' judgment that i felt ", "us as it did to his unhappy father, but still i had such faith in holmes' judgment that i felt that ", " it did to his unhappy father, but still i had such faith in holmes' judgment that i felt that there", "id to his unhappy father, but still i had such faith in holmes' judgment that i felt that there must", " his unhappy father, but still i had such faith in holmes' judgment that i felt that there must be s", "unhappy father, but still i had such faith in holmes' judgment that i felt that there must be some g", "py father, but still i had such faith in holmes' judgment that i felt that there must be some ground", "ther, but still i had such faith in holmes' judgment that i felt that there must be some grounds for", " but still i had such faith in holmes' judgment that i felt that there must be some grounds for hope", "still i had such faith in holmes' judgment that i felt that there must be some grounds for hope as l", " i had such faith in holmes' judgment that i felt that there must be some grounds for hope as long a", "d such faith in holmes' judgment that i felt that there must be some grounds for hope as long as he ", "h faith in holmes' judgment that i felt that there must be some grounds for hope as long as he was d", "th in holmes' judgment that i felt that there must be some grounds for hope as long as he was dissat", " holmes' judgment that i felt that there must be some grounds for hope as long as he was dissatisfie", "es' judgment that i felt that there must be some grounds for hope as long as he was dissatisfied wit", 'udgment that i felt that there must be some grounds for hope as long as he was dissatisfied with the', 'nt that i felt that there must be some grounds for hope as long as he was dissatisfied with the acce', 'at i felt that there must be some grounds for hope as long as he was dissatisfied with the accepted ', 'felt that there must be some grounds for hope as long as he was dissatisfied with the accepted expla', 'that there must be some grounds for hope as long as he was dissatisfied with the accepted explanatio', 'there must be some grounds for hope as long as he was dissatisfied with the accepted explanation. he', ' must be some grounds for hope as long as he was dissatisfied with the accepted explanation. he hard', ' be some grounds for hope as long as he was dissatisfied with the accepted explanation. he hardly sp', 'ome grounds for hope as long as he was dissatisfied with the accepted explanation. he hardly spoke a', 'rounds for hope as long as he was dissatisfied with the accepted explanation. he hardly spoke a word', 's for hope as long as he was dissatisfied with the accepted explanation. he hardly spoke a word the ', ' hope as long as he was dissatisfied with the accepted explanation. he hardly spoke a word the whole', ' as long as he was dissatisfied with the accepted explanation. he hardly spoke a word the whole way ', 'ong as he was dissatisfied with the accepted explanation. he hardly spoke a word the whole way out t', 's he was dissatisfied with the accepted explanation. he hardly spoke a word the whole way out to the', 'was dissatisfied with the accepted explanation. he hardly spoke a word the whole way out to the sout', 'issatisfied with the accepted explanation. he hardly spoke a word the whole way out to the southern ', 'isfied with the accepted explanation. he hardly spoke a word the whole way out to the southern subur', 'd with the accepted explanation. he hardly spoke a word the whole way out to the southern suburb, bu', 'h the accepted explanation. he hardly spoke a word the whole way out to the southern suburb, but sat', ' accepted explanation. he hardly spoke a word the whole way out to the southern suburb, but sat with', 'pted explanation. he hardly spoke a word the whole way out to the southern suburb, but sat with his ', 'explanation. he hardly spoke a word the whole way out to the southern suburb, but sat with his chin ', 'nation. he hardly spoke a word the whole way out to the southern suburb, but sat with his chin upon ', 'n. he hardly spoke a word the whole way out to the southern suburb, but sat with his chin upon his b', ' hardly spoke a word the whole way out to the southern suburb, but sat with his chin upon his breast', 'ly spoke a word the whole way out to the southern suburb, but sat with his chin upon his breast and ', 'oke a word the whole way out to the southern suburb, but sat with his chin upon his breast and his h', ' word the whole way out to the southern suburb, but sat with his chin upon his breast and his hat dr', ' the whole way out to the southern suburb, but sat with his chin upon his breast and his hat drawn o', 'whole way out to the southern suburb, but sat with his chin upon his breast and his hat drawn over h', ' way out to the southern suburb, but sat with his chin upon his breast and his hat drawn over his ey', 'out to the southern suburb, but sat with his chin upon his breast and his hat drawn over his eyes, s', 'o the southern suburb, but sat with his chin upon his breast and his hat drawn over his eyes, sunk i', ' southern suburb, but sat with his chin upon his breast and his hat drawn over his eyes, sunk in the', 'hern suburb, but sat with his chin upon his breast and his hat drawn over his eyes, sunk in the deep', 'suburb, but sat with his chin upon his breast and his hat drawn over his eyes, sunk in the deepest t', 'b, but sat with his chin upon his breast and his hat drawn over his eyes, sunk in the deepest though', 't sat with his chin upon his breast and his hat drawn over his eyes, sunk in the deepest thought. ou', ' with his chin upon his breast and his hat drawn over his eyes, sunk in the deepest thought. our cli', ' his chin upon his breast and his hat drawn over his eyes, sunk in the deepest thought. our client a', 'chin upon his breast and his hat drawn over his eyes, sunk in the deepest thought. our client appear', 'upon his breast and his hat drawn over his eyes, sunk in the deepest thought. our client appeared to', 'his breast and his hat drawn over his eyes, sunk in the deepest thought. our client appeared to have', 'reast and his hat drawn over his eyes, sunk in the deepest thought. our client appeared to have take', ' and his hat drawn over his eyes, sunk in the deepest thought. our client appeared to have taken fre', 'his hat drawn over his eyes, sunk in the deepest thought. our client appeared to have taken fresh he', 'at drawn over his eyes, sunk in the deepest thought. our client appeared to have taken fresh heart a', 'awn over his eyes, sunk in the deepest thought. our client appeared to have taken fresh heart at the', 'ver his eyes, sunk in the deepest thought. our client appeared to have taken fresh heart at the litt', 'is eyes, sunk in the deepest thought. our client appeared to have taken fresh heart at the little gl', 'es, sunk in the deepest thought. our client appeared to have taken fresh heart at the little glimpse', 'unk in the deepest thought. our client appeared to have taken fresh heart at the little glimpse of h', 'n the deepest thought. our client appeared to have taken fresh heart at the little glimpse of hope w', ' deepest thought. our client appeared to have taken fresh heart at the little glimpse of hope which ', 'est thought. our client appeared to have taken fresh heart at the little glimpse of hope which had b', 'hought. our client appeared to have taken fresh heart at the little glimpse of hope which had been p', 't. our client appeared to have taken fresh heart at the little glimpse of hope which had been presen', 'r client appeared to have taken fresh heart at the little glimpse of hope which had been presented t', 'ent appeared to have taken fresh heart at the little glimpse of hope which had been presented to him', 'ppeared to have taken fresh heart at the little glimpse of hope which had been presented to him, and', 'ed to have taken fresh heart at the little glimpse of hope which had been presented to him, and he e', ' have taken fresh heart at the little glimpse of hope which had been presented to him, and he even b', ' taken fresh heart at the little glimpse of hope which had been presented to him, and he even broke ', 'n fresh heart at the little glimpse of hope which had been presented to him, and he even broke into ', 'sh heart at the little glimpse of hope which had been presented to him, and he even broke into a des', 'art at the little glimpse of hope which had been presented to him, and he even broke into a desultor', 't the little glimpse of hope which had been presented to him, and he even broke into a desultory cha', ' little glimpse of hope which had been presented to him, and he even broke into a desultory chat wit', 'le glimpse of hope which had been presented to him, and he even broke into a desultory chat with me ', 'impse of hope which had been presented to him, and he even broke into a desultory chat with me over ', ' of hope which had been presented to him, and he even broke into a desultory chat with me over his b', 'ope which had been presented to him, and he even broke into a desultory chat with me over his busine', 'hich had been presented to him, and he even broke into a desultory chat with me over his business af', 'had been presented to him, and he even broke into a desultory chat with me over his business affairs', 'een presented to him, and he even broke into a desultory chat with me over his business affairs. a s', 'resented to him, and he even broke into a desultory chat with me over his business affairs. a short ', 'ted to him, and he even broke into a desultory chat with me over his business affairs. a short railw', 'o him, and he even broke into a desultory chat with me over his business affairs. a short railway jo', ', and he even broke into a desultory chat with me over his business affairs. a short railway journey', ' he even broke into a desultory chat with me over his business affairs. a short railway journey and ', 'ven broke into a desultory chat with me over his business affairs. a short railway journey and a sho', 'roke into a desultory chat with me over his business affairs. a short railway journey and a shorter ', 'into a desultory chat with me over his business affairs. a short railway journey and a shorter walk ', 'a desultory chat with me over his business affairs. a short railway journey and a shorter walk broug', 'ultory chat with me over his business affairs. a short railway journey and a shorter walk brought us', 'y chat with me over his business affairs. a short railway journey and a shorter walk brought us to f', 't with me over his business affairs. a short railway journey and a shorter walk brought us to fairba', 'h me over his business affairs. a short railway journey and a shorter walk brought us to fairbank, t', 'over his business affairs. a short railway journey and a shorter walk brought us to fairbank, the mo', 'his business affairs. a short railway journey and a shorter walk brought us to fairbank, the modest ', 'usiness affairs. a short railway journey and a shorter walk brought us to fairbank, the modest resid', 'ss affairs. a short railway journey and a shorter walk brought us to fairbank, the modest residence ', 'fairs. a short railway journey and a shorter walk brought us to fairbank, the modest residence of th', '. a short railway journey and a shorter walk brought us to fairbank, the modest residence of the gre', 'hort railway journey and a shorter walk brought us to fairbank, the modest residence of the great fi', 'railway journey and a shorter walk brought us to fairbank, the modest residence of the great financi', 'ay journey and a shorter walk brought us to fairbank, the modest residence of the great financier. f', 'urney and a shorter walk brought us to fairbank, the modest residence of the great financier. fairba', ' and a shorter walk brought us to fairbank, the modest residence of the great financier. fairbank wa', 'a shorter walk brought us to fairbank, the modest residence of the great financier. fairbank was a g', 'rter walk brought us to fairbank, the modest residence of the great financier. fairbank was a good-s', 'walk brought us to fairbank, the modest residence of the great financier. fairbank was a good-sized ', 'brought us to fairbank, the modest residence of the great financier. fairbank was a good-sized squar', 'ht us to fairbank, the modest residence of the great financier. fairbank was a good-sized square hou', ' to fairbank, the modest residence of the great financier. fairbank was a good-sized square house of', 'airbank, the modest residence of the great financier. fairbank was a good-sized square house of whit', 'nk, the modest residence of the great financier. fairbank was a good-sized square house of white sto', 'he modest residence of the great financier. fairbank was a good-sized square house of white stone, s', 'dest residence of the great financier. fairbank was a good-sized square house of white stone, standi', 'residence of the great financier. fairbank was a good-sized square house of white stone, standing ba', 'ence of the great financier. fairbank was a good-sized square house of white stone, standing back a ', 'of the great financier. fairbank was a good-sized square house of white stone, standing back a littl', 'e great financier. fairbank was a good-sized square house of white stone, standing back a little fro', 'at financier. fairbank was a good-sized square house of white stone, standing back a little from the', 'nancier. fairbank was a good-sized square house of white stone, standing back a little from the road', 'er. fairbank was a good-sized square house of white stone, standing back a little from the road. a d', 'airbank was a good-sized square house of white stone, standing back a little from the road. a double', 'nk was a good-sized square house of white stone, standing back a little from the road. a double carr', 's a good-sized square house of white stone, standing back a little from the road. a double carriage-', 'ood-sized square house of white stone, standing back a little from the road. a double carriage-sweep', 'ized square house of white stone, standing back a little from the road. a double carriage-sweep, wit', 'square house of white stone, standing back a little from the road. a double carriage-sweep, with a s', 'e house of white stone, standing back a little from the road. a double carriage-sweep, with a snow-c', 'se of white stone, standing back a little from the road. a double carriage-sweep, with a snow-clad l', ' white stone, standing back a little from the road. a double carriage-sweep, with a snow-clad lawn, ', 'e stone, standing back a little from the road. a double carriage-sweep, with a snow-clad lawn, stret', 'ne, standing back a little from the road. a double carriage-sweep, with a snow-clad lawn, stretched ', 'tanding back a little from the road. a double carriage-sweep, with a snow-clad lawn, stretched down ', 'ng back a little from the road. a double carriage-sweep, with a snow-clad lawn, stretched down in fr', 'ck a little from the road. a double carriage-sweep, with a snow-clad lawn, stretched down in front t', 'little from the road. a double carriage-sweep, with a snow-clad lawn, stretched down in front to two', 'e from the road. a double carriage-sweep, with a snow-clad lawn, stretched down in front to two larg', 'm the road. a double carriage-sweep, with a snow-clad lawn, stretched down in front to two large iro', ' road. a double carriage-sweep, with a snow-clad lawn, stretched down in front to two large iron gat', '. a double carriage-sweep, with a snow-clad lawn, stretched down in front to two large iron gates wh', 'ouble carriage-sweep, with a snow-clad lawn, stretched down in front to two large iron gates which c', ' carriage-sweep, with a snow-clad lawn, stretched down in front to two large iron gates which closed', 'iage-sweep, with a snow-clad lawn, stretched down in front to two large iron gates which closed the ', 'sweep, with a snow-clad lawn, stretched down in front to two large iron gates which closed the entra', ', with a snow-clad lawn, stretched down in front to two large iron gates which closed the entrance. ', 'h a snow-clad lawn, stretched down in front to two large iron gates which closed the entrance. on th', 'now-clad lawn, stretched down in front to two large iron gates which closed the entrance. on the rig', 'lad lawn, stretched down in front to two large iron gates which closed the entrance. on the right si', 'awn, stretched down in front to two large iron gates which closed the entrance. on the right side wa', 'stretched down in front to two large iron gates which closed the entrance. on the right side was a s', 'ched down in front to two large iron gates which closed the entrance. on the right side was a small ', 'down in front to two large iron gates which closed the entrance. on the right side was a small woode', 'in front to two large iron gates which closed the entrance. on the right side was a small wooden thi', 'ont to two large iron gates which closed the entrance. on the right side was a small wooden thicket,', 'o two large iron gates which closed the entrance. on the right side was a small wooden thicket, whic', ' large iron gates which closed the entrance. on the right side was a small wooden thicket, which led', 'e iron gates which closed the entrance. on the right side was a small wooden thicket, which led into', 'n gates which closed the entrance. on the right side was a small wooden thicket, which led into a na', 'es which closed the entrance. on the right side was a small wooden thicket, which led into a narrow ', 'ich closed the entrance. on the right side was a small wooden thicket, which led into a narrow path ', 'losed the entrance. on the right side was a small wooden thicket, which led into a narrow path betwe', ' the entrance. on the right side was a small wooden thicket, which led into a narrow path between tw', 'entrance. on the right side was a small wooden thicket, which led into a narrow path between two nea', 'nce. on the right side was a small wooden thicket, which led into a narrow path between two neat hed', 'on the right side was a small wooden thicket, which led into a narrow path between two neat hedges s', 'e right side was a small wooden thicket, which led into a narrow path between two neat hedges stretc', 'ht side was a small wooden thicket, which led into a narrow path between two neat hedges stretching ', 'de was a small wooden thicket, which led into a narrow path between two neat hedges stretching from ', 's a small wooden thicket, which led into a narrow path between two neat hedges stretching from the r', 'mall wooden thicket, which led into a narrow path between two neat hedges stretching from the road t', 'wooden thicket, which led into a narrow path between two neat hedges stretching from the road to the', 'n thicket, which led into a narrow path between two neat hedges stretching from the road to the kitc', 'cket, which led into a narrow path between two neat hedges stretching from the road to the kitchen d', ' which led into a narrow path between two neat hedges stretching from the road to the kitchen door, ', 'h led into a narrow path between two neat hedges stretching from the road to the kitchen door, and f', ' into a narrow path between two neat hedges stretching from the road to the kitchen door, and formin', ' a narrow path between two neat hedges stretching from the road to the kitchen door, and forming the', 'rrow path between two neat hedges stretching from the road to the kitchen door, and forming the trad', 'path between two neat hedges stretching from the road to the kitchen door, and forming the tradesmen', "between two neat hedges stretching from the road to the kitchen door, and forming the tradesmen's en", "en two neat hedges stretching from the road to the kitchen door, and forming the tradesmen's entranc", "o neat hedges stretching from the road to the kitchen door, and forming the tradesmen's entrance. on", "t hedges stretching from the road to the kitchen door, and forming the tradesmen's entrance. on the ", "ges stretching from the road to the kitchen door, and forming the tradesmen's entrance. on the left ", "